blob_id stringlengths 40 40 | directory_id stringlengths 40 40 | path stringlengths 3 264 | content_id stringlengths 40 40 | detected_licenses listlengths 0 85 | license_type stringclasses 2
values | repo_name stringlengths 5 140 | snapshot_id stringlengths 40 40 | revision_id stringlengths 40 40 | branch_name stringclasses 905
values | visit_date timestamp[us]date 2015-08-09 11:21:18 2023-09-06 10:45:07 | revision_date timestamp[us]date 1997-09-14 05:04:47 2023-09-17 19:19:19 | committer_date timestamp[us]date 1997-09-14 05:04:47 2023-09-06 06:22:19 | github_id int64 3.89k 681M ⌀ | star_events_count int64 0 209k | fork_events_count int64 0 110k | gha_license_id stringclasses 22
values | gha_event_created_at timestamp[us]date 2012-06-07 00:51:45 2023-09-14 21:58:39 ⌀ | gha_created_at timestamp[us]date 2008-03-27 23:40:48 2023-08-21 23:17:38 ⌀ | gha_language stringclasses 141
values | src_encoding stringclasses 34
values | language stringclasses 1
value | is_vendor bool 1
class | is_generated bool 2
classes | length_bytes int64 3 10.4M | extension stringclasses 115
values | content stringlengths 3 10.4M | authors listlengths 1 1 | author_id stringlengths 0 158 |
|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|---|
8aea71584f94f5fecd99a0b91f0dc0c04dda922e | 853577026ee4639812fc5a2c63ebd3dcebf60b6b | /ARTS/Algorithm/leetcode/378_kth-smallest-element-in-a-sorted-matrix/solution.cpp | bdbafec60ab9c57bedfc9032545474a344b6ed98 | [] | no_license | egolearner/documents | 8c16afaf1c2c331a1a7307b0a620b2073f6c6f7a | 89f02c8fe8f9db2f90c42fd1ced874dfa512bad5 | refs/heads/master | 2021-12-20T10:14:13.053271 | 2021-12-20T02:09:37 | 2021-12-20T02:09:37 | 174,460,404 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,870 | cpp | /*
* @lc app=leetcode id=378 lang=cpp
*
* [378] Kth Smallest Element in a Sorted Matrix
*
* https://leetcode.com/problems/kth-smallest-element-in-a-sorted-matrix/description/
*
* algorithms
* Medium (54.99%)
* Likes: 3308
* Dislikes: 175
* Total Accepted: 240.6K
* Total Submissions: 429K
* Testcase Example: '[[1,5,9],[10,11,13],[12,13,15]]\n8'
*
* Given an n x n matrix where each of the rows and columns are sorted in
* ascending order, return the k^th smallest element in the matrix.
*
* Note that it is the k^th smallest element in the sorted order, not the k^th
* distinct element.
*
*
* Example 1:
*
*
* Input: matrix = [[1,5,9],[10,11,13],[12,13,15]], k = 8
* Output: 13
* Explanation: The elements in the matrix are [1,5,9,10,11,12,13,13,15], and
* the 8^th smallest number is 13
*
*
* Example 2:
*
*
* Input: matrix = [[-5]], k = 1
* Output: -5
*
*
*
* Constraints:
*
*
* n == matrix.length
* n == matrix[i].length
* 1 <= n <= 300
* -10^9 <= matrix[i][j] <= -10^9
* All the rows and columns of matrix are guaranteed to be sorted in
* non-degreasing order.
* 1 <= k <= n^2
*
*
*/
// @lc code=start
class Solution {
public:
int kthSmallest(vector<vector<int>>& matrix, int k) {
int n = matrix.size();
int low = matrix[0][0];
int high = matrix[n-1][n-1];
int ans = 0;
while (low <= high) {
int mid = low + (high-low)/2;
int cnt = countLessOfMid(matrix, mid);
if (cnt >= k) {
ans = mid;
high = mid-1;
} else {
low = mid+1;
}
}
return ans;
}
int countLessOfMid(vector<vector<int>>& matrix, int mid) {
int r = 0, c = matrix.size()-1;
int cnt = 0;
for (r = 0; r < matrix.size(); r++) {
while (c >= 0 && matrix[r][c] > mid) {
c--;
}
cnt += (c+1);
}
return cnt;
}
int kthSmallestHeap(vector<vector<int>>& matrix, int k) {
using P = pair<int, int>;
auto cmp = [&](P p1, P p2) {return matrix[p1.first][p1.second] >= matrix[p2.first][p2.second];};
priority_queue<P, vector<P>, decltype(cmp)> min_heap(cmp);
int n = matrix.size();
for (int i = 0; i < n; i++) {
min_heap.emplace(i, 0);
}
P ans;
for (int pc = 0; pc < k; pc++) {
ans = min_heap.top();
min_heap.pop();
if (ans.second+1 < n) {
min_heap.emplace(ans.first, ans.second+1);
}
}
return matrix[ans.first][ans.second];
}
};
// @lc code=end
// XXX 参考 https://leetcode.com/problems/kth-smallest-element-in-a-sorted-matrix/discuss/1322101/C%2B%2BJavaPython-MaxHeap-MinHeap-Binary-Search-Picture-Explain-Clean-and-Concise | [
"lijiliang@outlook.com"
] | lijiliang@outlook.com |
f557f6be24ac1aec298c56db888ebec6fa26e554 | 5cef19f12d46cafa243b087fe8d8aeae07386914 | /nowcoder/练习赛30/C.cpp | 2b9ba6064f4c9a3a833d91108b66a53fdae16b61 | [] | no_license | lych4o/competitive-programming | aaa6e1d3f7ae052cba193c5377f27470ed16208f | c5f4b98225a934f3bd3f76cbdd2184f574fe3113 | refs/heads/master | 2020-03-28T15:48:26.134836 | 2019-05-29T13:44:39 | 2019-05-29T13:44:39 | 148,627,900 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,460 | cpp | #include<bits/stdc++.h>
#define pb push_back
#define mk make_pair
#define F first
#define S second
#define sc(x) scanf("%d", &x)
#define sll(x) scanf("%lld", &x)
#define pii pair<int,int>
using namespace std;
typedef long long LL;
const int maxn = 1e4+10;
vector<pii> e[maxn];
int n, sz[maxn], mx[maxn], ms, rt;
LL dis[2], ans;
bool vis[maxn];
void dfs_size(int u, int f){
sz[u]=1; mx[u]=0;
for(auto p: e[u]) if(p.F != f && !vis[p.F]){
dfs_size(p.F, u);
sz[u] += sz[p.F];
if(sz[p.F] > mx[u]) mx[u] = sz[p.F];
}
}
void dfs_root(int r, int u, int f){
if(sz[r]-sz[u]>mx[u]) mx[u]=sz[r]-sz[u];
if(mx[u]<ms) ms=mx[u], rt=u;
for(auto p: e[u]) if(p.F!=f && !vis[p.F]){
dfs_root(r, p.F, u);
}
}
void dfs_dis(int u, int f, int d){
dis[d]++;
for(auto p: e[u]) if(p.F!=f&&!vis[p.F]){
dfs_dis(p.F, u, d^p.S);
}
}
LL solve(int u){
dis[0]=dis[1]=0;
dfs_dis(u, 0, 0);
LL ret=0,d0=dis[0],d1=dis[1];
ret += d0*d0*d0;
ret += d1*d1*d1;
return ret;
}
void dfs(int u){
ms = n;
dfs_size(u,0); dfs_root(u,u,0);
ans += solve(rt);
vis[rt]=1;
int pnt = rt;
for(auto p: e[pnt]) if(!vis[p.F]){
ans -= solve(p.F);
dfs(p.F);
}
}
int main(){
sc(n);
for(int i=1;i<n;i++){
int u,v,d;
sc(u); sc(v); sc(d); d%=2;
e[u].pb(mk(v,d)); e[v].pb(mk(u,d));
}
dfs(1);
printf("%lld\n", ans);
return 0;
}
| [
"lych@lychdeMacBook-Air.local"
] | lych@lychdeMacBook-Air.local |
fbaced8406da30aef13ff0de845d19714a5ebaf5 | 5326421d3d4b272b63d3a64a99438203dba88e95 | /contour/hash.cpp | c6a30d804957ef4dc9380a2dc05b92065d6a6c2b | [] | no_license | transfix/cvc-mesher | 2d7eb953bb351a388e02d2e0a3f68a6c5dfa70cb | 466c507b622d5c397326ad03f73aad42d8cc2ba3 | refs/heads/master | 2021-01-10T20:56:08.732959 | 2014-01-11T22:52:33 | 2014-01-11T22:52:33 | 15,577,133 | 3 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 371 | cpp | /*****************************************************************************\
*
* hash.cc -- a simple hash table
*
*
* Author: Fausto Bernardini (fxb@cs.purdue.edu)
*
* Created: Jan 26, 1996
*
\*****************************************************************************/
// $Id: hash.cpp,v 1.1.1.1 2006/10/11 21:25:51 transfix Exp $
#include "hash.h"
| [
"transfix@sublevels.net"
] | transfix@sublevels.net |
8d8257987b8fc0885519ab9849af529956d65751 | 200df01c4c9eb9f6cca4e8b453acc782086340ef | /cpp/util.h | 2484726e1daf08264870ec01789e01e8d5724309 | [] | no_license | lacrymose/3bem | 18255b0e1e65d7f844c24ff489cb2ea817bd785d | 8558df4b0786c55593078f261e20739f40fe3701 | refs/heads/master | 2021-05-29T07:08:41.197154 | 2015-09-17T21:29:33 | 2015-09-17T21:29:33 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,161 | h | #ifndef TBEMUTIL_H
#define TBEMUTIL_H
#include <vector>
#include <chrono>
#include "vec.h"
#include "numerics.h"
namespace tbem {
#define TIC\
std::chrono::high_resolution_clock::time_point start =\
std::chrono::high_resolution_clock::now();\
int time_ms;
#define TIC2\
start = std::chrono::high_resolution_clock::now();
#define TOC(name)\
time_ms = std::chrono::duration_cast<std::chrono::milliseconds>\
(std::chrono::high_resolution_clock::now() - start).count();\
std::cout << name << " took "\
<< time_ms\
<< "ms.\n";
std::vector<double> random_list(size_t N, double a = 0, double b = 1);
template <size_t dim>
Vec<double,dim> random_pt();
template <typename T>
T random(T min, T max);
template <size_t dim>
std::vector<Vec<double,dim>> random_pts(size_t N, double a = 0, double b = 1);
//TODO: Should this be here? Or in geometry.h
template <size_t dim>
Vec<double,dim> random_pt_facet(const Vec<Vec<double,dim>,dim>& facet);
template <size_t dim> struct Ball;
template <size_t dim>
std::vector<Ball<dim>> random_balls(size_t n, double r_max);
} //END namespace tbem
#endif
| [
"t.ben.thompson@gmail.com"
] | t.ben.thompson@gmail.com |
453c0b3ddec4c9f8c4d7893a8ecfbfc347cd7d8c | d58c30c109bf5a230ce09be1aa99220ba3a2ea87 | /net/ssl/threaded_ssl_private_key.h | ad77e36078f1bffdfa6f739d0561aa0223c3d8ab | [
"BSD-3-Clause"
] | permissive | azureplus/chromium | 55126a019ccace53004601552f0c60abb4c22107 | b1d79c3bae7353740e891513770e8fccdb19b2f4 | refs/heads/master | 2023-02-27T16:03:53.924641 | 2015-11-23T18:22:09 | 2015-11-23T18:22:53 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,386 | h | // Copyright 2015 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef NET_SSL_THREADED_SSL_PRIVATE_KEY_H_
#define NET_SSL_THREADED_SSL_PRIVATE_KEY_H_
#include <stdint.h>
#include <vector>
#include "base/macros.h"
#include "base/memory/ref_counted.h"
#include "base/memory/weak_ptr.h"
#include "base/strings/string_piece.h"
#include "net/ssl/ssl_private_key.h"
namespace base {
class TaskRunner;
}
namespace net {
// An SSLPrivateKey implementation which offloads key operations to a background
// task runner.
class ThreadedSSLPrivateKey : public SSLPrivateKey {
public:
// Interface for consumers to implement to perform the actual signing
// operation.
class Delegate {
public:
Delegate() {}
virtual ~Delegate() {}
// These methods behave as those of the same name on SSLPrivateKey. They
// must be callable on any thread.
virtual Type GetType() = 0;
virtual std::vector<SSLPrivateKey::Hash> GetDigestPreferences() = 0;
virtual size_t GetMaxSignatureLengthInBytes() = 0;
// Signs |input| as a digest of type |hash|. On sucess it returns OK and
// sets |signature| to the resulting signature. Otherwise it returns a net
// error code. It will only be called on the task runner passed to the
// owning ThreadedSSLPrivateKey.
virtual Error SignDigest(Hash hash,
const base::StringPiece& input,
std::vector<uint8_t>* signature) = 0;
private:
DISALLOW_COPY_AND_ASSIGN(Delegate);
};
ThreadedSSLPrivateKey(scoped_ptr<Delegate> delegate,
scoped_refptr<base::TaskRunner> task_runner);
// SSLPrivateKey implementation.
Type GetType() override;
std::vector<SSLPrivateKey::Hash> GetDigestPreferences() override;
size_t GetMaxSignatureLengthInBytes() override;
void SignDigest(Hash hash,
const base::StringPiece& input,
const SignCallback& callback) override;
private:
~ThreadedSSLPrivateKey() override;
class Core;
scoped_refptr<Core> core_;
scoped_refptr<base::TaskRunner> task_runner_;
base::WeakPtrFactory<ThreadedSSLPrivateKey> weak_factory_;
DISALLOW_COPY_AND_ASSIGN(ThreadedSSLPrivateKey);
};
} // namespace net
#endif // NET_SSL_THREADED_SSL_PRIVATE_KEY_H_
| [
"commit-bot@chromium.org"
] | commit-bot@chromium.org |
07b3a3e7c33f2910c7939e1850ce995b7bdf1982 | c7c4346d1aa333781080897fa00d3b18e7712ca9 | /CodeForces/CF1087-D2/codes/sol/a.cpp | 903d5b101e2459a9a872a0dbec6e41ceddc26eac | [] | no_license | ajfabian/Competitive-Programming | 145d7d3491b03e1b214c24e7389009cdc36b8b13 | baef0ee9943ee475779d303402cb8be91b684a98 | refs/heads/master | 2020-05-29T17:31:49.369157 | 2019-05-29T18:41:39 | 2019-05-29T18:41:39 | 158,747,572 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,188 | cpp | #pragma GCC optimize("Ofast")
#include <bits/stdc++.h>
using namespace std;
typedef long long int ll;
typedef long double ld;
typedef pair<int,int> pii;
typedef pair<ll,ll> pll;
#define INIT ios_base::sync_with_stdio(false);\
cin.tie(0),cout.tie()
#define endl '\n'
#define fr first
#define sc second
#define pb push_back
#define eb emplace_back
#define mp make_pair
#define lb lower_bound
#define ub upper_bound
#define ins insert
#define ers erase
#define sz(c) ((int)(c).size())
#define all(x) (x).begin(),(x).end()
#define unique(x) (x).resize(unique(all(x))-(x).begin())
#define debug(_fmt,...) \
fprintf(stderr,"("#__VA_ARGS__ ") = (" _fmt")\n",__VA_ARGS__)
template<class T>
void na(vector<T>& a, int n)
{a = vector<T>(n);for(T& i: a) cin >> i;}
template<class T>
void printVector(vector<T>& a)
{for(T& i: a) cout << i << ' '; cout << endl;}
template<class T>
vector<T> shrink(vector<T>& x)
{
vector<T> vals = x;
sort(all(vals)); unique(vals);
for(T& i: x) i = ub(all(vals), i) - vals.begin();
return vals;
}
int main()
{
#ifdef OJUDGE
//freopen("in","r",stdin);
#endif
INIT;
return 0;
}
| [
"ajfabian960728@gmail.com"
] | ajfabian960728@gmail.com |
a40c15eb8b1ee8b55356edad9127daaeb9d33ea0 | 53798d960a6022813e35c55e9049226a315ff9e3 | /src/qt/transactionview.cpp | 105bd2f2dc75bd2f068390f76205931d50eb0e75 | [
"MIT"
] | permissive | ACB201887/acbx | 8c6cfe1a5ef5da5d5da8c69a88d70784dc376597 | 26933485d6d9cab9580942e8bbd461e76065064f | refs/heads/master | 2020-03-25T10:35:06.857735 | 2018-08-06T08:30:07 | 2018-08-06T08:30:07 | 143,697,575 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 22,969 | cpp | // Copyright (c) 2011-2016 The ACB coin bt developers
// Distributed under the MIT software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
#include "transactionview.h"
#include "addresstablemodel.h"
#include "bitcoinunits.h"
#include "csvmodelwriter.h"
#include "editaddressdialog.h"
#include "guiutil.h"
#include "optionsmodel.h"
#include "platformstyle.h"
#include "sendcoinsdialog.h"
#include "transactiondescdialog.h"
#include "transactionfilterproxy.h"
#include "transactionrecord.h"
#include "transactiontablemodel.h"
#include "walletmodel.h"
#include "ui_interface.h"
#include <QComboBox>
#include <QDateTimeEdit>
#include <QDesktopServices>
#include <QDoubleValidator>
#include <QHBoxLayout>
#include <QHeaderView>
#include <QLabel>
#include <QLineEdit>
#include <QMenu>
#include <QPoint>
#include <QScrollBar>
#include <QSignalMapper>
#include <QTableView>
#include <QUrl>
#include <QVBoxLayout>
TransactionView::TransactionView(const PlatformStyle *platformStyle, QWidget *parent) :
QWidget(parent), model(0), transactionProxyModel(0),
transactionView(0), abandonAction(0), bumpFeeAction(0), columnResizingFixer(0)
{
// Build filter row
setContentsMargins(0,0,0,0);
QHBoxLayout *hlayout = new QHBoxLayout();
hlayout->setContentsMargins(0,0,0,0);
if (platformStyle->getUseExtraSpacing()) {
hlayout->setSpacing(5);
hlayout->addSpacing(26);
} else {
hlayout->setSpacing(0);
hlayout->addSpacing(23);
}
watchOnlyWidget = new QComboBox(this);
watchOnlyWidget->setFixedWidth(24);
watchOnlyWidget->addItem("", TransactionFilterProxy::WatchOnlyFilter_All);
watchOnlyWidget->addItem(platformStyle->SingleColorIcon(":/icons/eye_plus"), "", TransactionFilterProxy::WatchOnlyFilter_Yes);
watchOnlyWidget->addItem(platformStyle->SingleColorIcon(":/icons/eye_minus"), "", TransactionFilterProxy::WatchOnlyFilter_No);
hlayout->addWidget(watchOnlyWidget);
dateWidget = new QComboBox(this);
if (platformStyle->getUseExtraSpacing()) {
dateWidget->setFixedWidth(121);
} else {
dateWidget->setFixedWidth(120);
}
dateWidget->addItem(tr("All"), All);
dateWidget->addItem(tr("Today"), Today);
dateWidget->addItem(tr("This week"), ThisWeek);
dateWidget->addItem(tr("This month"), ThisMonth);
dateWidget->addItem(tr("Last month"), LastMonth);
dateWidget->addItem(tr("This year"), ThisYear);
dateWidget->addItem(tr("Range..."), Range);
hlayout->addWidget(dateWidget);
typeWidget = new QComboBox(this);
if (platformStyle->getUseExtraSpacing()) {
typeWidget->setFixedWidth(121);
} else {
typeWidget->setFixedWidth(120);
}
typeWidget->addItem(tr("All"), TransactionFilterProxy::ALL_TYPES);
typeWidget->addItem(tr("Received with"), TransactionFilterProxy::TYPE(TransactionRecord::RecvWithAddress) |
TransactionFilterProxy::TYPE(TransactionRecord::RecvFromOther));
typeWidget->addItem(tr("Sent to"), TransactionFilterProxy::TYPE(TransactionRecord::SendToAddress) |
TransactionFilterProxy::TYPE(TransactionRecord::SendToOther));
typeWidget->addItem(tr("To yourself"), TransactionFilterProxy::TYPE(TransactionRecord::SendToSelf));
typeWidget->addItem(tr("Mined"), TransactionFilterProxy::TYPE(TransactionRecord::Generated));
typeWidget->addItem(tr("Other"), TransactionFilterProxy::TYPE(TransactionRecord::Other));
hlayout->addWidget(typeWidget);
addressWidget = new QLineEdit(this);
#if QT_VERSION >= 0x040700
addressWidget->setPlaceholderText(tr("Enter address or label to search"));
#endif
hlayout->addWidget(addressWidget);
amountWidget = new QLineEdit(this);
#if QT_VERSION >= 0x040700
amountWidget->setPlaceholderText(tr("Min amount"));
#endif
if (platformStyle->getUseExtraSpacing()) {
amountWidget->setFixedWidth(97);
} else {
amountWidget->setFixedWidth(100);
}
amountWidget->setValidator(new QDoubleValidator(0, 1e20, 8, this));
hlayout->addWidget(amountWidget);
QVBoxLayout *vlayout = new QVBoxLayout(this);
vlayout->setContentsMargins(0,0,0,0);
vlayout->setSpacing(0);
QTableView *view = new QTableView(this);
vlayout->addLayout(hlayout);
vlayout->addWidget(createDateRangeWidget());
vlayout->addWidget(view);
vlayout->setSpacing(0);
int width = view->verticalScrollBar()->sizeHint().width();
// Cover scroll bar width with spacing
if (platformStyle->getUseExtraSpacing()) {
hlayout->addSpacing(width+2);
} else {
hlayout->addSpacing(width);
}
// Always show scroll bar
view->setVerticalScrollBarPolicy(Qt::ScrollBarAlwaysOn);
view->setTabKeyNavigation(false);
view->setContextMenuPolicy(Qt::CustomContextMenu);
view->installEventFilter(this);
transactionView = view;
transactionView->setObjectName("transactionView");
// Actions
abandonAction = new QAction(tr("Abandon transaction"), this);
bumpFeeAction = new QAction(tr("Increase transaction fee"), this);
bumpFeeAction->setObjectName("bumpFeeAction");
QAction *copyAddressAction = new QAction(tr("Copy address"), this);
QAction *copyLabelAction = new QAction(tr("Copy label"), this);
QAction *copyAmountAction = new QAction(tr("Copy amount"), this);
QAction *copyTxIDAction = new QAction(tr("Copy transaction ID"), this);
QAction *copyTxHexAction = new QAction(tr("Copy raw transaction"), this);
QAction *copyTxPlainText = new QAction(tr("Copy full transaction details"), this);
QAction *editLabelAction = new QAction(tr("Edit label"), this);
QAction *showDetailsAction = new QAction(tr("Show transaction details"), this);
contextMenu = new QMenu(this);
contextMenu->setObjectName("contextMenu");
contextMenu->addAction(copyAddressAction);
contextMenu->addAction(copyLabelAction);
contextMenu->addAction(copyAmountAction);
contextMenu->addAction(copyTxIDAction);
contextMenu->addAction(copyTxHexAction);
contextMenu->addAction(copyTxPlainText);
contextMenu->addAction(showDetailsAction);
contextMenu->addSeparator();
contextMenu->addAction(bumpFeeAction);
contextMenu->addAction(abandonAction);
contextMenu->addAction(editLabelAction);
mapperThirdPartyTxUrls = new QSignalMapper(this);
// Connect actions
connect(mapperThirdPartyTxUrls, SIGNAL(mapped(QString)), this, SLOT(openThirdPartyTxUrl(QString)));
connect(dateWidget, SIGNAL(activated(int)), this, SLOT(chooseDate(int)));
connect(typeWidget, SIGNAL(activated(int)), this, SLOT(chooseType(int)));
connect(watchOnlyWidget, SIGNAL(activated(int)), this, SLOT(chooseWatchonly(int)));
connect(addressWidget, SIGNAL(textChanged(QString)), this, SLOT(changedPrefix(QString)));
connect(amountWidget, SIGNAL(textChanged(QString)), this, SLOT(changedAmount(QString)));
connect(view, SIGNAL(doubleClicked(QModelIndex)), this, SIGNAL(doubleClicked(QModelIndex)));
connect(view, SIGNAL(customContextMenuRequested(QPoint)), this, SLOT(contextualMenu(QPoint)));
connect(bumpFeeAction, SIGNAL(triggered()), this, SLOT(bumpFee()));
connect(abandonAction, SIGNAL(triggered()), this, SLOT(abandonTx()));
connect(copyAddressAction, SIGNAL(triggered()), this, SLOT(copyAddress()));
connect(copyLabelAction, SIGNAL(triggered()), this, SLOT(copyLabel()));
connect(copyAmountAction, SIGNAL(triggered()), this, SLOT(copyAmount()));
connect(copyTxIDAction, SIGNAL(triggered()), this, SLOT(copyTxID()));
connect(copyTxHexAction, SIGNAL(triggered()), this, SLOT(copyTxHex()));
connect(copyTxPlainText, SIGNAL(triggered()), this, SLOT(copyTxPlainText()));
connect(editLabelAction, SIGNAL(triggered()), this, SLOT(editLabel()));
connect(showDetailsAction, SIGNAL(triggered()), this, SLOT(showDetails()));
}
void TransactionView::setModel(WalletModel *_model)
{
this->model = _model;
if(_model)
{
transactionProxyModel = new TransactionFilterProxy(this);
transactionProxyModel->setSourceModel(_model->getTransactionTableModel());
transactionProxyModel->setDynamicSortFilter(true);
transactionProxyModel->setSortCaseSensitivity(Qt::CaseInsensitive);
transactionProxyModel->setFilterCaseSensitivity(Qt::CaseInsensitive);
transactionProxyModel->setSortRole(Qt::EditRole);
transactionView->setHorizontalScrollBarPolicy(Qt::ScrollBarAlwaysOff);
transactionView->setModel(transactionProxyModel);
transactionView->setAlternatingRowColors(true);
transactionView->setSelectionBehavior(QAbstractItemView::SelectRows);
transactionView->setSelectionMode(QAbstractItemView::ExtendedSelection);
transactionView->setSortingEnabled(true);
transactionView->sortByColumn(TransactionTableModel::Date, Qt::DescendingOrder);
transactionView->verticalHeader()->hide();
transactionView->setColumnWidth(TransactionTableModel::Status, STATUS_COLUMN_WIDTH);
transactionView->setColumnWidth(TransactionTableModel::Watchonly, WATCHONLY_COLUMN_WIDTH);
transactionView->setColumnWidth(TransactionTableModel::Date, DATE_COLUMN_WIDTH);
transactionView->setColumnWidth(TransactionTableModel::Type, TYPE_COLUMN_WIDTH);
transactionView->setColumnWidth(TransactionTableModel::Amount, AMOUNT_MINIMUM_COLUMN_WIDTH);
columnResizingFixer = new GUIUtil::TableViewLastColumnResizingFixer(transactionView, AMOUNT_MINIMUM_COLUMN_WIDTH, MINIMUM_COLUMN_WIDTH, this);
if (_model->getOptionsModel())
{
// Add third party transaction URLs to context menu
QStringList listUrls = _model->getOptionsModel()->getThirdPartyTxUrls().split("|", QString::SkipEmptyParts);
for (int i = 0; i < listUrls.size(); ++i)
{
QString host = QUrl(listUrls[i].trimmed(), QUrl::StrictMode).host();
if (!host.isEmpty())
{
QAction *thirdPartyTxUrlAction = new QAction(host, this); // use host as menu item label
if (i == 0)
contextMenu->addSeparator();
contextMenu->addAction(thirdPartyTxUrlAction);
connect(thirdPartyTxUrlAction, SIGNAL(triggered()), mapperThirdPartyTxUrls, SLOT(map()));
mapperThirdPartyTxUrls->setMapping(thirdPartyTxUrlAction, listUrls[i].trimmed());
}
}
}
// show/hide column Watch-only
updateWatchOnlyColumn(_model->haveWatchOnly());
// Watch-only signal
connect(_model, SIGNAL(notifyWatchonlyChanged(bool)), this, SLOT(updateWatchOnlyColumn(bool)));
}
}
void TransactionView::chooseDate(int idx)
{
if(!transactionProxyModel)
return;
QDate current = QDate::currentDate();
dateRangeWidget->setVisible(false);
switch(dateWidget->itemData(idx).toInt())
{
case All:
transactionProxyModel->setDateRange(
TransactionFilterProxy::MIN_DATE,
TransactionFilterProxy::MAX_DATE);
break;
case Today:
transactionProxyModel->setDateRange(
QDateTime(current),
TransactionFilterProxy::MAX_DATE);
break;
case ThisWeek: {
// Find last Monday
QDate startOfWeek = current.addDays(-(current.dayOfWeek()-1));
transactionProxyModel->setDateRange(
QDateTime(startOfWeek),
TransactionFilterProxy::MAX_DATE);
} break;
case ThisMonth:
transactionProxyModel->setDateRange(
QDateTime(QDate(current.year(), current.month(), 1)),
TransactionFilterProxy::MAX_DATE);
break;
case LastMonth:
transactionProxyModel->setDateRange(
QDateTime(QDate(current.year(), current.month(), 1).addMonths(-1)),
QDateTime(QDate(current.year(), current.month(), 1)));
break;
case ThisYear:
transactionProxyModel->setDateRange(
QDateTime(QDate(current.year(), 1, 1)),
TransactionFilterProxy::MAX_DATE);
break;
case Range:
dateRangeWidget->setVisible(true);
dateRangeChanged();
break;
}
}
void TransactionView::chooseType(int idx)
{
if(!transactionProxyModel)
return;
transactionProxyModel->setTypeFilter(
typeWidget->itemData(idx).toInt());
}
void TransactionView::chooseWatchonly(int idx)
{
if(!transactionProxyModel)
return;
transactionProxyModel->setWatchOnlyFilter(
(TransactionFilterProxy::WatchOnlyFilter)watchOnlyWidget->itemData(idx).toInt());
}
void TransactionView::changedPrefix(const QString &prefix)
{
if(!transactionProxyModel)
return;
transactionProxyModel->setAddressPrefix(prefix);
}
void TransactionView::changedAmount(const QString &amount)
{
if(!transactionProxyModel)
return;
CAmount amount_parsed = 0;
if(BitcoinUnits::parse(model->getOptionsModel()->getDisplayUnit(), amount, &amount_parsed))
{
transactionProxyModel->setMinAmount(amount_parsed);
}
else
{
transactionProxyModel->setMinAmount(0);
}
}
void TransactionView::exportClicked()
{
if (!model || !model->getOptionsModel()) {
return;
}
// CSV is currently the only supported format
QString filename = GUIUtil::getSaveFileName(this,
tr("Export Transaction History"), QString(),
tr("Comma separated file (*.csv)"), NULL);
if (filename.isNull())
return;
CSVModelWriter writer(filename);
// name, column, role
writer.setModel(transactionProxyModel);
writer.addColumn(tr("Confirmed"), 0, TransactionTableModel::ConfirmedRole);
if (model && model->haveWatchOnly())
writer.addColumn(tr("Watch-only"), TransactionTableModel::Watchonly);
writer.addColumn(tr("Date"), 0, TransactionTableModel::DateRole);
writer.addColumn(tr("Type"), TransactionTableModel::Type, Qt::EditRole);
writer.addColumn(tr("Label"), 0, TransactionTableModel::LabelRole);
writer.addColumn(tr("Address"), 0, TransactionTableModel::AddressRole);
writer.addColumn(BitcoinUnits::getAmountColumnTitle(model->getOptionsModel()->getDisplayUnit()), 0, TransactionTableModel::FormattedAmountRole);
writer.addColumn(tr("ID"), 0, TransactionTableModel::TxIDRole);
if(!writer.write()) {
Q_EMIT message(tr("Exporting Failed"), tr("There was an error trying to save the transaction history to %1.").arg(filename),
CClientUIInterface::MSG_ERROR);
}
else {
Q_EMIT message(tr("Exporting Successful"), tr("The transaction history was successfully saved to %1.").arg(filename),
CClientUIInterface::MSG_INFORMATION);
}
}
void TransactionView::contextualMenu(const QPoint &point)
{
QModelIndex index = transactionView->indexAt(point);
QModelIndexList selection = transactionView->selectionModel()->selectedRows(0);
if (selection.empty())
return;
// check if transaction can be abandoned, disable context menu action in case it doesn't
uint256 hash;
hash.SetHex(selection.at(0).data(TransactionTableModel::TxHashRole).toString().toStdString());
abandonAction->setEnabled(model->transactionCanBeAbandoned(hash));
bumpFeeAction->setEnabled(model->transactionCanBeBumped(hash));
if(index.isValid())
{
contextMenu->popup(transactionView->viewport()->mapToGlobal(point));
}
}
void TransactionView::abandonTx()
{
if(!transactionView || !transactionView->selectionModel())
return;
QModelIndexList selection = transactionView->selectionModel()->selectedRows(0);
// get the hash from the TxHashRole (QVariant / QString)
uint256 hash;
QString hashQStr = selection.at(0).data(TransactionTableModel::TxHashRole).toString();
hash.SetHex(hashQStr.toStdString());
// Abandon the wallet transaction over the walletModel
model->abandonTransaction(hash);
// Update the table
model->getTransactionTableModel()->updateTransaction(hashQStr, CT_UPDATED, false);
}
void TransactionView::bumpFee()
{
if(!transactionView || !transactionView->selectionModel())
return;
QModelIndexList selection = transactionView->selectionModel()->selectedRows(0);
// get the hash from the TxHashRole (QVariant / QString)
uint256 hash;
QString hashQStr = selection.at(0).data(TransactionTableModel::TxHashRole).toString();
hash.SetHex(hashQStr.toStdString());
// Bump tx fee over the walletModel
if (model->bumpFee(hash)) {
// Update the table
model->getTransactionTableModel()->updateTransaction(hashQStr, CT_UPDATED, true);
}
}
void TransactionView::copyAddress()
{
GUIUtil::copyEntryData(transactionView, 0, TransactionTableModel::AddressRole);
}
void TransactionView::copyLabel()
{
GUIUtil::copyEntryData(transactionView, 0, TransactionTableModel::LabelRole);
}
void TransactionView::copyAmount()
{
GUIUtil::copyEntryData(transactionView, 0, TransactionTableModel::FormattedAmountRole);
}
void TransactionView::copyTxID()
{
GUIUtil::copyEntryData(transactionView, 0, TransactionTableModel::TxIDRole);
}
void TransactionView::copyTxHex()
{
GUIUtil::copyEntryData(transactionView, 0, TransactionTableModel::TxHexRole);
}
void TransactionView::copyTxPlainText()
{
GUIUtil::copyEntryData(transactionView, 0, TransactionTableModel::TxPlainTextRole);
}
void TransactionView::editLabel()
{
if(!transactionView->selectionModel() ||!model)
return;
QModelIndexList selection = transactionView->selectionModel()->selectedRows();
if(!selection.isEmpty())
{
AddressTableModel *addressBook = model->getAddressTableModel();
if(!addressBook)
return;
QString address = selection.at(0).data(TransactionTableModel::AddressRole).toString();
if(address.isEmpty())
{
// If this transaction has no associated address, exit
return;
}
// Is address in address book? Address book can miss address when a transaction is
// sent from outside the UI.
int idx = addressBook->lookupAddress(address);
if(idx != -1)
{
// Edit sending / receiving address
QModelIndex modelIdx = addressBook->index(idx, 0, QModelIndex());
// Determine type of address, launch appropriate editor dialog type
QString type = modelIdx.data(AddressTableModel::TypeRole).toString();
EditAddressDialog dlg(
type == AddressTableModel::Receive
? EditAddressDialog::EditReceivingAddress
: EditAddressDialog::EditSendingAddress, this);
dlg.setModel(addressBook);
dlg.loadRow(idx);
dlg.exec();
}
else
{
// Add sending address
EditAddressDialog dlg(EditAddressDialog::NewSendingAddress,
this);
dlg.setModel(addressBook);
dlg.setAddress(address);
dlg.exec();
}
}
}
void TransactionView::showDetails()
{
if(!transactionView->selectionModel())
return;
QModelIndexList selection = transactionView->selectionModel()->selectedRows();
if(!selection.isEmpty())
{
TransactionDescDialog *dlg = new TransactionDescDialog(selection.at(0));
dlg->setAttribute(Qt::WA_DeleteOnClose);
dlg->show();
}
}
void TransactionView::openThirdPartyTxUrl(QString url)
{
if(!transactionView || !transactionView->selectionModel())
return;
QModelIndexList selection = transactionView->selectionModel()->selectedRows(0);
if(!selection.isEmpty())
QDesktopServices::openUrl(QUrl::fromUserInput(url.replace("%s", selection.at(0).data(TransactionTableModel::TxHashRole).toString())));
}
QWidget *TransactionView::createDateRangeWidget()
{
dateRangeWidget = new QFrame();
dateRangeWidget->setFrameStyle(QFrame::Panel | QFrame::Raised);
dateRangeWidget->setContentsMargins(1,1,1,1);
QHBoxLayout *layout = new QHBoxLayout(dateRangeWidget);
layout->setContentsMargins(0,0,0,0);
layout->addSpacing(23);
layout->addWidget(new QLabel(tr("Range:")));
dateFrom = new QDateTimeEdit(this);
dateFrom->setDisplayFormat("dd/MM/yy");
dateFrom->setCalendarPopup(true);
dateFrom->setMinimumWidth(100);
dateFrom->setDate(QDate::currentDate().addDays(-7));
layout->addWidget(dateFrom);
layout->addWidget(new QLabel(tr("to")));
dateTo = new QDateTimeEdit(this);
dateTo->setDisplayFormat("dd/MM/yy");
dateTo->setCalendarPopup(true);
dateTo->setMinimumWidth(100);
dateTo->setDate(QDate::currentDate());
layout->addWidget(dateTo);
layout->addStretch();
// Hide by default
dateRangeWidget->setVisible(false);
// Notify on change
connect(dateFrom, SIGNAL(dateChanged(QDate)), this, SLOT(dateRangeChanged()));
connect(dateTo, SIGNAL(dateChanged(QDate)), this, SLOT(dateRangeChanged()));
return dateRangeWidget;
}
void TransactionView::dateRangeChanged()
{
if(!transactionProxyModel)
return;
transactionProxyModel->setDateRange(
QDateTime(dateFrom->date()),
QDateTime(dateTo->date()).addDays(1));
}
void TransactionView::focusTransaction(const QModelIndex &idx)
{
if(!transactionProxyModel)
return;
QModelIndex targetIdx = transactionProxyModel->mapFromSource(idx);
transactionView->scrollTo(targetIdx);
transactionView->setCurrentIndex(targetIdx);
transactionView->setFocus();
}
// We override the virtual resizeEvent of the QWidget to adjust tables column
// sizes as the tables width is proportional to the dialogs width.
void TransactionView::resizeEvent(QResizeEvent* event)
{
QWidget::resizeEvent(event);
columnResizingFixer->stretchColumnWidth(TransactionTableModel::ToAddress);
}
// Need to override default Ctrl+C action for amount as default behaviour is just to copy DisplayRole text
bool TransactionView::eventFilter(QObject *obj, QEvent *event)
{
if (event->type() == QEvent::KeyPress)
{
QKeyEvent *ke = static_cast<QKeyEvent *>(event);
if (ke->key() == Qt::Key_C && ke->modifiers().testFlag(Qt::ControlModifier))
{
GUIUtil::copyEntryData(transactionView, 0, TransactionTableModel::TxPlainTextRole);
return true;
}
}
return QWidget::eventFilter(obj, event);
}
// show/hide column Watch-only
void TransactionView::updateWatchOnlyColumn(bool fHaveWatchOnly)
{
watchOnlyWidget->setVisible(fHaveWatchOnly);
transactionView->setColumnHidden(TransactionTableModel::Watchonly, !fHaveWatchOnly);
}
| [
"test@gmail.com"
] | test@gmail.com |
a251a5cfa44732ea2d5a608a07833b40191cb1fa | 6271786c8f469909ca2faa4955260fb4fb4541ae | /src/gfx/mesh.h | a2ec5d075615ecd1bed789ebcd1daafa8b954eb2 | [
"MIT"
] | permissive | JuanDiegoMontoya/LD49 | c8b34ec3060339d3c2beb4ee4781300efbd32989 | 2fb52a07041ba9fd351cf9f392e144f4ad688b08 | refs/heads/main | 2023-08-21T09:30:04.837742 | 2021-10-26T06:55:16 | 2021-10-26T06:55:16 | 411,921,316 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 540 | h | #pragma once
#include <vector>
#include <string_view>
#include <glm/vec3.hpp>
#include <glm/vec2.hpp>
namespace GFX
{
using index_t = uint32_t;
struct Vertex
{
glm::vec3 position{};
glm::vec3 normal{};
glm::vec2 texcoord{};
bool operator==(const Vertex& b) const
{
return position == b.position &&
normal == b.normal;
}
};
struct Mesh
{
std::vector<Vertex> vertices;
std::vector<index_t> indices;
};
Mesh LoadMesh(std::string_view file);
} | [
""
] | |
321c11036f0b7e3a897d684584209842956d4b63 | 04b1803adb6653ecb7cb827c4f4aa616afacf629 | /content/browser/memory/memory_monitor_win_unittest.cc | ea22ac3e6ee657c9376b4c70339fc1d03aee8dc2 | [
"BSD-3-Clause"
] | permissive | Samsung/Castanets | 240d9338e097b75b3f669604315b06f7cf129d64 | 4896f732fc747dfdcfcbac3d442f2d2d42df264a | refs/heads/castanets_76_dev | 2023-08-31T09:01:04.744346 | 2021-07-30T04:56:25 | 2021-08-11T05:45:21 | 125,484,161 | 58 | 49 | BSD-3-Clause | 2022-10-16T19:31:26 | 2018-03-16T08:07:37 | null | UTF-8 | C++ | false | false | 4,539 | cc | // Copyright (c) 2016 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "content/browser/memory/memory_monitor_win.h"
#include "content/browser/memory/test_memory_monitor.h"
#include "testing/gtest/include/gtest/gtest.h"
namespace content {
namespace {
// A delegate that allows mocking the various inputs to MemoryMonitorWin.
class TestMemoryMonitorWinDelegate : public TestMemoryMonitorDelegate {
public:
TestMemoryMonitorWinDelegate() {}
void SetFreeMemoryKB(int free_memory_kb) {
mem_info_.avail_phys = free_memory_kb;
}
private:
DISALLOW_COPY_AND_ASSIGN(TestMemoryMonitorWinDelegate);
};
class TestMemoryMonitorWin : public MemoryMonitorWin {
public:
using MemoryMonitorWin::IsLargeMemory;
using MemoryMonitorWin::GetTargetFreeMB;
};
static const int kKBperMB = 1024;
} // namespace
class MemoryMonitorWinTest : public testing::Test {
public:
TestMemoryMonitorWinDelegate delegate_;
std::unique_ptr<MemoryMonitorWin> monitor_;
};
TEST_F(MemoryMonitorWinTest, IsLargeMemory) {
delegate_.SetTotalMemoryKB(
MemoryMonitorWin::kLargeMemoryThresholdMB * kKBperMB - 1);
EXPECT_FALSE(TestMemoryMonitorWin::IsLargeMemory(&delegate_));
EXPECT_EQ(1u, delegate_.calls());
delegate_.ResetCalls();
delegate_.SetTotalMemoryKB(
MemoryMonitorWin::kLargeMemoryThresholdMB * kKBperMB);
EXPECT_TRUE(TestMemoryMonitorWin::IsLargeMemory(&delegate_));
EXPECT_EQ(1u, delegate_.calls());
delegate_.ResetCalls();
delegate_.SetTotalMemoryKB(
MemoryMonitorWin::kLargeMemoryThresholdMB * kKBperMB + 100);
EXPECT_TRUE(TestMemoryMonitorWin::IsLargeMemory(&delegate_));
EXPECT_EQ(1u, delegate_.calls());
delegate_.ResetCalls();
}
TEST_F(MemoryMonitorWinTest, GetTargetFreeMB) {
delegate_.SetTotalMemoryKB(
MemoryMonitorWin::kLargeMemoryThresholdMB * kKBperMB - 1);
EXPECT_EQ(MemoryMonitorWin::kSmallMemoryTargetFreeMB,
TestMemoryMonitorWin::GetTargetFreeMB(&delegate_));
EXPECT_EQ(1u, delegate_.calls());
delegate_.ResetCalls();
delegate_.SetTotalMemoryKB(
MemoryMonitorWin::kLargeMemoryThresholdMB * kKBperMB);
EXPECT_EQ(MemoryMonitorWin::kLargeMemoryTargetFreeMB,
TestMemoryMonitorWin::GetTargetFreeMB(&delegate_));
EXPECT_EQ(1u, delegate_.calls());
delegate_.ResetCalls();
delegate_.SetTotalMemoryKB(
MemoryMonitorWin::kLargeMemoryThresholdMB * kKBperMB + 100);
EXPECT_EQ(MemoryMonitorWin::kLargeMemoryTargetFreeMB,
TestMemoryMonitorWin::GetTargetFreeMB(&delegate_));
EXPECT_EQ(1u, delegate_.calls());
delegate_.ResetCalls();
}
TEST_F(MemoryMonitorWinTest, Create) {
delegate_.SetTotalMemoryKB(
MemoryMonitorWin::kLargeMemoryThresholdMB * kKBperMB - 1);
monitor_ = MemoryMonitorWin::Create(&delegate_);
EXPECT_EQ(MemoryMonitorWin::kSmallMemoryTargetFreeMB,
monitor_->target_free_mb());
EXPECT_EQ(1u, delegate_.calls());
delegate_.ResetCalls();
delegate_.SetTotalMemoryKB(
MemoryMonitorWin::kLargeMemoryThresholdMB * kKBperMB);
monitor_ = MemoryMonitorWin::Create(&delegate_);
EXPECT_EQ(MemoryMonitorWin::kLargeMemoryTargetFreeMB,
monitor_->target_free_mb());
EXPECT_EQ(1u, delegate_.calls());
delegate_.ResetCalls();
delegate_.SetTotalMemoryKB(
MemoryMonitorWin::kLargeMemoryThresholdMB * kKBperMB + 100);
monitor_ = MemoryMonitorWin::Create(&delegate_);
EXPECT_EQ(MemoryMonitorWin::kLargeMemoryTargetFreeMB,
monitor_->target_free_mb());
EXPECT_EQ(1u, delegate_.calls());
delegate_.ResetCalls();
}
TEST_F(MemoryMonitorWinTest, Constructor) {
monitor_.reset(new MemoryMonitorWin(&delegate_, 100));
EXPECT_EQ(100, monitor_->target_free_mb());
EXPECT_EQ(0u, delegate_.calls());
monitor_.reset(new MemoryMonitorWin(&delegate_, 387));
EXPECT_EQ(387, monitor_->target_free_mb());
EXPECT_EQ(0u, delegate_.calls());
}
TEST_F(MemoryMonitorWinTest, GetFreeMemoryUntilCriticalMB) {
monitor_.reset(new MemoryMonitorWin(&delegate_, 100));
EXPECT_EQ(100, monitor_->target_free_mb());
EXPECT_EQ(0u, delegate_.calls());
delegate_.SetFreeMemoryKB(200 * kKBperMB);
EXPECT_EQ(100, monitor_->GetFreeMemoryUntilCriticalMB());
EXPECT_EQ(1u, delegate_.calls());
delegate_.ResetCalls();
delegate_.SetFreeMemoryKB(50 * kKBperMB);
EXPECT_EQ(-50, monitor_->GetFreeMemoryUntilCriticalMB());
EXPECT_EQ(1u, delegate_.calls());
delegate_.ResetCalls();
}
} // namespace content
| [
"sunny.nam@samsung.com"
] | sunny.nam@samsung.com |
f29c0eb2872a00fdb357be6300ca68daf4cd8b2c | 1ff495b70ce52df70d8434e295af92f6f3ccb6b4 | /Source/SphWithIO.cpp | bdfa4e0d2b9325271ebfeb298613318da3f9633d | [] | no_license | Artemisaturn/GRAPHICS | 6916a8bf25016c960bba7aebd1ce3e51483d3cab | ebb186333f14cfd3f11c0f154a374f2868cdad85 | refs/heads/master | 2023-02-14T03:43:14.266784 | 2021-01-12T12:32:42 | 2021-01-12T12:32:42 | 323,272,712 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 44,975 | cpp | /*
* heliangliang (heliangliang.bj@gmail.com), USTB, 2014.05.14, CopyRight Reserved
*
* The SPH algrithm is implemented based on these papers:
* 1. Smoothed particle hydrodynamics (Monaghan,J.J. 1992) [Mon92]
* 2. Smoothed particles: a new paradigm for animating highly deformable
* bodies (1996) [DC96]
* 3. Weakly compressible SPH for free surface flows (2007) [BT07]
* 4. Predictive-Corrective Incompressible SPH (2009) [SP09]
* 5. Density contrast SPH interfaces (2008) [SP08]
* 6. Versatile Rigid-Fluid Coupling for Incompressible SPH (2012) [AIS*12]
* 7. Versatile surface tension and adhesion for SPH fluids (2013) [AAIT13]
* 8. SPH Fluids in Computer Graphics (2014) [IOS*14]
*
*/
#define _SILENCE_STDEXT_HASH_DEPRECATION_WARNINGS 1
#include "SphWithIO.h"
#include "BulletCollision/CollisionShapes/btConvex2dShape.h"
#include "vcg_inc.h"
// draw fluid particles or boundary paricles of solids in OpenGL, iteratively
// parameter test use to select particles, i.e., cut down some particles
void SphWithIO::oglDrawFluidParts( void(*draw1)(), void(*draw2)(), bool(*test)(const vec_t& p) ) const
{
assert(draw1!=0);
assert(draw2!= 0);
for(int num=int(m_Fluids.size()),k=0;k<num;++k){
const std::vector<FluidParticle>& f_pts = m_Fluids[k].fluidParticles;
for(int n=int(f_pts.size()),i=0; i<n; ++i){
const vec_t& p = f_pts[i].position;
if(test!=0 && test(p)==false) continue;
glMaterialfv(GL_FRONT_AND_BACK, GL_AMBIENT_AND_DIFFUSE, f_pts[i].color);
glPushMatrix();
glTranslatef( (float)p[0], (float)p[1], vec_t::dim==3?(float)p[2]:0 );
/* if (f_pts[i].d == m_TH.spacing_r) {
draw1();
}
else {
draw2();
}*/
glutSolidSphere(f_pts[i].d / 2, 10, 10);
glPopMatrix();
}
}
}
void SphWithIO::oglDrawBounParts( void(*draw)(), bool(*test)(const vec_t& p) ) const
{
assert(draw!=0);
for(int num=int(m_Solids.size()),k=0; k<num; ++k){
const std::vector<BoundPart>& r_pts = m_Solids[k].boundaryParticles;
for(int n=int(r_pts.size()),i=0; i<n; ++i){
const vec_t& p = r_pts[i].position;
if(test!=0 && test(p)==false) continue;
glMaterialfv(GL_FRONT_AND_BACK, GL_AMBIENT_AND_DIFFUSE, r_pts[i].color);
glPushMatrix();
glTranslatef( (float)p[0], (float)p[1], vec_t::dim==3?(float)p[2]:0 );
//draw();
glutSolidSphere(r_pts[i].d / 2, 10, 10);
glPopMatrix();
}
}
}
void SphWithIO::oglDrawBounParts(void(*draw)(), size_t start, bool(*test)(const vec_t& p)) const
{
assert(draw != 0);
for (int num = int(m_Solids.size()), k = start; k < num; ++k) {
const std::vector<BoundPart>& r_pts = m_Solids[k].boundaryParticles;
for (int n = int(r_pts.size()), i = 0; i < n; ++i) {
const vec_t& p = r_pts[i].position;
if (test != 0 && test(p) == false) continue;
glMaterialfv(GL_FRONT_AND_BACK, GL_AMBIENT_AND_DIFFUSE, r_pts[i].color);
glPushMatrix();
glTranslatef((float)p[0], (float)p[1], vec_t::dim == 3 ? (float)p[2] : 0);
//draw();
glutSolidSphere(r_pts[i].d / 2, 10, 10);
glPopMatrix();
}
}
}
//see 9
void SphWithIO::oglDrawCandidateParts(void(*draw)(), bool(*test)(const vec_t& p)) const {
assert(draw != 0);
for (int num = int(m_Candidates.size()), k = 0; k<num; ++k) {
const std::vector<CandidatePart>& r_pts = m_Candidates[k].candidateParticles;
for (int n = int(r_pts.size()), i = 0; i<n; ++i) {
const vec_t& p = r_pts[i].position;
if (test != 0 && test(p) == false) continue;
glMaterialfv(GL_FRONT_AND_BACK, GL_AMBIENT_AND_DIFFUSE, r_pts[i].color);
glPushMatrix();
glTranslatef((float)p[0], (float)p[1], vec_t::dim == 3 ? (float)p[2] : 0);
draw();
glPopMatrix();
}
}
}
void SphWithIO::oglDrawSolid( int ridx ) const
{
assert(m_Solids.size()==mbt_Solids.size());
assert(ridx>=0 && ridx<int(m_Solids.size()));
if(m_Solids[ridx].type==Solid::RIGIDBODY){ // rigidbody
assert(mbt_Solids[ridx].triMesh!=0);
btRigidBody* prb = btRigidBody::upcast(mbt_Solids[ridx].btObject); assert(prb);
btTransform trans; float t[16];
prb->getMotionState()->getWorldTransform(trans);
trans.getOpenGLMatrix(t);
glPushMatrix();
glMultMatrixf(t);
vcg_drawMesh(*mbt_Solids[ridx].triMesh);
glPopMatrix();
}else if(m_Solids[ridx].type==Solid::SOFTBODY){ // softbody
btSoftBody* psb = btSoftBody::upcast(mbt_Solids[ridx].btObject); assert(psb);
glBegin(GL_TRIANGLES);
for(int i=0; i<psb->m_faces.size(); ++i) {
glNormal3fv(&psb->m_faces[i].m_normal[0]);
glVertex3fv(&psb->m_faces[i].m_n[0]->m_x[0]);
glVertex3fv(&psb->m_faces[i].m_n[1]->m_x[0]);
glVertex3fv(&psb->m_faces[i].m_n[2]->m_x[0]);
}
glEnd();
}else{
// there is no this m_Solids[k].type
}
}
void SphWithIO::oglDrawSolid(bool(*test)(int i)) const
{
for(int i=0;i<getNumSolids();++i){
if(test!=0 && test(i)==false) continue;
oglDrawSolid(i);
}
}
// particles are sampled at regular cubic grid points
// the cube is defined by parameter leftBottom and rightTop(Axis-Aligned box)
// parameter fpart is the initial fluid paricle used to initialize fluid particles
// parameter newFluid = true: add a new fluid, fluidIdx will be ignored
// false: add particles to last fluid and the last three parameters are ignored
void SphWithIO::addFluidCuboid( bool newFluid, int fluidIdx,
const vec_t& leftBottom, const vec_t& rightTop, const FluidPart& fpart,
real_t restDensity, real_t viscosity, real_t tension )
{
real_t rate = pow(1 + (fpart.temperature - 273.15) / 95,double(1/3.0f));
rate = 1;
//std::cout << "rate " << rate << endl;
//rate = 1.1;
//m_TH.spacing_r*= (1 + (40) / 100);
if(!newFluid) assert(fluidIdx>=0 && fluidIdx<int(m_Fluids.size()));
// ----------------- need not be parallel ----------------
m_TH.spaceMin = m_TH.spaceMin.min(leftBottom);
m_TH.spaceMax = m_TH.spaceMax.max(rightTop);
veci_t num = ((rightTop-leftBottom)/fpart.d/rate).to<int_t>();
vec_t posMin = leftBottom + (rightTop-leftBottom-num.to<real_t>()*fpart.d *rate)*real_t(0.5);
//m_TH.spacing_r /= (1 + (40) / 100);
if(newFluid) m_Fluids.push_back(Fluid(restDensity,viscosity,tension));
std::vector<FluidPart>& fluidParts =
newFluid ? m_Fluids.back().fluidParticles
: m_Fluids[fluidIdx].fluidParticles;
//fluidParts.reserve( fluidParts.size() + (num+1).volume()+4 );
FluidPart part = fpart; veci_t pi(0); //real_t d = m_TH.spacing_r/5;
//m_TH.spacing_r *= (1 + (40) / 100);
while(pi[vec_t::dim-1] <= num[vec_t::dim-1]){
part.position = posMin + pi.to<real_t>()*part.d*rate;
/*int k = 0;
for(int i=0; i<vec_t::dim; ++i)
if(pi[i]==0 || pi[i]==num[i]) ++k;
if(k>=2) for(int i=0; i<vec_t::dim; ++i){
if(pi[i]==0) part.position[i] += d;
if(pi[i]==num[i]) part.position[i] -= d;
}*/
fluidParts.push_back(part);
++ pi[0];
for(int i=0; i<vec_t::dim-1; ++i){
if(pi[i]>num[i]){
pi[i] = 0;
++ pi[i+1];
}
}
}
//m_TH.spacing_r /= (1 + (40) / 100);
}
//see 9
void SphWithIO::addEmptyFluid(real_t restDensity, real_t viscosity, real_t tension) {
m_Fluids.push_back(Fluid(restDensity, viscosity, tension));
}
// add particles to fluid[fluidIdx]
void SphWithIO::addFluidParts(int fluidIdx, const std::vector<FluidPart>& particles)
{
assert(fluidIdx>=0 && fluidIdx<int(m_Fluids.size()));
std::vector<FluidPart>& fluidParts = m_Fluids[fluidIdx].fluidParticles;
// do not use fluidParts.reserve(), for frequent call, push_back will be fast
for(size_t i=0; i<particles.size(); ++i) fluidParts.push_back(particles[i]);
}
//see 9
void SphWithIO::removeFluidParts(int fluidIdx, int particle) {
assert(fluidIdx >= 0 && fluidIdx<int(m_Fluids.size()));
std::vector<FluidPart>& fluidParts = m_Fluids[fluidIdx].fluidParticles;
std::vector<FluidPart>::iterator itr = fluidParts.begin();
fluidParts.erase(itr+particle);
}
//see 9
void SphWithIO::removeSolidObject(int solidIdx) {
//btRigidBody* prigid = btRigidBody::upcast(mbt_Solids[solidIdx].btObject);
//mbt_World.dynamicsWorld->removeRigidBody(prigid);
m_Solids.erase(m_Solids.begin() + solidIdx);
mbt_Solids.erase(mbt_Solids.begin() + solidIdx);
}
//see 9
void SphWithIO::addCandidateFromPLY(const char* meshFileName, const char* sampleFileName, int fluidIdx,
const CandidatePart& cpart, real_t viscosity, const glm::mat4& transform, int mass, vec_t pos) {
Candidate sphCandidate(viscosity, meshFileName, sampleFileName, mass, fluidIdx, transform, pos);
/*GLTriMesh samples;
vcg_loadFromPLY(samples, sampleFileName, false, false, false);
std::vector<float> vers;
vcg_saveToData(samples, &vers, 0);
for (size_t i = 0; i<vers.size() / 3; ++i) {
sphCandidate.innerPositions.push_back(vec_t(vers[i * 3], vers[i * 3 + 1], vers[i * 3 + 2]));
}*/
GLTriMesh mesh; vcg_loadFromPLY(mesh, sampleFileName, false, false, false);
std::vector<float> vers; vcg_saveToData(mesh, &vers, 0);
std::vector<vec_t> reSample;
reSample = reSampling(vers);
sphCandidate.candidateParticles.resize(reSample.size(), cpart);
for (int i = 0; i < sphCandidate.candidateParticles.size(); ++i) {
sphCandidate.candidateParticles[i].targetPosition = reSample[i]+pos;
}
//sphCandidate.candidateParticles.resize(sphCandidate.innerPositions.size(), cpart);
//BoundPart bp0; bp0.color[0] = bp0.color[1] = bp0.color[2] = 0.4f; bp0.color[3] = 1;
//bp0.position = bp0.velocity = bp0.force = vec_t::O;
/*addRigidFromPLYForCandidate(meshFileName, sampleFileName,
bp0, 0, viscosity, transform);*/
//int solidIdx = m_Solids.size() - 1;
//sphCandidate.candidateParticles.resize(m_Solids[solidIdx].boundaryParticles.size(), cpart);
/*for (int i = 0; i < sphCandidate.candidateParticles.size(); ++i) {
sphCandidate.candidateParticles[i].targetPosition = m_Solids[solidIdx].boundaryParticles[i].position;
}*/
m_Candidates.push_back(sphCandidate);
//removeSolidObject(solidIdx);
scanCandidateParticles(fluidIdx, (m_Candidates.size()-1));
}
//see 9
void SphWithIO::addIceCubid(int fluidIdx,
const CandidatePart& cpart, real_t viscosity, const glm::mat4& transform,
real_t density, vec_t pos, bool dynamic, vec_t size) {
Candidate sphCandidate(viscosity, density, fluidIdx, transform, pos);
real_t volume = pow(cpart.d, 3);
real_t amplify = pow(1 / 0.6f, 1 / 3.0f);
std::vector<vec_t> points;
vec_t position;
real_t ii = size[0] / cpart.d / amplify;
real_t jj = size[1] / cpart.d / amplify;
real_t kk = size[2] / cpart.d / amplify;
vec_t lb = pos-size/2;
//std::cout << "lb: " << lb<<endl;
for (int i = 0; i < ii; i++) {
for (int j = 0; j < jj; j++) {
for (int k = 0; k < kk; k++) {
position = lb + vec_t(cpart.d *amplify*i, cpart.d *amplify*j, cpart.d *amplify*k);
points.push_back(position);
//std::cout << "position: " << position << endl;
}
}
}
sphCandidate.candidateParticles.resize(points.size(), cpart);
//std::cout << "sizee: " << points.size();
for (size_t i = 0; i<points.size(); ++i) {
sphCandidate.candidateParticles[i].position = points[i];
sphCandidate.candidateParticles[i].volume = volume;
sphCandidate.candidateParticles[i].mass = volume * density;
}
sphCandidate.volume = 0;
sphCandidate.singleMass = volume * density;
sphCandidate.volume = volume * points.size();
sphCandidate.gForce = m_TH.gravity_g * (volume * density);
sphCandidate.mass = volume * points.size() * density;
m_Candidates.push_back(sphCandidate);
m_Candidates[m_Candidates.size() - 1].linearVelocity = vec_t(0, 0, 0);
m_Candidates[m_Candidates.size() - 1].angularVelocity = vec_t(0, 0, 0);
m_Candidates[m_Candidates.size() - 1].angularMomentum = vec_t(0, 0, 0);
m_Candidates[m_Candidates.size() - 1].dynamic = dynamic;
calculateCenterOfMass(m_Candidates.size() - 1);
calculateInertia(m_Candidates.size() - 1);
calculateInertiaTensor(m_Candidates.size() - 1);
}
//see 11
void SphWithIO::addIceFromPLY(const char* meshFileName, const char* sampleFileName, int fluidIdx,
const CandidatePart& cpart, real_t viscosity, const glm::mat4& transform, real_t density, vec_t pos, bool dynamic) {
GLTriMesh mesh; vcg_loadFromPLY(mesh, sampleFileName, false, false, false);
std::vector<float> vers; vcg_saveToData(mesh, &vers, 0);
std::vector<vec_t> reSample;
reSample = reSampling(vers);
Candidate sphCandidate(viscosity, density, fluidIdx, transform, pos);
real_t volume = pow(cpart.d , 3);
sphCandidate.candidateParticles.resize(reSample.size(), cpart);
for (size_t i = 0; i<reSample.size(); ++i) {
sphCandidate.candidateParticles[i].position = reSample[i]+pos;
sphCandidate.candidateParticles[i].volume = volume;
sphCandidate.candidateParticles[i].mass = volume * density;
}
sphCandidate.dynamic = dynamic;
sphCandidate.volume = 0;
sphCandidate.singleMass = volume * density;
sphCandidate.volume = volume * reSample.size();
sphCandidate.gForce = m_TH.gravity_g * (volume * density);
sphCandidate.mass = volume * reSample.size() * density;
m_Candidates.push_back(sphCandidate);
m_Candidates[m_Candidates.size() - 1].linearVelocity = vec_t(0, 0, 0);
m_Candidates[m_Candidates.size() - 1].angularVelocity = vec_t(0, 0, 0);
m_Candidates[m_Candidates.size() - 1].angularMomentum = vec_t(0, 0, 0);
calculateCenterOfMass(m_Candidates.size() - 1);
calculateInertia(m_Candidates.size() - 1);
calculateInertiaTensor(m_Candidates.size() - 1);
}
//see 12
void SphWithIO::fluidTemperatureSet(int fluidIdx, real_t temperature) {
std::vector<FluidPart>& fluidParticles = m_Fluids[fluidIdx].fluidParticles;
for (int i = 0; i < fluidParticles.size(); i++) {
fluidParticles[i].temperature = temperature;
fluidParticles[i].temperatureNext = temperature;
}
}
//see 12
void SphWithIO::candidateTemperatureSet(int candidateIdx, real_t temperature) {
std::vector<CandidatePart>& candidateParticles = m_Candidates[candidateIdx].candidateParticles;
for (int i = 0; i < candidateParticles.size(); i++) {
candidateParticles[i].temperature = temperature;
candidateParticles[i].temperatureNext = temperature;
}
}
//see 12
void SphWithIO::solidTemperatureSet(int solidIdx, real_t temperature) {
std::vector<BoundPart>& boundryParticles = m_Solids[solidIdx].boundaryParticles;
for (int i = 0; i < boundryParticles.size(); i++) {
boundryParticles[i].temperature = temperature;
boundryParticles[i].temperatureNext = temperature;
}
}
//see 9
void SphWithIO::candidateToSolid(int candidateIdx) {
Candidate& sphCandidate = m_Candidates[candidateIdx];
BoundPart bp0;
bp0.position = bp0.velocity = bp0.force = vec_t::O;
addRigidFromPLYAndPosition(sphCandidate.meshFileName, sphCandidate.sampleFileName,bp0, sphCandidate.mass, sphCandidate.viscosity_alpha, candidateIdx, sphCandidate.pos, sphCandidate.trans);
// addRigidFromPLY(sphCandidate.meshFileName, sphCandidate.sampleFileName, bp0, sphCandidate.mass, sphCandidate.viscosity_alpha, sphCandidate.trans);
std::vector<BoundaryParticle>& boundParts = m_Solids[m_Solids.size() - 1].boundaryParticles;
Solid& sphSolid = m_Solids[m_Solids.size() - 1];
//for (int i = 0; i < boundParts.size(); i++) {
// boundParts[i].velocity = vec_t::O;
// sphSolid.innerPositions[i] = sphCandidate.candidateParticles[i].position;
//}
m_Candidates.erase(m_Candidates.begin() + candidateIdx);
}
//see 9
void SphWithIO::scanCandidateParticles(int fluidIdx, int candidateIdx) {
std::vector<FluidPart>& fluidParts = m_Fluids[fluidIdx].fluidParticles;
std::vector<CandidatePart>& candidateParts = m_Candidates[candidateIdx].candidateParticles;
double dis = 1000;
int idx = 0;
int i = 0;
int j = 0;
for (i = 0; i < candidateParts.size(); ++i) {
for (j = 0; j < fluidParts.size(); ++j) {
double dx2 = pow(candidateParts[i].targetPosition[0] - fluidParts[j].position[0], 2);
double dy2 = pow(candidateParts[i].targetPosition[1] - fluidParts[j].position[1], 2);
double dz2 = pow(candidateParts[i].targetPosition[2] - fluidParts[j].position[2], 2);
if(dx2+dy2+dz2<dis){
dis = dx2 + dy2 + dz2;
idx = j;
}
}
candidateParts[i].position = fluidParts[idx].position;
removeFluidParts(fluidIdx, idx);
dis = 1000;
}
}
//see 9
void SphWithIO::updateTrans() {
for (size_t n_f = m_Candidates.size(), k = 0; k < n_f; ++k) {
std::vector<CandidatePart>& c_parts = m_Candidates[k].candidateParticles;
if (m_Candidates[k].tansNum == c_parts.size()) {
candidateToSolid(k);
//k--;
}
}
}
//see 9
void SphWithIO::solidToFluid(int solidIdx, int fluidIdx) {
std::vector<BoundaryParticle>& boundParts = m_Solids[solidIdx].boundaryParticles;
std::vector<FluidPart> fluidParts;
Solid& sphSolid = m_Solids[solidIdx];
Fluid& sphFluid = m_Fluids[fluidIdx];
FluidPart fp0 = m_Fluids[fluidIdx].fluidParticles[0];
for (int i = 0; i < boundParts.size(); ++i) {
fp0.position = boundParts[i].position;
fp0.velocity = boundParts[i].velocity;
fluidParts.push_back(fp0);
}
addFluidParts(fluidIdx, fluidParts);
m_Solids.erase(m_Solids.begin()+solidIdx);
}
//see 10
void SphWithIO::addFluidFromPLYAndResampling(int fluidIdx, const char* meshFileName,
const char* sampleFileName, const FluidPart& fpart, real_t viscosity,
real_t restDensity, real_t tension, const vec_t& pos) {
GLTriMesh mesh; vcg_loadFromPLY(mesh, sampleFileName, false, false, false);
std::vector<float> vers; vcg_saveToData(mesh, &vers, 0);
FluidPart p0 = fpart;
if (!(fluidIdx < m_Fluids.size())) {
m_Fluids.push_back(Fluid(restDensity, viscosity, tension));
}
std::vector<FluidPart>& fluidParticles = m_Fluids[fluidIdx].fluidParticles;
std::vector<vec_t> reSample;
reSample = reSampling(vers);
for (size_t i = 0; i<reSample.size(); ++i) {
p0.position[0] = reSample[i][0]+pos[0];
p0.position[1] = reSample[i][1]+pos[1];
if (vec_t::dim == 3) p0.position[2] = reSample[i][2]+pos[2];
//std::cout << "vers:" << p0.position[0] << p0.position[1] << p0.position[2] <<"\n";//see 9 test
fluidParticles.push_back(p0);
}
}
// the PLY file contain the sampled points
void SphWithIO::addFluidFromPLY( const char* filename,
bool newFluid, int fluidIdx, const FluidPart& fpart,
real_t restDensity, real_t viscosity, real_t tension )
{
if(!newFluid) assert(fluidIdx>=0 && fluidIdx<int(m_Fluids.size()));
if(newFluid) m_Fluids.push_back(Fluid(restDensity,viscosity,tension));
std::vector<FluidPart>& fluidParts =
newFluid ? m_Fluids.back().fluidParticles
: m_Fluids[fluidIdx].fluidParticles;
GLTriMesh mesh; vcg_loadFromPLY(mesh, filename, false, false, false);
std::vector<float> vers; vcg_saveToData(mesh, &vers, 0);
FluidPart p0 = fpart;
for(size_t i=0; i<vers.size()/3; ++i){
p0.position[0] = vers[i*3];
p0.position[1] = vers[i*3+1];
if(vec_t::dim==3) p0.position[2] = vers[i*3+2];
fluidParts.push_back(p0);
}
}
void SphWithIO::makeCubeSampleParts(
std::vector<vec_t>& samples, const vec_t& halfWidth, bool haveTop, real_t r) const
{
vec_t leftBottom=-halfWidth, rightTop=halfWidth;
vec_t factor = (rightTop-leftBottom)/r;
for(int i=0; i<vec_t::dim; ++i) factor[i] = std::ceil(factor[i]);
veci_t num = factor.to<int_t>(); vec_t pro;
for(int i=0; i<vec_t::dim; ++i){
if(num[i]>0) pro[i] = (rightTop[i]-leftBottom[i])/num[i];
else pro[i] = 1;
}
//samples.reserve( (num+1).volume()+4 );
veci_t pi(0);
while(pi[vec_t::dim-1] <= num[vec_t::dim-1]){
if( veci_t::O<pi && pi<num )
goto endAdd;
if( !haveTop && pi[1]==num[1] ){
-- pi[1];
if( veci_t::O<pi && pi<num ){
++ pi[1];
goto endAdd;
}else
++ pi[1];
}
samples.push_back(leftBottom + pi.to<real_t>()*pro);
endAdd:
++ pi[0];
for(int i=0; i<vec_t::dim-1; ++i)
if( pi[i] > num[i] )
pi[i] = 0, ++ pi[i+1];
}
}
void SphWithIO::makeCubeMeshAndBtShape( GLTriMesh& mesh, btCollisionShape** shape,
const vec_t& halfWidth, bool haveTop, real_t thickness) const
{
#define VERS_CPY(a,b,sMin,sMax,d) \
for(int si=0; si<sizeof(b)/sizeof(int); ++si) \
switch(b[si]){ \
case -2: a.push_back(float(sMin[si%3]-d)); break; \
case -1: a.push_back(float(sMin[si%3]+d)); break; \
case 1: a.push_back(float(sMax[si%3]-d)); break; \
case 2: a.push_back(float(sMax[si%3]+d)); break; \
case 0: a.push_back(0); \
}
#define FACS_CPY(a,b) \
{for(int si=0; si<sizeof(b)/sizeof(int); ++si) \
a.push_back(b[si]-1);} // reason of -1, indeces of .obj file are from 1, not 0
vec_t leftBottom=-halfWidth, rightTop=halfWidth;
real_t d = thickness/2; float margin = float(thickness/4);
std::vector<float> vers; std::vector<int> tris;
if(haveTop){ // have top
if(vec_t::dim==3){
int temp_vers[]={-2,-2,2,-2,-2,-2,2,-2,-2,2,-2,2,-2,2,2,-2,2,-2,2,2,-2,2,2,2};
int temp_facs[]={5,6,2,5,2,1,6,7,3,6,3,2,7,8,4,7,4,3,8,5,1,8,1,4,1,2,3,1,3,4,8,7,6,8,6,5};
VERS_CPY(vers, temp_vers, leftBottom, rightTop, d);
FACS_CPY(tris, temp_facs);
*shape = new btConvexHullShape( &vers[0], int(vers.size())/3, 3*sizeof(float) );
}else{ // 2D
int temp_vers[]={-2,2,0,-2,-2,0,2,-2,0,2,2,0}; // without hole
int temp_facs[]={1,2,3,3,4,1};
VERS_CPY(vers, temp_vers, leftBottom, rightTop, d);
FACS_CPY(tris, temp_facs);
btConvexShape* convexShape =
new btConvexHullShape(&vers[0], int(vers.size())/3, 3*sizeof(float));
convexShape->setMargin(margin);
*shape = new btConvex2dShape(convexShape);
}
}else{ // have no top
std::vector<std::vector<float>> vers_arry;
std::vector<std::vector<int>> tris_arry;
if(vec_t::dim==3){
// from .obj file created by blender
int temp_vers[]={2,-2,-2,2,-2,2,-2,-2,2,-2,-2,-2,2,2,-2,-2,2,-2,2,2,2,-2,2,2,-1,2,1,-1,2,-1,1,
2,-1,1,2,1,-1,-1,1,-1,-1,-1,1,-1,-1,1,-1,1};
int temp_facs[]={1,2,3,1,3,4,5,1,4,5,4,6,1,5,7,1,7,2,2,7,8,2,8,3,3,8,6,3,6,4,10,11,5,10,5,6,10,
6,8,10,8,9,9,8,12,12,8,7,12,7,11,11,7,5,10,9,13,10,13,14,11,10,14,11,14,15,13,16,15,13,15,
14,9,12,16,9,16,13,12,11,15,12,15,16};
VERS_CPY(vers, temp_vers, leftBottom, rightTop, d);
FACS_CPY(tris, temp_facs);
// convex decomposition, 5 convex elements
int temp_vers_x0[]={-2,-2,2,-2,-2,-2,-2,2,-2,-2,2,2,-1,2,-1,-1,2,1,-1,-1,1,-1,-1,-1};
int temp_facs_x0[]={1,4,3,1,3,2,5,3,4,5,4,6,5,6,7,5,7,8,8,2,3,8,3,5,8,7,1,8,1,2,6,4,1,6,1,7};
int temp_vers_x1[]={2,-2,-2,2,-2,2,2,2,-2,2,2,2,1,2,-1,1,2,1,1,-1,-1,1,-1,1};
int temp_facs_x1[]={1,3,4,1,4,2,6,4,5,5,4,3,6,8,2,6,2,4,1,7,5,1,5,3,8,7,1,8,1,2,6,5,7,6,7,8};
int temp_vers_y0[]={2,-2,2,-2,-2,2,2,2,2,-2,2,2,-1,2,1,1,2,1,-1,-1,1,1,-1,1};
int temp_facs_y0[]={1,3,4,1,4,2,5,4,6,6,4,3,6,3,1,6,1,8,4,5,7,4,7,2,5,6,8,5,8,7,7,8,1,7,1,2};
int temp_vers_y1[]={2,-2,-2,-2,-2,-2,2,2,-2,-2,2,-2,-1,2,-1,1,2,-1,-1,-1,-1,1,-1,-1};
int temp_facs_y1[]={3,1,2,3,2,4,5,6,3,5,3,4,6,5,7,6,7,8,2,7,5,2,5,4,1,8,7,1,7,2,1,3,6,1,6,8};
int temp_vers_z0[]={2,-2,-2,2,-2,2,-2,-2,2,-2,-2,-2,-1,-1,1,-1,-1,-1,1,-1,-1,1,-1,1};
int temp_facs_z0[]={1,2,3,1,3,4,8,2,1,8,1,7,5,8,7,5,7,6,6,4,3,6,3,5,5,3,2,5,2,8,6,7,1,6,1,4};
vers_arry.resize(5); tris_arry.resize(5);
VERS_CPY(vers_arry[0], temp_vers_x0, leftBottom, rightTop, d);
FACS_CPY(tris_arry[0], temp_facs_x0);
VERS_CPY(vers_arry[1], temp_vers_x1, leftBottom, rightTop, d);
FACS_CPY(tris_arry[1], temp_facs_x1);
VERS_CPY(vers_arry[2], temp_vers_y0, leftBottom, rightTop, d);
FACS_CPY(tris_arry[2], temp_facs_y0);
VERS_CPY(vers_arry[3], temp_vers_y1, leftBottom, rightTop, d);
FACS_CPY(tris_arry[3], temp_facs_y1);
VERS_CPY(vers_arry[4], temp_vers_z0, leftBottom, rightTop, d);
FACS_CPY(tris_arry[4], temp_facs_z0);
btCompoundShape* compound = new btCompoundShape();
for(int i=0; i<(int)vers_arry.size(); ++i){
std::vector<float>& vs = vers_arry[i];
btConvexHullShape* convexShape = new btConvexHullShape(&vs[0], int(vs.size())/3, 3*sizeof(float));
convexShape->setMargin(margin);
btTransform ltrans; ltrans.setIdentity();
compound->addChildShape(ltrans,convexShape);
}
*shape = compound;
}else{ // 2D
int temp_vers[]={-2,2,0,-2,-2,0,2,2,0,1,2,0,1,-1,0,-1,-1,0,-1,2,0,2,-2,0};
int temp_facs[]={5,6,2,5,8,3,2,8,5,6,1,2,6,7,1,4,5,3};
VERS_CPY(vers, temp_vers, leftBottom, rightTop, d);
FACS_CPY(tris, temp_facs);
// convex decomposition, 3 convex elements
int temp_vers_x0[]={-1,-1,0,-2,-2,0,-2,2,0,-1,2,0};
int temp_facs_x0[]={1,3,2,1,4,3};
int temp_vers_x1[]={1,-1,0,2,-2,0,2,2,0,1,2,0};
int temp_facs_x1[]={1,2,3,4,1,3};
int temp_vers_y0[]={1,-1,0,-1,-1,0,-2,-2,0,2,-2,0};
int temp_facs_y0[]={1,2,3,4,1,3};
vers_arry.resize(3); tris_arry.resize(3);
VERS_CPY(vers_arry[0], temp_vers_x0, leftBottom, rightTop, d);
FACS_CPY(tris_arry[0], temp_facs_x0);
VERS_CPY(vers_arry[1], temp_vers_x1, leftBottom, rightTop, d);
FACS_CPY(tris_arry[1], temp_facs_x1);
VERS_CPY(vers_arry[2], temp_vers_y0, leftBottom, rightTop, d);
FACS_CPY(tris_arry[2], temp_facs_y0);
// btCompoundShape
btCompoundShape* compound = new btCompoundShape();
for(int i=0; i<(int)vers_arry.size(); ++i){
std::vector<float>& vs = vers_arry[i];
btConvexHullShape* convexShape = new btConvexHullShape(&vs[0], int(vs.size())/3, 3*sizeof(float));
convexShape->setMargin(margin);
btTransform ltrans; ltrans.setIdentity();
compound->addChildShape(ltrans,new btConvex2dShape(convexShape));
}
*shape = compound;
}
} // if(haveTop)
(*shape)->setMargin(margin);
vcg_loadFromData(mesh, vers, tris);
}
// if mass>0 dynamic=true
void SphWithIO::addRigidCuboid( const vec_t& halfWidth,
const BoundPart& bpart, float mass, real_t viscosity,
bool haveTop, const glm::mat4& transform )
{
// btRigidBody
GLTriMesh* trimesh=new GLTriMesh(); btCollisionShape* cshape;
makeCubeMeshAndBtShape(*trimesh, &cshape, halfWidth, haveTop, bpart.d );
btRigidBody* prigid; btTransform trans; trans.setFromOpenGLMatrix(&transform[0][0]);
makeBtRigidBody(&prigid, cshape, mass, trans);
MBtSolid btsolid(prigid, trimesh);
Solid sphsolid( mass>0,Solid::RIGIDBODY,viscosity,0 );
makeCubeSampleParts( sphsolid.innerPositions, halfWidth, haveTop, bpart.d );
sphsolid.boundaryParticles.resize(sphsolid.innerPositions.size(), bpart);
addSolid( sphsolid, btsolid );
}
// convex hull of the mesh will be the collision shape, i.e., the mesh itself may not
void SphWithIO::addRigidFromPLY( const char* meshFileName, const char* sampleFileName,
const BoundPart& bpart, float mass, real_t viscosity,
const glm::mat4& transform )
{
// btCollisionShape
GLTriMesh* trimesh = new GLTriMesh(); vcg_loadFromPLY(*trimesh, meshFileName);
btCollisionShape* cshape;
makeBtConvexHullShape(&cshape, *trimesh);
// btRigidBody
btRigidBody* prigid;
btTransform trans;
trans.setFromOpenGLMatrix(&transform[0][0]);
makeBtRigidBody(&prigid, cshape, mass, trans);
MBtSolid btsolid(prigid, trimesh);
Solid sphsolid( mass>0,Solid::RIGIDBODY,viscosity,0 );
// sample points
GLTriMesh samples; vcg_loadFromPLY(samples, sampleFileName, false, false, false);
std::vector<float> vers; vcg_saveToData(samples, &vers, 0);
for(size_t i=0; i<vers.size()/3; ++i){
sphsolid.innerPositions.push_back( vec_t(vers[i*3],vers[i*3+1],vers[i*3+2]) );
}
sphsolid.boundaryParticles.resize(sphsolid.innerPositions.size(), bpart);
addSolid( sphsolid, btsolid );
}
// "<convexname>0", "<convexname>1", "<convexname>2", ... are the convex parts of the mesh,
// i.e., mainname is used to display in opengl, btCompoundShape of convecnum "<convexname>i"
// is used for collision detection
void SphWithIO::addRigidFromPLY( const char* meshFileName, const char* sampleFileName,
const char* convexMeshName, int convecnum,
const BoundPart& bpart, float mass, real_t viscosity,
const glm::mat4& transform )
{
// btCollisionShape
GLTriMesh* trimesh = new GLTriMesh(); vcg_loadFromPLY(*trimesh, meshFileName);
btCollisionShape* cshape; GLTriMesh m; btTransform btt; btt.setIdentity();
btCompoundShape* ccompound = new btCompoundShape();
for(int i=0; i<convecnum; ++i){
char s[50]; sprintf_s(s,"%d",i);
vcg_loadFromPLY( m, (convexMeshName+std::string(s)+".ply").c_str(), false, false, false );
makeBtConvexHullShape(&cshape, m);
ccompound->addChildShape(btt, cshape);
}
ccompound->setMargin(m_TH.spacing_r/4);
// btRigidBody
btRigidBody* prigid; btTransform trans; trans.setFromOpenGLMatrix(&transform[0][0]);
makeBtRigidBody(&prigid, ccompound, mass, trans);
MBtSolid btsolid(prigid, trimesh);
Solid sphsolid( mass>0,Solid::RIGIDBODY,viscosity,0 );
// sample points
GLTriMesh samples; vcg_loadFromPLY(samples, sampleFileName, false, false, false);
std::vector<float> vers; vcg_saveToData(samples, &vers, 0);
for(size_t i=0; i<vers.size()/3; ++i){
sphsolid.innerPositions.push_back( vec_t(vers[i*3],vers[i*3+1],vers[i*3+2]) );
}
sphsolid.boundaryParticles.resize(sphsolid.innerPositions.size(), bpart);
addSolid( sphsolid, btsolid );
}
//see 9
void SphWithIO::addRigidFromPLYForCandidate(const char* meshFileName, const char* sampleFileName,
const BoundPart& bpart, float mass, real_t viscosity,
const glm::mat4& transform) {
// btCollisionShape
GLTriMesh* trimesh = new GLTriMesh(); vcg_loadFromPLY(*trimesh, meshFileName);
btCollisionShape* cshape;
makeBtConvexHullShape(&cshape, *trimesh);
// btRigidBody
btRigidBody* prigid;
btTransform trans;
trans.setFromOpenGLMatrix(&transform[0][0]);
makeBtRigidBody(&prigid, cshape, mass, trans);
MBtSolid btsolid(prigid, trimesh);
Solid sphsolid(mass>0, Solid::RIGIDBODY, viscosity, 0);
// sample points
GLTriMesh samples; vcg_loadFromPLY(samples, sampleFileName, false, false, false);
std::vector<float> vers;
vcg_saveToData(samples, &vers, 0);
std::vector<vec_t> reSample;//
reSample = reSampling(vers);//
for (size_t i = 0; i<reSample.size(); ++i) {
sphsolid.innerPositions.push_back(reSample[i]);
}
/*for (size_t i = 0; i<vers.size() / 3; ++i) {
sphsolid.innerPositions.push_back(vec_t(vers[i * 3], vers[i * 3 + 1], vers[i * 3 + 2]));
}*/
sphsolid.boundaryParticles.resize(sphsolid.innerPositions.size(), bpart);
addSolidForCandidate(sphsolid, btsolid);
}
//see 9
std::vector<vec_t> SphWithIO::reSampling(std::vector<float>& vers) {
std::vector<float> ret;
std::vector<vec_t> samplePoint;
std::vector<vec_t> reSamplePoint;
real_t maxX, minX, maxY, minY, maxZ, minZ;
maxX = maxY = maxZ = minX = minY = minZ = 0;
real_t amplify = pow(1/0.6f,1/3.0f);
for (size_t i = 0; i<vers.size() / 3; ++i) {
samplePoint.push_back(vec_t(vers[i * 3] * amplify, vers[i * 3 + 1] * amplify, vers[i * 3 + 2] * amplify));
if (vers[i * 3] * amplify > maxX) {
maxX = vers[i * 3] * amplify;
}
if (vers[i * 3] * amplify < minX) {
minX = vers[i * 3] * amplify;
}
if (vers[i * 3 + 1] * amplify > maxY) {
maxY = vers[i * 3 + 1] * amplify;
}
if (vers[i * 3 + 1] * amplify < minY) {
minY = vers[i * 3 + 1] * amplify;
}
if (vers[i * 3 + 2] * amplify> maxZ) {
maxZ = vers[i * 3 + 2] * amplify;
}
if (vers[i * 3 + 2] * amplify < minZ) {
minZ = vers[i * 3 + 2] * amplify;
}
}
vec_t leftBottom(minX, minY, minZ);
vec_t rightTop(maxX, maxY, maxZ);
std::cout << "rightTop:" << rightTop << "\n";//see 9 test
std::cout << "leftBottom:" << leftBottom << "\n";//see 9 test
//veci_t num = ((rightTop - leftBottom) / m_TH.spacing_r).to<int_t>();
vec_t num1 = ((rightTop - leftBottom) / m_TH.spacing_r) + vec_t(1, 1, 1);
//vec_t posMin = leftBottom + (rightTop - leftBottom - num.to<real_t>()*m_TH.spacing_r)*real_t(0.5);
vec_t posMin = leftBottom;
std::cout << "posMin:" << posMin << "\n";//see 9 test
std::cout << "num1:" << num1 << "\n";//see 9 test
std::cout << "samplePoint:" << samplePoint.size() << "\n";//see 9 test
std::vector<std::vector<std::vector<vec_t>>> matrixPoint3d;
std::vector<std::vector<std::vector<int>>> isSample;
std::vector<vec_t> matrixPoint;
int x, y, z, s;
int xx, yy, zz, ss;
real_t r = m_TH.spacing_r;
int sz = samplePoint.size();
matrixPoint3d.resize(num1[0] + 1);
isSample.resize(num1[0] + 1);
for (x = 0; x < num1[0]; x++) {
matrixPoint3d[x].resize(num1[1] + 1);
isSample[x].resize(num1[1] + 1);
for (y = 0; y < num1[1]; y++) {
isSample[x][y].resize(num1[2] + 1, 0);
matrixPoint3d[x][y].resize(num1[2] + 1);
for (z = 0; z < num1[2]; z++) {
matrixPoint.push_back((vec_t(r*x, r*y, r*z) + posMin));
matrixPoint3d[x][y][z] = (vec_t(r*x, r*y, r*z) + posMin);
isSample[x][y][z] = 0;
for (s = 0; s < sz; s++) {
//if ((samplePoint[s] - matrixPoint[matrixPoint.size()-1]) < vec_t(r/4, r/4, r/4) && (samplePoint[s] - matrixPoint[matrixPoint.size() - 1]) > vec_t(-r/4,-r/4,-r/4)) {
// reSamplePoint.push_back(matrixPoint[matrixPoint.size() - 1]);
// //samplePoint.erase(samplePoint.begin() + s);
// //sz--;
// break;
//}
if ((samplePoint[s].distance(matrixPoint[matrixPoint.size() - 1])) < (r)) {
reSamplePoint.push_back(matrixPoint[matrixPoint.size() - 1]);
isSample[x][y][z] = 1;
//samplePoint.erase(samplePoint.begin() + s);
//sz--;
break;
}
}
}
}
}
std::cout << "reSamplePoint:" << reSamplePoint.size() << "\n";//see 9 test
for (x = 0; x < matrixPoint3d.size(); x++) {
for (y = 0; y < matrixPoint3d[0].size(); y++) {
for (z = 0; z < matrixPoint3d[0][0].size(); z++) {
if (isSample[x][y][z] != 1) {
ss = 0;
for (xx = x; xx < matrixPoint3d.size(); xx++) {
if (isSample[xx][y][z] == 1) {
ss++;
break;
}
}
for (xx = x; xx > 0; xx--) {
if (isSample[xx][y][z] == 1) {
ss++;
break;
}
}
for (yy = y; yy < matrixPoint3d[0].size(); yy++) {
if (isSample[x][yy][z] == 1) {
ss++;
break;
}
}
for (yy = y; yy > 0; yy--) {
if (isSample[x][yy][z] == 1) {
ss++;
break;
}
}
for (zz = z; zz < matrixPoint3d[0][0].size(); zz++) {
if (isSample[x][y][zz] == 1) {
ss++;
break;
}
}
for (zz = z; zz > 0; zz--) {
if (isSample[x][y][zz] == 1) {
ss++;
break;
}
}
if (ss > 5) {
isSample[x][y][z] = 1;
reSamplePoint.push_back(matrixPoint3d[x][y][z]);
}
//std::cout << "ss:" << ss << " ";//see 9 test
}
}
}
}
std::cout << "reSamplePoint after fiil:" << reSamplePoint.size() << "\n";//see 9 test
return reSamplePoint;
}
//see 9
void SphWithIO::addRigidFromPLYAndPosition(const char* meshFileName, const char* sampleFileName,
const BoundPart& bpart, float mass, real_t viscosity, int candidateIdx, vec_t& pos,
const glm::mat4& transform) {
std::vector<CandidatePart>& candidateParticles = m_Candidates[candidateIdx].candidateParticles;
// btCollisionShape
GLTriMesh* trimesh = new GLTriMesh(); vcg_loadFromPLY(*trimesh, meshFileName);
btCollisionShape* cshape;
makeBtConvexHullShape(&cshape, *trimesh);
// btRigidBody
btRigidBody* prigid;
btTransform trans;
trans.setFromOpenGLMatrix(&transform[0][0]);
makeBtRigidBody(&prigid, cshape, mass, trans);
MBtSolid btsolid(prigid, trimesh);
Solid sphsolid(mass>0, Solid::RIGIDBODY, viscosity, 0);
// sample points
GLTriMesh samples; vcg_loadFromPLY(samples, sampleFileName, false, false, false);
std::vector<float> vers; vcg_saveToData(samples, &vers, 0);
for (size_t i = 0; i<candidateParticles.size(); ++i) {
sphsolid.innerPositions.push_back(candidateParticles[i].position- pos);
//sphsolid.innerPositions.push_back(vec_t(vers[i * 3], vers[i * 3 + 1], vers[i * 3 + 2]));
}
sphsolid.boundaryParticles.resize(sphsolid.innerPositions.size(), bpart);
addSolid(sphsolid, btsolid);
}
// mass must >0, dynamic is certainly true
// non-tranformed rope is on x-axis
void SphWithIO::addSoftRopeLine(
float halfWidth_x, int endFixedBit,
const BoundPart& bpart, float mass, real_t viscosity,
const glm::mat4& transform, int twoEndIdx[2] )
{
;
}
// mass must >0, dynamic is certainly true
// non-tranformed cloth is on XoZ plane
void SphWithIO::addSoftClothPlane(
float halfWidth_x, float halfWidth_z, float stretchDis_y, int cornerFixedBit,
const BoundPart& bpart, float mass, real_t viscosity,
const glm::mat4& transform, int fourCornerIdx[4] )
{
int resolution_x = int(halfWidth_x*2/m_TH.spacing_r+0.5f)+1;
int resolution_z = int(halfWidth_z*2/m_TH.spacing_r+0.5f)+1;
btSoftBody* psb = btSoftBodyHelpers::CreatePatch( *mbt_World.softBodyWorldInfo,
btVector3(-halfWidth_x,0,-halfWidth_z), btVector3(-halfWidth_x,0,+halfWidth_z), // for corners
btVector3(+halfWidth_x,0,-halfWidth_z), btVector3(+halfWidth_x,0,+halfWidth_z),
resolution_x, resolution_z, // x,y resolution
cornerFixedBit/*1+2+4+8*/, // bit: fix(mass=0) or not for four corners
true ); // psb->appendLink for diagonal
psb->getCollisionShape()->setMargin( m_TH.spacing_r/4 );
btSoftBody::Material* pm=psb->appendMaterial();
pm->m_kLST = 1.0f; // linear stiffness
pm->m_kAST = 0.0f; // angular stiffness
pm->m_kVST = 0.0f; // volume stiffness
//psb->generateBendingConstraints(2, pm);
psb->m_nodes[0].m_x[1] =
psb->m_nodes[resolution_x-1].m_x[1] =
psb->m_nodes[psb->m_nodes.size()-resolution_x].m_x[1] =
psb->m_nodes[psb->m_nodes.size()-1].m_x[1] = stretchDis_y;
if(fourCornerIdx){
fourCornerIdx[0] = 0;
fourCornerIdx[1] = resolution_x-1;
fourCornerIdx[2] = psb->m_nodes.size()-resolution_x;
fourCornerIdx[3] = psb->m_nodes.size()-1;
}
psb->setTotalMass(mass);
psb->updateNormals();
psb->m_cfg.piterations = 20;
psb->m_cfg.citerations = 10;
psb->m_cfg.diterations = 10;
//psb->m_cfg.viterations = 10;
//psb->m_cfg.kSRHR_CL = 1;
//psb->m_cfg.kSR_SPLT_CL = 0;
//psb->m_cfg.collisions = btSoftBody::fCollision::CL_SS+btSoftBody::fCollision::CL_RS;
//psb->m_cfg.collisions |= btSoftBody::fCollision::CL_SELF;
//psb->generateClusters(0);
//add the body to the dynamics world
//m_DynamicsWorld->addSoftBody(psb);
MBtSolid btsolid(psb, 0);
Solid sphsolid( true,Solid::SOFTBODY,viscosity,0 );
btTransform trans; trans.setFromOpenGLMatrix(&transform[0][0]);
psb->transform(trans);
// transform nodes, nodes' velocity
for(int i=0; i<psb->m_nodes.size(); ++i){
//psb->m_nodes[i].m_x = trans * psb->m_nodes[i].m_x;
//psb->m_nodes[i].m_v = vect_to_btVect3(bpart.velocity);
sphsolid.innerPositions.push_back(btVec3_to_vect(psb->m_nodes[i].m_x));
}
sphsolid.boundaryParticles.resize(sphsolid.innerPositions.size(), bpart);
addSolid( sphsolid, btsolid );
}
// tetrahedral mesh
void SphWithIO::addSoftVolumeCuboid(
const vec_t& halfWidth,
const BoundPart& bpart, float mass, real_t viscosity,
const glm::mat4& transform, int eightCornerIdx[8] )
{
;
}
// each vetex is a node, edge a link
void SphWithIO::addSoftFromPly( const char* meshFileName,
const BoundPart& bpart, float mass, real_t viscosity,
const glm::mat4& transform )
{
GLTriMesh trimesh; vcg_loadFromPLY(trimesh, meshFileName, false, false, false);
std::vector<float> vers; std::vector<int> tris;
vcg_saveToData(trimesh, &vers, &tris);
btSoftBody* psb=btSoftBodyHelpers::CreateFromTriMesh(
*mbt_World.softBodyWorldInfo, &vers[0], &tris[0], int(tris.size())/3 );
psb->generateBendingConstraints(2);
psb->m_cfg.piterations=2;
//psb->m_cfg.collisions |= btSoftBody::fCollision::VF_SS;
psb->randomizeConstraints();
btTransform trans; trans.setFromOpenGLMatrix(&transform[0][0]);
psb->transform( trans );
MBtSolid btsolid(psb, 0);
Solid sphsolid( true,Solid::SOFTBODY,viscosity,0 );
for(int i=0; i<psb->m_nodes.size(); ++i){
sphsolid.innerPositions.push_back(btVec3_to_vect(psb->m_nodes[i].m_x));
}
sphsolid.boundaryParticles.resize(sphsolid.innerPositions.size(), bpart);
addSolid( sphsolid, btsolid );
}
void SphWithIO::duplicateLastSolid( const glm::mat4& transform )
{
if(m_Solids.back().type==Solid::RIGIDBODY){ // rigidbody
btRigidBody* lastrigid = btRigidBody::upcast(mbt_Solids.back().btObject); assert(lastrigid);
btTransform trans; trans.setFromOpenGLMatrix(&transform[0][0]);
btDefaultMotionState* myMotionState = new btDefaultMotionState(trans);
btVector3 localInertia(0,0,0); btScalar mass = lastrigid->getInvMass()==0 ? 0 : 1/lastrigid->getInvMass();
if(mass>0) lastrigid->getCollisionShape()->calculateLocalInertia(mass,localInertia);
btRigidBody* prigid = new btRigidBody( mass,myMotionState,lastrigid->getCollisionShape(),localInertia );
MBtSolid btsolid = mbt_Solids.back();
btsolid.btObject = prigid;
Solid sphsolid = m_Solids.back();
addSolid( sphsolid, btsolid );
}else if(m_Solids.back().type==Solid::SOFTBODY){ // softbody
//...
}else{
//...
}
}
void SphWithIO::saveSolidMeshToPLY(
int solidIdx, const char* filename, bool simulated, bool coordYupToZup) const
{
assert( 0<=solidIdx && solidIdx<getNumSolids() );
const Solid& solid = m_Solids[solidIdx];
if(solid.type==Solid::RIGIDBODY){ // rigid body
assert(solid.mbtSolid_ptr->triMesh);
if( simulated ){
// Opengl(glm) stores matrix in column-major order. Matrix44 stores matrix in row-major order.
GLTriMesh mesh; vcg::Matrix44f mat;
glm::mat4 gm; getRigidBodyTransform(solidIdx, gm);
for(int i=0; i<16; ++i) mat[i/4][i%4]=gm[i%4][i/4]; // copy gm to mat
vcg::tri::Append<GLTriMesh,GLTriMesh>::MeshCopy(
mesh, *solid.mbtSolid_ptr->triMesh, false,false);
vcg::tri::UpdatePosition<GLTriMesh>::Matrix(mesh, mat, false);
vcg_saveToPLY(mesh, filename, coordYupToZup, true);
}else{
vcg_saveToPLY(*solid.mbtSolid_ptr->triMesh, filename, coordYupToZup, true);
}
}else if(solid.type==Solid::SOFTBODY){ // soft body
if( simulated ){
std::vector<float> vers; std::vector<int> tris;
getSoftBodyMeshData(solidIdx, &vers, &tris);
GLTriMesh mesh; vcg_loadFromData(mesh, vers, tris, false,false,false);
vcg_saveToPLY(mesh, filename, coordYupToZup, true);
}else{
assert( solid.innerPositions.size()==solid.boundaryParticles.size() );
std::vector<float> vers;
for(size_t i=0; i<solid.innerPositions.size(); ++i){
vers.push_back(solid.innerPositions[i][0]);
vers.push_back(solid.innerPositions[i][1]);
if(vec_t::dim==3) vers.push_back(solid.innerPositions[i][2]);
}
std::vector<int> tris; getSoftBodyMeshData(solidIdx, 0, &tris);
GLTriMesh mesh; vcg_loadFromData(mesh, vers, tris, false,false,false);
vcg_saveToPLY(mesh, filename, coordYupToZup, true);
}
}else{
//...
}
}
// non-transformed rigid mesh, and initial softbody mesh
void SphWithIO::saveAllInitialSolidMeshToPLY(
const char* namePrefix, bool coordYupToZup, bool staticSolidsTransformed) const
{
for(int si=0; si<getNumSolids(); ++si){
string filename(namePrefix); char ss[101];
sprintf(ss, "_solid_%d_", si); filename += ss;
const Solid& solid = m_Solids[si];
if(solid.dynamic) filename += "dynamic_";
else filename += "static_";
if(solid.type==Solid::RIGIDBODY)
if(staticSolidsTransformed && solid.dynamic==false)
filename += "transformed_rigid.ply";
else filename += "non-transformed_rigid.ply";
else if(solid.type==Solid::SOFTBODY) filename += "initial_softbody.ply";
else { }
bool simulated = false;
if(staticSolidsTransformed && solid.dynamic==false) simulated = true;
saveSolidMeshToPLY(si, filename.c_str(), simulated, coordYupToZup);
}
}
// trasnformed rigid mesh, and simulated softbody mesh
void SphWithIO::saveAllSimulatedSolidMeshToPLY(
const char* namePrefix, bool coordYupToZup, bool staticSolids) const
{
for(int si=0; si<getNumSolids(); ++si){
string filename(namePrefix); char ss[101];
const Solid& solid = m_Solids[si];
if(staticSolids==false && solid.dynamic==false) continue;
sprintf(ss, "_solid_%d_", si); filename += ss;
if(solid.type==Solid::RIGIDBODY) filename += "rigid.ply";
else if(solid.type==Solid::SOFTBODY) filename += "softbody.ply";
else { }
saveSolidMeshToPLY(si, filename.c_str(), true, coordYupToZup);
}
}
/*
void SphWithIO::setExampleScene(bool rigid)
{
const real_t vis = 0.05f;
if(vec_t::dim==3){
m_TH.spacing_r = 0.1f;
m_TH.smoothRadius_h = 2*m_TH.spacing_r;
m_TH.dt = real_t(1.0)*m_TH.spacing_r/m_TH.soundSpeed_cs;
m_TH.spaceMin.set(-6);
m_TH.spaceMax.set(6); m_TH.spaceMax[1]=12;
// container
BoundPart bp0; bp0.color[0]=bp0.color[1]=bp0.color[2]=0.4f; bp0.color[3]=1;
bp0.position=bp0.velocity=bp0.force=vec_t::O;
vec_t rb(4.0f); rb[1]=2.0f;
addRigidCuboid( rb, 0, vis, bp0, false,
glm::translate(glm::vec3(0,1.5f+m_TH.spacing_r/2,0)) );
// cloth
addSoftCloth( 2, 2, 0.2f, 1+2+4+8, 100, vis, bp0,
glm::translate(glm::vec3(0,2,0)) );
// water
FluidPart fp0; fp0.velocity = vec_t::O; fp0.density=1000;
fp0.color[1]=fp0.color[2]=0.3f; fp0.color[0]=0.9f; fp0.color[3]=1;
vec_t lb(-1.5f), rt(1.5f); rt[1]=5; lb[1]+=4.5f; rt[1]+=4.5f;
addFluidCuboid( true, 0, lb, rt, fp0, 1000, vis, 1 );
if(rigid){
addRigidCuboid( vec_t(0.5f), 300, vis, bp0, true,
glm::translate(glm::vec3(-2.1f,5,-2.1f)) );
duplicateLastSolid(
glm::translate(glm::vec3(2.1f,5,-2.1f)) );
duplicateLastSolid(
glm::translate(glm::vec3(2.1f,5,2.1f)) );
duplicateLastSolid(
glm::translate(glm::vec3(-2.1f,5,2.1f)) );
duplicateLastSolid(
glm::translate(glm::vec3(-0.8f,10.2f,-0.8f)) );
duplicateLastSolid(
glm::translate(glm::vec3(0.8f,10.2f,-0.8f)) );
duplicateLastSolid(
glm::translate(glm::vec3(0.8f,10.2f,0.8f)) );
duplicateLastSolid(
glm::translate(glm::vec3(-0.8f,10.2f,0.8f)) );
}
}else{
}
logInfoOfScene();
}*/
| [
"no4724722205@163.com"
] | no4724722205@163.com |
d0ff23615e6ff73506782902f9e781d8558f738e | 0d0ca14c7d768739dd8d20b8a8760dc9433f76d5 | /spinlock.h | a30a643738eee4ee8aaabfa8aa33d5e5be210b90 | [
"MIT"
] | permissive | jcelerier/atomic_queue | 77302042feabcd319f298b10cf716056a2025073 | 0c9e109d502a9bb54787020b28a0ddbf8a6e0d3e | refs/heads/master | 2020-06-14T20:44:26.929177 | 2019-07-03T20:15:46 | 2019-07-03T20:15:46 | 195,120,872 | 0 | 0 | MIT | 2019-07-03T20:16:13 | 2019-07-03T20:16:12 | null | UTF-8 | C++ | false | false | 3,434 | h | /* -*- mode: c++; c-basic-offset: 4; indent-tabs-mode: nil; tab-width: 4 -*- */
#ifndef ATOMIC_QUEUE_SPIN_LOCK_H_INCLUDED
#define ATOMIC_QUEUE_SPIN_LOCK_H_INCLUDED
// Copyright (c) 2019 Maxim Egorushkin. MIT License. See the full licence in file LICENSE.
#include "defs.h"
#include <cstdlib>
#include <atomic>
#include <mutex>
// #include <emmintrin.h>
#include <pthread.h>
////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
namespace atomic_queue {
////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
class Spinlock {
pthread_spinlock_t s_;
public:
using scoped_lock = std::lock_guard<Spinlock>;
Spinlock() noexcept {
if(::pthread_spin_init(&s_, 0))
std::abort();
}
~Spinlock() noexcept {
::pthread_spin_destroy(&s_);
}
void lock() noexcept {
if(::pthread_spin_lock(&s_))
std::abort();
}
void unlock() noexcept {
if(::pthread_spin_unlock(&s_))
std::abort();
}
};
////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
class FairSpinlock {
alignas(CACHE_LINE_SIZE) std::atomic<unsigned> ticket_{0};
alignas(CACHE_LINE_SIZE) std::atomic<unsigned> next_{0};
public:
using scoped_lock = std::lock_guard<FairSpinlock>;
void lock() noexcept {
auto ticket = ticket_.fetch_add(1, std::memory_order_relaxed);
while(next_.load(std::memory_order_acquire) != ticket)
_mm_pause();
}
void unlock() noexcept {
next_.fetch_add(1, std::memory_order_release);
}
};
////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
class UnfairSpinlock {
std::atomic<unsigned> lock_{0};
public:
using scoped_lock = std::lock_guard<UnfairSpinlock>;
void lock() noexcept {
for(;;) {
if(!lock_.load(std::memory_order_relaxed) && !lock_.exchange(1, std::memory_order_acquire))
return;
_mm_pause();
}
}
void unlock() noexcept {
lock_.store(0, std::memory_order_release);
}
};
////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
class SpinlockHle {
int lock_ = 0;
#ifdef __gcc__
static constexpr int HLE_ACQUIRE = __ATOMIC_HLE_ACQUIRE;
static constexpr int HLE_RELEASE = __ATOMIC_HLE_RELEASE;
#else
static constexpr int HLE_ACQUIRE = 0;
static constexpr int HLE_RELEASE = 0;
#endif
public:
using scoped_lock = std::lock_guard<Spinlock>;
void lock() noexcept {
for(int expected = 0; !__atomic_compare_exchange_n(&lock_, &expected, 1, false, __ATOMIC_ACQUIRE | HLE_ACQUIRE, __ATOMIC_RELAXED); expected = 0)
_mm_pause();
}
void unlock() noexcept {
__atomic_store_n(&lock_, 0, __ATOMIC_RELEASE | HLE_RELEASE);
}
};
////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
} // atomic_queue
////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////////
#endif // ATOMIC_QUEUE_SPIN_LOCK_H_INCLUDED
| [
"maxim.egorushkin@gmail.com"
] | maxim.egorushkin@gmail.com |
3ff024e1c029ae83b59fbfc204a8cc4ee65b82eb | 8361ec8087ad094b150ac5c6454a4317b2917d57 | /App/Apps/IoT-Dashboard/mainwindow.h | b6444e2d02511a43630598a32ca1137622de3f1d | [
"MIT"
] | permissive | ScarecrowStraw/Ag-IoT | e852823f73f66e5e47510250cd4e5a04c2953793 | 4acf55d6bcf6016471c3545409512cc465a275ee | refs/heads/master | 2023-06-17T21:40:29.666727 | 2021-07-09T17:49:08 | 2021-07-09T17:49:08 | 384,512,164 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,050 | h | #ifndef MAINWINDOW_H
#define MAINWINDOW_H
#include <QMainWindow>
#include <QMqttClient>
#include "SensorsMQTT.h"
#include "MushroomView.h"
QT_BEGIN_NAMESPACE
namespace Ui { class MainWindow; }
QT_END_NAMESPACE
class MainWindow : public QMainWindow
{
Q_OBJECT
public:
MainWindow(QWidget *parent = nullptr);
~MainWindow();
private:
Ui::MainWindow *ui;
QMqttClient *m_client;
SensorsMQTT m_sensors;
MushroomView * mushroomWidget;
int m_current_dev;
QString m_current_sub;
QString m_current_pub;
void setupMQTT(QString hostName, qint16 port);
private slots:
void updateLogStateChange();
void updateServer(int serv_id);
void currentDeviceChanged(int dev_id);
void controlMessage(QString msg);
// void brokerDisconnected();
// void on_buttonPublish_clicked();
// void on_buttonSubscribe_clicked();
// void on_buttonPing_clicked();
void ledControl(bool x);
void pumpControl(bool x);
void fanControl(bool x);
void tempControl(bool x);
};
#endif // MAINWINDOW_H
| [
"00sao00ios00@gmail.com"
] | 00sao00ios00@gmail.com |
aa7430d5d8a9f25fdd5a93dd8269d56d268235a4 | 1beb5d2fe5e68b1aed0a60af72113be1042724f7 | /src/bigmemory.cpp | f8101e3c588c9da772fb975fab7f93cf187e792e | [] | no_license | hvsarma/bigmemory | bfd5fd201b9a3e81df398f1a32fef9995ada36c4 | 8c4b346807c01079c3c66d4ab96b31ce3ed6280b | refs/heads/master | 2021-01-17T08:03:25.229071 | 2013-11-18T00:00:00 | 2013-11-18T00:00:00 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 75,813 | cpp | #include <math.h>
#include <string>
#include <fstream>
#include <sstream>
#include <iostream>
#include <algorithm>
#include "bigmemory/BigMatrix.h"
#include "bigmemory/MatrixAccessor.hpp"
#include "bigmemory/util.h"
#include "bigmemory/isna.hpp"
#include <stdio.h>
#include <R.h>
#include <Rinternals.h>
#include <Rdefines.h>
#include <stdlib.h>
#include <sys/types.h>
template<typename T>
string ttos(T i)
{
stringstream s;
s.precision(16);
s << i;
return s.str();
}
template<>
string ttos<char>(char i)
{
stringstream s;
s << static_cast<short>(i);
return s.str();
}
bool TooManyRIndices( index_type val )
{
return double(val) > pow(2.0, 31.0)-1.0;
}
template<typename CType, typename RType, typename BMAccessorType>
void SetMatrixElements( BigMatrix *pMat, SEXP col, SEXP row, SEXP values,
double NA_C, double C_MIN, double C_MAX, double NA_R)
{
BMAccessorType mat( *pMat );
double *pCols = NUMERIC_DATA(col);
index_type numCols = GET_LENGTH(col);
double *pRows = NUMERIC_DATA(row);
index_type numRows = GET_LENGTH(row);
VecPtr<RType> vec_ptr;
RType *pVals = vec_ptr(values);
index_type valLength = GET_LENGTH(values);
index_type i=0;
index_type j=0;
index_type k=0;
CType *pColumn;
index_type kIndex;
for (i=0; i < numCols; ++i)
{
pColumn = mat[static_cast<index_type>(pCols[i])-1];
for (j=0; j < numRows; ++j)
{
kIndex = k++%valLength;
pColumn[static_cast<index_type>(pRows[j])-1] =
((pVals[kIndex] < C_MIN || pVals[kIndex] > C_MAX) ?
static_cast<CType>(NA_C) : static_cast<CType>(pVals[kIndex]));
}
}
}
// Function contributed by Peter Haverty at Genentech.
template<typename CType, typename RType, typename BMAccessorType>
SEXP GetIndivMatrixElements( BigMatrix *pMat, double NA_C, double NA_R,
SEXP col, SEXP row, SEXPTYPE sxpType)
{
VecPtr<RType> vec_ptr;
BMAccessorType mat(*pMat);
double *pCols = NUMERIC_DATA(col);
double *pRows = NUMERIC_DATA(row);
index_type numCols = GET_LENGTH(col);
int protectCount = 0;
SEXP retVec = PROTECT( Rf_allocVector(sxpType, numCols) );
++protectCount;
RType *pRet = vec_ptr(retVec);
CType *pColumn;
index_type i;
for (i=0; i < numCols; ++i)
{
pColumn = mat[static_cast<index_type>(pCols[i])-1];
pRet[i] = (pColumn[static_cast<index_type>(pRows[i])-1] ==
static_cast<CType>(NA_C)) ?
static_cast<RType>(NA_R) :
(static_cast<RType>(pColumn[static_cast<index_type>(pRows[i])-1]));
}
UNPROTECT(protectCount);
return(retVec);
}
// Function contributed by Peter Haverty at Genentech.
template<typename CType, typename RType, typename BMAccessorType>
void SetIndivMatrixElements( BigMatrix *pMat, SEXP col, SEXP row, SEXP values,
double NA_C, double C_MIN, double C_MAX, double NA_R)
{
BMAccessorType mat( *pMat );
double *pCols = NUMERIC_DATA(col);
index_type numCols = GET_LENGTH(col);
double *pRows = NUMERIC_DATA(row);
VecPtr<RType> vec_ptr;
RType *pVals = vec_ptr(values);
index_type i=0;
CType *pColumn;
for (i=0; i < numCols; ++i)
{
pColumn = mat[static_cast<index_type>(pCols[i])-1];
pColumn[static_cast<index_type>(pRows[i])-1] =
((pVals[i] < C_MIN || pVals[i] > C_MAX) ?
static_cast<CType>(NA_C) :
static_cast<CType>(pVals[i]));
}
}
template<typename CType, typename RType, typename BMAccessorType>
void SetMatrixAll( BigMatrix *pMat, SEXP values,
double NA_C, double C_MIN, double C_MAX, double NA_R)
{
BMAccessorType mat( *pMat );
index_type numCols = pMat->ncol();
index_type numRows = pMat->nrow();
VecPtr<RType> vec_ptr;
RType *pVals = vec_ptr(values);
index_type valLength = GET_LENGTH(values);
index_type i=0;
index_type j=0;
index_type k=0;
CType *pColumn;
index_type kIndex;
for (i=0; i < numCols; ++i)
{
pColumn = mat[i];
for (j=0; j < numRows; ++j)
{
kIndex = k++%valLength;
pColumn[j] = ((pVals[kIndex] < C_MIN || pVals[kIndex] > C_MAX) ?
static_cast<CType>(NA_C) :
static_cast<CType>(pVals[kIndex]));
}
}
}
template<typename CType, typename RType, typename BMAccessorType>
void SetMatrixCols( BigMatrix *pMat, SEXP col, SEXP values,
double NA_C, double C_MIN, double C_MAX, double NA_R)
{
BMAccessorType mat( *pMat );
double *pCols = NUMERIC_DATA(col);
index_type numCols = GET_LENGTH(col);
index_type numRows = pMat->nrow();
VecPtr<RType> vec_ptr;
RType *pVals = vec_ptr(values);
index_type valLength = GET_LENGTH(values);
index_type i=0;
index_type j=0;
index_type k=0;
CType *pColumn;
index_type kIndex;
for (i=0; i < numCols; ++i)
{
pColumn = mat[static_cast<index_type>(pCols[i])-1];
for (j=0; j < numRows; ++j)
{
kIndex = k++%valLength;
pColumn[j] = ((pVals[kIndex] < C_MIN || pVals[kIndex] > C_MAX) ?
static_cast<CType>(NA_C) :
static_cast<CType>(pVals[kIndex]));
}
}
}
template<typename CType, typename RType, typename BMAccessorType>
void SetMatrixRows( BigMatrix *pMat, SEXP row, SEXP values,
double NA_C, double C_MIN, double C_MAX, double NA_R)
{
BMAccessorType mat( *pMat );
index_type numCols = pMat->ncol();
double *pRows = NUMERIC_DATA(row);
index_type numRows = GET_LENGTH(row);
VecPtr<RType> vec_ptr;
RType *pVals = vec_ptr(values);
index_type valLength = GET_LENGTH(values);
index_type i=0;
index_type j=0;
index_type k=0;
CType *pColumn;
index_type kIndex;
for (i=0; i < numCols; ++i)
{
pColumn = mat[i];
for (j=0; j < numRows; ++j)
{
kIndex = k++%valLength;
pColumn[static_cast<index_type>(pRows[j])-1] =
((pVals[kIndex] < C_MIN || pVals[kIndex] > C_MAX) ?
static_cast<CType>(NA_C) : static_cast<CType>(pVals[kIndex]));
}
}
}
template<typename CType, typename BMAccessorType>
void SetAllMatrixElements( BigMatrix *pMat, SEXP value,
double NA_C, double C_MIN, double C_MAX, double NA_R)
{
BMAccessorType mat( *pMat );
double val = NUMERIC_VALUE(value);
index_type i=0;
index_type j=0;
index_type ncol = pMat->ncol();
index_type nrow = pMat->nrow();
bool outOfRange=false;
if (val < C_MIN || val > C_MAX || isna(val))
{
if (!isna(val))
{
outOfRange=true;
warning("The value given is out of range, elements will be set to NA.");
}
val = NA_C;
}
for (i=0; i < ncol; ++i)
{
CType *pColumn = mat[i];
for (j=0; j < nrow; ++j)
{
pColumn[j] = static_cast<CType>(val);
}
}
}
template<typename CType, typename RType, typename BMAccessorType>
SEXP GetMatrixElements( BigMatrix *pMat, double NA_C, double NA_R,
SEXP col, SEXP row, SEXPTYPE sxpType)
{
VecPtr<RType> vec_ptr;
BMAccessorType mat(*pMat);
double *pCols = NUMERIC_DATA(col);
double *pRows = NUMERIC_DATA(row);
index_type numCols = GET_LENGTH(col);
index_type numRows = GET_LENGTH(row);
if (TooManyRIndices(numCols*numRows))
{
error("Too many indices (>2^31-1) for extraction.");
return R_NilValue;
}
SEXP ret = PROTECT(NEW_LIST(3));
int protectCount = 1;
SET_VECTOR_ELT( ret, 1, NULL_USER_OBJECT );
SET_VECTOR_ELT( ret, 2, NULL_USER_OBJECT );
SEXP retMat;
if (numCols == 1 || numRows == 1) {
retMat = PROTECT( Rf_allocVector(sxpType, numRows * numCols) );
} else {
retMat = PROTECT( Rf_allocMatrix(sxpType, numRows, numCols) );
}
++protectCount;
SET_VECTOR_ELT(ret, 0, retMat);
//SEXP ret = PROTECT( new_vec(numCols*numRows) );
RType *pRet = vec_ptr(retMat);
CType *pColumn;
index_type k=0;
index_type i,j;
for (i=0; i < numCols; ++i)
{
if (isna(pCols[i]))
{
for (j=0; j < numRows; ++j)
{
pRet[k] = static_cast<RType>(NA_R);
}
}
else
{
pColumn = mat[static_cast<index_type>(pCols[i])-1];
for (j=0; j < numRows; ++j)
{
if (isna(pRows[j]))
{
pRet[k] = static_cast<RType>(NA_R);
}
else
{
pRet[k] = (pColumn[static_cast<index_type>(pRows[j])-1] ==
static_cast<CType>(NA_C)) ? static_cast<RType>(NA_R) :
(static_cast<RType>(pColumn[static_cast<index_type>(pRows[j])-1]));
}
++k;
}
}
}
Names colNames = pMat->column_names();
if (!colNames.empty())
{
++protectCount;
SEXP rCNames = PROTECT(allocVector(STRSXP, numCols));
for (i=0; i < numCols; ++i)
{
if (!isna(pCols[i]))
SET_STRING_ELT( rCNames, i,
mkChar(colNames[static_cast<index_type>(pCols[i])-1].c_str()) );
}
SET_VECTOR_ELT(ret, 2, rCNames);
}
Names rowNames = pMat->row_names();
if (!rowNames.empty())
{
++protectCount;
SEXP rRNames = PROTECT(allocVector(STRSXP, numRows));
for (i=0; i < numRows; ++i)
{
if (!isna(pRows[i]))
{
SET_STRING_ELT( rRNames, i,
mkChar(rowNames[static_cast<index_type>(pRows[i])-1].c_str()) );
}
}
SET_VECTOR_ELT(ret, 1, rRNames);
}
UNPROTECT(protectCount);
return ret;
}
// Function contributed by Peter Haverty at Genentech.
SEXP GetIndivMatrixElements(SEXP bigMatAddr, SEXP col, SEXP row)
{
BigMatrix *pMat =
reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
if (pMat->separated_columns())
{
switch(pMat->matrix_type())
{
case 1:
return GetIndivMatrixElements<char, int, SepMatrixAccessor<char> >(
pMat, NA_CHAR, NA_INTEGER, col, row, INTSXP);
case 2:
return GetIndivMatrixElements<short,int, SepMatrixAccessor<short> >(
pMat, NA_SHORT, NA_INTEGER, col, row, INTSXP);
case 4:
return GetIndivMatrixElements<int, int, SepMatrixAccessor<int> >(
pMat, NA_INTEGER, NA_INTEGER, col, row, INTSXP);
case 8:
return GetIndivMatrixElements<double,double,SepMatrixAccessor<double> >(
pMat, NA_REAL, NA_REAL, col, row, REALSXP);
}
}
else
{
switch(pMat->matrix_type())
{
case 1:
return GetIndivMatrixElements<char, int, MatrixAccessor<char> >(
pMat, NA_CHAR, NA_INTEGER, col, row, INTSXP);
case 2:
return GetIndivMatrixElements<short, int, MatrixAccessor<short> >(
pMat, NA_SHORT, NA_INTEGER, col, row, INTSXP);
case 4:
return GetIndivMatrixElements<int, int, MatrixAccessor<int> >(
pMat, NA_INTEGER, NA_INTEGER, col, row, INTSXP);
case 8:
return GetIndivMatrixElements<double, double, MatrixAccessor<double> >(
pMat, NA_REAL, NA_REAL, col, row, REALSXP);
}
}
return R_NilValue;
}
template<typename CType, typename RType, typename BMAccessorType>
SEXP GetMatrixRows( BigMatrix *pMat, double NA_C, double NA_R,
SEXP row, SEXPTYPE sxpType)
{
VecPtr<RType> vec_ptr;
BMAccessorType mat(*pMat);
double *pRows=NUMERIC_DATA(row);
index_type numRows = GET_LENGTH(row);
index_type numCols = pMat->ncol();
if (TooManyRIndices(numCols*numRows))
{
error("Too many indices (>2^31-1) for extraction.");
return R_NilValue;
}
SEXP ret = PROTECT(NEW_LIST(3));
int protectCount = 1;
SET_VECTOR_ELT( ret, 1, NULL_USER_OBJECT );
SET_VECTOR_ELT( ret, 2, NULL_USER_OBJECT );
SEXP retMat;
if (numCols == 1 || numRows == 1) {
retMat = PROTECT( Rf_allocVector(sxpType, numCols*numRows) );
} else {
retMat = PROTECT( Rf_allocMatrix(sxpType, numRows, numCols) );
}
++protectCount;
SET_VECTOR_ELT(ret, 0, retMat);
RType *pRet = vec_ptr(retMat);
CType *pColumn = NULL;
index_type k=0;
index_type i,j;
for (i=0; i < numCols; ++i)
{
pColumn = mat[i];
for (j=0; j < numRows; ++j)
{
if (isna(pRows[j]))
{
pRet[k] = static_cast<RType>(NA_R);
}
else
{
pRet[k] = (pColumn[static_cast<index_type>(pRows[j])-1] ==
static_cast<CType>(NA_C)) ? static_cast<RType>(NA_R) :
(static_cast<RType>(pColumn[static_cast<index_type>(pRows[j])-1]));
}
++k;
}
}
Names colNames = pMat->column_names();
if (!colNames.empty())
{
++protectCount;
SEXP rCNames = PROTECT(allocVector(STRSXP, numCols));
for (i=0; i < numCols; ++i)
{
SET_STRING_ELT( rCNames, i, mkChar(colNames[i].c_str()) );
}
SET_VECTOR_ELT(ret, 2, rCNames);
}
Names rowNames = pMat->row_names();
if (!rowNames.empty())
{
++protectCount;
SEXP rRNames = PROTECT(allocVector(STRSXP, numRows));
for (i=0; i < numRows; ++i)
{
if (!isna(pRows[i]))
{
SET_STRING_ELT( rRNames, i,
mkChar(rowNames[static_cast<index_type>(pRows[i])-1].c_str()) );
}
}
SET_VECTOR_ELT(ret, 1, rRNames);
}
UNPROTECT(protectCount);
return ret;
}
template<typename CType, typename RType, typename BMAccessorType>
SEXP GetMatrixCols( BigMatrix *pMat, double NA_C, double NA_R,
SEXP col, SEXPTYPE sxpType)
{
VecPtr<RType> vec_ptr;
BMAccessorType mat(*pMat);
double *pCols=NUMERIC_DATA(col);
index_type numCols = GET_LENGTH(col);
index_type numRows = pMat->nrow();
if (TooManyRIndices(numCols*numRows))
{
error("Too many indices (>2^31-1) for extraction.");
return R_NilValue;
}
SEXP ret = PROTECT(NEW_LIST(3));
int protectCount = 1;
SET_VECTOR_ELT( ret, 1, NULL_USER_OBJECT );
SET_VECTOR_ELT( ret, 2, NULL_USER_OBJECT );
SEXP retMat;
if (numCols == 1 || numRows == 1) {
retMat = PROTECT( Rf_allocVector(sxpType, numRows*numCols) );
} else {
retMat = PROTECT( Rf_allocMatrix(sxpType, numRows, numCols) );
}
++protectCount;
SET_VECTOR_ELT(ret, 0, retMat);
//SEXP ret = PROTECT( new_vec(numCols*numRows) );
RType *pRet = vec_ptr(retMat);
CType *pColumn = NULL;
index_type k=0;
index_type i,j;
for (i=0; i < numCols; ++i)
{
if (isna(pCols[i]))
{
for (j=0; j < numRows; ++j)
{
pRet[k] = static_cast<RType>(NA_R);
}
}
else
{
pColumn = mat[static_cast<index_type>(pCols[i])-1];
for (j=0; j < numRows; ++j)
{
pRet[k] = (pColumn[j] == static_cast<CType>(NA_C)) ? static_cast<RType>(NA_R) :
(static_cast<RType>(pColumn[j]));
++k;
}
}
}
Names colNames = pMat->column_names();
if (!colNames.empty())
{
++protectCount;
SEXP rCNames = PROTECT(allocVector(STRSXP, numCols));
for (i=0; i < numCols; ++i)
{
if (!isna(pCols[i]))
SET_STRING_ELT( rCNames, i,
mkChar(colNames[static_cast<index_type>(pCols[i])-1].c_str()) );
}
SET_VECTOR_ELT(ret, 2, rCNames);
}
Names rowNames = pMat->row_names();
if (!rowNames.empty())
{
++protectCount;
SEXP rRNames = PROTECT(allocVector(STRSXP, numRows));
for (i=0; i < numRows; ++i)
{
SET_STRING_ELT( rRNames, i, mkChar(rowNames[i].c_str()) );
}
SET_VECTOR_ELT(ret, 1, rRNames);
}
UNPROTECT(protectCount);
return ret;
}
template<typename CType, typename RType, typename BMAccessorType>
SEXP GetMatrixAll( BigMatrix *pMat, double NA_C, double NA_R,
SEXPTYPE sxpType)
{
VecPtr<RType> vec_ptr;
BMAccessorType mat(*pMat);
index_type numCols = pMat->ncol();
index_type numRows = pMat->nrow();
if (TooManyRIndices(numCols*numRows))
{
error("Too many indices (>2^31-1) for extraction.");
return R_NilValue;
}
SEXP ret = PROTECT(NEW_LIST(3));
int protectCount = 1;
SET_VECTOR_ELT( ret, 1, NULL_USER_OBJECT );
SET_VECTOR_ELT( ret, 2, NULL_USER_OBJECT );
SEXP retMat;
if (numCols == 1 || numRows == 1) {
retMat = PROTECT( Rf_allocVector(sxpType, numRows * numCols) );
} else {
retMat = PROTECT( Rf_allocMatrix(sxpType, numRows, numCols) );
}
++protectCount;
SET_VECTOR_ELT(ret, 0, retMat);
//SEXP ret = PROTECT( new_vec(numCols*numRows) );
RType *pRet = vec_ptr(retMat);
CType *pColumn = NULL;
index_type k=0;
index_type i,j;
for (i=0; i < numCols; ++i)
{
pColumn = mat[i];
for (j=0; j < numRows; ++j)
{
pRet[k] = (pColumn[j] == static_cast<CType>(NA_C)) ? static_cast<RType>(NA_R) :
(static_cast<RType>(pColumn[j]));
++k;
}
}
Names colNames = pMat->column_names();
if (!colNames.empty())
{
++protectCount;
SEXP rCNames = PROTECT(allocVector(STRSXP, numCols));
for (i=0; i < numCols; ++i)
{
SET_STRING_ELT( rCNames, i, mkChar(colNames[i].c_str()) );
}
SET_VECTOR_ELT(ret, 2, rCNames);
}
Names rowNames = pMat->row_names();
if (!rowNames.empty())
{
++protectCount;
SEXP rRNames = PROTECT(allocVector(STRSXP, numRows));
for (i=0; i < numRows; ++i)
{
SET_STRING_ELT( rRNames, i, mkChar(rowNames[i].c_str()) );
}
SET_VECTOR_ELT(ret, 1, rRNames);
}
UNPROTECT(protectCount);
return ret;
}
template<typename T, typename BMAccessorType>
SEXP ReadMatrix(SEXP fileName, BigMatrix *pMat,
SEXP firstLine, SEXP numLines, SEXP numCols, SEXP separator,
SEXP hasRowNames, SEXP useRowNames, double C_NA, double posInf,
double negInf, double notANumber)
{
BMAccessorType mat(*pMat);
SEXP ret = PROTECT(NEW_LOGICAL(1));
LOGICAL_DATA(ret)[0] = (Rboolean)0;
index_type fl = static_cast<index_type>(NUMERIC_VALUE(firstLine));
index_type nl = static_cast<index_type>(NUMERIC_VALUE(numLines));
string sep(CHAR(STRING_ELT(separator,0)));
index_type i=0,j;
bool rowSizeReserved = false;
//double val;
ifstream file;
string lc, element;
file.open(STRING_VALUE(fileName));
if (!file.is_open())
{
UNPROTECT(1);
return ret;
}
for (i=0; i < fl; ++i)
{
std::getline(file, lc);
}
Names rn;
index_type offset = static_cast<index_type>(LOGICAL_VALUE(hasRowNames));
double d;
int charRead;
char *pEnd;
for (i=0; i < nl; ++i)
{
// getline may be slow
std::getline(file, lc);
string::size_type first=0, last=0;
j=0;
while (first < lc.size() && last < lc.size())
{
last = lc.find_first_of(sep, first);
element = lc.substr(first, last-first);
if (LOGICAL_VALUE(hasRowNames) && 0==j)
{
if (LOGICAL_VALUE(useRowNames))
{
if (!rowSizeReserved)
{
rn.reserve(nl);
rowSizeReserved = true;
}
std::size_t pos;
while ( (pos = element.find("\"", 0)) != string::npos )
{
element = element.replace(pos, 1, "");
}
while ( (pos = element.find("'", 0)) != string::npos )
{
element = element.replace(pos, 1, "");
}
rn.push_back(element);
}
}
else
{
if (j-offset < pMat->ncol()+1)
{
d = strtod(element.c_str(), &pEnd);
if (pEnd != element.c_str())
{
mat[j-offset][i] = static_cast<T>(d);
}
else
{
charRead = sscanf(element.c_str(), "%lf", &d);
if (charRead == static_cast<int>(element.size()))
{
mat[j-offset][i] = static_cast<T>(d);
}
else if (element == "NA")
{
mat[j-offset][i] = static_cast<T>(C_NA);
}
else if (element == "inf" || element == "Inf")
{
mat[j-offset][i] = static_cast<T>(posInf);
}
else if (element == "-inf" || element == "-Inf")
{
mat[j-offset][i] = static_cast<T>(negInf);
}
else if (element == "NaN")
{
mat[j-offset][i] = static_cast<T>(notANumber);
}
else if (element =="")
{
mat[j-offset][i] = static_cast<T>(C_NA);
}
else
{
mat[j-offset][i] = static_cast<T>(C_NA);
}
}
}
else
{
warning(
(string("Incorrect number of entries in row ")+ttos(j)).c_str());
}
}
first = last+1;
++j;
}
if (j-offset < pMat->ncol())
{
// warning( (string("Incorrect number of entries in row ")+ttos(j)).c_str());
while (j-offset < pMat->ncol())
{
mat[j++ - offset][i] = static_cast<T>(C_NA);
}
}
}
pMat->row_names( rn );
file.close();
LOGICAL_DATA(ret)[0] = (Rboolean)1;
UNPROTECT(1);
return ret;
}
template<typename T, typename BMAccessorType>
void WriteMatrix( BigMatrix *pMat, SEXP fileName, SEXP rowNames,
SEXP colNames, SEXP sep, double C_NA )
{
BMAccessorType mat(*pMat);
FILE *FP = fopen(STRING_VALUE(fileName), "w");
index_type i,j;
string s;
string sepString = string(CHAR(STRING_ELT(sep, 0)));
Names cn = pMat->column_names();
Names rn = pMat->row_names();
if (LOGICAL_VALUE(colNames) == Rboolean(TRUE) && !cn.empty())
{
for (i=0; i < (int) cn.size(); ++i)
s += "\"" + cn[i] + "\"" + (((int)cn.size()-1 == i) ? "\n" : sepString);
}
fprintf(FP, "%s", s.c_str());
s.clear();
for (i=0; i < pMat->nrow(); ++i)
{
if ( LOGICAL_VALUE(rowNames) == Rboolean(TRUE) && !rn.empty())
{
s += "\"" + rn[i] + "\"" + sepString;
}
for (j=0; j < pMat->ncol(); ++j)
{
if ( isna(mat[j][i]) )
{
s += "NA";
}
else
{
s += ttos(mat[j][i]);
}
if (j < pMat->ncol()-1)
{
s += sepString;
}
else
{
s += "\n";
}
}
fprintf(FP, "%s", s.c_str());
s.clear();
}
fclose(FP);
}
template<typename T>
struct NAMaker;
template<>
struct NAMaker<char>
{char operator()() const {return NA_CHAR;}};
template<>
struct NAMaker<short>
{short operator()() const {return NA_SHORT;}};
template<>
struct NAMaker<int>
{int operator()() const {return NA_INTEGER;}};
template<>
struct NAMaker<double>
{double operator()() const {return NA_REAL;}};
// Note: naLast should be passed as an integer.
template<typename PairType>
struct SecondLess : public std::binary_function<PairType, PairType, bool>
{
SecondLess( const bool naLast ) : _naLast(naLast) {}
bool operator()(const PairType &lhs, const PairType &rhs) const
{
if (_naLast)
{
if (isna(lhs.second) || isna(rhs.second)) return false;
return lhs.second < rhs.second;
}
else
{
if (isna(lhs.second)) return true;
if (isna(rhs.second)) return false;
return lhs.second < rhs.second;
}
}
bool _naLast;
};
template<typename PairType>
struct SecondGreater : public std::binary_function<PairType, PairType, bool>
{
SecondGreater(const bool naLast ) : _naLast(naLast) {}
bool operator()(const PairType &lhs, const PairType &rhs) const
{
if (_naLast)
{
if (isna(lhs.second) || isna(rhs.second)) return false;
return lhs.second > rhs.second;
}
else
{
if (isna(lhs.second)) return true;
if (isna(rhs.second)) return false;
return lhs.second > rhs.second;
}
}
bool _naLast;
};
template<typename PairType>
struct SecondIsNA : public std::unary_function<PairType, bool>
{
bool operator()( const PairType &val ) const
{
return isna(val.second);
}
};
template<typename MatrixAccessorType>
void reorder_matrix( MatrixAccessorType m, SEXP orderVec,
index_type numColumns, FileBackedBigMatrix *pfbm )
{
double *pov = NUMERIC_DATA(orderVec);
typedef typename MatrixAccessorType::value_type ValueType;
typedef std::vector<ValueType> Values;
Values vs(m.nrow());
index_type i,j;
for (i=0; i < numColumns; ++i)
{
for (j=0; j < m.nrow(); ++j)
{
vs[j] = m[i][static_cast<index_type>(pov[j])-1];
}
std::copy( vs.begin(), vs.end(), m[i] );
if (pfbm) pfbm->flush();
}
}
template<typename RType, typename MatrixAccessorType>
SEXP get_order( MatrixAccessorType m, SEXP columns, SEXP naLast,
SEXP decreasing )
{
typedef typename MatrixAccessorType::value_type ValueType;
typedef typename std::pair<double, ValueType> PairType;
typedef std::vector<PairType> OrderVecs;
std::size_t i;
index_type k;
index_type col;
OrderVecs ov;
ov.reserve(m.nrow());
typename OrderVecs::iterator begin, end, it, naIt;
ValueType val;
for (k=GET_LENGTH(columns)-1; k >= 0; --k)
{
col = static_cast<index_type>(NUMERIC_DATA(columns)[k]-1);
if (k==GET_LENGTH(columns)-1)
{
if (isna(INTEGER_VALUE(naLast)))
{
for (i=0; i < static_cast<size_t>(m.nrow()); ++i)
{
val = m[col][i];
if (!isna(val))
{
ov.push_back( std::make_pair( static_cast<double>(i), val) );
}
}
}
else
{
ov.resize(m.nrow());
for (i=0; i < static_cast<size_t>(m.nrow()); ++i)
{
val = m[col][i];
ov[i].first = i;
ov[i].second = val;
}
}
}
else // not the first column we've looked at
{
if (isna(INTEGER_VALUE(naLast)))
{
i=0;
while (i < ov.size())
{
val = m[col][static_cast<index_type>(ov[i].first)];
if (!isna(val))
{
ov[i++].second = val;
}
else
{
ov.erase(ov.begin()+i);
}
}
}
else
{
for (i=0; i < static_cast<size_t>(m.nrow()); ++i)
{
ov[i].second = m[col][static_cast<index_type>(ov[i].first)];
}
}
}
if (LOGICAL_VALUE(decreasing) == 0)
{
std::stable_sort(ov.begin(), ov.end(),
SecondLess<PairType>(INTEGER_VALUE(naLast)) );
}
else
{
std::stable_sort(ov.begin(), ov.end(),
SecondGreater<PairType>(INTEGER_VALUE(naLast)));
}
}
SEXP ret = PROTECT(NEW_NUMERIC(ov.size()));
double *pret = NUMERIC_DATA(ret);
for (i=0, it=ov.begin(); it < ov.end(); ++it, ++i)
{
pret[i] = it->first+1;
}
UNPROTECT(1);
return ret;
}
extern "C"
{
void ReorderRIntMatrix( SEXP matrixVector, SEXP nrow, SEXP ncol, SEXP orderVec )
{
return reorder_matrix(
MatrixAccessor<int>(INTEGER_DATA(matrixVector),
static_cast<index_type>(INTEGER_VALUE(nrow))), orderVec,
static_cast<index_type>(INTEGER_VALUE(ncol)), NULL );
}
void ReorderRNumericMatrix( SEXP matrixVector, SEXP nrow, SEXP ncol,
SEXP orderVec )
{
return reorder_matrix(
MatrixAccessor<double>(NUMERIC_DATA(matrixVector),
static_cast<index_type>(INTEGER_VALUE(nrow))), orderVec,
static_cast<index_type>(INTEGER_VALUE(ncol)), NULL );
}
void ReorderBigMatrix( SEXP address, SEXP orderVec )
{
BigMatrix *pMat = reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(address));
if (pMat->separated_columns())
{
switch (pMat->matrix_type())
{
case 1:
return reorder_matrix( SepMatrixAccessor<char>(*pMat), orderVec,
pMat->ncol(), dynamic_cast<FileBackedBigMatrix*>(pMat) );
case 2:
return reorder_matrix( SepMatrixAccessor<short>(*pMat), orderVec,
pMat->ncol(), dynamic_cast<FileBackedBigMatrix*>(pMat) );
case 4:
return reorder_matrix( SepMatrixAccessor<int>(*pMat),orderVec,
pMat->ncol(), dynamic_cast<FileBackedBigMatrix*>(pMat) );
case 8:
return reorder_matrix( SepMatrixAccessor<double>(*pMat),orderVec,
pMat->ncol(), dynamic_cast<FileBackedBigMatrix*>(pMat) );
}
}
else
{
switch (pMat->matrix_type())
{
case 1:
return reorder_matrix( MatrixAccessor<char>(*pMat),orderVec,
pMat->ncol(), dynamic_cast<FileBackedBigMatrix*>(pMat) );
case 2:
return reorder_matrix( MatrixAccessor<short>(*pMat),orderVec,
pMat->ncol(), dynamic_cast<FileBackedBigMatrix*>(pMat) );
case 4:
return reorder_matrix( MatrixAccessor<int>(*pMat),orderVec,
pMat->ncol(), dynamic_cast<FileBackedBigMatrix*>(pMat) );
case 8:
return reorder_matrix( MatrixAccessor<double>(*pMat),orderVec,
pMat->ncol(), dynamic_cast<FileBackedBigMatrix*>(pMat) );
}
}
}
SEXP OrderRIntMatrix( SEXP matrixVector, SEXP nrow, SEXP columns,
SEXP naLast, SEXP decreasing )
{
return get_order<int>(
MatrixAccessor<int>(INTEGER_DATA(matrixVector),
static_cast<index_type>(INTEGER_VALUE(nrow))),
columns, naLast, decreasing );
}
SEXP OrderRNumericMatrix( SEXP matrixVector, SEXP nrow, SEXP columns,
SEXP naLast, SEXP decreasing )
{
return get_order<double>(
MatrixAccessor<double>(NUMERIC_DATA(matrixVector),
static_cast<index_type>(INTEGER_VALUE(nrow))),
columns, naLast, decreasing );
}
SEXP OrderBigMatrix(SEXP address, SEXP columns, SEXP naLast, SEXP decreasing)
{
BigMatrix *pMat = reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(address));
if (pMat->separated_columns())
{
switch (pMat->matrix_type())
{
case 1:
return get_order<char>( SepMatrixAccessor<char>(*pMat),
columns, naLast, decreasing );
case 2:
return get_order<short>( SepMatrixAccessor<short>(*pMat),
columns, naLast, decreasing );
case 4:
return get_order<int>( SepMatrixAccessor<int>(*pMat),
columns, naLast, decreasing );
case 8:
return get_order<double>( SepMatrixAccessor<double>(*pMat),
columns, naLast, decreasing );
}
}
else
{
switch (pMat->matrix_type())
{
case 1:
return get_order<char>( MatrixAccessor<char>(*pMat),
columns, naLast, decreasing );
case 2:
return get_order<short>( MatrixAccessor<short>(*pMat),
columns, naLast, decreasing );
case 4:
return get_order<int>( MatrixAccessor<int>(*pMat),
columns, naLast, decreasing );
case 8:
return get_order<double>( MatrixAccessor<double>(*pMat),
columns, naLast, decreasing );
}
}
return R_NilValue;
}
SEXP CCleanIndices(SEXP indices, SEXP rc)
{
typedef std::vector<index_type> Indices;
double *pIndices = NUMERIC_DATA(indices);
index_type numIndices = GET_LENGTH(indices);
double maxrc = NUMERIC_VALUE(rc);
int protectCount=1;
SEXP ret = PROTECT(NEW_LIST(2));
index_type negIndexCount=0;
index_type posIndexCount=0;
index_type zeroIndexCount=0;
Indices::size_type i,j;
// See if the indices are within range, negative, positive, zero, or mixed.
for (i=0; i < static_cast<Indices::size_type>(numIndices); ++i)
{
if (static_cast<index_type>(pIndices[i]) == 0)
{
++zeroIndexCount;
}
if (static_cast<index_type>(pIndices[i]) < 0)
{
++negIndexCount;
}
if (static_cast<index_type>(pIndices[i]) > 0)
{
++posIndexCount;
}
if ( labs(static_cast<index_type>(pIndices[i])) > maxrc )
{
SET_VECTOR_ELT(ret, 0, NULL_USER_OBJECT);
SET_VECTOR_ELT(ret, 1, NULL_USER_OBJECT);
UNPROTECT(protectCount);
return ret;
}
}
if ( (zeroIndexCount == numIndices) && (numIndices > 0) )
{
protectCount += 2;
SEXP returnCond = PROTECT(NEW_LOGICAL(1));
LOGICAL_DATA(returnCond)[0] = (Rboolean)1;
SEXP newIndices = PROTECT(NEW_NUMERIC(0));
SET_VECTOR_ELT(ret, 0, returnCond);
SET_VECTOR_ELT(ret, 1, newIndices);
UNPROTECT(protectCount);
return ret;
}
if (posIndexCount > 0 && negIndexCount > 0)
{
SET_VECTOR_ELT(ret, 0, NULL_USER_OBJECT);
SET_VECTOR_ELT(ret, 1, NULL_USER_OBJECT);
UNPROTECT(protectCount);
return ret;
}
if (zeroIndexCount > 0)
{
protectCount += 2;
SEXP returnCond = PROTECT(NEW_LOGICAL(1));
LOGICAL_DATA(returnCond)[0] = (Rboolean)1;
SEXP newIndices = PROTECT(NEW_NUMERIC(posIndexCount));
double *newPIndices = NUMERIC_DATA(newIndices);
j=0;
for (i=0; i < static_cast<Indices::size_type>(numIndices); ++i)
{
if (static_cast<index_type>(pIndices[i]) != 0)
{
newPIndices[j++] = pIndices[i];
}
}
SET_VECTOR_ELT(ret, 0, returnCond);
SET_VECTOR_ELT(ret, 1, newIndices);
UNPROTECT(protectCount);
return ret;
}
else if (negIndexCount > 0)
{
// It might be better to use a data-structure other than a vector
// (sequential ordering).
Indices ind;
try
{
ind.reserve(static_cast<index_type>(maxrc));
}
catch(...)
{
SET_VECTOR_ELT(ret, 0, NULL_USER_OBJECT);
SET_VECTOR_ELT(ret, 1, NULL_USER_OBJECT);
UNPROTECT(protectCount);
return ret;
}
for (i=1; i <= static_cast<Indices::size_type>(maxrc); ++i)
{
ind.push_back(i);
}
Indices::iterator it;
for (i=0; i < static_cast<Indices::size_type>(numIndices); ++i)
{
it = std::lower_bound(ind.begin(), ind.end(),
static_cast<index_type>(-1*pIndices[i]));
if ( it != ind.end() && *it == -1*static_cast<index_type>(pIndices[i]) )
{
ind.erase(it);
}
}
if (TooManyRIndices(ind.size()))
{
SET_VECTOR_ELT(ret, 0, NULL_USER_OBJECT);
SET_VECTOR_ELT(ret, 1, NULL_USER_OBJECT);
UNPROTECT(protectCount);
return ret;
}
protectCount +=2;
SEXP returnCond = PROTECT(NEW_LOGICAL(1));
LOGICAL_DATA(returnCond)[0] = (Rboolean)1;
SEXP newIndices = PROTECT(NEW_NUMERIC(ind.size()));
double *newPIndices = NUMERIC_DATA(newIndices);
for (i=0; i < ind.size(); ++i)
{
newPIndices[i] = static_cast<double>(ind[i]);
}
SET_VECTOR_ELT(ret, 0, returnCond);
SET_VECTOR_ELT(ret, 1, newIndices);
UNPROTECT(protectCount);
return ret;
}
protectCount += 1;
SEXP returnCond = PROTECT(NEW_LOGICAL(1));
LOGICAL_DATA(returnCond)[0] = (Rboolean)0;
SET_VECTOR_ELT(ret, 0, returnCond);
SET_VECTOR_ELT(ret, 1, NULL_USER_OBJECT);
UNPROTECT(protectCount);
return ret;
}
SEXP HasRowColNames(SEXP address)
{
BigMatrix *pMat = (BigMatrix*)R_ExternalPtrAddr(address);
SEXP ret = PROTECT(NEW_LOGICAL(2));
LOGICAL_DATA(ret)[0] =
pMat->row_names().empty() ? Rboolean(0) : Rboolean(1);
LOGICAL_DATA(ret)[1] =
pMat->column_names().empty() ? Rboolean(0) : Rboolean(1);
UNPROTECT(1);
return ret;
}
SEXP GetIndexRowNames(SEXP address, SEXP indices)
{
BigMatrix *pMat = (BigMatrix*)R_ExternalPtrAddr(address);
Names rn = pMat->row_names();
return StringVec2RChar(rn, NUMERIC_DATA(indices), GET_LENGTH(indices));
}
SEXP GetIndexColNames(SEXP address, SEXP indices)
{
BigMatrix *pMat = (BigMatrix*)R_ExternalPtrAddr(address);
Names cn = pMat->column_names();
return StringVec2RChar(cn, NUMERIC_DATA(indices), GET_LENGTH(indices));
}
SEXP GetColumnNamesBM(SEXP address)
{
BigMatrix *pMat = (BigMatrix*)R_ExternalPtrAddr(address);
Names cn = pMat->column_names();
return StringVec2RChar(cn);
}
SEXP GetRowNamesBM(SEXP address)
{
BigMatrix *pMat = (BigMatrix*)R_ExternalPtrAddr(address);
Names rn = pMat->row_names();
return StringVec2RChar(rn);
}
void SetColumnNames(SEXP address, SEXP columnNames)
{
BigMatrix *pMat = (BigMatrix*) R_ExternalPtrAddr(address);
Names cn;
index_type i;
for (i=0; i < GET_LENGTH(columnNames); ++i)
cn.push_back(string(CHAR(STRING_ELT(columnNames, i))));
pMat->column_names(cn);
}
void SetRowNames(SEXP address, SEXP rowNames)
{
BigMatrix *pMat = (BigMatrix*) R_ExternalPtrAddr(address);
Names rn;
index_type i;
for (i=0; i < GET_LENGTH(rowNames); ++i)
rn.push_back(string(CHAR(STRING_ELT(rowNames, i))));
pMat->row_names(rn);
}
SEXP IsReadOnly(SEXP bigMatAddr)
{
BigMatrix *pMat = reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
SEXP ret = PROTECT(NEW_LOGICAL(1));
LOGICAL_DATA(ret)[0] = (pMat->read_only() ? (Rboolean) 1 : (Rboolean) 0);
UNPROTECT(1);
return ret;
}
SEXP CIsSubMatrix(SEXP bigMatAddr)
{
BigMatrix *pMat = reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
SEXP ret = PROTECT(NEW_LOGICAL(1));
if ( pMat->col_offset() > 0 ||
pMat->row_offset() > 0 ||
pMat->nrow() < pMat->total_rows() ||
pMat->ncol() < pMat->total_columns() )
{
LOGICAL_DATA(ret)[0] = (Rboolean) 1;
}
else
{
LOGICAL_DATA(ret)[0] = (Rboolean) 0;
}
UNPROTECT(1);
return ret;
}
SEXP CGetNrow(SEXP bigMatAddr)
{
BigMatrix *pMat = (BigMatrix*)R_ExternalPtrAddr(bigMatAddr);
SEXP ret = PROTECT(NEW_NUMERIC(1));
NUMERIC_DATA(ret)[0] = (double)pMat->nrow();
UNPROTECT(1);
return(ret);
}
SEXP CGetNcol(SEXP bigMatAddr)
{
BigMatrix *pMat = (BigMatrix*)R_ExternalPtrAddr(bigMatAddr);
SEXP ret = PROTECT(NEW_NUMERIC(1));
NUMERIC_DATA(ret)[0] = (double)pMat->ncol();
UNPROTECT(1);
return(ret);
}
SEXP CGetType(SEXP bigMatAddr)
{
BigMatrix *pMat = (BigMatrix*)R_ExternalPtrAddr(bigMatAddr);
SEXP ret = PROTECT(NEW_INTEGER(1));
INTEGER_DATA(ret)[0] = pMat->matrix_type();
UNPROTECT(1);
return(ret);
}
SEXP IsSharedMemoryBigMatrix(SEXP bigMatAddr)
{
BigMatrix *pMat = (BigMatrix*)R_ExternalPtrAddr(bigMatAddr);
SEXP ret = PROTECT(NEW_LOGICAL(1));
LOGICAL_DATA(ret)[0] =
dynamic_cast<SharedMemoryBigMatrix*>(pMat) == NULL ?
static_cast<Rboolean>(0) :
static_cast<Rboolean>(1);
UNPROTECT(1);
return ret;
}
SEXP IsFileBackedBigMatrix(SEXP bigMatAddr)
{
BigMatrix *pMat = (BigMatrix*)R_ExternalPtrAddr(bigMatAddr);
SEXP ret = PROTECT(NEW_LOGICAL(1));
LOGICAL_DATA(ret)[0] =
dynamic_cast<FileBackedBigMatrix*>(pMat) == NULL ?
static_cast<Rboolean>(0) :
static_cast<Rboolean>(1);
UNPROTECT(1);
return ret;
}
SEXP IsSeparated(SEXP bigMatAddr)
{
BigMatrix *pMat = (BigMatrix*)R_ExternalPtrAddr(bigMatAddr);
SEXP ret = PROTECT(NEW_LOGICAL(1));
LOGICAL_DATA(ret)[0] = pMat->separated_columns() ? (Rboolean)1 : (Rboolean)0;
UNPROTECT(1);
return(ret);
}
void CDestroyBigMatrix(SEXP bigMatrixAddr)
{
BigMatrix *pm=(BigMatrix*)(R_ExternalPtrAddr(bigMatrixAddr));
delete pm;
R_ClearExternalPtr(bigMatrixAddr);
}
inline bool Lcomp(double a, double b, int op) {
return(op==0 ? a<=b : a<b);
}
inline bool Gcomp(double a, double b, int op) {
return(op==0 ? a>=b : a>b);
}
} // close extern C, because the next function isn't an extern.
template<typename T, typename MatrixType>
SEXP MWhichMatrix( MatrixType mat, index_type nrow, SEXP selectColumn,
SEXP minVal, SEXP maxVal, SEXP chkMin, SEXP chkMax, SEXP opVal, double C_NA )
{
index_type numSc = GET_LENGTH(selectColumn);
double *sc = NUMERIC_DATA(selectColumn);
double *min = NUMERIC_DATA(minVal);
double *max = NUMERIC_DATA(maxVal);
int *chkmin = INTEGER_DATA(chkMin);
int *chkmax = INTEGER_DATA(chkMax);
double minV, maxV;
int ov = INTEGER_VALUE(opVal);
index_type count = 0;
index_type i,j;
double val;
for (i=0; i < nrow; ++i) {
for (j=0; j < numSc; ++j) {
minV = min[j];
maxV = max[j];
if (isna(minV)) {
minV = static_cast<T>(C_NA);
maxV = static_cast<T>(C_NA);
}
val = (double) mat[(index_type)sc[j]-1][i];
if (chkmin[j]==-1) { // this is an 'neq'
if (ov==1) {
// OR with 'neq'
if ( (minV!=val) ||
( (isna(val) && !isna(minV)) ||
(!isna(val) && isna(minV)) ) ) {
++count;
break;
}
} else {
// AND with 'neq' // if they are equal, then break out.
if ( (minV==val) || (isna(val) && isna(minV)) ) break;
}
} else { // not a 'neq'
// If it's an OR operation and it's true for one, it's true for the
// whole row.
if ( ( (Gcomp(val, minV, chkmin[j]) && Lcomp(val, maxV, chkmax[j])) ||
(isna(val) && isna(minV))) && ov==1 ) {
++count;
break;
}
// If it's an AND operation and it's false for one, it's false for
// the whole row.
if ( ( (Lcomp(val, minV, 1-chkmin[j]) || Gcomp(val, maxV, 1-chkmax[j]))
||
(isna(val) && !isna(minV)) || (!isna(val) && isna(minV)) ) &&
ov == 0 ) break;
}
}
// If it's an AND operation and it's true for each column, it's true
// for the entire row.
if (j==numSc && ov == 0) ++count;
}
if (count==0) return NEW_INTEGER(0);
SEXP ret = PROTECT(NEW_NUMERIC(count));
double *retVals = NUMERIC_DATA(ret);
index_type k = 0;
for (i=0; i < nrow; ++i) {
for (j=0; j < numSc; ++j) {
minV = min[j];
maxV = max[j];
if (isna(minV)) {
minV = static_cast<T>(C_NA);
maxV = static_cast<T>(C_NA);
}
val = (double) mat[(index_type)sc[j]-1][i];
if (chkmin[j]==-1) { // this is an 'neq'
if (ov==1) {
// OR with 'neq'
if ( (minV!=val) ||
( (isna(val) && !isna(minV)) ||
(!isna(val) && isna(minV)) ) ) {
retVals[k++] = i+1;
break;
}
} else {
// AND with 'neq' // if they are equal, then break out.
if ( (minV==val) || (isna(val) && isna(minV)) ) break;
}
} else { // not a 'neq'
if ( ( (Gcomp(val, minV, chkmin[j]) && Lcomp(val, maxV, chkmax[j])) ||
(isna(val) && isna(minV))) && ov==1 ) {
retVals[k++] = i+1;
break;
}
if (((Lcomp(val, minV, 1-chkmin[j]) || Gcomp(val, maxV, 1-chkmax[j])) ||
(isna(val) && !isna(minV)) || (!isna(val) && isna(minV)) ) &&
ov == 0 ) break;
}
} // end j loop
if (j==numSc && ov == 0) retVals[k++] = i+1;
} // end i loop
UNPROTECT(1);
return(ret);
}
template<typename T>
SEXP CreateRAMMatrix(SEXP row, SEXP col, SEXP colnames, SEXP rownames,
SEXP typeLength, SEXP ini, SEXP separated)
{
T *pMat=NULL;
try
{
pMat = new T();
if (!pMat->create( static_cast<index_type>(NUMERIC_VALUE(row)),
static_cast<index_type>(NUMERIC_VALUE(col)),
INTEGER_VALUE(typeLength),
static_cast<bool>(LOGICAL_VALUE(separated))))
{
delete pMat;
return NULL_USER_OBJECT;
}
if (colnames != NULL_USER_OBJECT)
{
pMat->column_names(RChar2StringVec(colnames));
}
if (rownames != NULL_USER_OBJECT)
{
pMat->row_names(RChar2StringVec(rownames));
}
if (GET_LENGTH(ini) != 0)
{
if (pMat->separated_columns())
{
switch (pMat->matrix_type())
{
case 1:
SetAllMatrixElements<char, SepMatrixAccessor<char> >(
pMat, ini, NA_CHAR, R_CHAR_MIN, R_CHAR_MAX, NA_REAL);
break;
case 2:
SetAllMatrixElements<short, SepMatrixAccessor<short> >(
pMat, ini, NA_SHORT, R_SHORT_MIN, R_SHORT_MAX, NA_REAL);
break;
case 4:
SetAllMatrixElements<int, SepMatrixAccessor<int> >(
pMat, ini, NA_INTEGER, R_INT_MIN, R_INT_MAX, NA_REAL);
break;
case 8:
SetAllMatrixElements<double, SepMatrixAccessor<double> >(
pMat, ini, NA_REAL, R_DOUBLE_MIN, R_DOUBLE_MAX, NA_REAL);
}
}
else
{
switch (pMat->matrix_type())
{
case 1:
SetAllMatrixElements<char, MatrixAccessor<char> >(
pMat, ini, NA_CHAR, R_CHAR_MIN, R_CHAR_MAX, NA_REAL );
break;
case 2:
SetAllMatrixElements<short, MatrixAccessor<short> >(
pMat, ini, NA_SHORT, R_SHORT_MIN, R_SHORT_MAX, NA_REAL );
break;
case 4:
SetAllMatrixElements<int, MatrixAccessor<int> >(
pMat, ini, NA_INTEGER, R_INT_MIN, R_INT_MAX, NA_REAL );
break;
case 8:
SetAllMatrixElements<double, MatrixAccessor<double> >(
pMat, ini, NA_REAL, R_DOUBLE_MIN, R_DOUBLE_MAX, NA_REAL);
}
}
}
SEXP address = R_MakeExternalPtr( dynamic_cast<BigMatrix*>(pMat),
R_NilValue, R_NilValue);
R_RegisterCFinalizerEx(address, (R_CFinalizer_t) CDestroyBigMatrix,
(Rboolean) TRUE);
return address;
}
catch(std::exception &e)
{
Rprintf("%s\n", e.what());
}
catch(...)
{
Rprintf("Exception caught while trying to create shared matrix.");
}
delete(pMat);
error("The shared matrix could not be created\n");
return(R_NilValue);
}
extern "C"{
void SetRowOffsetInfo( SEXP bigMatAddr, SEXP rowOffset, SEXP numRows )
{
BigMatrix *pMat =
reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
pMat->row_offset(static_cast<index_type>(NUMERIC_VALUE(rowOffset)));
pMat->nrow(static_cast<index_type>(NUMERIC_VALUE(numRows)));
}
void SetColumnOffsetInfo( SEXP bigMatAddr, SEXP colOffset, SEXP numCols )
{
BigMatrix *pMat =
reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
pMat->col_offset(static_cast<index_type>(NUMERIC_VALUE(colOffset)));
pMat->ncol(static_cast<index_type>(NUMERIC_VALUE(numCols)));
}
SEXP GetRowOffset( SEXP bigMatAddr )
{
BigMatrix *pMat =
reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
SEXP ret = PROTECT(NEW_NUMERIC(2));
NUMERIC_DATA(ret)[0] = pMat->row_offset();
NUMERIC_DATA(ret)[1] = pMat->nrow();
UNPROTECT(1);
return ret;
}
SEXP GetColOffset( SEXP bigMatAddr )
{
BigMatrix *pMat =
reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
SEXP ret = PROTECT(NEW_NUMERIC(2));
NUMERIC_DATA(ret)[0] = pMat->col_offset();
NUMERIC_DATA(ret)[1] = pMat->ncol();
UNPROTECT(1);
return ret;
}
SEXP GetTotalColumns( SEXP bigMatAddr )
{
BigMatrix *pMat =
reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
SEXP ret = PROTECT(NEW_NUMERIC(1));
NUMERIC_DATA(ret)[0] = pMat->total_columns();
UNPROTECT(1);
return ret;
}
SEXP GetTotalRows( SEXP bigMatAddr )
{
BigMatrix *pMat =
reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
SEXP ret = PROTECT(NEW_NUMERIC(1));
NUMERIC_DATA(ret)[0] = pMat->total_rows();
UNPROTECT(1);
return ret;
}
SEXP GetTypeString( SEXP bigMatAddr )
{
BigMatrix *pMat =
reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
SEXP ret = PROTECT(allocVector(STRSXP, 1));
switch (pMat->matrix_type())
{
case 1:
SET_STRING_ELT(ret, 0, mkChar("char"));
break;
case 2:
SET_STRING_ELT(ret, 0, mkChar("short"));
break;
case 4:
SET_STRING_ELT(ret, 0, mkChar("integer"));
break;
case 8:
SET_STRING_ELT(ret, 0, mkChar("double"));
}
UNPROTECT(1);
return ret;
}
SEXP MWhichBigMatrix( SEXP bigMatAddr, SEXP selectColumn, SEXP minVal,
SEXP maxVal, SEXP chkMin, SEXP chkMax, SEXP opVal )
{
BigMatrix *pMat =
reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
if (pMat->separated_columns())
{
switch (pMat->matrix_type())
{
case 1:
return MWhichMatrix<char>( SepMatrixAccessor<char>(*pMat),
pMat->nrow(), selectColumn, minVal, maxVal, chkMin, chkMax,
opVal, NA_CHAR);
case 2:
return MWhichMatrix<short>( SepMatrixAccessor<short>(*pMat),
pMat->nrow(), selectColumn, minVal, maxVal, chkMin, chkMax,
opVal, NA_SHORT);
case 4:
return MWhichMatrix<int>( SepMatrixAccessor<int>(*pMat),
pMat->nrow(), selectColumn, minVal, maxVal, chkMin, chkMax,
opVal, NA_INTEGER);
case 8:
return MWhichMatrix<double>( SepMatrixAccessor<double>(*pMat),
pMat->nrow(), selectColumn, minVal, maxVal, chkMin, chkMax,
opVal, NA_REAL);
}
}
else
{
switch (pMat->matrix_type())
{
case 1:
return MWhichMatrix<char>( MatrixAccessor<char>(*pMat),
pMat->nrow(), selectColumn, minVal, maxVal, chkMin, chkMax,
opVal, NA_CHAR);
case 2:
return MWhichMatrix<short>( MatrixAccessor<short>(*pMat),
pMat->nrow(), selectColumn, minVal, maxVal, chkMin, chkMax,
opVal, NA_SHORT);
case 4:
return MWhichMatrix<int>( MatrixAccessor<int>(*pMat),
pMat->nrow(), selectColumn, minVal, maxVal, chkMin, chkMax,
opVal, NA_INTEGER);
case 8:
return MWhichMatrix<double>( MatrixAccessor<double>(*pMat),
pMat->nrow(), selectColumn, minVal, maxVal, chkMin, chkMax,
opVal, NA_REAL);
}
}
return R_NilValue;
}
SEXP MWhichRIntMatrix( SEXP matrixVector, SEXP nrow, SEXP selectColumn,
SEXP minVal, SEXP maxVal, SEXP chkMin, SEXP chkMax, SEXP opVal )
{
index_type numRows = static_cast<index_type>(INTEGER_VALUE(nrow));
MatrixAccessor<int> mat(INTEGER_DATA(matrixVector), numRows);
return MWhichMatrix<int, MatrixAccessor<int> >(mat, numRows,
selectColumn, minVal, maxVal, chkMin, chkMax, opVal, NA_INTEGER);
}
SEXP MWhichRNumericMatrix( SEXP matrixVector, SEXP nrow, SEXP selectColumn,
SEXP minVal, SEXP maxVal, SEXP chkMin, SEXP chkMax, SEXP opVal )
{
index_type numRows = static_cast<index_type>(INTEGER_VALUE(nrow));
MatrixAccessor<double> mat(NUMERIC_DATA(matrixVector), numRows);
return MWhichMatrix<double, MatrixAccessor<double> >(mat, numRows,
selectColumn, minVal, maxVal, chkMin, chkMax, opVal, NA_REAL);
}
SEXP CCountLines(SEXP fileName)
{
FILE *FP;
double lineCount = 0;
char readChar;
FP = fopen(STRING_VALUE(fileName), "r");
SEXP ret = PROTECT(NEW_NUMERIC(1));
NUMERIC_DATA(ret)[0] = -1;
if (FP == NULL) return(ret);
do {
readChar = fgetc(FP);
if ('\n' == readChar) ++lineCount;
} while( readChar != EOF );
fclose(FP);
NUMERIC_DATA(ret)[0] = lineCount;
UNPROTECT(1);
return(ret);
}
SEXP ReadMatrix(SEXP fileName, SEXP bigMatAddr,
SEXP firstLine, SEXP numLines, SEXP numCols, SEXP separator,
SEXP hasRowNames, SEXP useRowNames)
{
BigMatrix *pMat = reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
if (pMat->separated_columns())
{
switch (pMat->matrix_type())
{
case 1:
return ReadMatrix<char, SepMatrixAccessor<char> >(
fileName, pMat, firstLine, numLines, numCols,
separator, hasRowNames, useRowNames, NA_CHAR, NA_CHAR, NA_CHAR,
NA_CHAR);
case 2:
return ReadMatrix<short, SepMatrixAccessor<short> >(
fileName, pMat, firstLine, numLines, numCols,
separator, hasRowNames, useRowNames, NA_SHORT, NA_SHORT, NA_SHORT,
NA_SHORT);
case 4:
return ReadMatrix<int, SepMatrixAccessor<int> >(
fileName, pMat, firstLine, numLines, numCols,
separator, hasRowNames, useRowNames, NA_INTEGER, NA_INTEGER,
NA_INTEGER, NA_INTEGER);
case 8:
return ReadMatrix<double, SepMatrixAccessor<double> >(
fileName, pMat, firstLine, numLines, numCols,
separator, hasRowNames, useRowNames, NA_REAL, R_PosInf, R_NegInf,
R_NaN);
}
}
else
{
switch (pMat->matrix_type())
{
case 1:
return ReadMatrix<char, MatrixAccessor<char> >(
fileName, pMat, firstLine, numLines, numCols,
separator, hasRowNames, useRowNames, NA_CHAR, NA_CHAR, NA_CHAR,
NA_CHAR);
case 2:
return ReadMatrix<short, MatrixAccessor<short> >(
fileName, pMat, firstLine, numLines, numCols,
separator, hasRowNames, useRowNames, NA_SHORT, NA_SHORT, NA_SHORT,
NA_SHORT);
case 4:
return ReadMatrix<int, MatrixAccessor<int> >(
fileName, pMat, firstLine, numLines, numCols,
separator, hasRowNames, useRowNames, NA_INTEGER, NA_INTEGER,
NA_INTEGER, NA_INTEGER);
case 8:
return ReadMatrix<double, MatrixAccessor<double> >(
fileName, pMat, firstLine, numLines, numCols,
separator, hasRowNames, useRowNames, NA_REAL, R_PosInf, R_NegInf,
R_NaN);
}
}
return R_NilValue;
}
void WriteMatrix( SEXP bigMatAddr, SEXP fileName, SEXP rowNames,
SEXP colNames, SEXP sep )
{
BigMatrix *pMat = reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
if (pMat->separated_columns())
{
switch (pMat->matrix_type())
{
case 1:
WriteMatrix<char, SepMatrixAccessor<char> >(
pMat, fileName, rowNames, colNames, sep, NA_CHAR);
break;
case 2:
WriteMatrix<short, SepMatrixAccessor<short> >(
pMat, fileName, rowNames, colNames, sep, NA_SHORT);
break;
case 4:
WriteMatrix<int, SepMatrixAccessor<int> >(
pMat, fileName, rowNames, colNames, sep, NA_INTEGER);
break;
case 8:
WriteMatrix<double, SepMatrixAccessor<double> >(
pMat, fileName, rowNames, colNames, sep, NA_REAL);
}
}
else
{
switch (pMat->matrix_type())
{
case 1:
WriteMatrix<char, MatrixAccessor<char> >(
pMat, fileName, rowNames, colNames, sep, NA_CHAR);
break;
case 2:
WriteMatrix<short, MatrixAccessor<short> >(
pMat, fileName, rowNames, colNames, sep, NA_SHORT);
break;
case 4:
WriteMatrix<int, MatrixAccessor<int> >(
pMat, fileName, rowNames, colNames, sep, NA_INTEGER);
break;
case 8:
WriteMatrix<double, MatrixAccessor<double> >(
pMat, fileName, rowNames, colNames, sep, NA_REAL);
}
}
}
SEXP GetMatrixElements(SEXP bigMatAddr, SEXP col, SEXP row)
{
BigMatrix *pMat =
reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
if (pMat->separated_columns())
{
switch(pMat->matrix_type())
{
case 1:
return GetMatrixElements<char, int, SepMatrixAccessor<char> >
(pMat, NA_CHAR, NA_INTEGER, col, row, INTSXP);
case 2:
return GetMatrixElements<short,int, SepMatrixAccessor<short> >
(pMat, NA_SHORT, NA_INTEGER, col, row, INTSXP);
case 4:
return GetMatrixElements<int, int, SepMatrixAccessor<int> >
(pMat, NA_INTEGER, NA_INTEGER, col, row, INTSXP);
case 8:
return GetMatrixElements<double, double, SepMatrixAccessor<double> >(
pMat, NA_REAL, NA_REAL, col, row, REALSXP);
}
}
else
{
switch(pMat->matrix_type())
{
case 1:
return GetMatrixElements<char, int, MatrixAccessor<char> >(
pMat, NA_CHAR, NA_INTEGER, col, row, INTSXP);
case 2:
return GetMatrixElements<short, int, MatrixAccessor<short> >(
pMat, NA_SHORT, NA_INTEGER, col, row, INTSXP);
case 4:
return GetMatrixElements<int, int, MatrixAccessor<int> >(
pMat, NA_INTEGER, NA_INTEGER, col, row, INTSXP);
case 8:
return GetMatrixElements<double, double, MatrixAccessor<double> >
(pMat, NA_REAL, NA_REAL, col, row, REALSXP);
}
}
return R_NilValue;
}
SEXP GetMatrixRows(SEXP bigMatAddr, SEXP row)
{
BigMatrix *pMat =
reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
if (pMat->separated_columns())
{
switch(pMat->matrix_type())
{
case 1:
return GetMatrixRows<char, int, SepMatrixAccessor<char> >
(pMat, NA_CHAR, NA_INTEGER, row, INTSXP);
case 2:
return GetMatrixRows<short,int, SepMatrixAccessor<short> >
(pMat, NA_SHORT, NA_INTEGER, row, INTSXP);
case 4:
return GetMatrixRows<int, int, SepMatrixAccessor<int> >
(pMat, NA_INTEGER, NA_INTEGER, row, INTSXP);
case 8:
return GetMatrixRows<double, double, SepMatrixAccessor<double> >(
pMat, NA_REAL, NA_REAL, row, REALSXP);
}
}
else
{
switch(pMat->matrix_type())
{
case 1:
return GetMatrixRows<char, int, MatrixAccessor<char> >(
pMat, NA_CHAR, NA_INTEGER, row, INTSXP);
case 2:
return GetMatrixRows<short, int, MatrixAccessor<short> >(
pMat, NA_SHORT, NA_INTEGER, row, INTSXP);
case 4:
return GetMatrixRows<int, int, MatrixAccessor<int> >(
pMat, NA_INTEGER, NA_INTEGER, row, INTSXP);
case 8:
return GetMatrixRows<double, double, MatrixAccessor<double> >
(pMat, NA_REAL, NA_REAL, row, REALSXP);
}
}
return R_NilValue;
}
SEXP GetMatrixCols(SEXP bigMatAddr, SEXP col)
{
BigMatrix *pMat =
reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
if (pMat->separated_columns())
{
switch(pMat->matrix_type())
{
case 1:
return GetMatrixCols<char, int, SepMatrixAccessor<char> >
(pMat, NA_CHAR, NA_INTEGER, col, INTSXP);
case 2:
return GetMatrixCols<short,int, SepMatrixAccessor<short> >
(pMat, NA_SHORT, NA_INTEGER, col, INTSXP);
case 4:
return GetMatrixCols<int, int, SepMatrixAccessor<int> >
(pMat, NA_INTEGER, NA_INTEGER, col, INTSXP);
case 8:
return GetMatrixCols<double, double, SepMatrixAccessor<double> >(
pMat, NA_REAL, NA_REAL, col, REALSXP);
}
}
else
{
switch(pMat->matrix_type())
{
case 1:
return GetMatrixCols<char, int, MatrixAccessor<char> >(
pMat, NA_CHAR, NA_INTEGER, col, INTSXP);
case 2:
return GetMatrixCols<short, int, MatrixAccessor<short> >(
pMat, NA_SHORT, NA_INTEGER, col, INTSXP);
case 4:
return GetMatrixCols<int, int, MatrixAccessor<int> >(
pMat, NA_INTEGER, NA_INTEGER, col, INTSXP);
case 8:
return GetMatrixCols<double, double, MatrixAccessor<double> >
(pMat, NA_REAL, NA_REAL, col, REALSXP);
}
}
return R_NilValue;
}
SEXP GetMatrixAll(SEXP bigMatAddr, SEXP col)
{
BigMatrix *pMat =
reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
if (pMat->separated_columns())
{
switch(pMat->matrix_type())
{
case 1:
return GetMatrixAll<char, int, SepMatrixAccessor<char> >
(pMat, NA_CHAR, NA_INTEGER, INTSXP);
case 2:
return GetMatrixAll<short,int, SepMatrixAccessor<short> >
(pMat, NA_SHORT, NA_INTEGER, INTSXP);
case 4:
return GetMatrixAll<int, int, SepMatrixAccessor<int> >
(pMat, NA_INTEGER, NA_INTEGER, INTSXP);
case 8:
return GetMatrixAll<double, double, SepMatrixAccessor<double> >(
pMat, NA_REAL, NA_REAL, REALSXP);
}
}
else
{
switch(pMat->matrix_type())
{
case 1:
return GetMatrixAll<char, int, MatrixAccessor<char> >(
pMat, NA_CHAR, NA_INTEGER, INTSXP);
case 2:
return GetMatrixAll<short, int, MatrixAccessor<short> >(
pMat, NA_SHORT, NA_INTEGER, INTSXP);
case 4:
return GetMatrixAll<int, int, MatrixAccessor<int> >(
pMat, NA_INTEGER, NA_INTEGER, INTSXP);
case 8:
return GetMatrixAll<double, double, MatrixAccessor<double> >
(pMat, NA_REAL, NA_REAL, REALSXP);
}
}
return R_NilValue;
}
void SetMatrixElements(SEXP bigMatAddr, SEXP col, SEXP row, SEXP values)
{
BigMatrix *pMat = reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
if (pMat->separated_columns())
{
switch (pMat->matrix_type())
{
case 1:
SetMatrixElements<char, int, SepMatrixAccessor<char> >(
pMat, col, row, values, NA_CHAR, R_CHAR_MIN, R_CHAR_MAX, NA_INTEGER);
break;
case 2:
SetMatrixElements<short, int, SepMatrixAccessor<short> >(
pMat, col, row, values, NA_SHORT, R_SHORT_MIN, R_SHORT_MAX,
NA_INTEGER);
break;
case 4:
SetMatrixElements<int, int, SepMatrixAccessor<int> >(
pMat, col, row, values, NA_INTEGER, R_INT_MIN, R_INT_MAX, NA_INTEGER);
break;
case 8:
SetMatrixElements<double, double, SepMatrixAccessor<double> >(
pMat, col, row, values, NA_REAL, R_DOUBLE_MIN, R_DOUBLE_MAX, NA_REAL);
}
}
else
{
switch (pMat->matrix_type())
{
case 1:
SetMatrixElements<char, int, MatrixAccessor<char> >(
pMat, col, row, values, NA_CHAR, R_CHAR_MIN, R_CHAR_MAX, NA_INTEGER);
break;
case 2:
SetMatrixElements<short, int, MatrixAccessor<short> >(
pMat, col, row, values, NA_SHORT, R_SHORT_MIN, R_SHORT_MAX,
NA_INTEGER);
break;
case 4:
SetMatrixElements<int, int, MatrixAccessor<int> >(
pMat, col, row, values, NA_INTEGER, R_INT_MIN, R_INT_MAX, NA_INTEGER);
break;
case 8:
SetMatrixElements<double, double, MatrixAccessor<double> >(
pMat, col, row, values, NA_REAL, R_DOUBLE_MIN, R_DOUBLE_MAX, NA_REAL);
}
}
}
// Function contributed by Peter Haverty at Genentech.
void SetIndivMatrixElements(SEXP bigMatAddr, SEXP col, SEXP row, SEXP values)
{
BigMatrix *pMat = reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
if (pMat->separated_columns())
{
switch (pMat->matrix_type())
{
case 1:
SetIndivMatrixElements<char, int, SepMatrixAccessor<char> >(
pMat, col, row, values, NA_CHAR, R_CHAR_MIN, R_CHAR_MAX, NA_INTEGER);
break;
case 2:
SetIndivMatrixElements<short, int, SepMatrixAccessor<short> >(
pMat, col, row, values, NA_SHORT, R_SHORT_MIN, R_SHORT_MAX, NA_INTEGER);
break;
case 4:
SetIndivMatrixElements<int, int, SepMatrixAccessor<int> >(
pMat, col, row, values, NA_INTEGER, R_INT_MIN, R_INT_MAX, NA_INTEGER);
break;
case 8:
SetIndivMatrixElements<double, double, SepMatrixAccessor<double> >(
pMat, col, row, values, NA_REAL, R_DOUBLE_MIN, R_DOUBLE_MAX, NA_REAL);
}
}
else
{
switch (pMat->matrix_type())
{
case 1:
SetIndivMatrixElements<char, int, MatrixAccessor<char> >(
pMat, col, row, values, NA_CHAR, R_CHAR_MIN, R_CHAR_MAX, NA_INTEGER);
break;
case 2:
SetIndivMatrixElements<short, int, MatrixAccessor<short> >(
pMat, col, row, values, NA_SHORT, R_SHORT_MIN, R_SHORT_MAX, NA_INTEGER);
break;
case 4:
SetIndivMatrixElements<int, int, MatrixAccessor<int> >(
pMat, col, row, values, NA_INTEGER, R_INT_MIN, R_INT_MAX, NA_INTEGER);
break;
case 8:
SetIndivMatrixElements<double, double, MatrixAccessor<double> >(
pMat, col, row, values, NA_REAL, R_DOUBLE_MIN, R_DOUBLE_MAX, NA_REAL);
}
}
}
void SetMatrixAll(SEXP bigMatAddr, SEXP values)
{
BigMatrix *pMat = reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
if (pMat->separated_columns())
{
switch (pMat->matrix_type())
{
case 1:
SetMatrixAll<char, int, SepMatrixAccessor<char> >(
pMat, values, NA_CHAR, R_CHAR_MIN, R_CHAR_MAX, NA_INTEGER);
break;
case 2:
SetMatrixAll<short, int, SepMatrixAccessor<short> >(
pMat, values, NA_SHORT, R_SHORT_MIN, R_SHORT_MAX,
NA_INTEGER);
break;
case 4:
SetMatrixAll<int, int, SepMatrixAccessor<int> >(
pMat, values, NA_INTEGER, R_INT_MIN, R_INT_MAX, NA_INTEGER);
break;
case 8:
SetMatrixAll<double, double, SepMatrixAccessor<double> >(
pMat, values, NA_REAL, R_DOUBLE_MIN, R_DOUBLE_MAX, NA_REAL);
}
}
else
{
switch (pMat->matrix_type())
{
case 1:
SetMatrixAll<char, int, MatrixAccessor<char> >(
pMat, values, NA_CHAR, R_CHAR_MIN, R_CHAR_MAX, NA_INTEGER);
break;
case 2:
SetMatrixAll<short, int, MatrixAccessor<short> >(
pMat, values, NA_SHORT, R_SHORT_MIN, R_SHORT_MAX,
NA_INTEGER);
break;
case 4:
SetMatrixAll<int, int, MatrixAccessor<int> >(
pMat, values, NA_INTEGER, R_INT_MIN, R_INT_MAX, NA_INTEGER);
break;
case 8:
SetMatrixAll<double, double, MatrixAccessor<double> >(
pMat, values, NA_REAL, R_DOUBLE_MIN, R_DOUBLE_MAX, NA_REAL);
}
}
}
void SetMatrixCols(SEXP bigMatAddr, SEXP col, SEXP values)
{
BigMatrix *pMat = reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
if (pMat->separated_columns())
{
switch (pMat->matrix_type())
{
case 1:
SetMatrixCols<char, int, SepMatrixAccessor<char> >(
pMat, col, values, NA_CHAR, R_CHAR_MIN, R_CHAR_MAX, NA_INTEGER);
break;
case 2:
SetMatrixCols<short, int, SepMatrixAccessor<short> >(
pMat, col, values, NA_SHORT, R_SHORT_MIN, R_SHORT_MAX,
NA_INTEGER);
break;
case 4:
SetMatrixCols<int, int, SepMatrixAccessor<int> >(
pMat, col, values, NA_INTEGER, R_INT_MIN, R_INT_MAX, NA_INTEGER);
break;
case 8:
SetMatrixCols<double, double, SepMatrixAccessor<double> >(
pMat, col, values, NA_REAL, R_DOUBLE_MIN, R_DOUBLE_MAX, NA_REAL);
}
}
else
{
switch (pMat->matrix_type())
{
case 1:
SetMatrixCols<char, int, MatrixAccessor<char> >(
pMat, col, values, NA_CHAR, R_CHAR_MIN, R_CHAR_MAX, NA_INTEGER);
break;
case 2:
SetMatrixCols<short, int, MatrixAccessor<short> >(
pMat, col, values, NA_SHORT, R_SHORT_MIN, R_SHORT_MAX,
NA_INTEGER);
break;
case 4:
SetMatrixCols<int, int, MatrixAccessor<int> >(
pMat, col, values, NA_INTEGER, R_INT_MIN, R_INT_MAX, NA_INTEGER);
break;
case 8:
SetMatrixCols<double, double, MatrixAccessor<double> >(
pMat, col, values, NA_REAL, R_DOUBLE_MIN, R_DOUBLE_MAX, NA_REAL);
}
}
}
void SetMatrixRows(SEXP bigMatAddr, SEXP row, SEXP values)
{
BigMatrix *pMat = reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
if (pMat->separated_columns())
{
switch (pMat->matrix_type())
{
case 1:
SetMatrixRows<char, int, SepMatrixAccessor<char> >(
pMat, row, values, NA_CHAR, R_CHAR_MIN, R_CHAR_MAX, NA_INTEGER);
break;
case 2:
SetMatrixRows<short, int, SepMatrixAccessor<short> >(
pMat, row, values, NA_SHORT, R_SHORT_MIN, R_SHORT_MAX,
NA_INTEGER);
break;
case 4:
SetMatrixRows<int, int, SepMatrixAccessor<int> >(
pMat, row, values, NA_INTEGER, R_INT_MIN, R_INT_MAX, NA_INTEGER);
break;
case 8:
SetMatrixRows<double, double, SepMatrixAccessor<double> >(
pMat, row, values, NA_REAL, R_DOUBLE_MIN, R_DOUBLE_MAX, NA_REAL);
}
}
else
{
switch (pMat->matrix_type())
{
case 1:
SetMatrixRows<char, int, MatrixAccessor<char> >(
pMat, row, values, NA_CHAR, R_CHAR_MIN, R_CHAR_MAX, NA_INTEGER);
break;
case 2:
SetMatrixRows<short, int, MatrixAccessor<short> >(
pMat, row, values, NA_SHORT, R_SHORT_MIN, R_SHORT_MAX,
NA_INTEGER);
break;
case 4:
SetMatrixRows<int, int, MatrixAccessor<int> >(
pMat, row, values, NA_INTEGER, R_INT_MIN, R_INT_MAX, NA_INTEGER);
break;
case 8:
SetMatrixRows<double, double, MatrixAccessor<double> >(
pMat, row, values, NA_REAL, R_DOUBLE_MIN, R_DOUBLE_MAX, NA_REAL);
}
}
}
// WHERE IS THIS CALLED FROM? Maybe only from C, not from R?
// We might like to be able to do this recycling efficiently in other
// cases? I thought we did.
void SetAllMatrixElements(SEXP bigMatAddr, SEXP value)
{
BigMatrix *pMat = reinterpret_cast<BigMatrix*>(R_ExternalPtrAddr(bigMatAddr));
if (pMat->separated_columns())
{
switch (pMat->matrix_type())
{
case 1:
SetAllMatrixElements<char, SepMatrixAccessor<char> >(
pMat, value, NA_CHAR, R_CHAR_MIN, R_CHAR_MAX, NA_REAL);
break;
case 2:
SetAllMatrixElements<short, SepMatrixAccessor<short> >(
pMat, value, NA_SHORT, R_SHORT_MIN, R_SHORT_MAX, NA_REAL);
break;
case 4:
SetAllMatrixElements<int, SepMatrixAccessor<int> >(
pMat, value, NA_INTEGER, R_INT_MIN, R_INT_MAX, NA_REAL);
break;
case 8:
SetAllMatrixElements<double, SepMatrixAccessor<double> >(
pMat, value, NA_REAL, R_DOUBLE_MIN, R_DOUBLE_MAX, NA_REAL);
}
}
else
{
switch (pMat->matrix_type())
{
case 1:
SetAllMatrixElements<char, MatrixAccessor<char> >(
pMat, value, NA_CHAR, R_CHAR_MIN, R_CHAR_MAX, NA_REAL);
break;
case 2:
SetAllMatrixElements<short, MatrixAccessor<short> >(
pMat, value, NA_SHORT, R_SHORT_MIN, R_SHORT_MAX, NA_REAL);
break;
case 4:
SetAllMatrixElements<int, MatrixAccessor<int> >(
pMat, value, NA_INTEGER, R_INT_MIN, R_INT_MAX, NA_REAL);
break;
case 8:
SetAllMatrixElements<double, MatrixAccessor<double> >(
pMat, value, NA_REAL, R_DOUBLE_MIN, R_DOUBLE_MAX, NA_REAL);
}
}
}
SEXP CreateSharedMatrix(SEXP row, SEXP col, SEXP colnames, SEXP rownames,
SEXP typeLength, SEXP ini, SEXP separated)
{
return CreateRAMMatrix<SharedMemoryBigMatrix>(row, col, colnames,
rownames, typeLength, ini, separated);
}
SEXP CreateLocalMatrix(SEXP row, SEXP col, SEXP colnames, SEXP rownames,
SEXP typeLength, SEXP ini, SEXP separated)
{
return CreateRAMMatrix<LocalBigMatrix>(row, col, colnames,
rownames, typeLength, ini, separated);
}
void* GetDataPtr(SEXP address)
{
SharedBigMatrix *pMat =
reinterpret_cast<SharedBigMatrix*>(R_ExternalPtrAddr(address));
return pMat->data_ptr();
}
SEXP CreateFileBackedBigMatrix(SEXP fileName, SEXP filePath, SEXP row,
SEXP col, SEXP colnames, SEXP rownames, SEXP typeLength, SEXP ini,
SEXP separated)
{
try
{
FileBackedBigMatrix *pMat = new FileBackedBigMatrix();
string fn;
string path = ((filePath == NULL_USER_OBJECT) ?
"" :
RChar2String(filePath));
if (isNull(fileName))
{
fn=pMat->uuid()+".bin";
}
else
{
fn = RChar2String(fileName);
}
if (!pMat->create( fn, RChar2String(filePath),
static_cast<index_type>(NUMERIC_VALUE(row)),
static_cast<index_type>(NUMERIC_VALUE(col)),
INTEGER_VALUE(typeLength),
static_cast<bool>(LOGICAL_VALUE(separated))))
{
delete pMat;
error("Problem creating filebacked matrix.");
return NULL_USER_OBJECT;
}
if (colnames != NULL_USER_OBJECT)
{
pMat->column_names(RChar2StringVec(colnames));
}
if (rownames != NULL_USER_OBJECT)
{
pMat->row_names(RChar2StringVec(rownames));
}
if (GET_LENGTH(ini) != 0)
{
if (pMat->separated_columns())
{
switch (pMat->matrix_type())
{
case 1:
SetAllMatrixElements<char, SepMatrixAccessor<char> >(
pMat, ini, NA_CHAR, R_CHAR_MIN, R_CHAR_MAX, NA_REAL);
break;
case 2:
SetAllMatrixElements<short, SepMatrixAccessor<short> >(
pMat, ini, NA_SHORT, R_SHORT_MIN, R_SHORT_MAX, NA_REAL);
break;
case 4:
SetAllMatrixElements<int, SepMatrixAccessor<int> >(
pMat, ini, NA_INTEGER, R_INT_MIN, R_INT_MAX, NA_REAL);
break;
case 8:
SetAllMatrixElements<double, SepMatrixAccessor<double> >(
pMat, ini, NA_REAL, R_DOUBLE_MIN, R_DOUBLE_MAX, NA_REAL);
}
}
else
{
switch (pMat->matrix_type())
{
case 1:
SetAllMatrixElements<char, MatrixAccessor<char> >(
pMat, ini, NA_CHAR, R_CHAR_MIN, R_CHAR_MAX, NA_REAL);
break;
case 2:
SetAllMatrixElements<short, MatrixAccessor<short> >(
pMat, ini, NA_SHORT, R_SHORT_MIN, R_SHORT_MAX, NA_REAL);
break;
case 4:
SetAllMatrixElements<int, MatrixAccessor<int> >(
pMat, ini, NA_INTEGER, R_INT_MIN, R_INT_MAX, NA_REAL);
break;
case 8:
SetAllMatrixElements<double, MatrixAccessor<double> >(
pMat, ini, NA_REAL, R_DOUBLE_MIN, R_DOUBLE_MAX, NA_REAL);
}
}
}
SEXP address = R_MakeExternalPtr( dynamic_cast<BigMatrix*>(pMat),
R_NilValue, R_NilValue);
R_RegisterCFinalizerEx(address, (R_CFinalizer_t) CDestroyBigMatrix,
(Rboolean) TRUE);
return address;
}
catch(std::exception &e)
{
Rprintf("%s\n", e.what());
}
catch(...)
{
Rprintf("Unspecified problem trying to create big.matrix\n");
}
return R_NilValue;
}
SEXP CAttachSharedBigMatrix(SEXP sharedName, SEXP rows, SEXP cols,
SEXP rowNames, SEXP colNames, SEXP typeLength, SEXP separated,
SEXP readOnly)
{
SharedMemoryBigMatrix *pMat = new SharedMemoryBigMatrix();
bool connected = pMat->connect(
string(CHAR(STRING_ELT(sharedName,0))),
static_cast<index_type>(NUMERIC_VALUE(rows)),
static_cast<index_type>(NUMERIC_VALUE(cols)),
INTEGER_VALUE(typeLength),
static_cast<bool>(LOGICAL_VALUE(separated)),
static_cast<bool>(LOGICAL_VALUE(readOnly)));
if (!connected)
{
delete pMat;
return NULL_USER_OBJECT;
}
if (GET_LENGTH(colNames) > 0)
{
pMat->column_names(RChar2StringVec(colNames));
}
if (GET_LENGTH(rowNames) > 0)
{
pMat->row_names(RChar2StringVec(rowNames));
}
SEXP address = R_MakeExternalPtr( dynamic_cast<BigMatrix*>(pMat),
R_NilValue, R_NilValue);
R_RegisterCFinalizerEx(address, (R_CFinalizer_t) CDestroyBigMatrix,
(Rboolean) TRUE);
return address;
}
SEXP CAttachFileBackedBigMatrix(SEXP fileName,
SEXP filePath, SEXP rows, SEXP cols, SEXP rowNames, SEXP colNames,
SEXP typeLength, SEXP separated, SEXP readOnly)
{
FileBackedBigMatrix *pMat = new FileBackedBigMatrix();
bool connected = pMat->connect(
string(CHAR(STRING_ELT(fileName,0))),
string(CHAR(STRING_ELT(filePath,0))),
static_cast<index_type>(NUMERIC_VALUE(rows)),
static_cast<index_type>(NUMERIC_VALUE(cols)),
INTEGER_VALUE(typeLength),
static_cast<bool>(LOGICAL_VALUE(separated)),
static_cast<bool>(LOGICAL_VALUE(readOnly)));
if (!connected)
{
delete pMat;
return NULL_USER_OBJECT;
}
if (GET_LENGTH(colNames) > 0)
{
pMat->column_names(RChar2StringVec(colNames));
}
if (GET_LENGTH(rowNames) > 0)
{
pMat->row_names(RChar2StringVec(rowNames));
}
SEXP address = R_MakeExternalPtr( dynamic_cast<BigMatrix*>(pMat),
R_NilValue, R_NilValue);
R_RegisterCFinalizerEx(address, (R_CFinalizer_t) CDestroyBigMatrix,
(Rboolean) TRUE);
return address;
}
SEXP SharedName( SEXP address )
{
BigMatrix *pMat = (BigMatrix*)R_ExternalPtrAddr(address);
SharedMemoryBigMatrix *psmbm = dynamic_cast<SharedMemoryBigMatrix*>(pMat);
if (psmbm) return String2RChar(psmbm->shared_name());
error("Object is not a shared memory big.matrix.");
return R_NilValue;
}
SEXP FileName( SEXP address )
{
BigMatrix *pMat = (BigMatrix*)R_ExternalPtrAddr(address);
FileBackedBigMatrix *pfbbm = dynamic_cast<FileBackedBigMatrix*>(pMat);
if (pfbbm) return String2RChar(pfbbm->file_name());
error("Object is not a filebacked big.matrix.");
return R_NilValue;
}
SEXP Flush( SEXP address )
{
FileBackedBigMatrix *pMat =
reinterpret_cast<FileBackedBigMatrix*>(R_ExternalPtrAddr(address));
FileBackedBigMatrix *pfbbm = dynamic_cast<FileBackedBigMatrix*>(pMat);
SEXP ret = PROTECT(NEW_LOGICAL(1));
if (pfbbm)
{
LOGICAL_DATA(ret)[0] = pfbbm->flush() ? (Rboolean)TRUE : Rboolean(FALSE);
}
else
{
LOGICAL_DATA(ret)[0] = (Rboolean)FALSE;
error("Object is not a filebacked big.matrix");
}
UNPROTECT(1);
return ret;
}
SEXP IsShared( SEXP address )
{
FileBackedBigMatrix *pMat =
reinterpret_cast<FileBackedBigMatrix*>(R_ExternalPtrAddr(address));
SEXP ret = PROTECT(NEW_LOGICAL(1));
LOGICAL_DATA(ret)[0] = pMat->shared() ? (Rboolean)TRUE : Rboolean(FALSE);
UNPROTECT(1);
return ret;
}
SEXP isnil(SEXP address)
{
void *ptr = R_ExternalPtrAddr(address);
SEXP ret = PROTECT(NEW_LOGICAL(1));
LOGICAL_DATA(ret)[0] = (ptr==NULL) ? (Rboolean)TRUE : Rboolean(FALSE);
UNPROTECT(1);
return(ret);
}
} // extern "C"
| [
"csardi.gabor@gmail.com"
] | csardi.gabor@gmail.com |
08ec022680afe8a91c54ab38fc11dbb3f86451d0 | d08c09faa34d45803905f299fa205035d044276c | /Challanges/19-IOAndStreams/Source/Utility.cpp | c5f9d4d0d63767a7f19677c4e47c5013f31df1bc | [] | no_license | YvesGingras/Course-BeginningCppProgramming | 2acdc35097112e776d260c06ba629e82bc4a454a | 5a32a6fb62b74713cdf245a68d0f045a72bed0b4 | refs/heads/master | 2020-03-09T14:15:31.088204 | 2018-07-29T18:46:14 | 2018-07-29T18:46:14 | 128,830,359 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,088 | cpp | //
// Created by Yves Gingras on 18-06-02.
//
#include <string>
#include "Utility.h"
using namespace std;
void Utility::CalculateScoresChallenge2(string& answer, const vector<string>& studentsAnswers,
vector<int>& studentsScores) {
for (auto& studentsAnswer : studentsAnswers) {
int currentScore{};
for (size_t j = 0; j < studentsAnswer.length()-1; ++j) {
if (studentsAnswer.at(j) == answer.at(j)) {
++currentScore;
}
}
studentsScores.push_back(currentScore);
}
}
double Utility::CalculateAverageChallenge2(const vector<int>& studentsScores) {
double scoresAverage{};
int scoresTotal{};
for (auto&& score : studentsScores) {
scoresTotal += score;
}
scoresAverage = static_cast<double>(scoresTotal) / studentsScores.size();
return scoresAverage;
}
bool Utility::IsSubstringPresentChallenge3(const string& searchSubString, const string& word) {
size_t position = word.find(searchSubString);
return position != string::npos;
} | [
"yves.gingras@icloud.com"
] | yves.gingras@icloud.com |
197196a21d5f6c41a492700820eb770f17bf6c64 | e852db959160bca73173529dd24266f6d546354c | /Pacwoman/pacWoman.cpp | e12d6641fcf1daa4cd11b5d3ab3c848e47b27ccd | [] | no_license | paxsentry/Pacwoman | ac1a66f7bab53561b38c918f31477de918b94344 | eeff16df633c273055f2114a43ec32012eac6b6c | refs/heads/master | 2020-12-30T13:46:07.631460 | 2017-05-25T18:57:09 | 2017-05-25T18:57:09 | 91,250,612 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,705 | cpp | #include "pacWoman.h"
PacWoman::PacWoman(sf::Texture& texture)
:m_visual(texture),
m_isDead(false),
m_isDying(false)
{
setOrigin(20, 20);
m_runAnimator.addFrame(sf::IntRect(0, 32, 40, 40));
m_runAnimator.addFrame(sf::IntRect(0, 72, 40, 40));
m_dieAnimator.addFrame(sf::IntRect(0, 32, 40, 40));
m_dieAnimator.addFrame(sf::IntRect(0, 72, 40, 40));
m_dieAnimator.addFrame(sf::IntRect(0, 112, 40, 40));
m_dieAnimator.addFrame(sf::IntRect(40, 112, 40, 40));
m_dieAnimator.addFrame(sf::IntRect(80, 112, 40, 40));
m_dieAnimator.addFrame(sf::IntRect(120, 112, 40, 40));
m_dieAnimator.addFrame(sf::IntRect(160, 112, 40, 40));
m_runAnimator.play(sf::seconds(0.25), true);
}
void PacWoman::die()
{
if (!m_isDying)
{
m_dieAnimator.play(sf::seconds(1), false);
m_isDying = true;
}
}
bool PacWoman::isDying() const
{
return m_isDying;
}
bool PacWoman::isDead() const
{
return m_isDead;
}
void PacWoman::draw(sf::RenderTarget & target, sf::RenderStates states) const
{
states.transform *= getTransform();
if (!m_isDead)
{
target.draw(m_visual, states);
}
}
void PacWoman::update(sf::Time delta)
{
if (!m_isDead && !m_isDying)
{
m_runAnimator.update(delta);
m_runAnimator.animate(m_visual);
}
else
{
m_dieAnimator.animate(m_visual);
if (!m_dieAnimator.isPlaying())
{
m_isDying = false;
m_isDead = true;
}
}
Character::update(delta);
}
void PacWoman::reset()
{
m_isDying = false;
m_isDead = false;
m_runAnimator.play(sf::seconds(0.25), true);
m_runAnimator.animate(m_visual);
} | [
"paxsentry@gmail.com"
] | paxsentry@gmail.com |
567470fb16e23573e4f10432b5752833717b4768 | 85de750f564f4eb5559300686e3003bb7f7bec2d | /BattleTanks/Source/BattleTanks/Public/TankMovementComponent.h | 831508e27b3795774b0013a59dc9d3b6b958c90b | [] | no_license | rsofista/udemy_unreal_course_tanks | 87623ded33ddcecc6e63211c2ee6ad012845980e | 6419b86b9cc91c4063ef7d1b353423b48a3ccbdb | refs/heads/master | 2018-09-01T23:33:59.216276 | 2018-06-04T01:35:01 | 2018-06-04T01:35:01 | 107,821,854 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 836 | h | // Fill out your copyright notice in the Description page of Project Settings.
#pragma once
#include "CoreMinimal.h"
#include "GameFramework/NavMovementComponent.h"
#include "TankMovementComponent.generated.h"
class UTankTrack;
/**
*
*/
UCLASS(meta = (BlueprintSpawnableComponent))
class BATTLETANKS_API UTankMovementComponent : public UNavMovementComponent
{
GENERATED_BODY()
public:
UFUNCTION(BlueprintCallable, Category = Input)
void SetTankTracks(UTankTrack* LeftTrack, UTankTrack* RightTrack);
UFUNCTION(BlueprintCallable, Category = Input)
void MoveFoward(float Throw);
UFUNCTION(BlueprintCallable, Category = Input)
void MoveRight(float Throw);
void RequestDirectMove(const FVector& MoveVelocity, bool bForceMaxSpeed) override;
private:
UTankTrack* LeftTrack = nullptr;
UTankTrack* RightTrack = nullptr;
};
| [
"lucasibsteffen@gmail.com"
] | lucasibsteffen@gmail.com |
380c7046d609b81358d45e12bc7b4319421756de | 774e8271f37d0f370151ee796d49f47593127130 | /Tek2/Semester4/CPP/cpp_bomberman/includes/Ia.hh | 759b8e2b3d70d8f5866b26f9795b3c37ef2aa9e6 | [] | no_license | GaldanM/Epitech | 9253e76e7f0659091db9d6747830f14ad1d19b77 | 6aa85081747965a1d50bbdbdae238a8a2ea8bc49 | refs/heads/master | 2021-03-30T17:20:08.304384 | 2018-01-07T10:36:00 | 2018-01-07T10:36:00 | 87,180,084 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 258 | hh | #ifndef BOMBERMAN_Ia_H
# define BOMBERMAN_Ia_H
# include "ACharacter.hh"
class Ia : public ACharacter
{
public:
Ia(const float, const float);
virtual ~Ia();
virtual void update(const gdl::Clock&, gdl::Input&, Map *map);
};
#endif /* BOMBERMAN_Ia_H */
| [
"g.moulinneuf@outlook.fr"
] | g.moulinneuf@outlook.fr |
1d2cb20d0b6088b756a85a24106359b8e5fe055c | a758a4a4f973557ea7d65ff10aec832dae22bdab | /SDL2Template/main.cpp | e68ad46cdd4bebc910dcc199b339d6b9e05756ec | [
"BSD-3-Clause"
] | permissive | InBetweenNames/SDL2Template | 8ced01f48848d8c663e20e7bc2ddc0d2cc7c2685 | 66e54facc36ef9cd6b279bc1203a605f0a2e3ee6 | refs/heads/master | 2020-04-15T03:58:37.762108 | 2019-03-11T22:03:38 | 2019-03-11T22:03:38 | 164,367,146 | 3 | 2 | null | null | null | null | UTF-8 | C++ | false | false | 35,082 | cpp | #pragma warning(push, 0)
#pragma warning(disable : ALL_CODE_ANALYSIS_WARNINGS)
#include <SDL.h>
#include <SDL_ttf.h>
#include <Eigen/Dense>
#include <Eigen/StdVector>
#include <cmath>
#include <cstdint>
#include <cstdio>
#include <cstdlib>
#include <stdexcept>
#pragma warning(pop)
#define M_PI_F 3.14159265358979323846264338327950288f
template <typename T> using AlignedVector = std::vector<T, Eigen::aligned_allocator<T>>;
#ifdef __EMSCRIPTEN__
#include <emscripten.h>
static constexpr float mouseSensitivity = 1;
#else
inline uint32_t game_running = 0;
void emscripten_cancel_main_loop() { game_running = 0; }
void emscripten_set_main_loop_arg(void (*fcn)(void*), void* const arg, uint32_t const fps, int const)
{
uint32_t const MPF = fps > 0 ? 1000 / fps : 1000 / 60; // milliseconds per frame
// Only render a frame if at least the MPF has been passed in time
// If the time has not been passed, pop and process one event from
// the event queue. So, for fast computers, many events will be processed
// in a single frame. But for slow computers, only one event will be
// popped and processed in a single frame. Beneficial because on a slow
// computer, if all events were popped at once, if the W key were tapped
// for instance, it would add to the zdiff variable and subtract from it
// before MovePlayer would have a chance to do anything. In this case,
// the player might move too far, but at least the player moved.
game_running = 1;
while (game_running)
{
uint32_t const startTime = SDL_GetTicks();
fcn(arg);
uint32_t const endTime = SDL_GetTicks();
uint32_t const timeDiff = endTime - startTime;
if (timeDiff < MPF)
{
SDL_Delay(MPF - timeDiff); // Sleep for the remainder of the time to maintain FPS
}
}
}
static constexpr float mouseSensitivity = 0.1f;
#endif
struct Entity
{
Entity(std::string_view const _name, SDL_Surface* const _texture, Eigen::Vector3f const& _pos) noexcept
: name{_name}, texture{_texture}, pos{_pos}
{
}
std::string name;
SDL_Surface* texture;
Eigen::Vector3f pos; // x, y, h
EIGEN_MAKE_ALIGNED_OPERATOR_NEW
};
// Player location, direction, and speed
struct direction
{
direction() : pos{0.0f, 48.0f, 0.0f}, theta{M_PI_F / 2}, c{400.0f}, speed{192.0f / 1000.0f} {}
// Direction vector
// Eigen::Vector2f p;
// Normal vector (must point east in screenspace)
// Eigen::Vector2f n;
// Player position
Eigen::Vector3f pos;
// Player angle from X axis
float theta;
// Camera properties
float c; // Distance from lens (TODO: move to projection matrix)
// Player speed
float speed; // Units per millisecond
};
// Key states
struct movement
{
float xdiff; // Whether A(-1) or D(1) is down
float zdiff; // Whether W(1) or S(-1) is down
float hdiff; // Whether T(1) or G(-1) is down
float cdiff; // Whether Y(-1) or H(1) is down
};
// Render properties
// Defaults: 640x480 at 35fps native (DOOM), vsync for emscripten
struct GameResources
{
SDL_Window* window;
SDL_Renderer* renderer;
SDL_Texture* texture;
SDL_Surface* display;
SDL_Surface* floor;
SDL_Surface* skyTranspose;
SDL_Surface* wallFrontTranspose;
SDL_Surface* wallBackTranspose;
SDL_Surface* columnSprite;
SDL_Surface* healthSprite;
SDL_Surface* vialSprite;
SDL_Surface* doomGuy[8];
TTF_Font* font;
AlignedVector<Entity> entities;
direction dir;
movement move = {};
Eigen::Matrix4f viewInverse = Eigen::Matrix4f::Identity();
Eigen::Matrix4f view = Eigen::Matrix4f::Identity();
uint32_t windowID;
~GameResources() noexcept
{
TTF_CloseFont(font);
SDL_FreeSurface(floor);
SDL_FreeSurface(skyTranspose);
SDL_FreeSurface(wallFrontTranspose);
SDL_FreeSurface(wallBackTranspose);
SDL_FreeSurface(display);
SDL_FreeSurface(columnSprite);
SDL_FreeSurface(healthSprite);
SDL_FreeSurface(vialSprite);
for (size_t i = 0; i < 8; i++)
{
SDL_FreeSurface(doomGuy[i]);
}
SDL_DestroyTexture(texture);
SDL_DestroyRenderer(renderer);
SDL_DestroyWindow(window);
}
EIGEN_MAKE_ALIGNED_OPERATOR_NEW
};
void MovePlayer(direction& dir, Eigen::Matrix4f const& viewInverse, movement const& move, uint32_t const timediff)
{
// Position vector
dir.pos +=
dir.speed * timediff * viewInverse.topLeftCorner<3, 3>() * Eigen::Vector3f{move.xdiff, move.hdiff, move.zdiff};
// Adjust focal length of camera (TODO: move to projection matrix)
dir.c += move.cdiff * dir.speed * timediff;
}
void UpdateViewMatrices(direction const& dir, Eigen::Matrix4f& viewInverse, Eigen::Matrix4f& view)
{
// viewInverse already initialized to Identity on startup
// Upper left corner is a rotation matrix -- playing field is the XZ plane
viewInverse.topLeftCorner<3, 3>() = Eigen::AngleAxis<float>{dir.theta, Eigen::Vector3f{0, 1, 0}}.toRotationMatrix();
// View inverse X should be going in scanline direction (left-handed)
viewInverse.col(0) *= -1;
// dir.p.x() = std::cos(dir.theta);
// dir.p.y() = std::sin(dir.theta);
// dir.n.x() = dir.p.y();
// dir.n.y() = -dir.p.x();
viewInverse.topRightCorner<3, 1>() = dir.pos;
// Travel along normal
// dir.pos.topRows<2>() += dir.speed * timediff * move.xdiff * dir.n;
// Travel along direction vector
// dir.pos.topRows<2>() += dir.speed * timediff * move.zdiff * dir.p;
// Move height of camera
// dir.pos(2) += move.hdiff * dir.speed * timediff;
// Adjust focal length of camera (TODO: move to projection matrix)
// dir.c += move.cdiff * dir.speed * timediff;
// view = Eigen::Matrix4f::Identity(); // not required as view was already
// initialized to I float inverseC = 1.0f / viewInverse(3, 3);
view.topLeftCorner<3, 3>() = viewInverse.topLeftCorner<3, 3>().transpose();
view.topRightCorner<3, 1>() = -view.topLeftCorner<3, 3>() * dir.pos; // * inverseC;
// view(3, 3) = inverseC;
}
int ProcessEvent(direction& dir, movement& move, uint32_t windowID)
{
char e = 0;
static SDL_Event event;
while (SDL_PollEvent(&event))
{
switch (event.type)
{
case SDL_WINDOWEVENT:
if (event.window.windowID == windowID)
{
switch (event.window.event)
{
/*case SDL_WINDOWEVENT_SIZE_CHANGED: {
width = event.window.data1;
height = event.window.data2;
break;
}*/
case SDL_WINDOWEVENT_CLOSE:
SDL_LogInfo(SDL_LOG_CATEGORY_APPLICATION, "Window closed\n");
event.type = SDL_QUIT;
SDL_PushEvent(&event);
break;
default:
break;
}
}
break;
case SDL_QUIT:
SDL_LogInfo(SDL_LOG_CATEGORY_APPLICATION, "SDL_QUIT!\n");
return 0; // 0 -- signal terminate program
case SDL_KEYUP:
case SDL_KEYDOWN:
if (event.key.repeat != 0)
{
break;
}
// Because I'm lazy: e is positive or negative depending
// on whether it's a keyup or keydown
e = SDL_KEYDOWN == event.type ? 1 : -1;
switch (event.key.keysym.sym)
{
case SDLK_w: // forward
move.zdiff += e;
break;
case SDLK_s: // backward
move.zdiff -= e;
break;
case SDLK_a: // left
move.xdiff -= e;
break;
case SDLK_d: // right
move.xdiff += e;
break;
case SDLK_t: // height up
move.hdiff += e;
break;
case SDLK_g: // height down
move.hdiff -= e;
break;
case SDLK_y: // viewer-to-camera distance decrease (zoom out)
move.cdiff -= e; // slower
break;
case SDLK_h: // viewer-to-camera distance increase (zoom in)
move.cdiff += e; // slower
break;
default:
break;
}
break;
case SDL_MOUSEMOTION:
if (SDL_GetRelativeMouseMode() == SDL_TRUE)
{
// dir.theta += event.motion.xrel;
// xrel: west negative, east positive
// yrel: north negative, south positive
// Use negative to map positive to west and negative to east (right
// handed system)
float const worldPixelAngle = std::atan2(float(event.motion.xrel) * mouseSensitivity, dir.c);
dir.theta -= worldPixelAngle;
// Ugly, but it works
dir.theta /= 2 * M_PI_F;
dir.theta = dir.theta - floor(dir.theta);
dir.theta *= 2 * M_PI_F;
}
break;
case SDL_MOUSEBUTTONUP:
SDL_SetRelativeMouseMode(SDL_GetRelativeMouseMode() ? SDL_FALSE : SDL_TRUE);
break;
}
}
return 1; // 1 - signal something processed
}
// Tex must be 64x64.
// 0 <= x1 < x <= surface->w.
// 0 <= y < surface->h.
void DrawSpan(SDL_Surface* surface, SDL_Surface* tex, Eigen::Matrix4f const& viewInverse, float c, int x1, int x2,
int y)
{
uint32_t* dst = (static_cast<uint32_t*>(surface->pixels)) + (surface->w) * y + x1;
int count = x2 - x1;
y = y - surface->h / 2; // South of screen is positive
x1 = x1 - surface->w / 2; // West of screen is negative
x2 = x2 - surface->w / 2; // East of screen is positive
float const cameraHeight = viewInverse(1, 3);
Eigen::Vector2f const directionVector = Eigen::Vector2f{viewInverse(0, 2), viewInverse(2, 2)};
Eigen::Vector2f const normalVector = Eigen::Vector2f{viewInverse(0, 0), viewInverse(2, 0)};
Eigen::Vector2f const position2D = Eigen::Vector2f{viewInverse(0, 3), viewInverse(2, 3)};
//(tx, ty) = (h/y)(c*d + x*n) + pos
// float ty = (dir.hpos / y) * (dir.c * dir.p.y() + x1 * dir.n.y()) +
// dir.pos.y(); float tx = (dir.hpos / y) * (dir.c * dir.p.x() + x1 *
// dir.n.x()) + dir.pos.x();
Eigen::Vector2f t = (cameraHeight / y) * (c * directionVector + x1 * normalVector) + position2D;
//(dx, dy) = (h/y)(n)
// float xfrac = (dir.hpos / y) * (dir.n.x());
// float yfrac = (dir.hpos / y) * (dir.n.y());
Eigen::Vector2f const frac = cameraHeight * normalVector / y;
// printf("(xfrac, yfrac) = (%lf,%lf)\n", xfrac, yfrac);
// Assumes identical 32 bit pixel format
// Uint16 pitch = surface->pitch;
while (count >= 0)
{
/*remainder by 64 division
(this is roughly what DOOM did
Only they used the actual decimal 63 instead of 3F.
Description:
As we know, a division by 64 is a shift right by 6 bits.
And a multiplication by 64 is a shift left by 6 bits.
So, the remainder of a division, which would be expressed by
x = x - 64*(x/64)
can be converted into
x = x - (x >> 6 << 6)
Now, since we know that the lower 6 bits have no choice but to
be 0, we can optimize this by doing the following:
x = x - (x & 0xFFFFFFC0)
which will subtract x by itself without it's lower 6 bits.
But wait, we can optimize this further. When we're subtracting
x by itself with it's lower 6 bits set to 0, all we're getting
is...the lower 6 bits. So:
x = x & 0x3F
now we have a remainder division, valid at least for
positive numbers.
But, that's not too useful to us, is it? I mean, we have negative
numbers in our texture coordinates. Take (-1, 0), for instance.
What do we do? We'd like our result to be (63, 0) on the texture,
because the texture is aligned to the XY axis and starting at
(0,0). Therefore we count from the right for the texture instead
of the left, for negative numbers. We, in other words, add 64
to the negative numbers.
Fortunately, when casting to unsigned integers, it wraps from the highest
number, giving us the desired behaviour. So, first cast to int32_t to
remove fractional part (floor) while preserving sign, then cast to uint32_t
to get 2's complement semantics on all architectures, leading to the desired
behaviour. Note: emscripten complains if a direct conversion to uint32_t is
attempted and it's negative.
Now, if we only take the first 6 bits, then
this decrease is still present, AND we're counting backwards
from 64! Exactly what we want!
Example:
-5 (int) = 0xFFFFFFFB (uint32_t)
0xFFFFFFFB & 0x0000003F = 0x00000003B = 59
This operation therefore accepts any XY coordinate
and determines where in the texture it lies.
Only caveat: Texture is rendered upside down. Could load them
flipped to solve this, or subtract by 64 for positive case and
not for the negative case.
*/
size_t uintty = size_t(ptrdiff_t(t.y())) & 0x3F;
size_t uinttx = size_t(ptrdiff_t(t.x())) & 0x3F;
uint32_t* src = static_cast<uint32_t*>(tex->pixels) + uintty * 64 + uinttx;
*dst = *src;
// Increment
dst++;
t += frac;
// tx += xfrac;
// ty += yfrac;
--count;
}
}
void DrawColumn(SDL_Surface* const display, SDL_Surface const* const texTranspose, size_t const dx, ptrdiff_t const dy1,
ptrdiff_t const dy2, float const tx, float const ty1, float const ty2)
{
uint32_t* displayPixels = static_cast<uint32_t*>(display->pixels);
uint32_t* texTPixels = static_cast<uint32_t*>(texTranspose->pixels);
size_t const displayWidth = static_cast<size_t>(display->w);
size_t const texTransposeWidth = static_cast<size_t>(texTranspose->w);
float const texTransposeWidthF = static_cast<float>(texTranspose->w);
size_t const texTransposeHeight = static_cast<size_t>(texTranspose->h);
size_t const tMappedX =
static_cast<size_t>(static_cast<ptrdiff_t>(tx * static_cast<float>(texTranspose->h))) % texTransposeHeight;
float const yFrac = (ty2 - ty1) / float(dy2 - dy1);
uint32_t* texTCol = texTPixels + tMappedX * texTransposeWidth;
// size_t const mappedCurrTopY = static_cast<size_t>(std::clamp(currTopY, 0.0f, float(display->h)));
// size_t const mappedCurrBotY = static_cast<size_t>(std::clamp(currBotY, 0.0f, float(display->h)));
ptrdiff_t const clampDy1 = std::clamp(dy1, ptrdiff_t(0), static_cast<ptrdiff_t>(display->h));
ptrdiff_t const clampDy2 = std::clamp(dy2, ptrdiff_t(0), static_cast<ptrdiff_t>(display->h));
float ti = ty1 + (clampDy1 - dy1) * (ty2 - ty1) / (dy2 - dy1);
for (ptrdiff_t di = clampDy1; di < clampDy2; ++di)
{
size_t const tMappedY =
static_cast<size_t>(static_cast<ptrdiff_t>(ti * texTransposeWidthF)) % texTransposeWidth;
*(displayPixels + displayWidth * di + dx) = *(texTCol + tMappedY);
ti += yFrac;
}
}
void RenderSprite(SDL_Surface* display, SDL_Surface* sprite, float const c, float const x, float const h,
float const z) noexcept
{
auto const halfWidth = sprite->w / 2;
auto const sCentre = x;
auto const sMin = sCentre - halfWidth;
auto const sMax = sCentre + halfWidth;
auto const d = z;
// auto const c = dir.c;
// centre_x = s/d * c
// auto const xCentre = (s / d) * c;
auto const hTop = float(sprite->h) + h;
auto const hBot = h;
int const yTop = static_cast<int>((hTop * c) / d);
int const yBot = static_cast<int>((hBot * c) / d);
int const xMin = static_cast<int>((sMin * c) / d);
int const xMax = static_cast<int>((sMax * c) / d);
int const screenTop = display->h / 2 - yTop;
// int const screenBot = display->h / 2 - yBot;
int const screenXMin = display->w / 2 + xMin;
// int const screenXMax = display->w / 2 + xMax;
// TODO: replace this with custom blitting routine
SDL_Rect finalRect;
finalRect.h = yTop - yBot;
finalRect.w = xMax - xMin;
finalRect.x = screenXMin;
finalRect.y = screenTop;
SDL_BlitScaled(sprite, nullptr, display, &finalRect);
}
void DrawSky(GameResources* res, SDL_Surface* display)
{
auto& dir = res->dir;
// Render sky
// TODO: sky texture is being rendered flipped possibly. Need to investigate.
for (size_t i = 0; i < static_cast<size_t>(display->w); ++i)
{
// Treat sky as being projected in a cylinder, with deformation happening
// around the edges of the screen.
// The sky is wrapped around the cylinder 4 times (every 90 degrees the
// image repeats)
// Recall: left side of screen corresponds to +ve
float worldPixelAngle = dir.theta + std::atan2((display->w / 2.0f) - i, dir.c);
if (worldPixelAngle < 0.0f)
{
worldPixelAngle += 2 * M_PI_F;
}
else if (worldPixelAngle > 2 * M_PI_F)
{ // UGLY, but it works
worldPixelAngle /= 2 * M_PI_F;
worldPixelAngle -= std::floor(worldPixelAngle);
worldPixelAngle *= 2 * M_PI_F;
}
// float const mirroredCoord = worldPixelAngle > 180.0f ? (1.0f -
// (worldPixelAngle - 180.0f) / 180.0f) : (worldPixelAngle / 180.0f);
float const finalCoord = (worldPixelAngle / (M_PI_F / 2)) - std::floor(worldPixelAngle / (M_PI_F / 2));
DrawColumn(display, res->skyTranspose, i, 0, static_cast<size_t>(display->h / 2 + 1), finalCoord, 0, 1);
}
}
void DrawFloor(GameResources* res, SDL_Surface* display)
{
// Render floor
for (int i = display->h / 2 + 1; i < display->h; ++i)
{
DrawSpan(display, res->floor, res->viewInverse, res->dir.c, 0, display->w - 1, i);
}
}
void DrawFPS(GameResources* res, SDL_Surface* display, uint32_t const frameTime[2])
{
// Render FPS
static char frameTimeString[128];
if (frameTime[0] != 0 || frameTime[1] != 0)
{
static SDL_Color const colour = {255, 255, 0, 255};
SDL_snprintf(frameTimeString, sizeof(frameTimeString), "Previous frame time: %ums",
frameTime[1] - frameTime[0]);
SDL_Surface* fpsGauge = TTF_RenderText_Blended(res->font, frameTimeString, colour);
SDL_BlitSurface(fpsGauge, nullptr, display, nullptr);
SDL_FreeSurface(fpsGauge);
}
}
void DrawSprites(GameResources* res, SDL_Surface* display)
{
// Render sprites
auto& dir = res->dir;
// Sort them
// std::vector<std::pair<SDL_Surface*, Eigen::Vector2f>> sprites; // get from
// entities
AlignedVector<std::pair<SDL_Surface*, Eigen::Vector4f>> sorted;
for (auto const& entity : res->entities)
{
Eigen::Vector4f const viewSpritePos = res->view * entity.pos.homogeneous();
sorted.emplace_back(entity.texture, viewSpritePos);
//
}
// Doomguy
// Assume doomguy is facing [-1 0]
Eigen::Vector2f doomGuyOrient{-1, 0};
Eigen::Vector2f playerToDoomGuy = Eigen::Vector2f{550, 50} - Eigen::Vector2f{dir.pos(0), dir.pos(2)};
auto const dot = playerToDoomGuy.dot(doomGuyOrient);
auto const det = playerToDoomGuy(0) * doomGuyOrient(1) - playerToDoomGuy(1) * doomGuyOrient(0);
auto angle = std::atan2(det, dot) + (M_PI_F / 8);
/*if (angle < 0)
{
angle += 2 * M_PI_F;
}*/
int spriteSelect = static_cast<int>(4 + std::floor((angle) / (M_PI_F / 4)));
if (spriteSelect >= 8)
{
spriteSelect = 0;
}
if (spriteSelect < 0)
{
spriteSelect = 7;
}
// TODO: figure out the actual transformation
Eigen::Vector4f const doomSpriteViewPos = res->view * Eigen::Vector3f{550, 0, 50}.homogeneous();
sorted.emplace_back(res->doomGuy[spriteSelect], doomSpriteViewPos);
// Sort back to front
std::sort(sorted.begin(), sorted.end(),
[](std::pair<SDL_Surface const*, Eigen::Vector4f> const& x,
std::pair<SDL_Surface const*, Eigen::Vector4f> const& y) { return x.second(2) > y.second(2); });
for (auto const& [texture, viewpos] : sorted)
{
RenderSprite(display, texture, res->dir.c, viewpos(0), viewpos(1), viewpos(2));
}
}
// Eigen::Vector2f clipLinePlane(Eigen::Vector2f const& p1, Eigen::Vector2f const& p2, Eigen::Vector2f const& clip) {}
std::pair<float, float> clipLine(Eigen::Vector4f const& p1, Eigen::Vector4f const& p2, float const c,
float const halfWidth)
{
Eigen::Vector4f const pH = p2 - p1;
Eigen::Vector2f const p = Eigen::Vector2f{pH(0), pH(2)};
Eigen::Vector2f const p1_2d = Eigen::Vector2f{p1(0), p1(2)};
Eigen::Vector2f const p2_2d = Eigen::Vector2f{p2(0), p2(2)};
float p1c = 0;
float p2c = 1;
// Eigen::Vector2f const clipLeftP = Eigen::Vector2f{-halfWidth, c};
Eigen::Vector2f const clipLeftN = Eigen::Vector2f{c, halfWidth};
Eigen::Vector2f const clipRightN = {-c, halfWidth}; // points INWARDS
float const clipNSqNm = clipLeftN.squaredNorm();
float const clipLeftInverseP = clipLeftN.dot(p) / clipNSqNm;
float const clipLeftInverseP1 = clipLeftN.dot(p1_2d) / clipNSqNm;
float const clipRightInverseP2 = clipRightN.dot(p2_2d) / clipNSqNm;
float const clipRightInverseP = clipRightN.dot(p) / clipNSqNm;
if (clipLeftInverseP1 < 0)
{
float const diff = -clipLeftInverseP1;
float const t = diff / clipLeftInverseP;
p1c = t;
}
if (clipRightInverseP2 < 0)
{
float const diff = -clipRightInverseP2;
float const t = diff / clipRightInverseP;
p2c = 1 + t;
}
// STUDY: effect of constant height, interpolation between clipped coordinates relative to unclipped
return {p1c, p2c};
}
void DrawWall(SDL_Surface const* texture, Eigen::Vector2f const& p1, Eigen::Vector2f const& p2, float const offset,
float const height, float const c, Eigen::Matrix4f const& view, SDL_Surface* display)
{
// Compute p1's view space coordinates
Eigen::Vector4f const p1EyeBot = view * Eigen::Vector4f{p1(0), offset, p1(1), 1};
Eigen::Vector4f const p1EyeTop = view * Eigen::Vector4f{p1(0), offset + height, p1(1), 1};
Eigen::Vector4f const p2EyeBot = view * Eigen::Vector4f{p2(0), offset, p2(1), 1};
Eigen::Vector4f const p2EyeTop = view * Eigen::Vector4f{p2(0), offset + height, p2(1), 1};
float const displayWidthF = static_cast<float>(display->w);
// Eigen::Vector4f const p1ViewXClamped = clipLineViewLeft(p1ViewTop, p2ViewTop, displayWidthF);
auto const [p1ClipTop_t, p2ClipTop_t] = clipLine(p1EyeTop, p2EyeTop, c, displayWidthF / 2);
auto const [p1ClipBot_t, p2ClipBot_t] = clipLine(p1EyeBot, p2EyeBot, c, displayWidthF / 2);
if (p1ClipTop_t >= p2ClipTop_t)
{
return;
}
Eigen::Vector4f const p1ClipTop = p1EyeTop + p1ClipTop_t * (p2EyeTop - p1EyeTop);
Eigen::Vector4f const p2ClipTop = p1EyeTop + p2ClipTop_t * (p2EyeTop - p1EyeTop);
Eigen::Vector4f const p1ClipBot = p1EyeBot + p1ClipBot_t * (p2EyeBot - p1EyeBot);
Eigen::Vector4f const p2ClipBot = p1EyeBot + p2ClipBot_t * (p2EyeBot - p1EyeBot);
// Perspective division
Eigen::Vector4f const p1ProjBot = c * p1ClipBot / p1ClipBot(2);
Eigen::Vector4f const p1ProjTop = c * p1ClipTop / p1ClipTop(2);
Eigen::Vector4f const p2ProjBot = c * p2ClipBot / p2ClipBot(2);
Eigen::Vector4f const p2ProjTop = c * p2ClipTop / p2ClipTop(2);
// Select texture based on right hand rule
// SDL_Surface const* selectedTex = p1ProjBot(0) < p2ProjBot(0) ? frontTex : backTex;
float const p1ProjTopClampedX =
std::clamp(std::floor(p1ProjTop(0)), -displayWidthF / 2.0f, displayWidthF / 2.0f - 1);
float const p2ProjTopClampedX =
std::clamp(std::floor(p2ProjTop(0)), -displayWidthF / 2.0f, displayWidthF / 2.0f - 1);
// float const p1ProjTopXClamped = std::clamp(p1ProjTop(0), -displayWidthF, displayWidthF);
// float const p1ProjTopXClampDiff = p1ProjTopXClamped - p1ProjTop(0);
// float const p2ProjTopXClamped = std::clamp(p2ProjTop(0), -displayWidthF, displayWidthF);
// Select front or back texture depending on p1View.x and p2View.x -- right
// hand rule
float const topXDiff = p2ProjTopClampedX - p1ProjTopClampedX;
// float const botXDiff = p2ProjBot(0) - p1ProjBot(0);
float const topFrac = (p2ProjTop(1) - p1ProjTop(1)) / topXDiff;
float const botFrac = (p2ProjBot(1) - p1ProjBot(1)) / topXDiff;
// float const texFrac = 1 / topXDiff;
ptrdiff_t const displayWidth = static_cast<ptrdiff_t>(display->w);
// ptrdiff_t const startColumnUnclamped = static_cast<ptrdiff_t>(p1ProjTop(0)) + displayWidth / 2;
// ptrdiff_t const endColumnUnclamped = static_cast<ptrdiff_t>(p2ProjTop(0)) + displayWidth / 2;
// ptrdiff_t const startColumn = std::clamp(startColumnUnclamped, ptrdiff_t(0), displayWidth);
// ptrdiff_t const endColumn = std::clamp(endColumnUnclamped, ptrdiff_t(0), displayWidth);
float currProjTopY = p1ProjTop(1);
// float currProjX = p1ProjTop(0) + p1ProjTopXClampDiff;
float currTopY = display->h / 2 - currProjTopY;
float currBotY = display->h / 2 - p1ProjBot(1);
// float currX = float(startColumn - startColumnUnclamped) / topXDiff;
Eigen::Vector4f const wallDirUnnormalized4 = p2EyeTop - p1EyeTop;
Eigen::Vector2f const wallDirUnnormalized = Eigen::Vector2f{wallDirUnnormalized4(0), wallDirUnnormalized4(2)};
float const wallDirSqNm = wallDirUnnormalized.squaredNorm();
for (float it = p1ProjTopClampedX; it <= p2ProjTopClampedX; it++)
{
float const depth_i = c * p1ClipTop(1) / currProjTopY;
float const disp_i = depth_i * it / c;
Eigen::Vector2f const projPtUnnormalized =
Eigen::Vector2f{disp_i, depth_i} - Eigen::Vector2f{p1ClipBot(0), p1ClipBot(2)};
float const texT = p1ClipTop_t + wallDirUnnormalized.dot(projPtUnnormalized) / wallDirSqNm;
ptrdiff_t const i = static_cast<ptrdiff_t>(it) + displayWidth / 2;
DrawColumn(display, texture, i, static_cast<ptrdiff_t>(currTopY), static_cast<ptrdiff_t>(currBotY), texT, 0, 1);
currTopY -= topFrac;
currProjTopY += topFrac;
currBotY -= botFrac;
//++currProjX;
// currX += texFrac;
}
return;
}
void DrawTwoSidedWall(SDL_Surface const* frontTex, SDL_Surface const* backTex, Eigen::Vector2f const& p1,
Eigen::Vector2f const& p2, float const offset, float const height, float const c,
Eigen::Matrix4f const& view, SDL_Surface* display)
{
// Compute p1's view space coordinates
// Eigen::Vector4f const p1EyeBot = view * Eigen::Vector4f{p1(0), offset, p1(1), 1};
Eigen::Vector4f const p1EyeTop = view * Eigen::Vector4f{p1(0), offset + height, p1(1), 1};
// Eigen::Vector4f const p2EyeBot = view * Eigen::Vector4f{p2(0), offset, p2(1), 1};
Eigen::Vector4f const p2EyeTop = view * Eigen::Vector4f{p2(0), offset + height, p2(1), 1};
Eigen::Vector4f const P = p2EyeTop - p1EyeTop;
Eigen::Vector2f const N = {-P(2), P(0)};
Eigen::Vector2f const P1 = {p1EyeTop(0), p1EyeTop(2)};
float const whichSide = P1.dot(N) / N.squaredNorm();
if (whichSide > 0)
{
DrawWall(frontTex, p1, p2, offset, height, c, view, display);
}
else
{
DrawWall(backTex, p2, p1, offset, height, c, view, display);
}
}
void Draw(GameResources* res, uint32_t const frameTime[2])
{
SDL_Surface* display = res->display;
DrawSky(res, display);
DrawFloor(res, display);
DrawTwoSidedWall(res->wallFrontTranspose, res->wallBackTranspose, Eigen::Vector2f{-300, -300},
Eigen::Vector2f{300, -300}, 0, 100, res->dir.c, res->view, display);
DrawTwoSidedWall(res->wallFrontTranspose, res->wallBackTranspose, Eigen::Vector2f{300, -300},
Eigen::Vector2f{700, -100}, 0, 150, res->dir.c, res->view, display);
DrawTwoSidedWall(res->wallFrontTranspose, res->wallBackTranspose, Eigen::Vector2f{700, -100},
Eigen::Vector2f{700, 400}, 0, 150, res->dir.c, res->view, display);
DrawTwoSidedWall(res->wallFrontTranspose, res->wallBackTranspose, Eigen::Vector2f{700, 400},
Eigen::Vector2f{300, 600}, 0, 150, res->dir.c, res->view, display);
DrawTwoSidedWall(res->wallFrontTranspose, res->wallBackTranspose, Eigen::Vector2f{300, 600},
Eigen::Vector2f{-300, 600}, 0, 100, res->dir.c, res->view, display);
DrawSprites(res, display);
DrawFPS(res, display, frameTime);
}
void GameLoop(void* const arg)
{
GameResources* const res = static_cast<GameResources* const>(arg);
static uint32_t prevFrameTime[2] = {};
prevFrameTime[0] = prevFrameTime[1];
prevFrameTime[1] = SDL_GetTicks();
if (ProcessEvent(res->dir, res->move, res->windowID) == 0)
{
// FreeGameResources(res); //browser specific: it handles cleanup
emscripten_cancel_main_loop();
SDL_LogInfo(SDL_LOG_CATEGORY_APPLICATION, "Exiting!\n");
SDL_Quit();
std::exit(0); // Reason for not plain returning: emscripten won't call
// global destructors when main or the main loop exits.
}
UpdateViewMatrices(res->dir, res->viewInverse, res->view);
MovePlayer(res->dir, res->viewInverse, res->move, prevFrameTime[1] - prevFrameTime[0]);
Draw(res, prevFrameTime);
SDL_UpdateTexture(res->texture, nullptr, res->display->pixels, res->display->pitch);
// Now draw this directly to the window
SDL_RenderClear(res->renderer);
SDL_RenderCopy(res->renderer, res->texture, nullptr, nullptr);
// And ask the windowing system to redraw the window
SDL_RenderPresent(res->renderer);
// SDL_LogInfo(SDL_LOG_CATEGORY_APPLICATION, "Prev frame time: %u, current
// present: %u", prevFrameTime[1] - prevFrameTime[0], SDL_GetTicks() -
// prevFrameTime[1]);
// MovePlayer(SDL_GetTicks() - prevFrameTime[1]);
// MovePlayer(prevFrameTime[1] - prevFrameTime[0]);
// MovePlayer(16);
}
SDL_Surface* LoadTexture(char const* filename, SDL_PixelFormat const* const dstformat)
{
SDL_Surface* tmp = SDL_LoadBMP(filename);
if (tmp == nullptr)
{
SDL_LogError(SDL_LOG_CATEGORY_APPLICATION, "Could not load %s!\n", filename);
throw std::runtime_error("Couldn't load texture");
}
SDL_Surface* result = SDL_ConvertSurface(tmp, dstformat, 0);
if (result == nullptr)
{
SDL_LogError(SDL_LOG_CATEGORY_APPLICATION, "Could not convert surface for %s!\n", filename);
throw std::runtime_error("Couldn't load texture");
}
SDL_FreeSurface(tmp);
return result;
}
int main(int, char* [])
{
// VERY IMPORTANT: Ensure SDL2 is initialized
if (SDL_Init(SDL_INIT_VIDEO | SDL_INIT_TIMER | SDL_INIT_EVENTS) < 0)
{
SDL_LogError(SDL_LOG_CATEGORY_APPLICATION, "could not initialize sdl2: %s\n", SDL_GetError());
return 1;
}
// VERY IMPORTANT: if using text in your program, ensure SDL2_ttf library is
// initialized
if (TTF_Init() < 0)
{
SDL_LogError(SDL_LOG_CATEGORY_APPLICATION, "could not initialize SDL2_ttf: %s\n", TTF_GetError());
}
GameResources res;
// This creates the actual window in which graphics are displayed
res.window = SDL_CreateWindow("Floor - SDL2 version", SDL_WINDOWPOS_UNDEFINED, SDL_WINDOWPOS_UNDEFINED, 640, 480,
SDL_WINDOW_SHOWN);
if (res.window == nullptr)
{
SDL_LogError(SDL_LOG_CATEGORY_APPLICATION, "Could not create window!\n");
return 1;
}
res.windowID = SDL_GetWindowID(res.window);
res.renderer = SDL_CreateRenderer(res.window, -1,
0); // don't force hardware or software
// accel -- let SDL2 choose what's best
if (res.renderer == nullptr)
{
SDL_LogError(SDL_LOG_CATEGORY_APPLICATION, "could not create renderer: %s\n", SDL_GetError());
return 1;
}
int xres{};
int yres{};
if (SDL_GetRendererOutputSize(res.renderer, &xres, &yres) < 0)
{
SDL_LogError(SDL_LOG_CATEGORY_APPLICATION, "could not get renderer output size: %s\n", SDL_GetError());
return 1;
}
res.display = SDL_CreateRGBSurfaceWithFormat(0, xres, yres, 32, SDL_PIXELFORMAT_RGBA8888);
if (res.display == nullptr)
{
SDL_LogError(SDL_LOG_CATEGORY_APPLICATION, "could not create surface: %s\n", SDL_GetError());
return 1;
}
res.texture = SDL_CreateTexture(res.renderer, SDL_PIXELFORMAT_RGBA8888, SDL_TEXTUREACCESS_STREAMING, res.display->w,
res.display->h);
if (res.texture == nullptr)
{
SDL_LogError(SDL_LOG_CATEGORY_APPLICATION, "could not create texture: %s\n", SDL_GetError());
return 1;
}
// Just in case you need text:
// load iosevka-regular.ttf at a large size into font
res.font = TTF_OpenFont("../assets/iosevka-regular.ttf", 16);
if (res.font == nullptr)
{
SDL_LogError(SDL_LOG_CATEGORY_APPLICATION, "TTF_OpenFont: %s\n", TTF_GetError());
return 1;
}
res.floor = LoadTexture("../assets/floor.bmp", res.display->format);
res.skyTranspose = LoadTexture("../assets/sky.bmp", res.display->format);
res.wallFrontTranspose = LoadTexture("../assets/wallFront.bmp", res.display->format);
res.wallBackTranspose = LoadTexture("../assets/wallBack.bmp", res.display->format);
res.healthSprite = LoadTexture("../assets/health.bmp", res.display->format);
res.vialSprite = LoadTexture("../assets/vial.bmp", res.display->format);
res.columnSprite = LoadTexture("../assets/column.bmp", res.display->format);
char pathBuf[128];
for (size_t i = 0; i < 8; i++)
{
snprintf(pathBuf, 128, "../assets/playa%zu.bmp", i + 1);
res.doomGuy[i] = LoadTexture(pathBuf, res.display->format);
}
if (SDL_SetSurfaceBlendMode(res.display, SDL_BLENDMODE_BLEND) < 0)
{
SDL_LogError(SDL_LOG_CATEGORY_APPLICATION, "SDL_SetSurfaceBlendMode: %s\n", SDL_GetError());
return 1;
}
// Objects
res.entities.emplace_back("column1", res.columnSprite, Eigen::Vector3f{500, 0, 0});
res.entities.emplace_back("vial", res.vialSprite, Eigen::Vector3f{500, 25, 100});
res.entities.emplace_back("health", res.healthSprite, Eigen::Vector3f{500, 0, 200});
res.entities.emplace_back("column2", res.columnSprite, Eigen::Vector3f{500, 0, 300});
emscripten_set_main_loop_arg(GameLoop, &res, 0, 1);
return 0;
}
| [
"lookatyouhacker@gmail.com"
] | lookatyouhacker@gmail.com |
7587aca2f1cbb69a562a9ccdfb6d5567a0c1f8dc | 29dc7d8a031e7f686dc223d054cdd3ee62058371 | /Networking/Network/Inc/NetworkUtil.h | 8b4e07dcc3740af4611a20c80881c4205c271c90 | [] | no_license | teddysot/Engine | c4ca8503762570027662e28b4a4a7c6784bcbc3b | 2aaf6cdc566e7b83fd805998c708415882d288ae | refs/heads/master | 2020-04-07T21:31:30.938297 | 2018-11-22T18:00:57 | 2018-11-22T18:00:57 | 158,730,601 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 203 | h | #ifndef INCLUDED_NETWORK_NETWORKUTIL_H
#define INCLUDED_NETWORK_NETWORKUTIL_H
namespace Network {
bool Initialize();
bool Terminate();
} // namspace Network
#endif // INCLUDED_NETWORK_NETWORKUTIL_H | [
"earth_sot@hotmail.com"
] | earth_sot@hotmail.com |
f5b919c952415a2d04201c178f0177e6f2a96dc2 | 40a04aa33a50401c2900cc2b4d5c6bbbc4c2684e | /src/lease/lease.h | 7706c40dd6fb5cea0671eb33257dc4ed560651d6 | [] | no_license | jwma2012/lightfs | cde98c4b1211d8d4558cb821bb4d269203c727f5 | f7e247ef8be5ade2d88d0bfafd602c0767efe1ba | refs/heads/master | 2021-10-11T15:42:15.213047 | 2018-10-30T02:06:46 | 2018-10-30T02:06:46 | 114,837,418 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,588 | h | #ifndef LEAFFS_LEASE_H_
#define LEAFFS_LEASE_H_
#include "common.hpp"
#include "leveldb/cache.h"
#include "leasecommon.h"
using namespace leveldb;
namespace leaffs {
class LookupCache;
class LeaseEntry {
public:
LeaseEntry() { }
virtual ~LeaseEntry() {
printf("lease\n");
}
uint64_t GetLeaseDue() {
return lease_due_;
}
void SetMetadataType(int e) {
metadata_type_ = e;
}
int GetMetadataType() const{
return metadata_type_;
}
virtual DirectoryMeta *GetDirMeta(){
//原来有const关键字的时候可以编译通过,但运行会报段错误。
//有const修饰的函数不能改值。
/* 一般放在函数体后,形如:void fun() const;
如果一个成员函数的不会修改数据成员,那么最好将其声明为const,因为const成员函数中不允许对数据成员进行修改,如果修改,编译器将报错,这大 大提高了程序的健壮性。*/
return NULL;
}
virtual FileMeta *GetFileMeta(){
return NULL;
}
private:
int16_t src_server_;
int lease_state_;
uint64_t lease_due_;
int metadata_type_;
LookupCache* cache_;
Cache::Handle* handle_;
friend class LookupCache;
// No copying allowed
LeaseEntry(const LeaseEntry&);
LeaseEntry& operator=(const LeaseEntry&);
};
class DirMetaEntry : public LeaseEntry{
public:
DirMetaEntry(DirectoryMeta* m) {
ptr_dir_meta_ = new DirectoryMeta();
memcpy(ptr_dir_meta_, m, sizeof(DirectoryMeta)); //深拷贝
LeaseEntry::SetMetadataType(kDir);
}
virtual ~DirMetaEntry() {
printf("DirMetaEntry\n");
delete ptr_dir_meta_;
}
DirectoryMeta *GetDirMeta() {
return ptr_dir_meta_;
}
private:
DirectoryMeta* ptr_dir_meta_;
// No copying allowed
DirMetaEntry(const DirMetaEntry&);
DirMetaEntry& operator=(const DirMetaEntry&);
};
class FileMetaEntry : public LeaseEntry{
public:
FileMetaEntry(FileMeta *m) {
ptr_file_meta_ = new FileMeta();
memcpy(ptr_file_meta_, m, sizeof(FileMeta)); //深拷贝
LeaseEntry::SetMetadataType(kFile);
}
virtual ~FileMetaEntry() {
printf("FileMetaEntry\n");
delete ptr_file_meta_;
}
FileMeta *GetFileMeta() {
return ptr_file_meta_;
}
private:
FileMeta* ptr_file_meta_;
// No copying allowed
FileMetaEntry(const FileMetaEntry&);
FileMetaEntry& operator=(const FileMetaEntry&);
};
} /* namespace leaffs*/
#endif /* LEAFFS_LEASE_H_ */ | [
"1453601612@qq.com"
] | 1453601612@qq.com |
905b54b8efd2baaec8aece853891cdb9bbc6bdc6 | f2b2ee9f32d033211f63a6bc6b84202bad175b44 | /VodPlayInterface/build-VodPlayInterface-Desktop_Qt_5_2_1_MinGW_32bit-Debug/debug/moc_wndpreview.cpp | 6d7837b4ed7156e18242a3dbefbfadff6124c0ed | [] | no_license | whjbinghun/learning | d10053e80983d72bcf7a8b734fb3d3311adc33b2 | 798367bb4f2a116317b49e726f8f2f0deb30c704 | refs/heads/master | 2021-01-18T23:31:11.933176 | 2016-12-30T05:21:11 | 2016-12-30T05:21:11 | 18,207,394 | 3 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,667 | cpp | /****************************************************************************
** Meta object code from reading C++ file 'wndpreview.h'
**
** Created by: The Qt Meta Object Compiler version 67 (Qt 5.2.1)
**
** WARNING! All changes made in this file will be lost!
*****************************************************************************/
#include "../../VodPlayInterface/wndpreview.h"
#include <QtCore/qbytearray.h>
#include <QtCore/qmetatype.h>
#if !defined(Q_MOC_OUTPUT_REVISION)
#error "The header file 'wndpreview.h' doesn't include <QObject>."
#elif Q_MOC_OUTPUT_REVISION != 67
#error "This file was generated using the moc from 5.2.1. It"
#error "cannot be used with the include files from this version of Qt."
#error "(The moc has changed too much.)"
#endif
QT_BEGIN_MOC_NAMESPACE
struct qt_meta_stringdata_WndPreview_t {
QByteArrayData data[1];
char stringdata[12];
};
#define QT_MOC_LITERAL(idx, ofs, len) \
Q_STATIC_BYTE_ARRAY_DATA_HEADER_INITIALIZER_WITH_OFFSET(len, \
offsetof(qt_meta_stringdata_WndPreview_t, stringdata) + ofs \
- idx * sizeof(QByteArrayData) \
)
static const qt_meta_stringdata_WndPreview_t qt_meta_stringdata_WndPreview = {
{
QT_MOC_LITERAL(0, 0, 10)
},
"WndPreview\0"
};
#undef QT_MOC_LITERAL
static const uint qt_meta_data_WndPreview[] = {
// content:
7, // revision
0, // classname
0, 0, // classinfo
0, 0, // methods
0, 0, // properties
0, 0, // enums/sets
0, 0, // constructors
0, // flags
0, // signalCount
0 // eod
};
void WndPreview::qt_static_metacall(QObject *_o, QMetaObject::Call _c, int _id, void **_a)
{
Q_UNUSED(_o);
Q_UNUSED(_id);
Q_UNUSED(_c);
Q_UNUSED(_a);
}
const QMetaObject WndPreview::staticMetaObject = {
{ &QFrame::staticMetaObject, qt_meta_stringdata_WndPreview.data,
qt_meta_data_WndPreview, qt_static_metacall, 0, 0}
};
const QMetaObject *WndPreview::metaObject() const
{
return QObject::d_ptr->metaObject ? QObject::d_ptr->dynamicMetaObject() : &staticMetaObject;
}
void *WndPreview::qt_metacast(const char *_clname)
{
if (!_clname) return 0;
if (!strcmp(_clname, qt_meta_stringdata_WndPreview.stringdata))
return static_cast<void*>(const_cast< WndPreview*>(this));
return QFrame::qt_metacast(_clname);
}
int WndPreview::qt_metacall(QMetaObject::Call _c, int _id, void **_a)
{
_id = QFrame::qt_metacall(_c, _id, _a);
if (_id < 0)
return _id;
return _id;
}
QT_END_MOC_NAMESPACE
| [
"binghunjin@163.com"
] | binghunjin@163.com |
fb30446e241d46f2e749d24db52df6ca26739e8f | 64101180d6181f09a783557923a2911b091730e4 | /qt4/epc_logger/mainwindow.cpp | 076dae6f63c400033005ab8192f7e0b06bbe549a | [
"MIT"
] | permissive | qoopooh/try_git | 0494c045f3d5cf77c29411fdef9e6b00f027b261 | 1aa6655b49c780c55e7c061a0264ee22bd17b066 | refs/heads/master | 2023-06-15T09:41:43.869228 | 2023-05-28T08:51:56 | 2023-05-28T08:51:56 | 4,898,451 | 0 | 0 | null | 2023-02-26T08:13:27 | 2012-07-05T05:25:46 | C | UTF-8 | C++ | false | false | 8,390 | cpp | #include "mainwindow.h"
#include "ui_mainwindow.h"
const QString k_version("V1.00");
MainWindow::MainWindow(QWidget *parent) :
QMainWindow(parent),
ui(new Ui::MainWindow),
vcom(false),
attenuation_tout(200),
m_attn(-1),
m_db(new EpcDb())
{
ui->setupUi(this);
createLogTable();
stReader = new StReader(this);
clk10msTimer = new QTimer(this);
getReaderChannels();
connect(stReader, SIGNAL(connection(bool)), this, SLOT(setConnectingControl(bool)));
connect(stReader, SIGNAL(raiseErrorMessage(QString)), ui->statusBar, SLOT(showMessage(QString)));
connect(stReader, SIGNAL(raiseStatusMessage(QString)), ui->statusBar, SLOT(showMessage(QString)));
connect(stReader, SIGNAL(dataReceived(QByteArray)), this, SLOT(onReaderPacketIn(QByteArray)));
connect(stReader, SIGNAL(readingEpc(QByteArray)), this, SLOT(onEpc(QByteArray)));
connect(stReader, SIGNAL(attenuation(int)), this, SLOT(onAttenuation(int)));
connect(ui->action_Info, SIGNAL(triggered()), this, SLOT(onInfo()));
connect(ui->actionE_xit, SIGNAL(triggered()), this, SLOT(close()));
connect(ui->actionE_xport, SIGNAL(triggered()), this, SLOT(onExportDatabase()));
connect(ui->action_Delete, SIGNAL(triggered()), this, SLOT(onDeleteDatabase()));
connect(clk10msTimer, SIGNAL(timeout()), this, SLOT(on10msTimer()));
clk10msTimer->start(10);
channel = ui->comboBoxPort->currentText();
stReader->connectReader(channel);
if (ui->comboBoxPort->count() > 0)
ui->checkBoxConnect->setChecked(true);
ui->statusBar->showMessage(tr("Started!"));
this->setWindowTitle(this->windowTitle() + k_version);
}
MainWindow::~MainWindow()
{
delete ui;
m_db->close();
delete m_db;
}
void MainWindow::resizeEvent(QResizeEvent *event)
{
int w = event->size().width();
int h = event->size().height();
ui->tabWidgetLog->resize(w - 20, h - 170);
ui->treeViewLog->resize(w - 20, h - 190);
ui->textEditLog->resize(w - 20, h - 190);
ui->groupBoxControl->resize(w - 20, ui->groupBoxControl->size().height());
}
void MainWindow::createLogTable()
{
model = new EpcTreeModel("");
ui->treeViewLog->setModel(model);
ui->treeViewLog->setColumnWidth(0, 200);
ui->treeViewLog->setWindowTitle(QObject::tr("EPC Reading"));
delRowAction = new QAction(tr("&Delete EPC"), this);
delRowAction->setIcon(QIcon(":/images/cancel.png"));
delRowAction->setShortcut(tr("Ctrl+D"));
delRowAction->setStatusTip(tr("Delete test record from database"));
connect(delRowAction, SIGNAL(triggered()), this, SLOT(onDeleteEpc()));
ui->treeViewLog->addAction(delRowAction);
ui->treeViewLog->setContextMenuPolicy(Qt::ActionsContextMenu);
}
void MainWindow::on_pushButtonRefresh_clicked()
{
getReaderChannels();
}
void MainWindow::getReaderChannels()
{
QList<QString> channels = AaeReader::discovery();
ui->comboBoxPort->clear();
for (int i = 0; i<channels.size(); i++){
ui->comboBoxPort->addItem(channels.at(i));
}
ui->comboBoxPort->setCurrentIndex(ui->comboBoxPort->count() - 1); // for window
ui->checkBoxConnect->setEnabled(ui->comboBoxPort->count() > 0);
}
void MainWindow::on_checkBoxConnect_clicked(bool checked)
{
if (checked) {
if (stReader->isConnected())
return;
channel = ui->comboBoxPort->currentText();
stReader->connectReader(channel);
} else {
if (!stReader->isConnected())
return;
stReader->disconnectReader();
}
}
void MainWindow::setConnectingControl(bool connect)
{
ui->groupBoxConnection->setEnabled (!connect);
ui->groupBoxControl->setEnabled (connect);
}
void MainWindow::onReaderPacketIn(const QByteArray &input)
{
QString msg = QTime::currentTime().toString("hh:mm:ss.zzz") + " ";
AaeCommand::AAE_COMMAND cmd = stReader->getCommandName();
switch (cmd) {
case AaeCommand::CmdGetSoftwareRevision:
msg += "software ver.: ";
break;
case AaeCommand::CmdGetSerialNumber:
msg += "sn.: ";
break;
case AaeCommand::CmdGetAttenuation:
msg += "Attenuation.: ";
break;
case AaeCommand::CmdInventoryCyclic:
msg += "Inventory cyclic: ";
break;
case AaeCommand::CmdInventorySingle:
msg += "Inventory single: ";
break;
default:
msg = "";
break;
}
if (msg.length() < 1)
return;
msg += QString(input);
ui->textEditLog->append(msg);
}
void MainWindow::onEpc(const QByteArray &ba)
{
QString msg = QTime::currentTime().toString("hh:mm:ss.zzz") + " EPC: ";
msg += ba.data();
ui->textEditLog->append(msg);
setEpcNumber(ba.data());
}
void MainWindow::onEpcString(const QString &epc)
{
model->insertEpc(epc);
updateActions();
}
void MainWindow::onAttenuation(const int &attn)
{
m_attn = attn;
}
void MainWindow::setEpcNumber(const QByteArray &epchex)
{
static int tree_count = 0;
static int db_count = 0;
onEpcString(epchex);
if (model->count() != tree_count) {
tree_count = model->count();
ui->lineEditCount->setText(QString::number(tree_count));
ui->lineEditCount->setStyleSheet("QLineEdit{background: orange;}");
count_changed_tout = 300;
if (m_db->addEpc(epchex, m_attn)) {
if (db_count == m_db->getEpcCount())
return;
db_count = m_db->getEpcCount();
ui->lineEditTotal->setText(QString::number(m_db->getEpcCount()));
ui->lineEditTotal->setStyleSheet("QLineEdit{background: orange;}");
db_changed_tout = 300;
} else {
disconnect(stReader, SIGNAL(readingEpc(QByteArray)), this, SLOT(onEpc(QByteArray)));
QMessageBox::critical(0, qApp->tr("Cannot open database"),
m_db->error(), QMessageBox::Cancel);
QCoreApplication::exit(-1);
}
}
}
void MainWindow::updateActions()
{
ui->treeViewLog->reset();
}
void MainWindow::on10msTimer()
{
if (count_changed_tout) {
--count_changed_tout;
if (!count_changed_tout) {
ui->lineEditCount->setStyleSheet("QLineEdit{background: white;}");
}
}
if (db_changed_tout) {
--db_changed_tout;
if (!db_changed_tout) {
ui->lineEditTotal->setStyleSheet("QLineEdit{background: white;}");
}
}
if (attenuation_tout) {
--attenuation_tout;
if (!attenuation_tout) {
stReader->getAttenuation();
}
}
}
void MainWindow::onExportDatabase()
{
QString fn = QFileDialog::getSaveFileName(this, tr("Save Database as..."),
QString(), tr("CSV files (*.csv)"));
if (fn.isEmpty())
return;
if (!fn.endsWith(".csv", Qt::CaseInsensitive))
fn += ".csv"; // default
m_db->report(fn);
}
void MainWindow::onDeleteDatabase()
{
QMessageBox::StandardButton reply;
reply = QMessageBox::question(this, "Database Clean Up",
"Do you really want to delete database?",
QMessageBox::Yes|QMessageBox::No);
if (reply == QMessageBox::Yes) {
qDebug() << "Yes was clicked";
m_db->clear();
} else {
qDebug() << "Yes was *not* clicked";
}
}
void MainWindow::onDeleteEpc()
{
QMessageBox::StandardButton reply;
QModelIndex index = ui->treeViewLog->currentIndex();
QString var = index.data().toString();
reply = QMessageBox::question(this, "Delete EPC record",
QString("Do you really want to delete %1?").arg(var),
QMessageBox::Yes|QMessageBox::No);
if (reply == QMessageBox::Yes) {
// m_db->clear();
m_db->deleteEpc(var);
}
}
void MainWindow::onInfo()
{
QString paths;
foreach(QString str, QApplication::libraryPaths()) {
paths += str + ":";
}
QMessageBox::information(this, tr("Parameter"), paths);
}
void MainWindow::on_pushButtonStart_clicked()
{
stReader->inventoryCyclic(true);
ui->tabWidgetLog->setCurrentIndex(0);
}
void MainWindow::on_pushButtonStop_clicked()
{
stReader->inventoryCyclic(false);
}
void MainWindow::on_pushButtonAttenuation_clicked()
{
stReader->getAttenuation();
ui->tabWidgetLog->setCurrentIndex(1);
}
void MainWindow::on_pushButtonClear_clicked()
{
ui->lineEditCount->setText("-");
ui->lineEditCount->setStyleSheet("QLineEdit{background: white;}");
ui->lineEditTotal->setText(QString::number(m_db->getEpcCount()));
ui->lineEditTotal->setStyleSheet("QLineEdit{background: white;}");
ui->textEditLog->clear();
delete model;
model = new EpcTreeModel("");
ui->treeViewLog->setModel(model);
updateActions();
}
| [
"phuchit@aae.co.th"
] | phuchit@aae.co.th |
9b390345e1b34851b9cd51c09a8dd8ed5e3c7acd | 8fa2b538112c106c04ae7a8dcc51e8d3bb6b3d00 | /TestCpp/Classes/EffectsTest/EffectsTest.cpp | 4477728ff78d59a9267f094c6b4aa7fd0cbd7386 | [
"MIT"
] | permissive | GhostSoar/Cocos2dWindows | 3466e9507542eede012e0a7cac81750bf73e3b36 | 654a018004e358f875bedeb7c9acd6824c0734f8 | refs/heads/master | 2021-01-17T21:53:08.750479 | 2013-04-19T03:23:54 | 2013-04-19T03:23:54 | 9,644,053 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 11,677 | cpp | #include "pch.h"
#include "EffectsTest.h"
#include "../testResource.h"
enum {
kTagTextLayer = 1,
kTagBackground = 1,
kTagLabel = 2,
};
static int actionIdx=0;
static std::string effectsList[] =
{
"Shaky3D",
"Waves3D",
"FlipX3D",
"FlipY3D",
"Lens3D",
"Ripple3D",
"Liquid",
"Waves",
"Twirl",
"ShakyTiles3D",
"ShatteredTiles3D",
"ShuffleTiles",
"FadeOutTRTiles",
"FadeOutBLTiles",
"FadeOutUpTiles",
"FadeOutDownTiles",
"TurnOffTiles",
"WavesTiles3D",
"JumpTiles3D",
"SplitRows",
"SplitCols",
"PageTurn3D",
};
class Shaky3DDemo : public CCShaky3D
{
public:
static CCActionInterval* create(float t)
{
return CCShaky3D::create(t, CCSizeMake(15,10), 5, false);
}
};
class Waves3DDemo : public CCWaves3D
{
public:
static CCActionInterval* create(float t)
{
return CCWaves3D::create(t, CCSizeMake(15,10), 5, 40);
}
};
class FlipX3DDemo : public CCFlipX3D
{
public:
static CCActionInterval* create(float t)
{
CCFlipX3D* flipx = CCFlipX3D::create(t);
CCActionInterval* flipx_back = flipx->reverse();
CCDelayTime* delay = CCDelayTime::create(2);
return CCSequence::create(flipx, delay, flipx_back, NULL);
}
};
class FlipY3DDemo : public CCFlipY3D
{
public:
static CCActionInterval* create(float t)
{
CCFlipY3D* flipy = CCFlipY3D::create(t);
CCActionInterval* flipy_back = flipy->reverse();
CCDelayTime* delay = CCDelayTime::create(2);
return CCSequence::create(flipy, delay, flipy_back, NULL);
}
};
class Lens3DDemo : public CCLens3D
{
public:
static CCActionInterval* create(float t)
{
CCSize size = CCDirector::sharedDirector()->getWinSize();
return CCLens3D::create(t, CCSizeMake(15,10), ccp(size.width/2,size.height/2), 240);
}
};
class Ripple3DDemo : public CCRipple3D
{
public:
static CCActionInterval* create(float t)
{
CCSize size = CCDirector::sharedDirector()->getWinSize();
return CCRipple3D::create(t, CCSizeMake(32,24), ccp(size.width/2,size.height/2), 240, 4, 160);
}
};
class LiquidDemo : public CCLiquid
{
public:
static CCActionInterval* create(float t)
{
return CCLiquid::create(t, CCSizeMake(16,12), 4, 20);
}
};
class WavesDemo : public CCWaves
{
public:
static CCActionInterval* create(float t)
{
return CCWaves::create(t, CCSizeMake(16,12), 4, 20, true, true);
}
};
class TwirlDemo : public CCTwirl
{
public:
static CCActionInterval* create(float t)
{
CCSize size = CCDirector::sharedDirector()->getWinSize();
return CCTwirl::create(t, CCSizeMake(12,8), ccp(size.width/2, size.height/2), 1, 2.5f);
}
};
class ShakyTiles3DDemo : public CCShakyTiles3D
{
public:
static CCActionInterval* create(float t)
{
return CCShakyTiles3D::create(t, CCSizeMake(16,12), 5, false) ;
}
};
class ShatteredTiles3DDemo : public CCShatteredTiles3D
{
public:
static CCActionInterval* create(float t)
{
return CCShatteredTiles3D::create(t, CCSizeMake(16,12), 5, false);
}
};
class ShuffleTilesDemo : public CCShuffleTiles
{
public:
static CCActionInterval* create(float t)
{
CCShuffleTiles* shuffle = CCShuffleTiles::create(t, CCSizeMake(16,12), 25);
CCActionInterval* shuffle_back = shuffle->reverse();
CCDelayTime* delay = CCDelayTime::create(2);
return CCSequence::create(shuffle, delay, shuffle_back, NULL);
}
};
class FadeOutTRTilesDemo : public CCFadeOutTRTiles
{
public:
static CCActionInterval* create(float t)
{
CCFadeOutTRTiles* fadeout = CCFadeOutTRTiles::create(t, CCSizeMake(16,12));
CCActionInterval* back = fadeout->reverse();
CCDelayTime* delay = CCDelayTime::create(0.5f);
return CCSequence::create(fadeout, delay, back, NULL);
}
};
class FadeOutBLTilesDemo : public CCFadeOutBLTiles
{
public:
static CCActionInterval* create(float t)
{
CCFadeOutBLTiles* fadeout = CCFadeOutBLTiles::create(t, CCSizeMake(16,12));
CCActionInterval* back = fadeout->reverse();
CCDelayTime* delay = CCDelayTime::create(0.5f);
return CCSequence::create(fadeout, delay, back, NULL);
}
};
class FadeOutUpTilesDemo : public CCFadeOutUpTiles
{
public:
static CCActionInterval* create(float t)
{
CCFadeOutUpTiles* fadeout = CCFadeOutUpTiles::create(t, CCSizeMake(16,12));
CCActionInterval* back = fadeout->reverse();
CCDelayTime* delay = CCDelayTime::create(0.5f);
return CCSequence::create(fadeout, delay, back, NULL);
}
};
class FadeOutDownTilesDemo : public CCFadeOutDownTiles
{
public:
static CCActionInterval* create(float t)
{
CCFadeOutDownTiles* fadeout = CCFadeOutDownTiles::create(t, CCSizeMake(16,12));
CCActionInterval* back = fadeout->reverse();
CCDelayTime* delay = CCDelayTime::create(0.5f);
return CCSequence::create(fadeout, delay, back, NULL);
}
};
class TurnOffTilesDemo : public CCTurnOffTiles
{
public:
static CCActionInterval* create(float t)
{
CCTurnOffTiles* fadeout = CCTurnOffTiles::create(t, CCSizeMake(48,32), 25);
CCActionInterval* back = fadeout->reverse();
CCDelayTime* delay = CCDelayTime::create(0.5f);
return CCSequence::create(fadeout, delay, back, NULL);
}
};
class WavesTiles3DDemo : public CCWavesTiles3D
{
public:
static CCActionInterval* create(float t)
{
return CCWavesTiles3D::create(t, CCSizeMake(15,10), 4, 120);
}
};
class JumpTiles3DDemo : public CCJumpTiles3D
{
public:
static CCActionInterval* create(float t)
{
return CCJumpTiles3D::create(t, CCSizeMake(15,10), 2, 30);
}
};
class SplitRowsDemo : public CCSplitRows
{
public:
static CCActionInterval* create(float t)
{
return CCSplitRows::create(t, 9);
}
};
class SplitColsDemo : public CCSplitCols
{
public:
static CCActionInterval* create(float t)
{
return CCSplitCols::create(t, 9);
}
};
class PageTurn3DDemo : public CCPageTurn3D
{
public:
static CCActionInterval* create(float t)
{
CCDirector::sharedDirector()->setDepthTest(true);
return CCPageTurn3D::create(t, CCSizeMake(15,10));
}
};
//------------------------------------------------------------------
//
// TextLayer
//
//------------------------------------------------------------------
#define MAX_LAYER 22
CCActionInterval* createEffect(int nIndex, float t)
{
CCDirector::sharedDirector()->setDepthTest(false);
switch(nIndex)
{
case 0: return Shaky3DDemo::create(t);
case 1: return Waves3DDemo::create(t);
case 2: return FlipX3DDemo::create(t);
case 3: return FlipY3DDemo::create(t);
case 4: return Lens3DDemo::create(t);
case 5: return Ripple3DDemo::create(t);
case 6: return LiquidDemo::create(t);
case 7: return WavesDemo::create(t);
case 8: return TwirlDemo::create(t);
case 9: return ShakyTiles3DDemo::create(t);
case 10: return ShatteredTiles3DDemo::create(t);
case 11: return ShuffleTilesDemo::create(t);
case 12: return FadeOutTRTilesDemo::create(t);
case 13: return FadeOutBLTilesDemo::create(t);
case 14: return FadeOutUpTilesDemo::create(t);
case 15: return FadeOutDownTilesDemo::create(t);
case 16: return TurnOffTilesDemo::create(t);
case 17: return WavesTiles3DDemo::create(t);
case 18: return JumpTiles3DDemo::create(t);
case 19: return SplitRowsDemo::create(t);
case 20: return SplitColsDemo::create(t);
case 21: return PageTurn3DDemo::create(t);
}
return NULL;
}
CCActionInterval* getAction()
{
CCActionInterval* pEffect = createEffect(actionIdx, 3);
return pEffect;
}
void EffectTestScene::runThisTest()
{
addChild(TextLayer::create());
CCDirector::sharedDirector()->replaceScene(this);
}
#define SID_RESTART 1
TextLayer::TextLayer(void)
{
initWithColor( ccc4(32,128,32,255) );
CCNode* node = CCNode::create();
CCActionInterval* effect = getAction();
node->runAction(effect);
addChild(node, 0, kTagBackground);
CCSprite *bg = CCSprite::create(s_back3);
node->addChild(bg, 0);
// bg->setAnchorPoint( CCPointZero );
bg->setPosition(VisibleRect::center());
CCSprite* grossini = CCSprite::create(s_pPathSister2);
node->addChild(grossini, 1);
grossini->setPosition( ccp(VisibleRect::left().x+VisibleRect::getVisibleRect().size.width/3,VisibleRect::center().y) );
CCActionInterval* sc = CCScaleBy::create(2, 5);
CCActionInterval* sc_back = sc->reverse();
grossini->runAction( CCRepeatForever::create(CCSequence::create(sc, sc_back, NULL) ) );
CCSprite* tamara = CCSprite::create(s_pPathSister1);
node->addChild(tamara, 1);
tamara->setPosition( ccp(VisibleRect::left().x+2*VisibleRect::getVisibleRect().size.width/3,VisibleRect::center().y) );
CCActionInterval* sc2 = CCScaleBy::create(2, 5);
CCActionInterval* sc2_back = sc2->reverse();
tamara->runAction( CCRepeatForever::create(CCSequence::create(sc2, sc2_back, NULL)) );
CCLabelTTF* label = CCLabelTTF::create((effectsList[actionIdx]).c_str(), "Marker Felt", 32);
label->setPosition( ccp(VisibleRect::center().x,VisibleRect::top().y-80) );
addChild(label);
label->setTag( kTagLabel );
CCMenuItemImage *item1 = CCMenuItemImage::create(s_pPathB1, s_pPathB2, this, menu_selector(TextLayer::backCallback) );
CCMenuItemImage *item2 = CCMenuItemImage::create(s_pPathR1, s_pPathR2, this, menu_selector(TextLayer::restartCallback) );
CCMenuItemImage *item3 = CCMenuItemImage::create(s_pPathF1, s_pPathF2, this, menu_selector(TextLayer::nextCallback) );
CCMenu *menu = CCMenu::create(item1, item2, item3, NULL);
menu->setPosition(CCPointZero);
item1->setPosition(ccp(VisibleRect::center().x - item2->getContentSize().width*2, VisibleRect::bottom().y+item2->getContentSize().height/2));
item2->setPosition(ccp(VisibleRect::center().x, VisibleRect::bottom().y+item2->getContentSize().height/2));
item3->setPosition(ccp(VisibleRect::center().x + item2->getContentSize().width*2, VisibleRect::bottom().y+item2->getContentSize().height/2));
addChild(menu, 1);
schedule( schedule_selector(TextLayer::checkAnim) );
}
void TextLayer::checkAnim(float dt)
{
CCNode* s2 = getChildByTag(kTagBackground);
if ( s2->numberOfRunningActions() == 0 && s2->getGrid() != NULL)
s2->setGrid(NULL);;
}
TextLayer::~TextLayer(void)
{
}
// TextLayer* TextLayer::node()
// {
// return TextLayer::create();
// }
TextLayer* TextLayer::create()
{
TextLayer* pLayer = new TextLayer();
pLayer->autorelease();
return pLayer;
}
void TextLayer::onEnter()
{
CCLayer::onEnter();
}
void TextLayer::newScene()
{
CCScene* s = new EffectTestScene();
CCNode* child = TextLayer::create();
s->addChild(child);
CCDirector::sharedDirector()->replaceScene(s);
s->release();
}
void TextLayer::restartCallback(CCObject* pSender)
{
newScene();
}
void TextLayer::nextCallback(CCObject* pSender)
{
// update the action index
actionIdx++;
actionIdx = actionIdx % MAX_LAYER;
newScene();
}
void TextLayer::backCallback(CCObject* pSender)
{
// update the action index
actionIdx--;
int total = MAX_LAYER;
if( actionIdx < 0 )
actionIdx += total;
newScene();
}
| [
"mq@tuojie.com"
] | mq@tuojie.com |
f56c0c8117df67c3bf8f6f467c5b1152560a7b0c | d20cd8d62e96ef9200126a8933d6cfc0363c8f7c | /src/io/arrow_util.h | 5f7b2ab835b146e2bd1f511bf7060443af46fb82 | [
"Apache-2.0"
] | permissive | Pandinosaurus/legate.pandas | 565f9783ce8b87b5bc557b4de480af278b7e6eb4 | 9875e6f22c67c89f6fceed09e5d55d0126db2b70 | refs/heads/master | 2023-07-19T06:08:23.953705 | 2021-07-09T00:30:35 | 2021-07-09T00:30:35 | 358,820,890 | 0 | 0 | Apache-2.0 | 2021-08-08T06:14:49 | 2021-04-17T08:05:54 | C++ | UTF-8 | C++ | false | false | 2,069 | h | /* Copyright 2021 NVIDIA Corporation
*
* 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.
*
*/
#pragma once
#include "pandas.h"
#include "column/column.h"
#include "column/detail/column.h"
#include <arrow/util/compression.h>
namespace arrow {
class ChunkedArray;
class MemoryPool;
class Table;
} // namespace arrow
namespace legate {
namespace pandas {
namespace io {
struct Reader {
virtual std::shared_ptr<arrow::Table> read(const std::string &filename) = 0;
};
arrow::Compression::type to_arrow_compression(CompressionType compression);
std::shared_ptr<arrow::Table> read_files(std::unique_ptr<Reader> reader,
const std::vector<std::string> &filenames,
int64_t task_id,
size_t num_tasks);
int64_t slice_columns(std::vector<std::shared_ptr<arrow::ChunkedArray>> &columns,
std::shared_ptr<arrow::Table> table,
int64_t task_id,
size_t num_tasks,
Maybe<int32_t> &&opt_nrows = Maybe<int32_t>{});
void copy_bitmask(Bitmask &out_b, std::shared_ptr<arrow::ChunkedArray> in);
void copy_column(OutputColumn &out, std::shared_ptr<arrow::ChunkedArray> in);
std::shared_ptr<arrow::Table> to_arrow(const detail::Table &table,
const std::vector<std::string> &column_names,
alloc::Allocator &allocator);
} // namespace io
} // namespace pandas
} // namespace legate
| [
"wonchanl@nvidia.com"
] | wonchanl@nvidia.com |
e3f59aeb4a9ec0ab9d510cc274a6b9ccc1f37692 | 45d300db6d241ecc7ee0bda2d73afd011e97cf28 | /OTCDerivativesCalculatorModule/Project_Cpp/lib_static/FpmlSerialized/GenClass/fpml-doc-5-4/CreditDerivativesNotices.cpp | f959559185177a9c3ea31c4f70cf8b15abfa0dc6 | [] | no_license | fagan2888/OTCDerivativesCalculatorModule | 50076076f5634ffc3b88c52ef68329415725e22d | e698e12660c0c2c0d6899eae55204d618d315532 | refs/heads/master | 2021-05-30T03:52:28.667409 | 2015-11-27T06:57:45 | 2015-11-27T06:57:45 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 6,228 | cpp | // CreditDerivativesNotices.cpp
#include "CreditDerivativesNotices.hpp"
#ifdef ConsolePrint
#include <iostream>
#endif
namespace FpmlSerialized {
CreditDerivativesNotices::CreditDerivativesNotices(TiXmlNode* xmlNode)
: ISerialized(xmlNode)
{
#ifdef ConsolePrint
std::string initialtap_ = FileManager::instance().tap_;
FileManager::instance().tap_.append(" ");
#endif
//creditEventNode ----------------------------------------------------------------------------------------------------------------------
TiXmlElement* creditEventNode = xmlNode->FirstChildElement("creditEvent");
if(creditEventNode){creditEventIsNull_ = false;}
else{creditEventIsNull_ = true;}
#ifdef ConsolePrint
FileManager::instance().outFile_ << FileManager::instance().tap_.c_str() << "- creditEventNode , address : " << creditEventNode << std::endl;
#endif
if(creditEventNode)
{
if(creditEventNode->Attribute("href") || creditEventNode->Attribute("id"))
{
if(creditEventNode->Attribute("id"))
{
creditEventIDRef_ = creditEventNode->Attribute("id");
creditEvent_ = boost::shared_ptr<XsdTypeBoolean>(new XsdTypeBoolean(creditEventNode));
creditEvent_->setID(creditEventIDRef_);
IDManager::instance().setID(creditEventIDRef_,creditEvent_);
}
else if(creditEventNode->Attribute("href")) { creditEventIDRef_ = creditEventNode->Attribute("href");}
else { QL_FAIL("id or href error"); }
}
else { creditEvent_ = boost::shared_ptr<XsdTypeBoolean>(new XsdTypeBoolean(creditEventNode));}
}
//publiclyAvailableInformationNode ----------------------------------------------------------------------------------------------------------------------
TiXmlElement* publiclyAvailableInformationNode = xmlNode->FirstChildElement("publiclyAvailableInformation");
if(publiclyAvailableInformationNode){publiclyAvailableInformationIsNull_ = false;}
else{publiclyAvailableInformationIsNull_ = true;}
#ifdef ConsolePrint
FileManager::instance().outFile_ << FileManager::instance().tap_.c_str() << "- publiclyAvailableInformationNode , address : " << publiclyAvailableInformationNode << std::endl;
#endif
if(publiclyAvailableInformationNode)
{
if(publiclyAvailableInformationNode->Attribute("href") || publiclyAvailableInformationNode->Attribute("id"))
{
if(publiclyAvailableInformationNode->Attribute("id"))
{
publiclyAvailableInformationIDRef_ = publiclyAvailableInformationNode->Attribute("id");
publiclyAvailableInformation_ = boost::shared_ptr<XsdTypeBoolean>(new XsdTypeBoolean(publiclyAvailableInformationNode));
publiclyAvailableInformation_->setID(publiclyAvailableInformationIDRef_);
IDManager::instance().setID(publiclyAvailableInformationIDRef_,publiclyAvailableInformation_);
}
else if(publiclyAvailableInformationNode->Attribute("href")) { publiclyAvailableInformationIDRef_ = publiclyAvailableInformationNode->Attribute("href");}
else { QL_FAIL("id or href error"); }
}
else { publiclyAvailableInformation_ = boost::shared_ptr<XsdTypeBoolean>(new XsdTypeBoolean(publiclyAvailableInformationNode));}
}
//physicalSettlementNode ----------------------------------------------------------------------------------------------------------------------
TiXmlElement* physicalSettlementNode = xmlNode->FirstChildElement("physicalSettlement");
if(physicalSettlementNode){physicalSettlementIsNull_ = false;}
else{physicalSettlementIsNull_ = true;}
#ifdef ConsolePrint
FileManager::instance().outFile_ << FileManager::instance().tap_.c_str() << "- physicalSettlementNode , address : " << physicalSettlementNode << std::endl;
#endif
if(physicalSettlementNode)
{
if(physicalSettlementNode->Attribute("href") || physicalSettlementNode->Attribute("id"))
{
if(physicalSettlementNode->Attribute("id"))
{
physicalSettlementIDRef_ = physicalSettlementNode->Attribute("id");
physicalSettlement_ = boost::shared_ptr<XsdTypeBoolean>(new XsdTypeBoolean(physicalSettlementNode));
physicalSettlement_->setID(physicalSettlementIDRef_);
IDManager::instance().setID(physicalSettlementIDRef_,physicalSettlement_);
}
else if(physicalSettlementNode->Attribute("href")) { physicalSettlementIDRef_ = physicalSettlementNode->Attribute("href");}
else { QL_FAIL("id or href error"); }
}
else { physicalSettlement_ = boost::shared_ptr<XsdTypeBoolean>(new XsdTypeBoolean(physicalSettlementNode));}
}
#ifdef ConsolePrint
FileManager::instance().tap_ = initialtap_;
#endif
}
boost::shared_ptr<XsdTypeBoolean> CreditDerivativesNotices::getCreditEvent()
{
if(!this->creditEventIsNull_){
if(creditEventIDRef_ != ""){
return boost::shared_static_cast<XsdTypeBoolean>(IDManager::instance().getID(creditEventIDRef_));
}else{
return this->creditEvent_;
}
}else
{
QL_FAIL("null Ptr");
return boost::shared_ptr<XsdTypeBoolean>();
}
}
boost::shared_ptr<XsdTypeBoolean> CreditDerivativesNotices::getPubliclyAvailableInformation()
{
if(!this->publiclyAvailableInformationIsNull_){
if(publiclyAvailableInformationIDRef_ != ""){
return boost::shared_static_cast<XsdTypeBoolean>(IDManager::instance().getID(publiclyAvailableInformationIDRef_));
}else{
return this->publiclyAvailableInformation_;
}
}else
{
QL_FAIL("null Ptr");
return boost::shared_ptr<XsdTypeBoolean>();
}
}
boost::shared_ptr<XsdTypeBoolean> CreditDerivativesNotices::getPhysicalSettlement()
{
if(!this->physicalSettlementIsNull_){
if(physicalSettlementIDRef_ != ""){
return boost::shared_static_cast<XsdTypeBoolean>(IDManager::instance().getID(physicalSettlementIDRef_));
}else{
return this->physicalSettlement_;
}
}else
{
QL_FAIL("null Ptr");
return boost::shared_ptr<XsdTypeBoolean>();
}
}
}
| [
"math.ansang@gmail.com"
] | math.ansang@gmail.com |
8d3032a445ce476ad8311d75c554a4dc3cabe3c6 | ce1c3e64b8c19bbd5a48ea2ed87819aec1127e35 | /Plugins/Voxel/Source/VoxelEditor/Private/VoxelWorldDetails.cpp | 14069fd95bd6acb486b227ae493f13d6c0955e26 | [
"MIT"
] | permissive | whisper2shade/MarchingCubes | 903537cb8877fc1d0e52d04aa0c62440f89cf9f2 | ca788e0fc3ae4904aacdf609aea3c3b6e0127a7e | refs/heads/master | 2021-07-20T12:13:24.172682 | 2017-10-25T19:12:36 | 2017-10-25T19:12:36 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,095 | cpp | #include "VoxelWorldDetails.h"
#include "VoxelWorld.h"
#include "VoxelWorldEditor.h"
#include "PropertyHandle.h"
#include "DetailLayoutBuilder.h"
#include "DetailWidgetRow.h"
#include "DetailCategoryBuilder.h"
#include "IDetailsView.h"
#include "Widgets/DeclarativeSyntaxSupport.h"
#include "Widgets/Text/STextBlock.h"
#include "Widgets/Input/SButton.h"
#include "LevelEditorViewport.h"
#include "Editor.h"
#include "IDetailPropertyRow.h"
#include "Engine.h"
DEFINE_LOG_CATEGORY(VoxelEditorLog)
FVoxelWorldDetails::FVoxelWorldDetails()
{
}
FVoxelWorldDetails::~FVoxelWorldDetails()
{
}
TSharedRef<IDetailCustomization> FVoxelWorldDetails::MakeInstance()
{
return MakeShareable(new FVoxelWorldDetails());
}
void FVoxelWorldDetails::CustomizeDetails(IDetailLayoutBuilder& DetailLayout)
{
const TArray< TWeakObjectPtr<UObject> >& SelectedObjects = DetailLayout.GetDetailsView().GetSelectedObjects();
for (int32 ObjectIndex = 0; ObjectIndex < SelectedObjects.Num(); ++ObjectIndex)
{
const TWeakObjectPtr<UObject>& CurrentObject = SelectedObjects[ObjectIndex];
if (CurrentObject.IsValid())
{
AVoxelWorld* CurrentCaptureActor = Cast<AVoxelWorld>(CurrentObject.Get());
if (CurrentCaptureActor)
{
World = CurrentCaptureActor;
break;
}
}
}
DetailLayout.EditCategory("Voxel")
.AddCustomRow(FText::FromString(TEXT("Update")))
.NameContent()
[
SNew(STextBlock)
.Font(IDetailLayoutBuilder::GetDetailFont())
.Text(FText::FromString(TEXT("Toggle world preview")))
]
.ValueContent()
.MaxDesiredWidth(125.f)
.MinDesiredWidth(125.f)
[
SNew(SButton)
.ContentPadding(2)
.VAlign(VAlign_Center)
.HAlign(HAlign_Center)
.OnClicked(this, &FVoxelWorldDetails::OnWorldPreviewToggle)
[
SNew(STextBlock)
.Font(IDetailLayoutBuilder::GetDetailFont())
.Text(FText::FromString(TEXT("Toggle")))
]
];
DetailLayout.EditCategory("Voxel")
.AddCustomRow(FText::FromString(TEXT("Update")))
.NameContent()
[
SNew(STextBlock)
.Font(IDetailLayoutBuilder::GetDetailFont())
.Text(FText::FromString(TEXT("Update voxel modifiers")))
]
.ValueContent()
.MaxDesiredWidth(125.f)
.MinDesiredWidth(125.f)
[
SNew(SButton)
.ContentPadding(2)
.VAlign(VAlign_Center)
.HAlign(HAlign_Center)
.OnClicked(this, &FVoxelWorldDetails::OnUpdateVoxelModifiers)
[
SNew(STextBlock)
.Font(IDetailLayoutBuilder::GetDetailFont())
.Text(FText::FromString(TEXT("Update")))
]
];
}
FReply FVoxelWorldDetails::OnWorldPreviewToggle()
{
if (World.IsValid())
{
World->VoxelWorldEditorClass = AVoxelWorldEditor::StaticClass();
if (World->IsCreated())
{
World->DestroyInEditor();
}
else
{
World->CreateInEditor();
}
}
return FReply::Handled();
}
FReply FVoxelWorldDetails::OnUpdateVoxelModifiers()
{
if (World.IsValid() && World->GetWorld()->WorldType == EWorldType::Editor)
{
if (World->IsCreated())
{
World->DestroyInEditor();
}
World->UpdateVoxelModifiers();
World->CreateInEditor();
}
else
{
UE_LOG(VoxelEditorLog, Error, TEXT("Not in editor"));
}
return FReply::Handled();
}
| [
"phyronnaz@gmail.com"
] | phyronnaz@gmail.com |
28cdcd0946d4bbe4582eaebdd720958695b13ead | 7209f41c97a2b8f2e00f9b09de101a5970a5d55c | /30. test Code/testLoRaMAC/testLoRaMAC.ino | 5be43c2b8457df107e00abd630e6df8bbcc9d69a | [] | no_license | heroydx/Arduino | cb04aa89c36618ae21baa81ea840fc1f87a11731 | 66ef22a28207d7c5062b109dc372337321a8b684 | refs/heads/master | 2021-09-28T09:18:41.386036 | 2018-11-16T08:47:36 | 2018-11-16T08:47:36 | 109,075,154 | 1 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 39,135 | ino | #include <arduino.h>
#include <LoRa_AS62.h>
#include <ListArray.h>
extern "C" {
#include "simpleHash.h"
}
void print_hex_data(char *title, uint8_t *ptr, short nLen)
{
short i;
DBGPRINTF("\n%s", title);
for (i = 0; i < nLen; i++)
{
DBGPRINTF("%02X ", *(ptr + i));
}
}
#define SIO_BAUD 115200
/*--------------------------------------------------------------------------------*/
//DEBUG_PART_BEGIN Ver=20170406
/*--------------------------------------------------------------------------------*/
LoRa_AS62 LoRaDev;
/*
LoRaMac.h
The definition of LoRa air protocol CMD list
2017 Steven Lian (steven.lian@gmail.com)
*/
#define LORA_MAC_HOST_FLAG false
//common cmd list
#define LORA_CMD_NULL_CMD 0 //空命令,无需解释和执行
#define LORA_CMD_EXTEND_CMD 1 //扩展命令,用于避免一个字节的命令类型不够的情况
#define LORA_CMD_REGISTRATION_REQUEST 2 //服务登记请求,一个Terminal向router申请加入LoRa网络,同时会上传自己的唯一号 devID(IMEI),MAID(制造商代号)和PID(项目代号)
#define LORA_CMD_REGISTRATION_FEEDBACK 3 //服务登记回馈,一个Terminal向router申请加入LoRa网络,同时会下发内部地址
#define LORA_CMD_ADDR_REQUEST 4 //内部地址分配请求,一般是一个Terminal加入一个LoRa后,需要新分配或者获取已经分配的内部地址。
#define LORA_CMD_ADDR_FEEDBACK 5 //内部地址分配回馈,返回新分配或者获取已经分配的内部地址。
#define LORA_CMD_SYNC_CMD 6 //router 同步,Terminal发送的开始时间,以及,分组和顺序
#define LORA_CMD_SYNC_TIME 7 // router 同步时间
#define LORA_CMD_SYNC_RANDOM 8 //router 给出自由time slot,等需要发送设备请求,注册等信息的设备。
#define LORA_CMD_VERIFY_REQUEST 9 //要求验证对方设备的真伪,需要发送一组随机数,至少是8个字节的数据,
#define LORA_CMD_VERIFY_FEEDBACK 10 //验证反馈,回送对方8个字节的数据,和对应的MD5或者其他方式的hash结果,结果不少于8个字节。
#define LORA_CMD_DHCP_POOL_REQUEST 10 //host 主设备向上级服务器申请一个内部地址池
#define LORA_CMD_DHCP_POOL_FEEDBACK 11 //上级服务器对 host 主设备向申请一个内部地址池请求的回应,给一个段落(开始和结束)
#define LORA_CMD_ADDR_CHANGE_ACK 12 //对特定设备内部地址变更的通知,是对LORA_CMD_ADDR_REQUEST/LORA_CMD_ADDR_FEEDBACK的增强,格式和LORA_CMD_ADDR_FEEDBACK相同
//application cmd list
#define LORA_CMD_APP_EXTEND_CMD 64 //应用扩展命令集合
#define LORA_CMD_APP_FMRADIO 65 //FM Radion APPLICATION CMD
#define LORA_MAC_ADDRESS_LEN 4
#define LORA_MAC_KEY_LEN 8
#define LORA_MAC_KEY_MD5 8
#define LORA_MAC_SYNC_LIST_MAX_LEN 8
#define LORA_MAC_APPLICATION_MAX_DATA_LEN 16
#define LORA_MAC_UNION_MAX_DATA_LEN 28
#define LORA_MAC_TIME_SLOT_IN_MS 200 // 200 ms 根据 LORA_MAC_UNION_MAX_DATA_LEN 计算
#define LORA_MAC_TIME_SOLT_OFFSET_IN_MS 5 //第一个发送槽在多少时间后开始
//#define LORA_MAC_BROADCAST_0000 0x00000000
#define LORA_MAC_DEFAULT_HOST_ADDR "\xC0\xA8\x00\x01"
uint8_t LORA_MAC_BROADCAST_FFFF[LORA_MAC_ADDRESS_LEN] = {0xFF, 0xFF, 0xFF, 0xFF};
#define LORA_MAC_SEND_BUFF_MAX_LENGTH 16
#define LORA_MAC_RECV_BUFF_MAX_LENGTH 5
#define LORA_MAC_HOST_DATA_LENGTH 248
#define LORA_MAC_HOST_DATA_ADDR_BEGIN 5
typedef struct {
uint8_t sourceAddr[LORA_MAC_ADDRESS_LEN];
uint8_t destAddr[LORA_MAC_ADDRESS_LEN];
uint8_t seq;
uint8_t fill;
short CMD;
short exCMD;
} stDataCMD_00;
typedef struct {
uint8_t sourceAddr[LORA_MAC_ADDRESS_LEN];
uint8_t destAddr[LORA_MAC_ADDRESS_LEN];
uint8_t seq;
uint8_t fill;
short CMD;
unsigned long devID;
unsigned short MAID;
unsigned short PID;
uint8_t key[LORA_MAC_KEY_LEN];
//uint8_t val[LORA_MAC_KEY_MD5];
} stDataCMD_RegistrationRequest;
typedef struct {
uint8_t sourceAddr[LORA_MAC_ADDRESS_LEN];
uint8_t destAddr[LORA_MAC_ADDRESS_LEN];
uint8_t seq;
uint8_t fill;
short CMD;
unsigned long devID;
uint8_t addr[LORA_MAC_ADDRESS_LEN];
uint8_t val[LORA_MAC_KEY_MD5];
} stDataCMD_RegistrationFeedback;
typedef struct {
uint8_t sourceAddr[LORA_MAC_ADDRESS_LEN];
uint8_t destAddr[LORA_MAC_ADDRESS_LEN];
uint8_t seq;
uint8_t fill;
short CMD;
uint8_t groupAddr[LORA_MAC_ADDRESS_LEN - 1];
uint8_t groupLen;
uint8_t list[LORA_MAC_SYNC_LIST_MAX_LEN];
} stDataCMD_synCMD;
typedef struct {
uint8_t sourceAddr[LORA_MAC_ADDRESS_LEN];
uint8_t destAddr[LORA_MAC_ADDRESS_LEN];
uint8_t seq;
uint8_t fill;
short CMD;
short year;
short month;
short day;
short hour;
short minute;
short second;
short wday;
short timezone2; //2 x timezone , consider india GMT +7.5= 15
} stDataCMD_synTime;
typedef struct {
uint8_t sourceAddr[LORA_MAC_ADDRESS_LEN];
uint8_t destAddr[LORA_MAC_ADDRESS_LEN];
uint8_t seq;
uint8_t fill;
short CMD;
unsigned long devID;
uint8_t key[LORA_MAC_KEY_LEN];
} stDataCMD_verifyRequestCMD;
typedef struct {
uint8_t sourceAddr[LORA_MAC_ADDRESS_LEN];
uint8_t destAddr[LORA_MAC_ADDRESS_LEN];
uint8_t seq;
uint8_t fill;
short CMD;
unsigned long devID;
uint8_t val[LORA_MAC_KEY_MD5];
} stDataCMD_verifyFeedbackCMD;
typedef struct {
uint8_t sourceAddr[LORA_MAC_ADDRESS_LEN];
uint8_t destAddr[LORA_MAC_ADDRESS_LEN];
uint8_t seq;
uint8_t fill;
short CMD;
uint8_t data[LORA_MAC_APPLICATION_MAX_DATA_LEN];
} stDataCMD_APP;
typedef union {
stDataCMD_00 exCMD;
stDataCMD_RegistrationRequest regRequest;
stDataCMD_RegistrationFeedback regFeedback;
stDataCMD_synCMD syncCMD;
stDataCMD_synTime syncTime;
stDataCMD_verifyRequestCMD verifyRegCMD;
stDataCMD_verifyFeedbackCMD verifyFeedCMD;
stDataCMD_APP app;
uint8_t u8Data[LORA_MAC_UNION_MAX_DATA_LEN];
} stDataStreamUnion;
#define CONST_LORA_HOST_DEFAULT_BATCH_LEN 8
class LoRaHost {
public:
//data
uint8_t hostAddr[LORA_MAC_ADDRESS_LEN];
uint8_t resultAddr[LORA_MAC_ADDRESS_LEN];
uint8_t addrBegin;
short maxCount;
short addrCount;
unsigned long *addrListPtr;
uint8_t *seqListPtr;
short currPos;
short batchLen;
//function
LoRaHost();
virtual ~LoRaHost();
short begin(uint8_t *Addr, uint8_t beginAddr, short subNum);
bool isEmpty();
bool isFull();
short find(unsigned long devID);
short find(unsigned long devID, uint8_t *addr );
short add(unsigned long devID, uint8_t *addr);
short del(unsigned long devID);
void debug_print_info();
private:
short stat();
};
LoRaHost::LoRaHost()
{
//清空hostData数据
memset(hostAddr, 0, sizeof(LORA_MAC_ADDRESS_LEN));
memset(resultAddr, 0, sizeof(LORA_MAC_ADDRESS_LEN));
addrBegin = LORA_MAC_HOST_DATA_ADDR_BEGIN;
maxCount = 0;
addrCount = 0;
currPos = 0;
batchLen = CONST_LORA_HOST_DEFAULT_BATCH_LEN;
addrListPtr = NULL;
seqListPtr = NULL;
}
LoRaHost::~LoRaHost()
{
//清空hostData数据
memset(hostAddr, 0, sizeof(LORA_MAC_ADDRESS_LEN));
memset(resultAddr, 0, sizeof(LORA_MAC_ADDRESS_LEN));
addrBegin = LORA_MAC_HOST_DATA_ADDR_BEGIN;
maxCount = 0;
addrCount = 0;
currPos = 0;
batchLen = CONST_LORA_HOST_DEFAULT_BATCH_LEN;
//free memory
if (addrListPtr != NULL) {
free (addrListPtr);
}
if (seqListPtr != NULL) {
free (seqListPtr);
}
}
short LoRaHost::begin(uint8_t *addr, uint8_t beginAddr, short subNum)
{
memcpy(hostAddr, addr, LORA_MAC_ADDRESS_LEN);
addrBegin = beginAddr;
if ((addrBegin + subNum) > 255) {
maxCount = ((255 - addrBegin) / 8) * 8;
}
else {
maxCount = subNum;
}
//主控模式,分配相应的内存
if (addrListPtr != NULL) {
free (addrListPtr);
}
if (seqListPtr != NULL) {
free (seqListPtr);
}
int sizOfMemory;
sizOfMemory = sizeof (unsigned long) * maxCount;
addrListPtr = (unsigned long *) malloc (sizOfMemory);
memset(addrListPtr, 0, sizOfMemory);
sizOfMemory = sizeof (uint8_t) * maxCount;
seqListPtr = (uint8_t *) malloc (sizOfMemory);
memset(addrListPtr, 0, sizOfMemory);
}
bool LoRaHost::isEmpty()
{
return addrCount == 0;
}
bool LoRaHost::isFull()
{
return addrCount = maxCount;
}
//return >=0, 位置,<0没有找到
short LoRaHost::find(unsigned long devID)
{
short ret = -1;
short i;
for (i = 0; i < maxCount; i++) {
if (devID == *(addrListPtr + i)) {
ret = i;
break;
}
}
return ret;
}
//return >=0, 位置,<0没有找到
short LoRaHost::find(unsigned long devID, uint8_t *addr)
{
short ret = -1;
ret = find(devID);
if (ret >= 0) {
memcpy(addr, hostAddr, LORA_MAC_ADDRESS_LEN - 1);
* (addr + LORA_MAC_ADDRESS_LEN - 1) = (uint8_t) (addrBegin + ret);
}
return ret;
}
short LoRaHost::add(unsigned long devID, uint8_t *addr)
{
short ret = -1;
short i;
if (find(devID) < 0) {
for (i = 0; i < maxCount; i++) {
if (*(addrListPtr + i) == 0L) {
uint8_t nT1;
*(addrListPtr + i) = devID;
memcpy(addr, hostAddr, LORA_MAC_ADDRESS_LEN - 1);
nT1 = (uint8_t) (addrBegin + i);
*(addr + LORA_MAC_ADDRESS_LEN - 1) = nT1;
addrCount++;
ret = i;
break;
}
}
}
return ret;
}
short LoRaHost::del(unsigned long devID)
{
short ret = -1;
if (find(devID) >= 0) {
*(addrListPtr + ret) = 0L;
addrCount--;
}
return ret;
}
short LoRaHost::stat()
{
short ret = 0;
short i;
for (i = 0; i < maxCount; i++) {
if (*(addrListPtr + ret) != 0L) {
ret++;
}
}
return ret;
}
void LoRaHost::debug_print_info()
{
DBGPRINTLN("\n==** Host Data info ==**");
DBGPRINTF("\n maxCount: [%d]", maxCount);
DBGPRINTF("\n addrCount: [%d]", addrCount);
DBGPRINTF("\n addrBegin: [%d]", addrBegin);
}
LoRaHost LoRaHostData;
extern short cmd_application_call(short CMD, uint8_t *ptr, short nLen);
ListArray sendList(LORA_MAC_SEND_BUFF_MAX_LENGTH, sizeof(stDataStreamUnion));
class LoRaMAC
{
public:
//data
unsigned long devID;
uint8_t hostAddr[LORA_MAC_ADDRESS_LEN];//主机地址
uint8_t hostMASK[LORA_MAC_ADDRESS_LEN]; //
uint8_t meAddr[LORA_MAC_ADDRESS_LEN]; //本机地址
uint8_t destAddr[LORA_MAC_ADDRESS_LEN];
uint8_t key[LORA_MAC_KEY_LEN];
bool hostFlag;
uint8_t seq;
uint8_t synced;
short channel;
bool sendWindowReady;
unsigned long nextWindowTick;
unsigned long nextWindowTimeSlotBegin;
unsigned long normalWindowPeriod;
unsigned long normalWindowTick;
unsigned long emergencyWindowPeriod;
unsigned long emergencyWindowTick;
short CMD;
stDataStreamUnion recvData;
stDataStreamUnion sendData;
stDataStreamUnion emergencyData;
//function
LoRaMAC();
//LoRaMAC(bool isHost, int subNum);
short begin(bool isHost);
short begin(bool isHost, uint8_t *addr);
short begin(bool isHost, uint8_t *addr, short subNum);
short begin(bool isHost, uint8_t *addr, uint8_t beginAddr, short subNum );
virtual ~LoRaMAC();
short available();
short check_time_window_send();
short handle_received_data_automatic();
short send_data(uint8_t *u8Ptr);
short send_data(uint8_t *u8Ptr, short nLen);
//debug print function
void debug_print_union(uint8_t *ptr);
void debug_print_self();
private:
//data
//ListArray sendList(LORA_MAC_SEND_BUFF_MAX_LENGTH, sizeof(stDataStreamUnion));
//ListArray sendList();
//function
unsigned long generate_devID();
bool hash_verification_process(char *ptr, char *result); //to verify host and client
short address_me(uint8_t *addrPtr); // return 0 to me address, 4,3,2,1 broadcast address,;
short func_cmd_extend_cmd();
short func_cmd_registration_request();
short func_cmd_registration_feedback();
short func_cmd_addr_request();
short func_cmd_addr_feedback();
short func_cmd_sync_cmd();
short func_cmd_sync_time();
short func_cmd_sync_random();
short func_cmd_verify_request();
bool func_cmd_verify_feedback();
unsigned long cal_host_time_slot();//计算主控机器(hostFlag==true)的发射时间窗口,默认利用发送数据(sendData)里面的参数计算。
};
LoRaMAC::LoRaMAC()
{
memcpy(hostAddr, LORA_MAC_DEFAULT_HOST_ADDR, LORA_MAC_ADDRESS_LEN);
begin(false, hostAddr, 0);
}
short LoRaMAC::begin(bool isHost, uint8_t *addr, uint8_t beginAddr, short subNum )
{
short ret = 0;
// if analog input pin 0 is unconnected, random analog
// noise will cause the call to randomSeed() to generate
// different seed numbers each time the sketch runs.
// randomSeed() will then shuffle the random function.
randomSeed(micros());
devID = generate_devID();
hostFlag = isHost;
memcpy(hostAddr, addr, LORA_MAC_ADDRESS_LEN);
normalWindowTick = ulReset_interval();
emergencyWindowTick = ulReset_interval();
if (hostFlag && (subNum > 0)) {
LoRaHostData.begin(hostAddr, beginAddr, subNum);
}
}
short LoRaMAC::begin(bool isHost, uint8_t *addr, short subNum)
{
return begin(isHost, addr, LORA_MAC_HOST_DATA_ADDR_BEGIN, subNum );
}
short LoRaMAC::begin(bool isHost, uint8_t *addr)
{
return begin(isHost, addr, LORA_MAC_HOST_DATA_ADDR_BEGIN, LORA_MAC_HOST_DATA_LENGTH );
}
short LoRaMAC::begin(bool isHost)
{
return begin(isHost, (uint8_t *)LORA_MAC_DEFAULT_HOST_ADDR, LORA_MAC_HOST_DATA_ADDR_BEGIN, LORA_MAC_HOST_DATA_LENGTH );
}
LoRaMAC::~LoRaMAC()
{
}
unsigned long LoRaMAC::generate_devID()
{
unsigned long devID;
devID = ESP.getChipId();
return devID;
}
bool LoRaMAC::hash_verification_process(char *ptr, char *result)
{
return true;
}
//计算主控机器(hostFlag==true)的发射时间窗口,默认利用发送数据(sendData)里面的参数计算。
unsigned long LoRaMAC::cal_host_time_slot() {
unsigned long ret;
short CMD;
DBGPRINTLN("===*** cal_host_time_slot ***===");
CMD = sendData.exCMD.CMD;
switch (CMD)
{
case LORA_CMD_SYNC_CMD:
case LORA_CMD_SYNC_RANDOM:
//给非主控设备的time solt个数+1
ret = LORA_MAC_TIME_SLOT_IN_MS * (sendData.syncCMD.groupLen + 1);
break;
default:
//默认命令下发以后,等待两个time slt;
ret = LORA_MAC_TIME_SLOT_IN_MS + LORA_MAC_TIME_SLOT_IN_MS;
break;
}
return ret;
}
short LoRaMAC::check_time_window_send()
{
short ret = 0;
unsigned long tick;
tick = ulGet_interval(nextWindowTick);
if (sendWindowReady) {
bool timeSlotOpen = true;
//send window is ready
//DBGPRINTF("\n--** sendWindowReady:[%d] **--\n", sendWindowReady);
if (!hostFlag) {
//主控设备和非主控设备对时间窗口的判断不同
//非主控设备,只能按照主控设备规定的发送时间窗口
if (tick < nextWindowTimeSlotBegin ) {
//窗口时间没有到
timeSlotOpen = false;
}
//非主控设备,超出给定窗口时间,此次发送窗口就关闭了
if (tick > (nextWindowTimeSlotBegin + LORA_MAC_TIME_SLOT_IN_MS)) {
//窗口时间过了
timeSlotOpen = false;
sendWindowReady = false;
}
}
//二者公用代码
if (timeSlotOpen) {
//send windows is avaiable
if (sendList.count() > 0) {
if (!LoRaDev.busy()) {
//loRaDevice is not busy,so pop data in sendList
sendList.rpop(sendData.u8Data);
//填充顺序号
sendData.syncCMD.seq = seq++;
//send data via lora
DBGPRINTLN("===**==== data sent begin ===**===");
debug_print_union(sendData.u8Data);
ret = LoRaDev.send(sendData.u8Data, sizeof (stDataStreamUnion));
DBGPRINTLN("===**==== data sent end ===**===");
//sent,disable windows
sendWindowReady = false;
if (hostFlag) {
//如果是主控设备,需要计算自己的下一个时间窗口.
nextWindowTimeSlotBegin = cal_host_time_slot();
}
}
//close the send window,waiting for next time
}
}
}
if (hostFlag) {
//如果是主控设备,只要是等待发送时间超过,并清除等待时间,就可以打开发送窗口
if (tick > (nextWindowTimeSlotBegin )) {
sendWindowReady = true;
nextWindowTimeSlotBegin = 5;//给个5ms过度时间
}
}
return ret;
}
// return >0, 1,2,3,4,100 if the message is to me;
short LoRaMAC::address_me(uint8_t *addrPtr)
{
short ret = 0;
short i;
short k = 0;
uint8_t tempAddr[LORA_MAC_ADDRESS_LEN];
for (i = LORA_MAC_ADDRESS_LEN - 1; i >= 0 ; i--)
{
if (addrPtr[i] == 0xFF) {
k++;
}
}
if (k == LORA_MAC_ADDRESS_LEN) {
ret = 4;
}
else if (k == 3) {
if (meAddr[0] == addrPtr[0])
ret = 3;
}
else if (k == 2) {
if ((meAddr[0] == addrPtr[0]) && (meAddr[1] == addrPtr[1]))
ret = 2;
}
else if (k == 1) {
if ((meAddr[0] == addrPtr[0]) && (meAddr[1] == addrPtr[1]) && (meAddr[2] == addrPtr[2]))
ret = 1;
}
else {
if (memcmp(addrPtr, meAddr, LORA_MAC_ADDRESS_LEN == 0)) {
ret = 100;
}
}
return ret;
}
short LoRaMAC::func_cmd_extend_cmd()
{
;
}
short LoRaMAC::func_cmd_registration_request()
{
short ret = -1;
DBGPRINTLN("**== test func_cmd_registration_request ==**");
if (address_me(recvData.regRequest.destAddr)) { //广播命令或者是给me自己的命令
unsigned long ulDevID;
DBGPRINTLN("-- func_cmd_registration_request match--\n");
ulDevID = recvData.regRequest.devID;
ret = LoRaHostData.add(ulDevID, sendData.regFeedback.addr);
DBGPRINTF("--LoRaHostData.add ret [%d] \n", ret);
if (ret >= 0) {
sendData.regFeedback.CMD = LORA_CMD_REGISTRATION_FEEDBACK;
sendData.regFeedback.devID = recvData.regRequest.devID;
memcpy(sendData.regFeedback.sourceAddr, hostAddr, LORA_MAC_ADDRESS_LEN);
memcpy(sendData.regFeedback.destAddr, LORA_MAC_BROADCAST_FFFF, LORA_MAC_ADDRESS_LEN);
memcpy(sendData.regFeedback.val, recvData.regRequest.key, LORA_MAC_KEY_MD5);
debug_print_union(sendData.u8Data);
send_data(sendData.u8Data);
}
}
return ret;
}
short LoRaMAC::func_cmd_registration_feedback()
{
short ret = 0;
DBGPRINTLN("**== test cmd_registration_feedback ==**");
DBGPRINTF("to devID: [%d], me devID:[%d]\n", recvData.regFeedback.devID, devID);
if ((address_me(recvData.regFeedback.destAddr)) && //广播命令或者是给me自己的命令
(recvData.regFeedback.devID == devID) && //发给me的命令,
hash_verification_process((char *) key, (char *) recvData.regFeedback.val)) //hash校验成功
{
//message is from host to me.
//memcpy(hostAddr,recvData.regFeedback.sourceAddr, LORA_MAC_ADDRESS_LEN);
//got host DHCP result
DBGPRINTLN("-- cmd_registration_feedback match--\n");
memcpy(meAddr, recvData.regFeedback.addr, LORA_MAC_ADDRESS_LEN);
memcpy(hostAddr, recvData.regFeedback.sourceAddr, LORA_MAC_ADDRESS_LEN);
}
return ret;
}
short LoRaMAC::func_cmd_addr_request()
{
;
}
// got feedback from host
short LoRaMAC::func_cmd_addr_feedback()
{
;
}
//正常通信发射窗口,非主控设备
short LoRaMAC::func_cmd_sync_cmd()
{
short ret = -1;
DBGPRINTLN("**== test cmd_sync_cmd ==**");
if (address_me(recvData.syncCMD.destAddr)) //广播命令或者是给me自己的命令
{
if (!memcmp(meAddr, recvData.syncCMD.groupAddr, LORA_MAC_ADDRESS_LEN - 1)) {
// 本机属于这个组group
uint8_t i;
DBGPRINTLN("-- cmd_sync_cmd match--\n");
for (i = 0; i < recvData.syncCMD.groupLen; i++) {
if (meAddr[LORA_MAC_ADDRESS_LEN - 1] == recvData.syncCMD.list[i]) {
//本机在本次的发送位置,并计算发送时间,并打开发射时间窗口
ret = i;
nextWindowTimeSlotBegin = LORA_MAC_TIME_SOLT_OFFSET_IN_MS + LORA_MAC_TIME_SLOT_IN_MS * ret;
DBGPRINTF("\nTime Slot %d, next Windows Time %d\n", ret, nextWindowTimeSlotBegin);
nextWindowTick = ulReset_interval();
sendWindowReady = true;
//计算两个窗口距离时间
normalWindowPeriod = ulGet_interval(normalWindowTick);
normalWindowTick = ulReset_interval();
break;
}
}
}
}
return ret;
}
short LoRaMAC::func_cmd_sync_time()
{
;
}
//紧急命令发射窗口,非主控设备
short LoRaMAC::func_cmd_sync_random()
{
short ret = -1;
DBGPRINTLN("**== test cmd_sync_random ==**");
if (address_me(recvData.syncCMD.destAddr)) //广播命令或者是给me自己的命令
{
if (emergencyData.syncCMD.CMD != LORA_CMD_NULL_CMD) {
//有紧急命令,清空当前队列
sendList.clean();
//塞入 emergencyData
//sendList.lpush(emergencyData.u8Data);
send_data(emergencyData.u8Data);
//随机产生本机在本次的发送位置,并计算发送时间,并打开发射时间窗口
ret = random(recvData.syncCMD.groupLen);
nextWindowTimeSlotBegin = LORA_MAC_TIME_SOLT_OFFSET_IN_MS + LORA_MAC_TIME_SLOT_IN_MS * ret;
DBGPRINTF("\nTime Slot %d, next Window Time %d\n", ret, nextWindowTimeSlotBegin);
nextWindowTick = ulReset_interval();
sendWindowReady = true;
//计算两个窗口距离时间
emergencyWindowPeriod = ulGet_interval(emergencyWindowTick);
emergencyWindowTick = ulReset_interval();
//清空紧急命令
emergencyData.syncCMD.CMD = LORA_CMD_NULL_CMD;
}
}
return ret;
}
//对验证请求的反馈,回送对方8个字节的数据,和对应的MD5或者其他方式的hash结果,结果不少于8个字节。
short LoRaMAC::func_cmd_verify_request()
{
short ret = 0;
DBGPRINTLN("**== test func_cmd_verify_request ==**");
DBGPRINTF("to devID: [%d], me devID:[%d]\n", recvData.regFeedback.devID, devID);
if ((address_me(recvData.verifyRegCMD.destAddr)) && //广播命令或者是给me自己的命令
(recvData.verifyRegCMD.devID == devID)) //发给me的命令,
{
//message is to me.
DBGPRINTLN("-- func_cmd_verify_request match--\n");
sendData.verifyFeedCMD.devID = devID;
memcpy(sendData.verifyFeedCMD.sourceAddr, meAddr, LORA_MAC_ADDRESS_LEN);
memcpy(sendData.verifyFeedCMD.destAddr, recvData.verifyRegCMD.sourceAddr, LORA_MAC_ADDRESS_LEN);
hash_verification_process((char *) recvData.verifyRegCMD.key, (char *) sendData.verifyFeedCMD.val);
send_data(sendData.u8Data);
}
return ret;
}
bool LoRaMAC::func_cmd_verify_feedback()
{
bool ret = false;
DBGPRINTLN("**== test func_cmd_verify_feedback ==**");
if ((address_me(recvData.verifyFeedCMD.destAddr)) && //广播命令或者是给me自己的命令
(recvData.verifyFeedCMD.devID == devID) && //发给me的命令,
hash_verification_process((char *) key, (char *) recvData.verifyFeedCMD.val)) //hash校验成功
{
//message is to me.
DBGPRINTLN("-- func_cmd_verify_feedback match--\n");
ret = true;
};
return ret;
}
//自动处理有关注册登记,时间窗口,校验等信息
short LoRaMAC::handle_received_data_automatic()
{
short ret = 0;
short CMD;
DBGPRINTLN("===*** handle_received_data_automatic ***===");
CMD = recvData.exCMD.CMD;
switch (CMD)
{
case LORA_CMD_EXTEND_CMD:
func_cmd_extend_cmd();
ret = sizeof (stDataStreamUnion);
break;
case LORA_CMD_REGISTRATION_REQUEST:
if (hostFlag) {
func_cmd_registration_request();
ret = sizeof (stDataStreamUnion);
}
break;
case LORA_CMD_REGISTRATION_FEEDBACK:
func_cmd_registration_feedback();
ret = sizeof (stDataStreamUnion);
break;
case LORA_CMD_ADDR_REQUEST:
func_cmd_addr_request();
ret = sizeof (stDataStreamUnion);
break;
case LORA_CMD_ADDR_FEEDBACK:
func_cmd_addr_feedback();
ret = sizeof (stDataStreamUnion);
break;
case LORA_CMD_SYNC_CMD:
if (!hostFlag) {
//非主控设备需要获得时间窗口
func_cmd_sync_cmd();
}
break;
case LORA_CMD_SYNC_TIME:
func_cmd_sync_time();
break;
case LORA_CMD_SYNC_RANDOM:
if (!hostFlag) {
//非主控设备需要获得时间窗口
func_cmd_sync_random();
}
break;
case LORA_CMD_VERIFY_REQUEST:
func_cmd_verify_request();
ret = sizeof (stDataStreamUnion);
break;
case LORA_CMD_VERIFY_FEEDBACK:
func_cmd_verify_feedback();
ret = sizeof (stDataStreamUnion);
break;
default:
//application call to call external application API
//cmd_application_call(CMD, recvData.u8Data, sizeof(stDataStreamUnion));
ret = sizeof (stDataStreamUnion);
break;
}
return ret;
}
//检查是否收到数据,并自动执行部分无需上层处理的操作,例如时间窗口处理,收到的数据存储在recvData结构里面
short LoRaMAC::available()
{
short ret = 0;
short nLen;
nLen = LoRaDev.available();
nLen = abs(nLen); //nLen <0, crc8 error,
if (nLen > 0) {
LoRaDev.get(recvData.u8Data); // 必须使用recvData.u8Data,后面会默认按这个数据地址处理
debug_print_union(recvData.u8Data);
ret = handle_received_data_automatic();
}
check_time_window_send();
return ret;
}
//发送数据,实际操作是发到一个队列里面, <0表示失败,>=0表示在队列的位置,
short LoRaMAC::send_data(uint8_t *u8Ptr)
{
return send_data(u8Ptr, sizeof(stDataStreamUnion));
}
short LoRaMAC::send_data(uint8_t *u8Ptr, short nLen)
{
short ret = -1;
if (nLen <= sizeof(stDataStreamUnion)) {
//发送长度符合要求;
if (!sendList.isFull()) {
ret = sendList.lpush(u8Ptr);
}
}
return ret;
}
void LoRaMAC::debug_print_union(uint8_t *ptr)
{
short CMD;
stDataStreamUnion forPrint;
memcpy(forPrint.u8Data, ptr, sizeof(stDataStreamUnion));
CMD = forPrint.exCMD.CMD;
//public Part
switch (CMD)
{
case LORA_CMD_EXTEND_CMD:
DBGPRINTLN("\n== LORA_CMD_EXTEND_CMD ==");
break;
case LORA_CMD_REGISTRATION_REQUEST:
DBGPRINTLN("\n== LORA_CMD_REGISTRATION_REQUEST ==");
break;
case LORA_CMD_REGISTRATION_FEEDBACK:
DBGPRINTLN("\n== LORA_CMD_REGISTRATION_FEEDBACK ==");
break;
case LORA_CMD_ADDR_REQUEST:
DBGPRINTLN("\n== LORA_CMD_ADDR_REQUEST ==");
break;
case LORA_CMD_ADDR_FEEDBACK:
DBGPRINTLN("\n== LORA_CMD_ADDR_FEEDBACK ==");
break;
case LORA_CMD_SYNC_CMD:
DBGPRINTLN("\n== LORA_CMD_SYNC_CMD ==");
break;
case LORA_CMD_SYNC_TIME:
DBGPRINTLN("\n== LORA_CMD_SYNC_TIME ==");
break;
case LORA_CMD_SYNC_RANDOM:
DBGPRINTLN("\n== LORA_CMD_SYNC_RANDOM ==");
break;
case LORA_CMD_VERIFY_REQUEST:
DBGPRINTLN("\n== LORA_CMD_VERIFY_REQUEST ==");
break;
case LORA_CMD_VERIFY_FEEDBACK:
DBGPRINTLN("\n== LORA_CMD_VERIFY_FEEDBACK ==");
break;
default:
DBGPRINTLN("\n== application call ==");
//application call to call external application API
DBGPRINTF("\napp CMD: [%d]\n", CMD);
break;
}
DBGPRINTF("Millis : [%d] ", millis());
print_hex_data("SourceAddr:", forPrint.exCMD.sourceAddr, LORA_MAC_ADDRESS_LEN);
print_hex_data("destAddr :", forPrint.exCMD.destAddr, LORA_MAC_ADDRESS_LEN);
DBGPRINTF("\nseq %d", forPrint.exCMD.seq);
//private Part
switch (CMD)
{
case LORA_CMD_EXTEND_CMD:
DBGPRINTF("\nexCMD: %d", forPrint.exCMD.exCMD);
break;
case LORA_CMD_REGISTRATION_REQUEST:
DBGPRINTF("\ndevID: %d, MAID: %d, PID: %d", forPrint.regRequest.devID, forPrint.regRequest.MAID, forPrint.regRequest.PID);
print_hex_data("key:", forPrint.regRequest.key, LORA_MAC_KEY_LEN);
break;
case LORA_CMD_REGISTRATION_FEEDBACK:
DBGPRINTF("\ndevID: %d", forPrint.regFeedback.devID);
print_hex_data("addr:", forPrint.regFeedback.addr, LORA_MAC_ADDRESS_LEN);
print_hex_data("val :", forPrint.regFeedback.val, LORA_MAC_KEY_MD5);
break;
case LORA_CMD_ADDR_REQUEST:
break;
case LORA_CMD_ADDR_FEEDBACK:
break;
case LORA_CMD_SYNC_CMD:
print_hex_data("groupAddr:", forPrint.syncCMD.groupAddr, LORA_MAC_ADDRESS_LEN - 1);
DBGPRINTF("groupLen:%d", forPrint.syncCMD.groupLen);
print_hex_data("groupList:", forPrint.syncCMD.list, forPrint.syncCMD.groupLen);
break;
case LORA_CMD_SYNC_TIME:
DBGPRINTLN("\n== LORA_CMD_SYNC_TIME ==");
break;
case LORA_CMD_SYNC_RANDOM:
print_hex_data("groupAddr:", forPrint.syncCMD.groupAddr, LORA_MAC_ADDRESS_LEN - 1);
DBGPRINTF("groupLen:%d", forPrint.syncCMD.groupLen);
break;
case LORA_CMD_VERIFY_REQUEST:
DBGPRINTLN("\n== LORA_CMD_VERIFY_REQUEST ==");
break;
case LORA_CMD_VERIFY_FEEDBACK:
DBGPRINTLN("\n== LORA_CMD_VERIFY_FEEDBACK ==");
break;
default:
DBGPRINTLN("\n== application call ==");
//application call to call external application API
break;
}
DBGPRINTLN();
}
void LoRaMAC::debug_print_self()
{
DBGPRINTLN("\n************** self information *************");
DBGPRINTF(" devID: [%d]\n", devID);
DBGPRINTF(" channel: [%d]\n", channel);
DBGPRINTF(" hostFlag: [%d]\n", hostFlag);
DBGPRINTF(" seq: [%d]", seq);
print_hex_data(" hostAddr:", hostAddr, LORA_MAC_ADDRESS_LEN);
print_hex_data(" hostMASK:", hostMASK, LORA_MAC_ADDRESS_LEN);
print_hex_data(" meAddr :", meAddr, LORA_MAC_ADDRESS_LEN);
DBGPRINTF("\n sendWindowReady: [%d]\n", sendWindowReady);
DBGPRINTF(" nextWindowTick: [%d]\n", nextWindowTick);
DBGPRINTF(" nextWindowTimeSlotBegin: [%d]\n", nextWindowTimeSlotBegin);
DBGPRINTF(" normalWindowPeriod: [%d]\n", normalWindowPeriod);
DBGPRINTF(" emergencyWindowPeriod: [%d]\n", emergencyWindowPeriod);
DBGPRINTF(" CMD: [%d]\n", CMD);
DBGPRINTF(" freeheap:[%d]\n", ESP.getFreeHeap());
DBGPRINTLN("*********************************************");
}
#define TEST_MODE_LEN 11
stDataStreamUnion toTest[TEST_MODE_LEN];
stDataStreamUnion toRecv;
unsigned long ulDevID = 12345678L;
uint8_t u8SeedKey[LORA_MAC_KEY_LEN];
uint8_t u8SeedVal[LORA_MAC_KEY_MD5];
void prepare_test_data()
{
uint8_t i;
//ulDevID = generate_devID();
ulDevID = ESP.getChipId();
random_string((char *) u8SeedKey, LORA_MAC_KEY_LEN);
simpleHash((char *) u8SeedKey, (char *) u8SeedVal, ulDevID, LORA_MAC_KEY_LEN);
for (i = 0; i < TEST_MODE_LEN; i++) {
//DBGPRINTLN(i);
switch (i)
{
case LORA_CMD_EXTEND_CMD:
toTest[i].exCMD.CMD = LORA_CMD_EXTEND_CMD;
memcpy(toTest[i].exCMD.sourceAddr, "\xC0\xA8\x00\x01", LORA_MAC_ADDRESS_LEN);
memcpy(toTest[i].exCMD.destAddr, "\xFF\xFF\xFF\xFF", LORA_MAC_ADDRESS_LEN);
toTest[i].exCMD.seq = (uint8_t) i;
toTest[i].exCMD.exCMD = 1;
break;
case LORA_CMD_REGISTRATION_REQUEST:
toTest[i].regRequest.CMD = LORA_CMD_REGISTRATION_REQUEST;
memcpy(toTest[i].regRequest.sourceAddr, "\x00\x00\x00\x00", LORA_MAC_ADDRESS_LEN);
memcpy(toTest[i].regRequest.destAddr, "\xFF\xFF\xFF\xFF", LORA_MAC_ADDRESS_LEN);
toTest[i].regRequest.seq = (uint8_t) i;
toTest[i].regRequest.devID = ulDevID;
toTest[i].regRequest.MAID = 8;
toTest[i].regRequest.PID = 1;
memcpy(toTest[i].regRequest.key, u8SeedKey, LORA_MAC_KEY_LEN);
break;
case LORA_CMD_REGISTRATION_FEEDBACK:
toTest[i].regFeedback.CMD = LORA_CMD_REGISTRATION_FEEDBACK;
memcpy(toTest[i].regFeedback.sourceAddr, "\xC0\xA8\x00\x01", LORA_MAC_ADDRESS_LEN);
memcpy(toTest[i].regFeedback.destAddr, "\xFF\xFF\xFF\xFF", LORA_MAC_ADDRESS_LEN);
toTest[i].regFeedback.seq = (uint8_t) i;
toTest[i].regFeedback.devID = ulDevID;
memcpy(toTest[i].regFeedback.addr, "\xC0\xA8\x00\x02", LORA_MAC_ADDRESS_LEN);
memcpy(toTest[i].regFeedback.val, u8SeedVal, LORA_MAC_KEY_MD5);
break;
case LORA_CMD_ADDR_REQUEST:
break;
case LORA_CMD_ADDR_FEEDBACK:
break;
case LORA_CMD_SYNC_CMD:
toTest[i].syncCMD.CMD = LORA_CMD_SYNC_CMD;
memcpy(toTest[i].syncCMD.sourceAddr, "\xC0\xA8\x00\x01", LORA_MAC_ADDRESS_LEN);
memcpy(toTest[i].syncCMD.destAddr, "\xFF\xFF\xFF\xFF", LORA_MAC_ADDRESS_LEN);
toTest[i].syncCMD.seq = (uint8_t) i;
memcpy(toTest[i].syncCMD.groupAddr, "\xC0\xA8\x00\x01", LORA_MAC_ADDRESS_LEN - 1);
toTest[i].syncCMD.groupLen = 8;
for (short k = 1; k < toTest[i].syncCMD.groupLen + 1; k++) {
toTest[i].syncCMD.list[k] = k;
}
break;
case LORA_CMD_SYNC_TIME:
break;
case LORA_CMD_SYNC_RANDOM:
toTest[i].syncCMD.CMD = LORA_CMD_SYNC_RANDOM;
memcpy(toTest[i].syncCMD.sourceAddr, "\xC0\xA8\x00\x01", LORA_MAC_ADDRESS_LEN);
memcpy(toTest[i].syncCMD.destAddr, "\xFF\xFF\xFF\xFF", LORA_MAC_ADDRESS_LEN);
toTest[i].syncCMD.seq = (uint8_t) i;
toTest[i].syncCMD.groupLen = 16;
memcpy(toTest[i].syncCMD.groupAddr, "\xC0\xA8\x00\x01", LORA_MAC_ADDRESS_LEN - 1);
break;
case LORA_CMD_VERIFY_REQUEST:
break;
case LORA_CMD_VERIFY_FEEDBACK:
break;
default:
break;
}
}
}
#define TEST_BUFF_LEN 100
uint8_t au8Buff[TEST_BUFF_LEN];
short au8BuffLen = 0;
uint8_t gDataBuff[CONST_LORA_COMMUNICATION_BUFFSIZE * 2 + 2];
uint8_t gDataBuffLen = 0;
char testSendData[5][40] = {
"HELLO WORLD",
"01234567890",
"ABCDEFGHIJKLMN\n",
"abcdefghijklmnopqrstuvwxyz\n",
"AAABBBCCCDDD\n",
};
LoRaMAC LoRaMacTest;
void setup()
{
if (!SPIFFS.begin())
{
//DBGPRINTLN("Failed to mount file system");
return;
}
// Open serial communications and wait for port to open:
#ifdef DEBUG_SIO
DEBUG_SIO.begin(SIO_BAUD);
while (!DEBUG_SIO) {
; // wait for serial port to connect. Needed for Leonardo only
}
DBGPRINTLN();
DBGPRINTLN();
DBGPRINTLN("Serial Port for debug is ready on : ");
DBGPRINTLN(SIO_BAUD);
#endif
DBGPRINTLN("---- the size of dataStream ----");
DBGPRINTF(" % d\n", sizeof(stDataStreamUnion));
DBGPRINTLN("---- the size of stDataCMD_APP ----");
DBGPRINTF(" % d\n", sizeof(stDataCMD_APP));
DBGPRINTLN("\nPrepare test data");
prepare_test_data();
DBGPRINTLN("\nprint test data");
for (short k = 0; k < TEST_MODE_LEN; k++) {
DBGPRINTF("\nNo. %d", k);
LoRaMacTest.debug_print_union(toTest[k].u8Data);
}
// set the data rate for the SoftwareSerial port
LoRaDev.begin();
if (LoRaDev.isReady()) {
Serial.println();
LoRaMacTest.channel = LoRaDev.sendChannel;
Serial.println("AS62 is ready for communication");
}
LoRaMacTest.begin(true);
LoRaMacTest.debug_print_self();
}
char serialRecvBuf[10];
short serialRecvBufLen = 0;
void test_handle_recv_data()
{
short CMD;
short nLen;
nLen = sizeof (stDataStreamUnion);
CMD = toRecv.exCMD.CMD;
//public Part
switch (CMD)
{
case LORA_CMD_EXTEND_CMD:
break;
case LORA_CMD_REGISTRATION_REQUEST:
break;
DBGPRINTLN("\n-- GOT LORA_CMD_REGISTRATION_REQUEST --");
DBGPRINTLN("\n-- will send back LORA_CMD_REGISTRATION_FEEDBACK information --");
toTest[LORA_CMD_REGISTRATION_FEEDBACK].regFeedback.devID = toRecv.regRequest.devID;
simpleHash((char *) toRecv.regRequest.key, (char *) toTest[LORA_CMD_REGISTRATION_FEEDBACK].regFeedback.val, toTest[LORA_CMD_REGISTRATION_FEEDBACK].regFeedback.devID, LORA_MAC_KEY_LEN);
//LoRaMacTest.send_data(toTest[LORA_CMD_REGISTRATION_FEEDBACK].u8Data);
LoRaDev.send(toTest[LORA_CMD_REGISTRATION_FEEDBACK].u8Data, nLen);
LoRaMacTest.debug_print_union(toTest[LORA_CMD_REGISTRATION_FEEDBACK].u8Data);
break;
case LORA_CMD_REGISTRATION_FEEDBACK:
DBGPRINTLN("\n== LORA_CMD_REGISTRATION_FEEDBACK ==");
break;
case LORA_CMD_ADDR_REQUEST:
DBGPRINTLN("\n== LORA_CMD_ADDR_REQUEST ==");
break;
case LORA_CMD_ADDR_FEEDBACK:
DBGPRINTLN("\n== LORA_CMD_ADDR_FEEDBACK ==");
break;
case LORA_CMD_SYNC_CMD:
DBGPRINTLN("\n== LORA_CMD_SYNC_CMD ==");
break;
case LORA_CMD_SYNC_TIME:
DBGPRINTLN("\n== LORA_CMD_SYNC_TIME ==");
break;
case LORA_CMD_SYNC_RANDOM:
DBGPRINTLN("\n== LORA_CMD_SYNC_RANDOM ==");
break;
case LORA_CMD_VERIFY_REQUEST:
DBGPRINTLN("\n== LORA_CMD_VERIFY_REQUEST ==");
break;
case LORA_CMD_VERIFY_FEEDBACK:
DBGPRINTLN("\n== LORA_CMD_VERIFY_FEEDBACK ==");
break;
default:
DBGPRINTLN("\n== application call ==");
//application call to call external application API
DBGPRINTF("\napp CMD: [%d]\n", CMD);
break;
}
}
void loop() // run over and over
{
if (Serial.available()) {
uint8_t chR;
short nLen;
short nNum = 0;
chR = Serial.read();
switch (chR)
{
case '1':
nNum = 0;
break;
case '2':
nNum = 1;
break;
case '3':
nNum = 2;
break;
case '4':
nNum = 3;
break;
case '5':
nNum = 4;
break;
case '6':
nNum = 5;
break;
case '7':
nNum = 6;
break;
case '8':
nNum = 7;
break;
case '9':
nNum = 8;
break;
case 'a':
nNum = 9;
case 'b':
nNum = 10;
break;
case 'h':
//send_data
LoRaMacTest.hostFlag = true;
if (LoRaMacTest.hostFlag) {
DBGPRINTF("\n simulate host [%d]", LoRaMacTest.hostFlag);
}
else {
DBGPRINTF("\n simulate non host [%d]", LoRaMacTest.hostFlag);
}
nNum = -2;
break;
case 'n':
//send_data
LoRaMacTest.hostFlag = false;
if (LoRaMacTest.hostFlag) {
DBGPRINTF("\n simulate host [%d]", LoRaMacTest.hostFlag);
}
else {
DBGPRINTF("\n simulate non host [%d]", LoRaMacTest.hostFlag);
}
nNum = -3;
break;
case 's':
//send_data
DBGPRINTF("\n LoRaMacTest.send_data [%d]", LoRaMacTest.send_data(toTest[LORA_CMD_EXTEND_CMD].u8Data));
nNum = -101;
break;
case 't':
//send_data
memcpy(LoRaMacTest.emergencyData.u8Data, toTest[LORA_CMD_EXTEND_CMD].u8Data, sizeof (stDataStreamUnion));
DBGPRINTLN("\n emergencyData:");
LoRaMacTest.debug_print_union(LoRaMacTest.emergencyData.u8Data);
nNum = -102;
break;
default:
nNum = -1;
break;
}
if (nNum >= 0) {
while (LoRaDev.busy())
{ ;
}
nLen = sizeof (stDataStreamUnion);
DBGPRINTLN("\n--------- will send begin ---------");
LoRaMacTest.debug_print_union(toTest[nNum].u8Data);
LoRaDev.send(toTest[nNum].u8Data, nLen);
//LoRaMacTest.send(toTest[nNum].u8Data, nLen);
DBGPRINTLN("--------- will send end ---------\n");
}
}
short nLen;
//nLen = LoRaDev.available();
nLen = LoRaMacTest.available();
if (nLen) {
if (nLen < 0) {
Serial.printf("\nCRC ERROR : % d\n", nLen);
}
nLen = abs(nLen);
LoRaDev.get(toRecv.u8Data);
LoRaMacTest.debug_print_union(toRecv.u8Data);
Serial.println("\n--LoRa received Data");
Serial.println(nLen);
test_handle_recv_data();
LoRaMacTest.debug_print_self();
}
}
| [
"312220241@qq.com"
] | 312220241@qq.com |
db510b65133fd70acd2c4035e86fa663736321ec | 295ed3717e39990c644cd38b38e97563828c3769 | /OpenGL_Mesh_Viewer/src/main.cpp | 513cd5501f1af6b2d06ac83015b82fe66b3b825e | [] | no_license | xinw3n/Computer-Graphics | 65c469bebe1298bc804cfecc3e76024ee1da377a | 12bb7981a74409e2e21861a918e6f7f96f3557cb | refs/heads/master | 2020-04-01T19:28:15.487860 | 2018-10-28T06:35:07 | 2018-10-28T06:35:07 | 153,555,340 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 8,325 | cpp | #include "gl.h"
#include <GLFW/glfw3.h>
#include <cmath>
#include <vector>
#include <cassert>
#include <iostream>
#include <sstream>
#include <vecmath.h>
#include "starter0_util.h"
#include "recorder.h"
#include "teapot.h"
using namespace std;
// Globals
uint32_t program;
// This is the list of points (3D vectors)
vector<Vector3f> vecv;
// This is the list of normals (also 3D vectors)
vector<Vector3f> vecn;
// This is the list of faces (indices into vecv and vecn)
vector<vector<unsigned>> vecf;
// You will need more global variables to implement color and position changes
int color = 0;
float light_horizontal = 2.0;
float light_vertical = 3.0;
void keyCallback(GLFWwindow* window, int key,
int scancode, int action, int mods)
{
if (action == GLFW_RELEASE) { // only handle PRESS and REPEAT
return;
}
// Special keys (arrows, CTRL, ...) are documented
// here: http://www.glfw.org/docs/latest/group__keys.html
if (key == GLFW_KEY_ESCAPE) {
glfwSetWindowShouldClose(window, GLFW_TRUE);
} else if (key == 'A') {
printf("Key A pressed\n");
} else if (key == 'C') {
color ++;
color = color % 4;
} else if (key == 265) {
light_vertical += 0.5;
} else if (key == 264) {
light_vertical -= 0.5;
} else if (key == 263) {
light_horizontal -= 0.5;
} else if (key== 262) {
light_horizontal += 0.5;
}
else {
printf("Unhandled key press %d\n", key);
}
}
void drawTriangle()
{
// set a reasonable upper limit for the buffer size
GeometryRecorder rec(1024);
rec.record(Vector3f(0.0, 0.0, 0.0), // Position
Vector3f(0.0, 0.0, 1.0));// Normal
rec.record(Vector3f(3.0, 0.0, 0.0),
Vector3f(0.0, 0.0, 1.0));
rec.record(Vector3f(3.0, 3.0, 0.0),
Vector3f(0.0, 0.0, 1.0));
rec.draw();
}
void drawTeapot()
{
// set the required buffer size exactly.
GeometryRecorder rec(teapot_num_faces * 3);
for (int idx : teapot_indices) {
Vector3f position(teapot_positions[idx * 3 + 0],
teapot_positions[idx * 3 + 1],
teapot_positions[idx * 3 + 2]);
Vector3f normal(teapot_normals[idx * 3 + 0],
teapot_normals[idx * 3 + 1],
teapot_normals[idx * 3 + 2]);
rec.record(position, normal);
}
rec.draw();
}
void drawObjMesh() {
// draw obj mesh here
// read vertices and face indices from vecv, vecn, vecf
GeometryRecorder rec(vecf.size() * 3);
for (int j=0; j < vecf.size(); j++){
vector<unsigned> &v = vecf[j];
int a = stoi(v[0][0]);
int c = stoi(v[0][4]);
int d = stoi(v[1][0]);
int f = stoi(v[1][4]);
int g = stoi(v[2][0]);
int i = stoi(v[2][4]);
rec.record(vecv[a-1], vecn[c-1]);
rec.record(vecv[d-1], vecn[f-1]);
rec.record(vecv[g-1], vecn[i-1]);
}
rec.draw();
}
// This function is responsible for displaying the object.
void drawScene()
{
//drawObjMesh();
drawTeapot();
}
void setViewport(GLFWwindow* window)
{
int width, height;
glfwGetFramebufferSize(window, &width, &height);
// make sure the viewport is square-shaped.
if (width > height) {
int offsetx = (width - height) / 2;
glViewport(offsetx, 0, height, height);
} else {
int offsety = (height - width) / 2;
glViewport(0, offsety, width, width);
}
}
void updateCameraUniforms()
{
// Set up a perspective view, with square aspect ratio
float fovy_radians = deg2rad(50.0f);
float nearz = 1.0f;
float farz = 100.0f;
float aspect = 1.0f;
Matrix4f P = Matrix4f::perspectiveProjection(
fovy_radians, aspect, nearz, farz);
// See https://www.opengl.org/sdk/docs/man/html/glUniform.xhtml
// for the many version of glUniformXYZ()
// Returns -1 if uniform not found.
int loc = glGetUniformLocation(program, "P");
glUniformMatrix4fv(loc, 1, false, P);
Vector3f eye(0.0, 0.0, 7.0f);
Vector3f center(0.0, 0.0, 0.0);
Vector3f up(0.0, 1.0f, -0.2f);
Matrix4f V = Matrix4f::lookAt(eye, center, up);
loc = glGetUniformLocation(program, "V");
glUniformMatrix4fv(loc, 1, false, V);
loc = glGetUniformLocation(program, "camPos");
glUniform3fv(loc, 1, eye);
// Make sure the model is centered in the viewport
// We translate the model using the "Model" matrix
Matrix4f M = Matrix4f::translation(0, -2.0, 0);
loc = glGetUniformLocation(program, "M");
glUniformMatrix4fv(loc, 1, false, M);
// Transformation matrices act differently
// on vectors than on points.
// The inverse-transpose is what we want.
Matrix4f N = M.inverse().transposed();
loc = glGetUniformLocation(program, "N");
glUniformMatrix4fv(loc, 1, false, N);
}
void updateMaterialUniforms()
{
// Here are some colors you might use - feel free to add more
GLfloat diffColors[4][4] = {
{ 0.5f, 0.5f, 0.9f, 1.0f },
{ 0.9f, 0.5f, 0.5f, 1.0f },
{ 0.5f, 0.9f, 0.3f, 1.0f },
{ 0.3f, 0.8f, 0.9f, 1.0f } };
// Here we use the first color entry as the diffuse color
int loc = glGetUniformLocation(program, "diffColor");
glUniform4fv(loc, 1, diffColors[color]);
// Define specular color and shininess
GLfloat specColor[] = { 0.2f, 0.2f, 0.2f, 1.0f };
GLfloat shininess[] = { 10.0f };
// Note that the specular color and shininess can stay constant
loc = glGetUniformLocation(program, "specColor");
glUniform4fv(loc, 1, specColor);
loc = glGetUniformLocation(program, "shininess");
glUniform1f(loc, shininess[0]);
}
void updateLightUniforms()
{
// Light Position
GLfloat lightPos[] = { light_horizontal, light_vertical, 5.0f, 1.0f };
int loc = glGetUniformLocation(program, "lightPos");
glUniform4fv(loc, 1, lightPos);
// Light Color
GLfloat lightDiff[] = { 120.0, 120.0, 120.0, 1.0 };
loc = glGetUniformLocation(program, "lightDiff");
glUniform4fv(loc, 1, lightDiff);
}
void loadInput()
{
// load the OBJ file here
// const int MAX_BUFFER_SIZE = 4096;
// char buffer[MAX_BUFFER_SIZE];
// cin.getline(buffer, MAX_BUFFER_SIZE); // read the first line
// while(buffer){
// stringstream ss(buffer);
// Vector3f v;
// string s;
// ss >> s;
// vector<unsigned> vf;
// if (s == "v"){ // vectices
// ss >> v[0] >> v[1] >> v[2];
// vecv.push_back(v);}
// if (s == "vn"){ // vertices normal
// ss >> v[0] >> v[1] >> v[2];
// vecn.push_back(v);}
// if (s == "f"){ // faces
// ss >> vf[0] >> vf[1] >> vf[2];
// vecf.push_back(vector(v[0], v[1], v[2]));}
// cin.getline(buffer, MAX_BUFFER_SIZE);
// }
}
// Main routine.
// Set up OpenGL, define the callbacks and start the main loop
int main(int argc, char** argv)
{
loadInput();
GLFWwindow* window = createOpenGLWindow(640, 480, "a0");
// setup the keyboard event handler
glfwSetKeyCallback(window, keyCallback);
// glEnable() and glDisable() control parts of OpenGL's
// fixed-function pipeline, such as rasterization, or
// depth-buffering. What happens if you remove the next line?
glEnable(GL_DEPTH_TEST);
// The program object controls the programmable parts
// of OpenGL. All OpenGL programs define a vertex shader
// and a fragment shader.
program = compileProgram(c_vertexshader, c_fragmentshader);
if (!program) {
printf("Cannot compile program\n");
return -1;
}
glUseProgram(program);
// Main Loop
while (!glfwWindowShouldClose(window)) {
// Clear the rendering window
glClear(GL_COLOR_BUFFER_BIT | GL_DEPTH_BUFFER_BIT);
setViewport(window);
updateCameraUniforms();
updateLightUniforms();
updateMaterialUniforms();
// Draw to back buffer
drawScene();
// Make back buffer visible
glfwSwapBuffers(window);
// Check if any input happened during the last frame
glfwPollEvents();
}
// All OpenGL resource that are created with
// glGen* or glCreate* must be freed.
glDeleteProgram(program);
glfwTerminate(); // destroy the window
return 0;
}
| [
"xinwen@mit.edu"
] | xinwen@mit.edu |
b33e64459eb110ba3f3b5f227e05c9d598758e46 | 9d950e28bbb08cce5d1253e655f202d4ecbc84cb | /Qt_Quick_3_Advanced/7-4BarChartListPropertiesDemo/stair.cpp | 284b188bff9b18f2eab7d5b5820a815243eed1f4 | [] | no_license | BhushanSure/BhushanLearning | 3c3da68bbb0d211d37d252130c102e847d59c95f | f2001772be04491db93688a5759333eccd261c0c | refs/heads/main | 2023-06-12T15:57:17.600973 | 2021-07-02T15:29:13 | 2021-07-02T15:29:13 | 358,824,598 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 861 | cpp | #include "stair.h"
Stair::Stair(QObject *parent) : QObject(parent)
{
}
QColor Stair::color() const
{
return m_color;
}
int Stair::value() const
{
return m_value;
}
QString Stair::text() const
{
return m_text;
}
int Stair::from() const
{
return m_from;
}
void Stair::setColor(QColor color)
{
if (m_color == color)
return;
m_color = color;
emit colorChanged(m_color);
}
void Stair::setValue(int value)
{
if (m_value == value)
return;
m_value = value;
emit valueChanged(m_value);
}
void Stair::setText(QString text)
{
if (m_text == text)
return;
m_text = text;
emit textChanged(m_text);
}
void Stair::setFrom(int from)
{
if (m_from == from)
return;
m_from = from;
emit fromChanged(m_from);
}
| [
"Bhushansure99@gmail.com"
] | Bhushansure99@gmail.com |
1927e994863d01ac77ed8a4d995adab4d39b9660 | 6221c88e3d55aea2d96ea38e6508d6f3ef4c18e4 | /variadic.cpp | 457328d21855805f2d0d186d6c878dc9dfbc0b48 | [] | no_license | sergiosanzllamas/navidades | 30a341d90906b3c44faf4c0312a0565af78304e1 | ad634e658c5c0d99014e94ba51db2b68cb40a462 | refs/heads/master | 2021-09-12T20:01:14.244668 | 2018-04-20T12:13:55 | 2018-04-20T12:13:55 | 115,423,083 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 8,522 | cpp | #include<stdio.h>
#include<stdlib.h>
#include<math.h>
#define SIM 1
#define CON 2
#define ECO 3
#define SUM 1
#define RES 2
#define MUL 3
#define DIV 4
#define MAT 5
#define RAI 6
#define LOG 7
#define POR 8
#define POT 9
#define MIL 1
#define CEN 2
#define DEC 3
#define DAC 4
#define HEC 5
#define KIM 6
#define REN 1
#define DES 2
#define COV 3
#define EUR 4
#define EUT 5
#define DOL 6
#define M 20
#define N 3
const char *elegir0[] = {
"SIMPLES",
"CONVERSION",
"ECONOMICAS",
NULL
};
const char *elegir1[] ={
"SUMA",
"RESTA",
"MULTIPLICACION",
"DIVISION",
"MATRIZ",
"RAIZ",
"LOGARITMO",
"PORCENTAJE",
"POTENCIAS",
NULL
};
const char *elegir2[]={
"MILIMETROS",
"CENTIMETROS",
"Decimetros",
"DECAMETROS",
"HECTOMETROS",
"KILOMETROS",
NULL
};
const char *elegir3[]={
"RENTABILIDAD",
"DESCUENTO",
"LIBRAS",
"EUROS",
"EURO",
"DOLAR",
NULL
};
int main(){
unsigned operaciones;
unsigned operacion;
unsigned conversion;
unsigned economica;
double op1;
double op2;
int a[N][N];
double s, p;
double resultado;
int x, y;
char r;
int contra;
int suma = 0;
int num = 0;
int intentos;
double libra;
double euro;
double dolar;
printf("dame tu Nombre:");
scanf("%s", &r);
printf("dime tu edad: ");
scanf("%i", &x);
for(int intentos = 5; intentos >=0; intentos--){
printf("introduce la contraseña:");
scanf(" %i", &contra);
if(contra == 2005){
printf("has acertado\n");
intentos = 0;
system("clear");
system("toilet -fpagga Calculator");
for(int o=0; o<3; o++)
printf("%i. %s.\n", o+1, elegir0[o]);
scanf("%i", &operaciones);
switch(operaciones){
case SIM:
printf("operaciones simples:\n");
for(int i=0; i<9; i++)
printf("%i. %s.\n", i+1, elegir1[i]);
printf("QUE OPERACION SIMPLE QUIERES:");
scanf(" %i", &operacion);
switch(operacion){
case SUM:
printf("Suma:\n");
printf("entonces sumar\n");
printf("operando1:");
scanf(" %lf", &op1);
printf("operando2:");
scanf(" %lf", &op2);
printf(" %.2lf + %.2lf =%.2lf\n", op1, op2, op1 + op2);
break;
case RES:
printf("Resta:\n");
printf(" entonces restar\n");
printf("operando1:");
scanf(" %lf", &op1);
printf("operando2:");
scanf(" %lf", &op2);
printf(" %.2lf - %.2lf =%.2lf\n", op1, op2, op1 - op2);
break;
case MUL:
printf("Multiplicacion: \n");
printf("entonces multiplicar \n");
printf("operando1:");
scanf(" %lf", &op1);
printf("operando2:");
scanf(" %lf", &op2);
printf(" %.2lf * %.2lf =%.2lf\n", op1, op2, op1 * op2);
break;
case DIV:
printf("Division:\n");
printf("entonces dividr \n");
printf("operando1:");
scanf(" %lf", &op1);
printf("operando2:");
scanf(" %lf", &op2);
printf(" %.2lf / %.2lf =%.2lf\n", op1, op2, op1 / op2);
break;
case MAT:
printf("Matriz\n");
for(int filas=0; filas<N; filas++){
for(int columnas=0; columnas<N; columnas++){
printf("mete el %iº numero:", num++);
scanf("%i", &a[filas][columnas]);
}
}
for(int f=0; f<N; f++){
for(int c=0; c<N; c++)
printf("%4i", a[f][c]);
printf("\n");
}
for(int f=0; f<N; f++){
int diagonal = 1;
for(int c=0; c<N; c++)
diagonal *= a[c][(f+c)%N];
suma += diagonal;
}
for(int f=0; f<N; f++){
int diagonal = 1;
for(int c=0; c<N; c++)
diagonal -= a[(f+c)%N][N-1-c];
suma -= diagonal;
}
printf("el resultado es %i\n", suma);
return EXIT_SUCCESS;
break;
case RAI:
printf("Raiz Cuadrada:\n");
printf("Entonces hacemos la raiz\n");
printf("Numero:");
scanf("%lf", &s);
s=sqrt(s);
printf("El Resultado de la Raiz es: %lf\n", s);
break;
case LOG:
printf("Logaritmo\n");
printf("Hacemos el logaritmo\n");
printf("mete el numero:\n");
scanf("%lf", &s);
s = log10(s);
printf("El logaritmo de %lf\n", s);
break;
case POR:
printf("Porcentaje:\n");
printf("Hacamos el porcentaje\n");
printf("dime el numero:");
scanf("%lf", &s);
printf("dime el tanto por ciento:");
scanf("%lf", &p);
s = -s* p/100 + s;
printf("el porcentaje es %.2lf\n", s);
break;
case POT:
printf("POTENCIA\n");
printf("hacemos la potencia\n");
printf("dame el numero:");
scanf("%i", &x);
printf("dame el otro numero:");
scanf("%i", &y);
x= pow(x,y);
printf("la potencia es %i \n", x);
break;
default:
printf("del 1 al 10 huevon \n");
break;
}
break;
case CON:
printf("CONVERSIONES A METROS:\n");
for(int s=0; s<6; s++)
printf("%i. %s.\n", s+1, elegir2[s]);
printf("que conversion a metros quieres:");
scanf("%i", &conversion);
switch(conversion){
case MIL:
printf("Milimetros:\n");
printf("Pasamos de milimetros a metros\n");
printf("Dame la cantidad de milimetros:");
scanf("%lf", &s);
s = s/1000;
printf("El paso de milimetros a metros es %.2lf m \n", s);
break;
case CEN:
printf("Centrimetros:\n");
printf("Pasamos de centrimetros a metros\n");
printf("Dame la canridad de centimetros:");
scanf("%lf", &s);
s = s/100;
printf("El paso de Centimetros a metros es %.2lf m \n", s);
break;
case DEC:
printf("Decimetros:\n");
printf("Pasamos de Decimetros a Metros\n");
printf("Dame la cantidad de Decimetros:");
scanf("%lf", &s);
s = s/10;
printf("El paso de Decimetros a metros es %.2lf m \n", s);
break;
case DAC:
printf("Decametros:\n");
printf("Pasamos de decametros a metros\n");
printf("dame la cantidad de decametros:");
scanf("%lf", &s);
s = s*10;
printf("El paso de decametros a metros es %.2lf m \n", s);
break;
case HEC:
printf("Hectometros\n");
printf("Pasamaos de hectometros a metros\n");
printf("Dame la cantidad de hectometros:");
scanf("%lf", &s);
s = s*100;
printf(" el paso de de hectometros a metros es %.2lf m \n", s);
break;
case KIM:
printf("kilometros\n");
printf("pasamos de kilometros a metros \n");
printf("Dame la cantidad de Kilometros:");
scanf("%lf", &s);
s = s*1000;
printf("El paso de kilometros a metros es %.2lf m \n", s);
break;
default:
printf("1 al 6\n");
break;
}
break;
case ECO:
printf("OPERACIONES ECONOMICAS\n");
for(int s=0; s<6; s++)
printf("%i. %s.\n", s+1, elegir3[s]);
printf("que operacion economica quieres:");
scanf("%i", &economica);
switch(economica){
case REN:
printf("Rentabilidad:\n");
printf("Dame la cantidad de unidades:");
scanf("%lf", &s);
printf("dame el numero de ventas:");
scanf("%lf", &p);
s = s /p *100;
printf("la el nuemro de ventas es %.2lf \n", s);
break;
case DES:
printf("DESCUENTO\n");
printf("hacemos el descuento\n");
printf("Dame el precio:");
scanf("%lf", &s);
printf("dame el descuento:");
scanf("%lf", &p);
s= -s * p/100 +s;
printf("el precio final es %.2lf € \n", s);
break;
case COV:
printf("Libras a euros\n");
printf("Dame la cantidad de libras:");
scanf("%lf", &libra);
libra = libra * 1.14;
printf("son %.2lf €\n", libra);
break;
case EUR:
printf("Euros a LIbras\n");
printf(" dame la cantidad de euros:");
scanf("%lf", &euro);
euro = euro * 0.87;
printf(" Son %.2lf £\n", euro);
break;
case EUT:
printf("Euros a Dolar Americano\n");
printf("Dame la cantidad de euros:");
scanf("%lf", &euro);
euro = euro * 1.22;
printf("Son %.2lf $\n", euro);
break;
case DOL:
printf("Dolar Americano a Euros\n");
printf("Dame la cantidad de Dolares:");
scanf("%lf", &dolar);
dolar = dolar * 0.81;
printf("Son %.2lf €\n", dolar);
break;
}
break;
default:
printf("del 1 O 3\n");
break;
}
}else
printf("ACCESO DENEGADO te quedan %i intentos\n", intentos);
}
return EXIT_SUCCESS;
}
| [
"sanzsergio4ab@gmail.com"
] | sanzsergio4ab@gmail.com |
8bda3e1cbea276b261e39d35de7c9a05c120323b | cea0b923343e0655b85cab8fc5b2d0af11d6bed1 | /FinalProject2017/TestMessage.h | dd2828242f5874dafe4f5cf982ced7449baed132 | [] | no_license | TrevisFields/FinalProject2017 | 6c4b541730b9a69ef82de83d0d615e9de57af2ac | 883e8adfdfa40df904c91fcd26bfae4a57609971 | refs/heads/master | 2021-01-20T03:47:19.446753 | 2017-05-15T17:16:13 | 2017-05-15T17:16:13 | 89,583,750 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 178 | h | #pragma once
#include <string>
class TestMessage
{
private:
std::string _Greeting();
public:
std::string _Greeting(std::string);
TestMessage();
~TestMessage();
};
| [
"tfields3@student.rcc.edu"
] | tfields3@student.rcc.edu |
f41de9d26272998c94aa09ced8766120d52983db | 6ced41da926682548df646099662e79d7a6022c5 | /aws-cpp-sdk-evidently/source/model/ListExperimentsResult.cpp | 8d81f3dea3682de4cf7c8f069c022fde21c816b4 | [
"Apache-2.0",
"MIT",
"JSON"
] | permissive | irods/aws-sdk-cpp | 139104843de529f615defa4f6b8e20bc95a6be05 | 2c7fb1a048c96713a28b730e1f48096bd231e932 | refs/heads/main | 2023-07-25T12:12:04.363757 | 2022-08-26T15:33:31 | 2022-08-26T15:33:31 | 141,315,346 | 0 | 1 | Apache-2.0 | 2022-08-26T17:45:09 | 2018-07-17T16:24:06 | C++ | UTF-8 | C++ | false | false | 1,304 | cpp | /**
* Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
* SPDX-License-Identifier: Apache-2.0.
*/
#include <aws/evidently/model/ListExperimentsResult.h>
#include <aws/core/utils/json/JsonSerializer.h>
#include <aws/core/AmazonWebServiceResult.h>
#include <aws/core/utils/StringUtils.h>
#include <aws/core/utils/UnreferencedParam.h>
#include <utility>
using namespace Aws::CloudWatchEvidently::Model;
using namespace Aws::Utils::Json;
using namespace Aws::Utils;
using namespace Aws;
ListExperimentsResult::ListExperimentsResult()
{
}
ListExperimentsResult::ListExperimentsResult(const Aws::AmazonWebServiceResult<JsonValue>& result)
{
*this = result;
}
ListExperimentsResult& ListExperimentsResult::operator =(const Aws::AmazonWebServiceResult<JsonValue>& result)
{
JsonView jsonValue = result.GetPayload().View();
if(jsonValue.ValueExists("experiments"))
{
Array<JsonView> experimentsJsonList = jsonValue.GetArray("experiments");
for(unsigned experimentsIndex = 0; experimentsIndex < experimentsJsonList.GetLength(); ++experimentsIndex)
{
m_experiments.push_back(experimentsJsonList[experimentsIndex].AsObject());
}
}
if(jsonValue.ValueExists("nextToken"))
{
m_nextToken = jsonValue.GetString("nextToken");
}
return *this;
}
| [
"aws-sdk-cpp-automation@github.com"
] | aws-sdk-cpp-automation@github.com |
8feb28dc35a9f59b52251f8817e50ea7df17b03b | 51635684d03e47ebad12b8872ff469b83f36aa52 | /external/gcc-12.1.0/libstdc++-v3/testsuite/20_util/shared_ptr/hash/1.cc | 53b9146e944cf8017b7f9a93d75042ac31b20923 | [
"LGPL-2.1-only",
"GPL-3.0-only",
"GCC-exception-3.1",
"GPL-2.0-only",
"LGPL-3.0-only",
"LGPL-2.0-or-later",
"Zlib",
"LicenseRef-scancode-public-domain"
] | permissive | zhmu/ananas | 8fb48ddfe3582f85ff39184fc7a3c58725fe731a | 30850c1639f03bccbfb2f2b03361792cc8fae52e | refs/heads/master | 2022-06-25T10:44:46.256604 | 2022-06-12T17:04:40 | 2022-06-12T17:04:40 | 30,108,381 | 59 | 8 | Zlib | 2021-09-26T17:30:30 | 2015-01-31T09:44:33 | C | UTF-8 | C++ | false | false | 1,317 | cc | // { dg-do run { target c++11 } }
// 2010-06-11 Paolo Carlini <paolo.carlini@oracle.com>
// Copyright (C) 2010-2022 Free Software Foundation, Inc.
//
// This file is part of the GNU ISO C++ Library. This library 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, or (at your option)
// any later version.
// This library is distributed in the hope that it will be useful,
// but WITHOUT ANY WARRANTY; without even the implied warranty of
// MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
// GNU General Public License for more details.
// You should have received a copy of the GNU General Public License along
// with this library; see the file COPYING3. If not see
// <http://www.gnu.org/licenses/>.
#include <memory>
#include <testsuite_hooks.h>
void test01()
{
struct T { };
std::shared_ptr<T> s0(new T);
std::hash<std::shared_ptr<T>> hs0;
std::hash<T*> hp0;
VERIFY( hs0(s0) == hp0(s0.get()) );
std::__shared_ptr<T> s1(new T);
std::hash<std::__shared_ptr<T>> hs1;
std::hash<T*> hp1;
VERIFY( hs1(s1) == hp1(s1.get()) );
}
int main()
{
test01();
return 0;
}
| [
"rink@rink.nu"
] | rink@rink.nu |
7c3b3b45df8f17d968ecd00997d7c21ba3ececf1 | 35d27f8663fcdebccb13fabab06812af96acdc4b | /codeforces/100694/j/j.cpp | 09416012909e051e518b6eaaf9b9e8d3fb5ebed4 | [] | no_license | noooaah/solved_problem | 666490ca49e0001e3919ad7f29180d59caa0a16b | fbcebe223f063623f45415548f9f265e385ddac0 | refs/heads/master | 2023-03-17T18:27:05.712309 | 2019-09-05T13:10:01 | 2019-09-05T13:10:01 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,220 | cpp | /** elias **/
#include <bits/stdc++.h>
#define F first
#define S second
#define ld long double
#define pb push_back
#define sz size
#define sc(a) scanf("%d",&a)
#define scll(a) scanf("%lld",&a)
#define scc(a) scanf(" %c",&a)
#define scs(a) scanf(" %s",a)
#define me(a,b) memset(a,b,sizeof a)
#define all(a) a.begin(),a.end()
#define allr(a,n) a,a+n
#define loop(a,s,e) for(ll a=s;a<=e;a++)
#define read_arr(a,s,n) for(int i=s;i<n+s;i++){sc(a[i]);}
#define read_arr_ll(a,s,n) for(int i=s;i<n+s;i++){scll(a[i]);}
#define err(a,s) cerr<<a<<s;
#define err_arr(a,s,n) for(int i=s;i<n+s;i++){cerr<<a[i]<<" ";}cerr<<endl;
#define F first
#define S second
#define ld long double
#define ll long long
#define pb push_back
#define sz size
using namespace std;
const int N=1e5+10;
int a[N],b[N],n,m,k;
vector<vector<int> > ans;
int ap,bp;
int main(){
sc(n);sc(m);sc(k);
read_arr(a,0,n);
read_arr(b,0,m);
bp=lower_bound(b,b+m,a[ap])-b;
while(ap<n){
vector<int> tmp;
loop(i,1,k){
if(ap>=n){break;}
if(a[ap]!=b[bp]){break;}
tmp.pb(ap+1);
ap++;
bp++;
}
ans.pb(tmp);
bp=lower_bound(b,b+m,a[ap])-b;
}
printf("%d\n",ans.size());
for(auto x:ans){
printf("%d",x.size());
for(auto y:x){printf(" %d",y);}
printf("\n");
}
}
| [
"evoiz963@gmail.com"
] | evoiz963@gmail.com |
503362df7df951345ae436bdd346349a5d144693 | 965e156ee1f7c37484f9e702888888358b23d72b | /NarrowPhase/AABB.cpp | ec8558ba6cc2a2981d7171cb4de660ad8a86f3ee | [] | no_license | slicedpan/NarrowPhase | 0e2ea831b9c392e6aaad0854f9ed7938ffaba954 | 73a40ea04980dd1de522f3ab1783d23c63a5341d | refs/heads/master | 2016-09-06T19:46:26.978690 | 2012-02-27T12:27:54 | 2012-02-27T12:27:54 | 3,422,528 | 2 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 986 | cpp | #include "AABB.h"
AABB::AABB(void)
{
}
AABB::~AABB(void)
{
}
AABB AABB::Transform(Mat4& transform)
{
Vec3 transformedPoint[8];
Vec3* originalPoints = GeneratePoints();
Vec3 newMax = proj(Vec4(originalPoints[0], 1) * transform);
Vec3 newMin = newMax;
for (int i = 1; i < 8; ++i)
{
transformedPoint[i] = proj(Vec4(originalPoints[i], 1) * transform);
for (int j = 0; j < 3; ++j)
{
if (transformedPoint[i][j] > newMax[j])
newMax[j] = transformedPoint[i][j];
else if (transformedPoint[i][j] < newMin[j])
newMin[j] = transformedPoint[i][j];
}
}
free(originalPoints);
return AABB(newMin, newMax);
}
Vec3* AABB::GeneratePoints()
{
Vec3* pV = (Vec3*)malloc(sizeof(Vec3) * 8);
pV[0] = max;
pV[1] = Vec3(max[0], max[1], min[2]);
pV[2] = Vec3(min[0], max[1], min[2]);
pV[3] = Vec3(min[0], max[1], max[2]);
pV[4] = Vec3(max[0], min[1], max[2]);
pV[5] = Vec3(max[0], min[1], min[2]);
pV[6] = min;
pV[7] = Vec3(min[0], min[1], max[2]);
return pV;
}
| [
"Owen@.(none)"
] | Owen@.(none) |
6e339edd0f17c7f268a7f5338b6b69bf63a9e7fc | 0070e9546c54c07e432a3b22d9a2ff6bdaedfca9 | /week4/src/AdvancedMI/elxAdvancedMIMetric.h | b6ef27fef2d6724d94a9ef2de252ecabf859d12a | [
"MIT"
] | permissive | ClumsyLee/stanford-project | c11a8fc5e01de0be17e8799a86aea1eeb2e909d3 | ab1e576446d417710e4a5a993be6b7216ce0853a | refs/heads/master | 2021-05-30T08:21:42.950494 | 2015-12-21T05:06:52 | 2015-12-21T05:06:52 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 6,760 | h | /*=========================================================================
*
* Copyright UMC Utrecht and contributors
*
* 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.txt
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*
*=========================================================================*/
#ifndef __elxAdvancedMIMetric_H__
#define __elxAdvancedMIMetric_H__
#include "elxIncludes.h" // include first to avoid MSVS warning
#include "itkAdvancedMIImageToImageMetric.h"
namespace elastix
{
template< class TElastix >
class AdvancedMIMetric :
public
itk::AdvancedMIImageToImageMetric<
typename MetricBase< TElastix >::FixedImageType,
typename MetricBase< TElastix >::MovingImageType >,
public MetricBase< TElastix >
{
public:
/** Standard ITK-stuff. */
typedef AdvancedMIMetric Self;
typedef itk::AdvancedMIImageToImageMetric<
typename MetricBase< TElastix >::FixedImageType,
typename MetricBase< TElastix >::MovingImageType > Superclass1;
typedef MetricBase< TElastix > Superclass2;
typedef itk::SmartPointer< Self > Pointer;
typedef itk::SmartPointer< const Self > ConstPointer;
/** Method for creation through the object factory. */
itkNewMacro( Self );
/** Run-time type information (and related methods). */
itkTypeMacro( AdvancedMIMetric, itk::AdvancedMIImageToImageMetric );
/** Name of this class.
* Use this name in the parameter file to select this specific metric. \n
* example: <tt>(Metric "AdvancedMI")</tt>\n
*/
elxClassNameMacro( "AdvancedMI" );
/** Typedefs from the superclass. */
typedef typename
Superclass1::CoordinateRepresentationType CoordinateRepresentationType;
typedef typename Superclass1::MovingImageType MovingImageType;
typedef typename Superclass1::MovingImagePixelType MovingImagePixelType;
typedef typename Superclass1::MovingImageConstPointer MovingImageConstPointer;
typedef typename Superclass1::FixedImageType FixedImageType;
typedef typename Superclass1::FixedImageConstPointer FixedImageConstPointer;
typedef typename Superclass1::FixedImageRegionType FixedImageRegionType;
typedef typename Superclass1::TransformType TransformType;
typedef typename Superclass1::TransformPointer TransformPointer;
typedef typename Superclass1::InputPointType InputPointType;
typedef typename Superclass1::OutputPointType OutputPointType;
typedef typename Superclass1::TransformParametersType TransformParametersType;
typedef typename Superclass1::TransformJacobianType TransformJacobianType;
typedef typename Superclass1::InterpolatorType InterpolatorType;
typedef typename Superclass1::InterpolatorPointer InterpolatorPointer;
typedef typename Superclass1::RealType RealType;
typedef typename Superclass1::GradientPixelType GradientPixelType;
typedef typename Superclass1::GradientImageType GradientImageType;
typedef typename Superclass1::GradientImagePointer GradientImagePointer;
typedef typename Superclass1::GradientImageFilterType GradientImageFilterType;
typedef typename Superclass1::GradientImageFilterPointer GradientImageFilterPointer;
typedef typename Superclass1::FixedImageMaskType FixedImageMaskType;
typedef typename Superclass1::FixedImageMaskPointer FixedImageMaskPointer;
typedef typename Superclass1::MovingImageMaskType MovingImageMaskType;
typedef typename Superclass1::MovingImageMaskPointer MovingImageMaskPointer;
typedef typename Superclass1::MeasureType MeasureType;
typedef typename Superclass1::DerivativeType DerivativeType;
typedef typename Superclass1::ParametersType ParametersType;
typedef typename Superclass1::FixedImagePixelType FixedImagePixelType;
typedef typename Superclass1::MovingImageRegionType MovingImageRegionType;
typedef typename Superclass1::ImageSamplerType ImageSamplerType;
typedef typename Superclass1::ImageSamplerPointer ImageSamplerPointer;
typedef typename Superclass1::ImageSampleContainerType ImageSampleContainerType;
typedef typename
Superclass1::ImageSampleContainerPointer ImageSampleContainerPointer;
typedef typename Superclass1::FixedImageLimiterType FixedImageLimiterType;
typedef typename Superclass1::MovingImageLimiterType MovingImageLimiterType;
typedef typename
Superclass1::FixedImageLimiterOutputType FixedImageLimiterOutputType;
typedef typename
Superclass1::MovingImageLimiterOutputType MovingImageLimiterOutputType;
typedef typename
Superclass1::MovingImageDerivativeScalesType MovingImageDerivativeScalesType;
/** The fixed image dimension. */
itkStaticConstMacro( FixedImageDimension, unsigned int,
FixedImageType::ImageDimension );
/** The moving image dimension. */
itkStaticConstMacro( MovingImageDimension, unsigned int,
MovingImageType::ImageDimension );
/** Typedef's inherited from Elastix. */
typedef typename Superclass2::ElastixType ElastixType;
typedef typename Superclass2::ElastixPointer ElastixPointer;
typedef typename Superclass2::ConfigurationType ConfigurationType;
typedef typename Superclass2::ConfigurationPointer ConfigurationPointer;
typedef typename Superclass2::RegistrationType RegistrationType;
typedef typename Superclass2::RegistrationPointer RegistrationPointer;
typedef typename Superclass2::ITKBaseType ITKBaseType;
/** Sets up a timer to measure the initialization time and
* calls the Superclass' implementation.
*/
virtual void Initialize( void ) throw ( itk::ExceptionObject );
virtual void BeforeEachResolution( void );
protected:
/** The constructor. */
AdvancedMIMetric(){}
/** The destructor. */
virtual ~AdvancedMIMetric() {}
private:
/** The private constructor. */
AdvancedMIMetric( const Self & ); // purposely not implemented
/** The private copy constructor. */
void operator=( const Self & ); // purposely not implemented
};
} // end namespace elastix
#ifndef ITK_MANUAL_INSTANTIATION
#include "elxAdvancedMIMetric.hxx"
#endif
#endif // end #ifndef __elxAdvancedMIMetric_H__
| [
"lisihan969@gmail.com"
] | lisihan969@gmail.com |
ca16044b263e238fb1835c3734c4089f48e65653 | 00f1cfc73ba05f72373fbdfd303f6f34dd3a533e | /JLJlang.m/PublicInterfaces/activemq/connector/openwire/commands/ActiveMQMessage.h | 0e79ffe6113d1ce66573d107de1eb350d55bb3df | [] | no_license | weltermann17/just-like-java | 07c7f6164d636688f9d09cdc8421e51d84fdb25f | 6517f1c1015e0b17a023b1b475fcc2f3eed9bade | refs/heads/master | 2020-06-06T08:32:13.367694 | 2014-07-01T21:19:06 | 2014-07-01T21:19:06 | 21,002,059 | 4 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,661 | h | /*
* Licensed to the Apache Software Foundation (ASF) under one or more
* contributor license agreements. See the NOTICE file distributed with
* this work for additional information regarding copyright ownership.
* The ASF licenses this file to You under the Apache License, Version 2.0
* (the "License"); you may not use this file except in compliance with
* the License. You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
#ifndef _ACTIVEMQ_CONNECTOR_OPENWIRE_COMMANDS_ACTIVEMQMESSAGE_H_
#define _ACTIVEMQ_CONNECTOR_OPENWIRE_COMMANDS_ACTIVEMQMESSAGE_H_
#include <activemq/util/Config.h>
#include <activemq/connector/openwire/commands/ActiveMQMessageBase.h>
#include <memory>
namespace activemq{
namespace connector{
namespace openwire{
namespace commands{
class AMQCPP_API ActiveMQMessage :
public ActiveMQMessageBase<cms::Message> {
public:
static const unsigned char ID_ACTIVEMQMESSAGE = 23;
public:
ActiveMQMessage();
virtual ~ActiveMQMessage() {}
virtual unsigned char getDataStructureType() const;
/**
* Copy the contents of the passed object into this objects
* members, overwriting any existing data.
* @return src - Source Object
*/
virtual void copyDataStructure( const DataStructure* src ) {
ActiveMQMessageBase<cms::Message>::copyDataStructure( src );
}
/**
* Clone this object and return a new instance that the
* caller now owns, this will be an exact copy of this one
* @returns new copy of this object.
*/
virtual ActiveMQMessage* cloneDataStructure() const {
std::auto_ptr<ActiveMQMessage> message( new ActiveMQMessage() );
message->copyDataStructure( this );
return message.release();
}
/**
* Returns a string containing the information for this DataStructure
* such as its type and value of its elements.
* @return formatted string useful for debugging.
*/
virtual std::string toString() const{
std::ostringstream stream;
stream << "Begin Class = ActiveMQMessage" << std::endl;
stream << ActiveMQMessageBase<cms::Message>::toString();
stream << "Begin Class = ActiveMQMessage" << std::endl;
return stream.str();
}
/**
* Compares the DataStructure passed in to this one, and returns if
* they are equivalent. Equivalent here means that they are of the
* same type, and that each element of the objects are the same.
* @returns true if DataStructure's are Equal.
*/
virtual bool equals( const DataStructure* value ) const {
return ActiveMQMessageBase<cms::Message>::equals( value );
}
public: // cms::Message
/**
* Clone this message exactly, returns a new instance that the
* caller is required to delete.
* @return new copy of this message
*/
virtual cms::Message* clone() const {
return dynamic_cast<cms::Message*>(
this->cloneDataStructure() );
}
};
}}}}
#endif /*_ACTIVEMQ_CONNECTOR_OPENWIRE_COMMANDS_ACTIVEMQMESSAGE_H_*/
| [
"weltermann17@yahoo.com"
] | weltermann17@yahoo.com |
348f56715de7954b9a5e32517e64738d253a0727 | b1be8471950a7d7a834d67b11b24d70aa7ece501 | /DemoFramework/FslDemoHost/Base/include/FslDemoHost/Base/Service/AsyncImage/Message/TryReadBitmapPromiseMessage.hpp | 076c0b3024f61a0050a04669ef894090c710fdbd | [
"GPL-1.0-or-later",
"JSON"
] | permissive | alexvonduar/gtec-demo-framework | 1b212d9b43094abdfeae61e0d2e8a258e5a97771 | 6f8a7e429d0e15242ba64eb4cb41bfc2dd7dc749 | refs/heads/master | 2021-06-15T13:25:02.498022 | 2021-03-26T06:11:43 | 2021-03-26T06:11:43 | 168,854,730 | 0 | 0 | BSD-3-Clause | 2019-03-25T23:59:42 | 2019-02-02T16:59:46 | C++ | UTF-8 | C++ | false | false | 3,209 | hpp | #ifndef FSLDEMOHOST_BASE_SERVICE_ASYNCIMAGE_MESSAGE_TRYREADBITMAPPROMISEMESSAGE_HPP
#define FSLDEMOHOST_BASE_SERVICE_ASYNCIMAGE_MESSAGE_TRYREADBITMAPPROMISEMESSAGE_HPP
/****************************************************************************************************************************************************
* Copyright 2017 NXP
* All rights reserved.
*
* Redistribution and use in source and binary forms, with or without
* modification, are permitted provided that the following conditions are met:
*
* * Redistributions of source code must retain the above copyright notice,
* this list of conditions and the following disclaimer.
*
* * Redistributions in binary form must reproduce the above copyright notice,
* this list of conditions and the following disclaimer in the documentation
* and/or other materials provided with the distribution.
*
* * Neither the name of the NXP. nor the names of
* its contributors may be used to endorse or promote products derived from
* this software without specific prior written permission.
*
* THIS SOFTWARE IS PROVIDED BY THE COPYRIGHT HOLDERS AND CONTRIBUTORS "AS IS" AND
* ANY EXPRESS OR IMPLIED WARRANTIES, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED
* WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE ARE DISCLAIMED.
* IN NO EVENT SHALL THE COPYRIGHT HOLDER OR CONTRIBUTORS BE LIABLE FOR ANY DIRECT,
* INDIRECT, INCIDENTAL, SPECIAL, EXEMPLARY, OR CONSEQUENTIAL DAMAGES (INCLUDING,
* BUT NOT LIMITED TO, PROCUREMENT OF SUBSTITUTE GOODS OR SERVICES; LOSS OF USE,
* DATA, OR PROFITS; OR BUSINESS INTERRUPTION) HOWEVER CAUSED AND ON ANY THEORY OF
* LIABILITY, WHETHER IN CONTRACT, STRICT LIABILITY, OR TORT (INCLUDING NEGLIGENCE
* OR OTHERWISE) ARISING IN ANY WAY OUT OF THE USE OF THIS SOFTWARE, EVEN IF
* ADVISED OF THE POSSIBILITY OF SUCH DAMAGE.
*
****************************************************************************************************************************************************/
#include <FslService/Impl/ServiceType/Async/Message/AsyncPromiseMessage.hpp>
#include <FslBase/IO/Path.hpp>
#include <FslGraphics/Bitmap/Bitmap.hpp>
#include <FslGraphics/Bitmap/BitmapOrigin.hpp>
#include <FslGraphics/PixelChannelOrder.hpp>
#include <FslGraphics/PixelFormat.hpp>
#include <utility>
namespace Fsl
{
namespace AsyncImageMessages
{
struct TryReadBitmapPromiseMessage : public AsyncPromiseMessage<std::pair<bool, Bitmap>>
{
IO::Path AbsolutePath;
PixelFormat DesiredPixelFormat{PixelFormat::Undefined};
BitmapOrigin DesiredOrigin{BitmapOrigin::Undefined};
PixelChannelOrder PreferredChannelOrderHint{PixelChannelOrder::Undefined};
TryReadBitmapPromiseMessage() = default;
TryReadBitmapPromiseMessage(IO::Path absolutePath, const PixelFormat desiredPixelFormat, const BitmapOrigin desiredOrigin,
const PixelChannelOrder preferredChannelOrder)
: AbsolutePath(std::move(absolutePath))
, DesiredPixelFormat(desiredPixelFormat)
, DesiredOrigin(desiredOrigin)
, PreferredChannelOrderHint(preferredChannelOrder)
{
}
};
}
}
#endif
| [
"Rene.Thrane@nxp.com"
] | Rene.Thrane@nxp.com |
c82fd676dba84ac7666b2e252da885e946b867bc | 9e59067c80373ed05112e6f425121538741b38bc | /Graph/CFBakery.cpp | 79c5d4e3a2b3901dfb88032d56d0443dc0cfa1e3 | [] | no_license | Salsabil007/Grpah | 27e459b8a0ad8c39f23f13b97110e6da78d317ea | fca18eb4323f845b23c0e870cf96a8b873d1c430 | refs/heads/master | 2021-07-13T01:55:01.327697 | 2017-10-19T09:51:14 | 2017-10-19T09:51:14 | 107,527,063 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,136 | cpp | #include<bits/stdc++.h>
using namespace std;
typedef pair<long long ,long long >pii;
map < pii , int > mp;
long long ifk[100000+1];
vector < pii > *arr;
class graph
{
public:
long long v;
graph(long long a)
{
v=a;
arr = new vector < pii > [a+1];
}
void addedge(long long u,long long v,long long w)
{
arr[u].push_back(make_pair(v,w));
arr[v].push_back(make_pair(u,w));
}
// void BFS(long long s,long long v)
// {
// long long i;
//
// visited[s]=true;
// dist[s]=0;
// queue < long long > q;
// q.push(s);
// while(q.empty()==0)
// {
// long long u=q.front();
// q.pop();
// vector < pii > :: iterator it;
// for(it=arr[u].begin();it!=arr[u].end();it++)
// {
// if(visited[(*it).first]==false && ifk[(*it).first]==0)
// {
// visited[(*it).first]=true;
// dist[(*it).first]=dist[u]+(*it).second;
// q.push((*it).first);
// }
// }
//
// }
//
// }
};
int main()
{
long long n,m,k,i,j,u,v,w,exmin=INFINITY;
cin>>n>>m>>k;
graph g(n);
for(i=1;i<=m;i++)
{
long long f=0;
cin>>u>>v>>w;
if( mp[make_pair(u,v)]==0) mp[make_pair(u,v)]=w;
else if(mp[make_pair(u,v)]!=0 && mp[make_pair(u,v)]>w) mp[make_pair(u,v)]=w;
if(w<exmin) exmin=w;
// if(arr[u].)
vector < pii > :: iterator it,it1;
for(it=arr[u].begin();it!=arr[u].end();it++)
{
if((*it).first==v)
{
f=1;
if((*it).second>w)
{
(*it).second=w;
for(it1=arr[v].begin();it1!=arr[v].end();it1++)
{
if((*it1).first==u)
{
(*it1).second=w;
}
}
}
}
}
if(f==0)g.addedge(u,v,w);
}
if(k==0) {cout<<"-1";return 0;}
else
{
long long x,y;
long long l=0;
long long minn=INFINITY;
long long kk[k+1],kkk;
for(i=1;i<=k;i++)
{
cin>>kkk;
kk[i]=kkk;
ifk[kkk]=1;
}
for(long long ii=1;ii<=k;ii++)
{
vector < pii >::
iterator it2;
for(it2=arr[kk[ii]].begin();it2!=arr[kk[ii]].end();it2++)
{
if((*it2).second < minn && ifk[(*it2).first]==0 )
{
minn=(*it2).second;
l=1;
if(minn==exmin) {cout<<minn;return 0;}
}
}
}
if(l==1) cout<<minn;
else cout<<"-1";
}
}
| [
"salsabilarabishusmi007@gmail.com"
] | salsabilarabishusmi007@gmail.com |
7ed078fcb7052b9a7f4dc3181e4646ceb8c5a87e | b81cc2a164c20b94f9d1af3550cb8626d47c3b60 | /linterpn.hpp | eb23709da6aad446968a83d54d587b744b2f6738 | [] | no_license | olbap323/plibcpp | 3b41960ebaeb162e5db6acd38d9b4b90b0861352 | 9d35350b69196bc1a478b715698b38a6759515ed | refs/heads/master | 2020-05-07T22:16:14.468958 | 2019-04-12T05:51:42 | 2019-04-12T05:51:42 | 180,939,194 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,814 | hpp | #pragma once
#ifndef LINTERPN_HPP_
#define LINTERPN_HPP_
#include <algorithm>
#include <vector>
typedef unsigned int uint;
class linterpn
{
// private:
public:
std::vector<uint> _size; // array with size of each dimension
std::vector<std::vector<double>> _indlsts; // the independent value look up lists
std::vector<double> _deplut; // the dependent value look up table
public:
linterpn():_size(), _indlsts(), _deplut(){};
// add an independent variable list
void addIndependentVariableList(std::vector<double>&);
double independentVariableList(uint, uint);
// find the linear index of the N-dimensional look up table
// the argument is an N sized vector of indices in each of the respective
// dimensions
uint sub2ind(const std::vector<uint>&);
// returns an array of the number of elements in each dimension
std::vector<uint> size();
// returns the number of elements in a user queried dimension
uint size(uint);
// this function returns the indices of the upper and lower bound
// given an argument of a queried point.
// i.e. the first row first column will contain the index of the last
// element the in the first dimension look up list that is less
// then or equal to the queired points first dimension. The second
// column will contain the index of the first element that is greater
// then the queired points first dimension
std::vector<std::vector<uint>> findNearestNeighborIndices
( const std::vector<double>& );
// this function returns the difference of the queried point and the lower
// nearest neighbor normalized by the difference between the upper neighbor
// and lower neighbor
std::vector<double> getVertexRatios( const std::vector<double>& );
std::vector<double> getVertexRatios( const std::vector<double>&, std::vector<std::vector<uint>> & );
// wrapper for linterp so that interpolation can be calulted as
// value = <linterpn object>(query point)
double operator()(const std::vector<double>&);
//
double interpolate(const std::vector<double>&, uint, uint,
const std::vector<double>&, uint, uint);
void binaryVectorSequence( uint , uint , std::vector<uint>,
std::vector<std::vector<uint>>&);
static void vertexPermutations( const std::vector<std::vector<double>>& ,
uint , std::vector<double>,
std::vector<std::vector<double>>& );
static void indexCombinations( std::vector<uint>, uint, uint, std::vector<uint>,
std::vector<std::vector<uint>>& );
};
#endif | [
"olbap323@gmail.com"
] | olbap323@gmail.com |
5e346a32928f8dc7acf259ad2b869e50055a265b | 141c2fb85ec5b62fb33492aaede37e5702f06632 | /Source/PluginEditor.h | f56c72ea6d9f92ca210023dcae79c8eb0ffddc38 | [] | no_license | m1lklizard/BrachyuraVST3 | a651484aa21a8f315b5e824913bf63c82fbf1220 | 7c4caf856bd29d66e8498ebfcf75ac23ba97bdf1 | refs/heads/master | 2020-06-16T10:57:27.190584 | 2019-07-06T14:41:49 | 2019-07-06T14:41:49 | 195,547,826 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,493 | h | /*
==============================================================================
This file was auto-generated!
It contains the basic framework code for a JUCE plugin editor.
==============================================================================
*/
#pragma once
#include "../JuceLibraryCode/JuceHeader.h"
#include "PluginProcessor.h"
//==============================================================================
/**
*/
class BrachyuraAudioProcessorEditor : public AudioProcessorEditor
{
public:
BrachyuraAudioProcessorEditor (BrachyuraAudioProcessor&);
~BrachyuraAudioProcessorEditor();
//==============================================================================
void paint (Graphics&) override;
void resized() override;
private:
ScopedPointer<Slider> driveKnob;
ScopedPointer<Slider> rangeKnob;
ScopedPointer<Slider> blendKnob;
ScopedPointer<Slider> volumeKnob;
ScopedPointer<AudioProcessorValueTreeState::SliderAttachment> driveAttachment;
ScopedPointer<AudioProcessorValueTreeState::SliderAttachment> rangeAttachment;
ScopedPointer<AudioProcessorValueTreeState::SliderAttachment> blendAttachment;
ScopedPointer<AudioProcessorValueTreeState::SliderAttachment> volumeAttachment;
// This reference is provided as a quick way for your editor to
// access the processor object that created it.
BrachyuraAudioProcessor& processor;
JUCE_DECLARE_NON_COPYABLE_WITH_LEAK_DETECTOR (BrachyuraAudioProcessorEditor)
};
| [
"niko.niebles7@outlook.com"
] | niko.niebles7@outlook.com |
30634cc7cd546e6c77d837e976b0e14b493db04f | 46f9b3e657c6bb7491d42f0236f057f997a8bfd9 | /Linear Search/c++/main.cpp | 2596f383799642034c40a5dc4ae79d47df448390 | [] | no_license | n2oneProgrammer/AlgorithmLearn | 237db93c86c221f724faf7c593438d64911e8733 | 42a1df2362af1f34a3d05ed69a08cdf607b9e96b | refs/heads/master | 2020-04-02T03:03:30.092826 | 2018-10-20T20:56:51 | 2018-10-20T20:56:51 | 153,943,841 | 0 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 297 | cpp | #include<iostream>
int Search(int length,int tab[],int searchNum){
for (int i = 0; i < length; i++) {
if (tab[i]==searchNum) {
return i+1;
}
}
return -1;
}
int main(int argc, char const *argv[]) {
int a[8]={2,3,5,4,10,-10,1,4};
std::cout << Search(8,a,10);
return 0;
}
| [
"kubawojtasik70@gmail.com"
] | kubawojtasik70@gmail.com |
782a40b35f2ed530adc614072630f24bc603bf6c | 47b41314f54517a6b2e9ccb150005583d83d22c0 | /Hmwrk/Assignment_1/Gaddis_7thEd_Chap2_Prob12_LandCalc/main.cpp | 1ca7847ff901f0cb7097f062eae303ea5db15ff9 | [] | no_license | cc119285/CarletonColleen_CSC5_40107 | 95359461445c38e23038d53708a62694296cc7be | 8bab566ea7e91e430a975dcaa62c423d6af30078 | refs/heads/master | 2021-01-12T03:00:14.143946 | 2017-02-09T17:51:49 | 2017-02-09T17:51:49 | 78,146,282 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 894 | cpp | /*
* File: main.cpp
* Author: Colleen Carleton
* Created on January 4, 2017, 9:07 AM
* Purpose: Land Calculation
*/
//System Libraries Here
#include <iostream>
using namespace std;
//User Libraries Here
//Global Constants Only, No Global Variables
//Like PI, e, Gravity, or conversions
const int CNVACFT = 43560;
//Function Prototypes Here
//Program Execution Begins Here
int main(int argc, char** argv) {
//Declare all Variables Here
int nAcres,nFt2;
//Input or initialize values Here
cout<<"This is a conversion program "<<endl;
cout<<"From number of Acres to Feet Squared"<<endl;
cout<<"Input Number of Acres"<<endl;
cin>>nAcres;
//Process/Calculations Here
nFt2=nAcres*CNVACFT;
//Output Located Here
cout<<"The number of Acres input "<<nAcres<<endl;
cout<<"Equivalent to "<<nFt2<<" ft^2"<<endl;
//Exit
return 0;
}
| [
"rcc"
] | rcc |
b516e9729b92a377d2c0be79e8c70bd17fc74d75 | 57e7b4f7cdfa01ed1b53049ae3811147171b1989 | /Win32xx/samples/MDIDockFrame/src/MDIFrameApp.h | 658b77ba98a7da3f5a6607fabbb2ca26966eba48 | [
"Unlicense"
] | permissive | mufunyo/VisionRGBApp | d083f34982de903a06c4f928817fdddb78ebb193 | c09092770032150083eda171a22b1a3ef0914dab | refs/heads/trunk | 2023-03-03T01:49:03.164808 | 2021-02-09T20:35:08 | 2021-02-09T20:37:05 | 324,387,638 | 2 | 1 | Unlicense | 2020-12-28T10:21:03 | 2020-12-25T15:34:00 | C++ | UTF-8 | C++ | false | false | 524 | h | //////////////////////////////////////
// MDIFrameApp.h
#ifndef MDIFRAMEAPP_H
#define MDIFRAMEAPP_H
#include "MainMDIFrm.h"
class CMDIFrameApp : public CWinApp
{
public:
CMDIFrameApp();
virtual ~CMDIFrameApp() {}
virtual BOOL InitInstance();
CMainMDIFrame& GetMDIFrame() { return m_mainMDIFrame; }
private:
CMainMDIFrame m_mainMDIFrame;
};
// returns a pointer to the CMDIFrameApp object
inline CMDIFrameApp* GetMDIApp() { return static_cast<CMDIFrameApp*>(GetApp()); }
#endif // MDIFRAMEAPP_H
| [
"mf@mufunyo.net"
] | mf@mufunyo.net |
27a3a77840b2eed60d97759a99382ac0a47e688c | 60b619330a4c67cb9c598da9c3c95f9a929e6360 | /Server.h | d310c88d9a75a58df516f0f7b2ed38642848d432 | [] | no_license | 8aw8/ReplicationService | 28a4bae9898159826ab81f0a2ae90bbac7982a1b | 9f2f4c04b74b0d16e97e256bf7dd53039f95cdc2 | refs/heads/master | 2016-09-06T03:32:12.564190 | 2013-11-10T22:04:39 | 2013-11-10T22:04:39 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,020 | h | #pragma once
//#include <stdio.h>
#include "winsock2.h"
#include "MyThread.h"
#include <vector>
//#include <iostream>
#include "Client.h"
using namespace std;
VOID CALLBACK MyTimerProc(
HWND hwnd, // handle to window for timer messages
UINT message, // WM_TIMER message
UINT idTimer, // timer identifier
DWORD dwTime);
class CServer: public CMyThread
{
public:
CServer();
int InitServer(u_short port);
void RealiseServer();
CServer(u_short port);
virtual ~CServer(void);
bool BindListenSocket();
BOOL StartWaitConnect();
SOCKET WaitConnect();
BOOL StopWaitConnect();
char* EventName;
HANDLE StopEvent;
HANDLE StopEventClient;
BOOL StopThread;
virtual BOOL onConnected();
u_short m_port;
SOCKET ListenSocket;
SOCKET AcceptSocket;
sockaddr_in service;
sockaddr_in send_service;
CClient* client;
vector <CClient*> VectorClient;
vector <CClient*>::iterator vc_Iter;
void DeleteNotWorkingThread();
protected:
DWORD ThreadFunc();
};
| [
"mail-aw@yandex.ru"
] | mail-aw@yandex.ru |
5aeef95ad2d77c2b7f52a6cde4927f77ce5d4d4f | 927b1ceac19262d5dfb71fdfe03dc2eb0471126a | /src/net.cpp | f731f672294d4e06c6c3f1f53593df6bea2aad1c | [
"MIT"
] | permissive | cryptovein/ZedCoin | 7f3c16a4d640eeb5f1767e1fdef0e49b4dda889b | b9a72b685e0b3be069b8e477fae9aec8ab619da8 | refs/heads/master | 2020-04-04T02:01:57.575672 | 2014-03-07T02:17:09 | 2014-03-07T02:17:09 | 17,498,769 | 2 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 57,908 | cpp | // Copyright (c) 2009-2010 Satoshi Nakamoto
// Copyright (c) 2009-2012 The Bitcoin developers
// Copyright (c) 2011-2012 Litecoin Developers
// Copyright (c) 2013 ZedCoin Developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
#include "irc.h"
#include "db.h"
#include "net.h"
#include "init.h"
#include "strlcpy.h"
#include "addrman.h"
#include "ui_interface.h"
#ifdef WIN32
#include <string.h>
#endif
#ifdef USE_UPNP
#include <miniupnpc/miniwget.h>
#include <miniupnpc/miniupnpc.h>
#include <miniupnpc/upnpcommands.h>
#include <miniupnpc/upnperrors.h>
#endif
using namespace std;
using namespace boost;
static const int MAX_OUTBOUND_CONNECTIONS = 8;
void ThreadMessageHandler2(void* parg);
void ThreadSocketHandler2(void* parg);
void ThreadOpenConnections2(void* parg);
void ThreadOpenAddedConnections2(void* parg);
#ifdef USE_UPNP
void ThreadMapPort2(void* parg);
#endif
void ThreadDNSAddressSeed2(void* parg);
bool OpenNetworkConnection(const CAddress& addrConnect, CSemaphoreGrant *grantOutbound = NULL, const char *strDest = NULL, bool fOneShot = false);
struct LocalServiceInfo {
int nScore;
int nPort;
};
//
// Global state variables
//
bool fClient = false;
bool fDiscover = true;
bool fUseUPnP = false;
uint64 nLocalServices = (fClient ? 0 : NODE_NETWORK);
static CCriticalSection cs_mapLocalHost;
static map<CNetAddr, LocalServiceInfo> mapLocalHost;
static bool vfReachable[NET_MAX] = {};
static bool vfLimited[NET_MAX] = {};
static CNode* pnodeLocalHost = NULL;
uint64 nLocalHostNonce = 0;
array<int, THREAD_MAX> vnThreadsRunning;
static std::vector<SOCKET> vhListenSocket;
CAddrMan addrman;
vector<CNode*> vNodes;
CCriticalSection cs_vNodes;
map<CInv, CDataStream> mapRelay;
deque<pair<int64, CInv> > vRelayExpiration;
CCriticalSection cs_mapRelay;
map<CInv, int64> mapAlreadyAskedFor;
static deque<string> vOneShots;
CCriticalSection cs_vOneShots;
set<CNetAddr> setservAddNodeAddresses;
CCriticalSection cs_setservAddNodeAddresses;
static CSemaphore *semOutbound = NULL;
void AddOneShot(string strDest)
{
LOCK(cs_vOneShots);
vOneShots.push_back(strDest);
}
unsigned short GetListenPort()
{
return (unsigned short)(GetArg("-port", GetDefaultPort()));
}
void CNode::PushGetBlocks(CBlockIndex* pindexBegin, uint256 hashEnd)
{
// Filter out duplicate requests
if (pindexBegin == pindexLastGetBlocksBegin && hashEnd == hashLastGetBlocksEnd)
return;
pindexLastGetBlocksBegin = pindexBegin;
hashLastGetBlocksEnd = hashEnd;
PushMessage("getblocks", CBlockLocator(pindexBegin), hashEnd);
}
// find 'best' local address for a particular peer
bool GetLocal(CService& addr, const CNetAddr *paddrPeer)
{
if (fNoListen)
return false;
int nBestScore = -1;
int nBestReachability = -1;
{
LOCK(cs_mapLocalHost);
for (map<CNetAddr, LocalServiceInfo>::iterator it = mapLocalHost.begin(); it != mapLocalHost.end(); it++)
{
int nScore = (*it).second.nScore;
int nReachability = (*it).first.GetReachabilityFrom(paddrPeer);
if (nReachability > nBestReachability || (nReachability == nBestReachability && nScore > nBestScore))
{
addr = CService((*it).first, (*it).second.nPort);
nBestReachability = nReachability;
nBestScore = nScore;
}
}
}
return nBestScore >= 0;
}
// get best local address for a particular peer as a CAddress
CAddress GetLocalAddress(const CNetAddr *paddrPeer)
{
CAddress ret(CService("0.0.0.0",0),0);
CService addr;
if (GetLocal(addr, paddrPeer))
{
ret = CAddress(addr);
ret.nServices = nLocalServices;
ret.nTime = GetAdjustedTime();
}
return ret;
}
bool RecvLine(SOCKET hSocket, string& strLine)
{
strLine = "";
loop
{
char c;
int nBytes = recv(hSocket, &c, 1, 0);
if (nBytes > 0)
{
if (c == '\n')
continue;
if (c == '\r')
return true;
strLine += c;
if (strLine.size() >= 9000)
return true;
}
else if (nBytes <= 0)
{
if (fShutdown)
return false;
if (nBytes < 0)
{
int nErr = WSAGetLastError();
if (nErr == WSAEMSGSIZE)
continue;
if (nErr == WSAEWOULDBLOCK || nErr == WSAEINTR || nErr == WSAEINPROGRESS)
{
Sleep(10);
continue;
}
}
if (!strLine.empty())
return true;
if (nBytes == 0)
{
// socket closed
printf("socket closed\n");
return false;
}
else
{
// socket error
int nErr = WSAGetLastError();
printf("recv failed: %d\n", nErr);
return false;
}
}
}
}
// used when scores of local addresses may have changed
// pushes better local address to peers
void static AdvertizeLocal()
{
LOCK(cs_vNodes);
BOOST_FOREACH(CNode* pnode, vNodes)
{
if (pnode->fSuccessfullyConnected)
{
CAddress addrLocal = GetLocalAddress(&pnode->addr);
if (addrLocal.IsRoutable() && (CService)addrLocal != (CService)pnode->addrLocal)
{
pnode->PushAddress(addrLocal);
pnode->addrLocal = addrLocal;
}
}
}
}
void SetReachable(enum Network net, bool fFlag)
{
LOCK(cs_mapLocalHost);
vfReachable[net] = fFlag;
if (net == NET_IPV6 && fFlag)
vfReachable[NET_IPV4] = true;
}
// learn a new local address
bool AddLocal(const CService& addr, int nScore)
{
if (!addr.IsRoutable())
return false;
if (!fDiscover && nScore < LOCAL_MANUAL)
return false;
if (IsLimited(addr))
return false;
printf("AddLocal(%s,%i)\n", addr.ToString().c_str(), nScore);
{
LOCK(cs_mapLocalHost);
bool fAlready = mapLocalHost.count(addr) > 0;
LocalServiceInfo &info = mapLocalHost[addr];
if (!fAlready || nScore >= info.nScore) {
info.nScore = nScore;
info.nPort = addr.GetPort() + (fAlready ? 1 : 0);
}
SetReachable(addr.GetNetwork());
}
AdvertizeLocal();
return true;
}
bool AddLocal(const CNetAddr &addr, int nScore)
{
return AddLocal(CService(addr, GetListenPort()), nScore);
}
/** Make a particular network entirely off-limits (no automatic connects to it) */
void SetLimited(enum Network net, bool fLimited)
{
if (net == NET_UNROUTABLE)
return;
LOCK(cs_mapLocalHost);
vfLimited[net] = fLimited;
}
bool IsLimited(enum Network net)
{
LOCK(cs_mapLocalHost);
return vfLimited[net];
}
bool IsLimited(const CNetAddr &addr)
{
return IsLimited(addr.GetNetwork());
}
/** vote for a local address */
bool SeenLocal(const CService& addr)
{
{
LOCK(cs_mapLocalHost);
if (mapLocalHost.count(addr) == 0)
return false;
mapLocalHost[addr].nScore++;
}
AdvertizeLocal();
return true;
}
/** check whether a given address is potentially local */
bool IsLocal(const CService& addr)
{
LOCK(cs_mapLocalHost);
return mapLocalHost.count(addr) > 0;
}
/** check whether a given address is in a network we can probably connect to */
bool IsReachable(const CNetAddr& addr)
{
LOCK(cs_mapLocalHost);
enum Network net = addr.GetNetwork();
return vfReachable[net] && !vfLimited[net];
}
bool GetMyExternalIP2(const CService& addrConnect, const char* pszGet, const char* pszKeyword, CNetAddr& ipRet)
{
SOCKET hSocket;
if (!ConnectSocket(addrConnect, hSocket))
return error("GetMyExternalIP() : connection to %s failed", addrConnect.ToString().c_str());
send(hSocket, pszGet, strlen(pszGet), MSG_NOSIGNAL);
string strLine;
while (RecvLine(hSocket, strLine))
{
if (strLine.empty()) // HTTP response is separated from headers by blank line
{
loop
{
if (!RecvLine(hSocket, strLine))
{
closesocket(hSocket);
return false;
}
if (pszKeyword == NULL)
break;
if (strLine.find(pszKeyword) != string::npos)
{
strLine = strLine.substr(strLine.find(pszKeyword) + strlen(pszKeyword));
break;
}
}
closesocket(hSocket);
if (strLine.find("<") != string::npos)
strLine = strLine.substr(0, strLine.find("<"));
strLine = strLine.substr(strspn(strLine.c_str(), " \t\n\r"));
while (strLine.size() > 0 && isspace(strLine[strLine.size()-1]))
strLine.resize(strLine.size()-1);
CService addr(strLine,0,true);
printf("GetMyExternalIP() received [%s] %s\n", strLine.c_str(), addr.ToString().c_str());
if (!addr.IsValid() || !addr.IsRoutable())
return false;
ipRet.SetIP(addr);
return true;
}
}
closesocket(hSocket);
return error("GetMyExternalIP() : connection closed");
}
// We now get our external IP from the IRC server first and only use this as a backup
bool GetMyExternalIP(CNetAddr& ipRet)
{
CService addrConnect;
const char* pszGet;
const char* pszKeyword;
for (int nLookup = 0; nLookup <= 1; nLookup++)
for (int nHost = 1; nHost <= 2; nHost++)
{
// We should be phasing out our use of sites like these. If we need
// replacements, we should ask for volunteers to put this simple
// php file on their webserver that prints the client IP:
// <?php echo $_SERVER["REMOTE_ADDR"]; ?>
if (nHost == 1)
{
addrConnect = CService("91.198.22.70",80); // checkip.dyndns.org
if (nLookup == 1)
{
CService addrIP("checkip.dyndns.org", 80, true);
if (addrIP.IsValid())
addrConnect = addrIP;
}
pszGet = "GET / HTTP/1.1\r\n"
"Host: checkip.dyndns.org\r\n"
"User-Agent: Mozilla/4.0 (compatible; MSIE 7.0; Windows NT 5.1)\r\n"
"Connection: close\r\n"
"\r\n";
pszKeyword = "Address:";
}
else if (nHost == 2)
{
addrConnect = CService("74.208.43.192", 80); // www.showmyip.com
if (nLookup == 1)
{
CService addrIP("www.showmyip.com", 80, true);
if (addrIP.IsValid())
addrConnect = addrIP;
}
pszGet = "GET /simple/ HTTP/1.1\r\n"
"Host: www.showmyip.com\r\n"
"User-Agent: Mozilla/4.0 (compatible; MSIE 7.0; Windows NT 5.1)\r\n"
"Connection: close\r\n"
"\r\n";
pszKeyword = NULL; // Returns just IP address
}
if (GetMyExternalIP2(addrConnect, pszGet, pszKeyword, ipRet))
return true;
}
return false;
}
void ThreadGetMyExternalIP(void* parg)
{
// Make this thread recognisable as the external IP detection thread
RenameThread("bitcoin-ext-ip");
CNetAddr addrLocalHost;
if (GetMyExternalIP(addrLocalHost))
{
printf("GetMyExternalIP() returned %s\n", addrLocalHost.ToStringIP().c_str());
AddLocal(addrLocalHost, LOCAL_HTTP);
}
}
void AddressCurrentlyConnected(const CService& addr)
{
addrman.Connected(addr);
}
CNode* FindNode(const CNetAddr& ip)
{
{
LOCK(cs_vNodes);
BOOST_FOREACH(CNode* pnode, vNodes)
if ((CNetAddr)pnode->addr == ip)
return (pnode);
}
return NULL;
}
CNode* FindNode(std::string addrName)
{
LOCK(cs_vNodes);
BOOST_FOREACH(CNode* pnode, vNodes)
if (pnode->addrName == addrName)
return (pnode);
return NULL;
}
CNode* FindNode(const CService& addr)
{
{
LOCK(cs_vNodes);
BOOST_FOREACH(CNode* pnode, vNodes)
if ((CService)pnode->addr == addr)
return (pnode);
}
return NULL;
}
CNode* ConnectNode(CAddress addrConnect, const char *pszDest, int64 nTimeout)
{
if (pszDest == NULL) {
if (IsLocal(addrConnect))
return NULL;
// Look for an existing connection
CNode* pnode = FindNode((CService)addrConnect);
if (pnode)
{
if (nTimeout != 0)
pnode->AddRef(nTimeout);
else
pnode->AddRef();
return pnode;
}
}
/// debug print
printf("trying connection %s lastseen=%.1fhrs\n",
pszDest ? pszDest : addrConnect.ToString().c_str(),
pszDest ? 0 : (double)(GetAdjustedTime() - addrConnect.nTime)/3600.0);
// Connect
SOCKET hSocket;
if (pszDest ? ConnectSocketByName(addrConnect, hSocket, pszDest, GetDefaultPort()) : ConnectSocket(addrConnect, hSocket))
{
addrman.Attempt(addrConnect);
/// debug print
printf("connected %s\n", pszDest ? pszDest : addrConnect.ToString().c_str());
// Set to nonblocking
#ifdef WIN32
u_long nOne = 1;
if (ioctlsocket(hSocket, FIONBIO, &nOne) == SOCKET_ERROR)
printf("ConnectSocket() : ioctlsocket nonblocking setting failed, error %d\n", WSAGetLastError());
#else
if (fcntl(hSocket, F_SETFL, O_NONBLOCK) == SOCKET_ERROR)
printf("ConnectSocket() : fcntl nonblocking setting failed, error %d\n", errno);
#endif
// Add node
CNode* pnode = new CNode(hSocket, addrConnect, pszDest ? pszDest : "", false);
if (nTimeout != 0)
pnode->AddRef(nTimeout);
else
pnode->AddRef();
{
LOCK(cs_vNodes);
vNodes.push_back(pnode);
}
pnode->nTimeConnected = GetTime();
return pnode;
}
else
{
return NULL;
}
}
void CNode::CloseSocketDisconnect()
{
fDisconnect = true;
if (hSocket != INVALID_SOCKET)
{
printf("disconnecting node %s\n", addrName.c_str());
closesocket(hSocket);
hSocket = INVALID_SOCKET;
vRecv.clear();
}
}
void CNode::Cleanup()
{
}
void CNode::PushVersion()
{
/// when NTP implemented, change to just nTime = GetAdjustedTime()
int64 nTime = (fInbound ? GetAdjustedTime() : GetTime());
CAddress addrYou = (addr.IsRoutable() && !IsProxy(addr) ? addr : CAddress(CService("0.0.0.0",0)));
CAddress addrMe = GetLocalAddress(&addr);
RAND_bytes((unsigned char*)&nLocalHostNonce, sizeof(nLocalHostNonce));
printf("send version message: version %d, blocks=%d, us=%s, them=%s, peer=%s\n", PROTOCOL_VERSION, nBestHeight, addrMe.ToString().c_str(), addrYou.ToString().c_str(), addr.ToString().c_str());
PushMessage("version", PROTOCOL_VERSION, nLocalServices, nTime, addrYou, addrMe,
nLocalHostNonce, FormatSubVersion(CLIENT_NAME, CLIENT_VERSION, std::vector<string>()), nBestHeight);
}
std::map<CNetAddr, int64> CNode::setBanned;
CCriticalSection CNode::cs_setBanned;
void CNode::ClearBanned()
{
setBanned.clear();
}
bool CNode::IsBanned(CNetAddr ip)
{
bool fResult = false;
{
LOCK(cs_setBanned);
std::map<CNetAddr, int64>::iterator i = setBanned.find(ip);
if (i != setBanned.end())
{
int64 t = (*i).second;
if (GetTime() < t)
fResult = true;
}
}
return fResult;
}
bool CNode::Misbehaving(int howmuch)
{
if (addr.IsLocal())
{
printf("Warning: local node %s misbehaving\n", addrName.c_str());
return false;
}
nMisbehavior += howmuch;
if (nMisbehavior >= GetArg("-banscore", 100))
{
int64 banTime = GetTime()+GetArg("-bantime", 60*60*24); // Default 24-hour ban
{
LOCK(cs_setBanned);
if (setBanned[addr] < banTime)
setBanned[addr] = banTime;
}
CloseSocketDisconnect();
printf("Disconnected %s for misbehavior (score=%d)\n", addrName.c_str(), nMisbehavior);
return true;
}
return false;
}
#undef X
#define X(name) stats.name = name
void CNode::copyStats(CNodeStats &stats)
{
X(nServices);
X(nLastSend);
X(nLastRecv);
X(nTimeConnected);
X(addrName);
X(nVersion);
X(strSubVer);
X(fInbound);
X(nReleaseTime);
X(nStartingHeight);
X(nMisbehavior);
}
#undef X
void ThreadSocketHandler(void* parg)
{
IMPLEMENT_RANDOMIZE_STACK(ThreadSocketHandler(parg));
// Make this thread recognisable as the networking thread
RenameThread("bitcoin-net");
try
{
vnThreadsRunning[THREAD_SOCKETHANDLER]++;
ThreadSocketHandler2(parg);
vnThreadsRunning[THREAD_SOCKETHANDLER]--;
}
catch (std::exception& e) {
vnThreadsRunning[THREAD_SOCKETHANDLER]--;
PrintException(&e, "ThreadSocketHandler()");
} catch (...) {
vnThreadsRunning[THREAD_SOCKETHANDLER]--;
throw; // support pthread_cancel()
}
printf("ThreadSocketHandler exited\n");
}
void ThreadSocketHandler2(void* parg)
{
printf("ThreadSocketHandler started\n");
list<CNode*> vNodesDisconnected;
unsigned int nPrevNodeCount = 0;
loop
{
//
// Disconnect nodes
//
{
LOCK(cs_vNodes);
// Disconnect unused nodes
vector<CNode*> vNodesCopy = vNodes;
BOOST_FOREACH(CNode* pnode, vNodesCopy)
{
if (pnode->fDisconnect ||
(pnode->GetRefCount() <= 0 && pnode->vRecv.empty() && pnode->vSend.empty()))
{
// remove from vNodes
vNodes.erase(remove(vNodes.begin(), vNodes.end(), pnode), vNodes.end());
// release outbound grant (if any)
pnode->grantOutbound.Release();
// close socket and cleanup
pnode->CloseSocketDisconnect();
pnode->Cleanup();
// hold in disconnected pool until all refs are released
pnode->nReleaseTime = max(pnode->nReleaseTime, GetTime() + 15 * 60);
if (pnode->fNetworkNode || pnode->fInbound)
pnode->Release();
vNodesDisconnected.push_back(pnode);
}
}
// Delete disconnected nodes
list<CNode*> vNodesDisconnectedCopy = vNodesDisconnected;
BOOST_FOREACH(CNode* pnode, vNodesDisconnectedCopy)
{
// wait until threads are done using it
if (pnode->GetRefCount() <= 0)
{
bool fDelete = false;
{
TRY_LOCK(pnode->cs_vSend, lockSend);
if (lockSend)
{
TRY_LOCK(pnode->cs_vRecv, lockRecv);
if (lockRecv)
{
TRY_LOCK(pnode->cs_mapRequests, lockReq);
if (lockReq)
{
TRY_LOCK(pnode->cs_inventory, lockInv);
if (lockInv)
fDelete = true;
}
}
}
}
if (fDelete)
{
vNodesDisconnected.remove(pnode);
delete pnode;
}
}
}
}
if (vNodes.size() != nPrevNodeCount)
{
nPrevNodeCount = vNodes.size();
uiInterface.NotifyNumConnectionsChanged(vNodes.size());
}
//
// Find which sockets have data to receive
//
struct timeval timeout;
timeout.tv_sec = 0;
timeout.tv_usec = 50000; // frequency to poll pnode->vSend
fd_set fdsetRecv;
fd_set fdsetSend;
fd_set fdsetError;
FD_ZERO(&fdsetRecv);
FD_ZERO(&fdsetSend);
FD_ZERO(&fdsetError);
SOCKET hSocketMax = 0;
BOOST_FOREACH(SOCKET hListenSocket, vhListenSocket) {
FD_SET(hListenSocket, &fdsetRecv);
hSocketMax = max(hSocketMax, hListenSocket);
}
{
LOCK(cs_vNodes);
BOOST_FOREACH(CNode* pnode, vNodes)
{
if (pnode->hSocket == INVALID_SOCKET)
continue;
FD_SET(pnode->hSocket, &fdsetRecv);
FD_SET(pnode->hSocket, &fdsetError);
hSocketMax = max(hSocketMax, pnode->hSocket);
{
TRY_LOCK(pnode->cs_vSend, lockSend);
if (lockSend && !pnode->vSend.empty())
FD_SET(pnode->hSocket, &fdsetSend);
}
}
}
vnThreadsRunning[THREAD_SOCKETHANDLER]--;
int nSelect = select(hSocketMax + 1, &fdsetRecv, &fdsetSend, &fdsetError, &timeout);
vnThreadsRunning[THREAD_SOCKETHANDLER]++;
if (fShutdown)
return;
if (nSelect == SOCKET_ERROR)
{
int nErr = WSAGetLastError();
if (hSocketMax != INVALID_SOCKET)
{
printf("socket select error %d\n", nErr);
for (unsigned int i = 0; i <= hSocketMax; i++)
FD_SET(i, &fdsetRecv);
}
FD_ZERO(&fdsetSend);
FD_ZERO(&fdsetError);
Sleep(timeout.tv_usec/1000);
}
//
// Accept new connections
//
BOOST_FOREACH(SOCKET hListenSocket, vhListenSocket)
if (hListenSocket != INVALID_SOCKET && FD_ISSET(hListenSocket, &fdsetRecv))
{
#ifdef USE_IPV6
struct sockaddr_storage sockaddr;
#else
struct sockaddr sockaddr;
#endif
socklen_t len = sizeof(sockaddr);
SOCKET hSocket = accept(hListenSocket, (struct sockaddr*)&sockaddr, &len);
CAddress addr;
int nInbound = 0;
if (hSocket != INVALID_SOCKET)
if (!addr.SetSockAddr((const struct sockaddr*)&sockaddr))
printf("warning: unknown socket family\n");
{
LOCK(cs_vNodes);
BOOST_FOREACH(CNode* pnode, vNodes)
if (pnode->fInbound)
nInbound++;
}
if (hSocket == INVALID_SOCKET)
{
if (WSAGetLastError() != WSAEWOULDBLOCK)
printf("socket error accept failed: %d\n", WSAGetLastError());
}
else if (nInbound >= GetArg("-maxconnections", 125) - MAX_OUTBOUND_CONNECTIONS)
{
{
LOCK(cs_setservAddNodeAddresses);
if (!setservAddNodeAddresses.count(addr))
closesocket(hSocket);
}
}
else if (CNode::IsBanned(addr))
{
printf("connection from %s dropped (banned)\n", addr.ToString().c_str());
closesocket(hSocket);
}
else
{
printf("accepted connection %s\n", addr.ToString().c_str());
CNode* pnode = new CNode(hSocket, addr, "", true);
pnode->AddRef();
{
LOCK(cs_vNodes);
vNodes.push_back(pnode);
}
}
}
//
// Service each socket
//
vector<CNode*> vNodesCopy;
{
LOCK(cs_vNodes);
vNodesCopy = vNodes;
BOOST_FOREACH(CNode* pnode, vNodesCopy)
pnode->AddRef();
}
BOOST_FOREACH(CNode* pnode, vNodesCopy)
{
if (fShutdown)
return;
//
// Receive
//
if (pnode->hSocket == INVALID_SOCKET)
continue;
if (FD_ISSET(pnode->hSocket, &fdsetRecv) || FD_ISSET(pnode->hSocket, &fdsetError))
{
TRY_LOCK(pnode->cs_vRecv, lockRecv);
if (lockRecv)
{
CDataStream& vRecv = pnode->vRecv;
unsigned int nPos = vRecv.size();
if (nPos > ReceiveBufferSize()) {
if (!pnode->fDisconnect)
printf("socket recv flood control disconnect (%d bytes)\n", vRecv.size());
pnode->CloseSocketDisconnect();
}
else {
// typical socket buffer is 8K-64K
char pchBuf[0x10000];
int nBytes = recv(pnode->hSocket, pchBuf, sizeof(pchBuf), MSG_DONTWAIT);
if (nBytes > 0)
{
vRecv.resize(nPos + nBytes);
memcpy(&vRecv[nPos], pchBuf, nBytes);
pnode->nLastRecv = GetTime();
}
else if (nBytes == 0)
{
// socket closed gracefully
if (!pnode->fDisconnect)
printf("socket closed\n");
pnode->CloseSocketDisconnect();
}
else if (nBytes < 0)
{
// error
int nErr = WSAGetLastError();
if (nErr != WSAEWOULDBLOCK && nErr != WSAEMSGSIZE && nErr != WSAEINTR && nErr != WSAEINPROGRESS)
{
if (!pnode->fDisconnect)
printf("socket recv error %d\n", nErr);
pnode->CloseSocketDisconnect();
}
}
}
}
}
//
// Send
//
if (pnode->hSocket == INVALID_SOCKET)
continue;
if (FD_ISSET(pnode->hSocket, &fdsetSend))
{
TRY_LOCK(pnode->cs_vSend, lockSend);
if (lockSend)
{
CDataStream& vSend = pnode->vSend;
if (!vSend.empty())
{
int nBytes = send(pnode->hSocket, &vSend[0], vSend.size(), MSG_NOSIGNAL | MSG_DONTWAIT);
if (nBytes > 0)
{
vSend.erase(vSend.begin(), vSend.begin() + nBytes);
pnode->nLastSend = GetTime();
}
else if (nBytes < 0)
{
// error
int nErr = WSAGetLastError();
if (nErr != WSAEWOULDBLOCK && nErr != WSAEMSGSIZE && nErr != WSAEINTR && nErr != WSAEINPROGRESS)
{
printf("socket send error %d\n", nErr);
pnode->CloseSocketDisconnect();
}
}
}
}
}
//
// Inactivity checking
//
if (pnode->vSend.empty())
pnode->nLastSendEmpty = GetTime();
if (GetTime() - pnode->nTimeConnected > 60)
{
if (pnode->nLastRecv == 0 || pnode->nLastSend == 0)
{
printf("socket no message in first 60 seconds, %d %d\n", pnode->nLastRecv != 0, pnode->nLastSend != 0);
pnode->fDisconnect = true;
}
else if (GetTime() - pnode->nLastSend > 90*60 && GetTime() - pnode->nLastSendEmpty > 90*60)
{
printf("socket not sending\n");
pnode->fDisconnect = true;
}
else if (GetTime() - pnode->nLastRecv > 90*60)
{
printf("socket inactivity timeout\n");
pnode->fDisconnect = true;
}
}
}
{
LOCK(cs_vNodes);
BOOST_FOREACH(CNode* pnode, vNodesCopy)
pnode->Release();
}
Sleep(10);
}
}
#ifdef USE_UPNP
void ThreadMapPort(void* parg)
{
IMPLEMENT_RANDOMIZE_STACK(ThreadMapPort(parg));
// Make this thread recognisable as the UPnP thread
RenameThread("bitcoin-UPnP");
try
{
vnThreadsRunning[THREAD_UPNP]++;
ThreadMapPort2(parg);
vnThreadsRunning[THREAD_UPNP]--;
}
catch (std::exception& e) {
vnThreadsRunning[THREAD_UPNP]--;
PrintException(&e, "ThreadMapPort()");
} catch (...) {
vnThreadsRunning[THREAD_UPNP]--;
PrintException(NULL, "ThreadMapPort()");
}
printf("ThreadMapPort exited\n");
}
void ThreadMapPort2(void* parg)
{
printf("ThreadMapPort started\n");
char port[6];
sprintf(port, "%d", GetListenPort());
const char * multicastif = 0;
const char * minissdpdpath = 0;
struct UPNPDev * devlist = 0;
char lanaddr[64];
#ifndef UPNPDISCOVER_SUCCESS
/* miniupnpc 1.5 */
devlist = upnpDiscover(2000, multicastif, minissdpdpath, 0);
#else
/* miniupnpc 1.6 */
int error = 0;
devlist = upnpDiscover(2000, multicastif, minissdpdpath, 0, 0, &error);
#endif
struct UPNPUrls urls;
struct IGDdatas data;
int r;
r = UPNP_GetValidIGD(devlist, &urls, &data, lanaddr, sizeof(lanaddr));
if (r == 1)
{
if (fDiscover) {
char externalIPAddress[40];
r = UPNP_GetExternalIPAddress(urls.controlURL, data.first.servicetype, externalIPAddress);
if(r != UPNPCOMMAND_SUCCESS)
printf("UPnP: GetExternalIPAddress() returned %d\n", r);
else
{
if(externalIPAddress[0])
{
printf("UPnP: ExternalIPAddress = %s\n", externalIPAddress);
AddLocal(CNetAddr(externalIPAddress), LOCAL_UPNP);
}
else
printf("UPnP: GetExternalIPAddress failed.\n");
}
}
string strDesc = "ZedCoin " + FormatFullVersion();
#ifndef UPNPDISCOVER_SUCCESS
/* miniupnpc 1.5 */
r = UPNP_AddPortMapping(urls.controlURL, data.first.servicetype,
port, port, lanaddr, strDesc.c_str(), "TCP", 0);
#else
/* miniupnpc 1.6 */
r = UPNP_AddPortMapping(urls.controlURL, data.first.servicetype,
port, port, lanaddr, strDesc.c_str(), "TCP", 0, "0");
#endif
if(r!=UPNPCOMMAND_SUCCESS)
printf("AddPortMapping(%s, %s, %s) failed with code %d (%s)\n",
port, port, lanaddr, r, strupnperror(r));
else
printf("UPnP Port Mapping successful.\n");
int i = 1;
loop {
if (fShutdown || !fUseUPnP)
{
r = UPNP_DeletePortMapping(urls.controlURL, data.first.servicetype, port, "TCP", 0);
printf("UPNP_DeletePortMapping() returned : %d\n", r);
freeUPNPDevlist(devlist); devlist = 0;
FreeUPNPUrls(&urls);
return;
}
if (i % 600 == 0) // Refresh every 20 minutes
{
#ifndef UPNPDISCOVER_SUCCESS
/* miniupnpc 1.5 */
r = UPNP_AddPortMapping(urls.controlURL, data.first.servicetype,
port, port, lanaddr, strDesc.c_str(), "TCP", 0);
#else
/* miniupnpc 1.6 */
r = UPNP_AddPortMapping(urls.controlURL, data.first.servicetype,
port, port, lanaddr, strDesc.c_str(), "TCP", 0, "0");
#endif
if(r!=UPNPCOMMAND_SUCCESS)
printf("AddPortMapping(%s, %s, %s) failed with code %d (%s)\n",
port, port, lanaddr, r, strupnperror(r));
else
printf("UPnP Port Mapping successful.\n");;
}
Sleep(2000);
i++;
}
} else {
printf("No valid UPnP IGDs found\n");
freeUPNPDevlist(devlist); devlist = 0;
if (r != 0)
FreeUPNPUrls(&urls);
loop {
if (fShutdown || !fUseUPnP)
return;
Sleep(2000);
}
}
}
void MapPort()
{
if (fUseUPnP && vnThreadsRunning[THREAD_UPNP] < 1)
{
if (!CreateThread(ThreadMapPort, NULL))
printf("Error: ThreadMapPort(ThreadMapPort) failed\n");
}
}
#else
void MapPort()
{
// Intentionally left blank.
}
#endif
// DNS seeds
// Each pair gives a source name and a seed name.
// The first name is used as information source for addrman.
// The second name should resolve to a list of seed addresses.
static const char *strDNSSeed[][2] = {
// {"zedcoins.com", "dnsseed.zedcoins.com"},
// {"zedcoins-vps.com", "dnsseed.zedcoins-vps.com"},
};
void ThreadDNSAddressSeed(void* parg)
{
IMPLEMENT_RANDOMIZE_STACK(ThreadDNSAddressSeed(parg));
// Make this thread recognisable as the DNS seeding thread
RenameThread("bitcoin-dnsseed");
try
{
vnThreadsRunning[THREAD_DNSSEED]++;
ThreadDNSAddressSeed2(parg);
vnThreadsRunning[THREAD_DNSSEED]--;
}
catch (std::exception& e) {
vnThreadsRunning[THREAD_DNSSEED]--;
PrintException(&e, "ThreadDNSAddressSeed()");
} catch (...) {
vnThreadsRunning[THREAD_DNSSEED]--;
throw; // support pthread_cancel()
}
printf("ThreadDNSAddressSeed exited\n");
}
void ThreadDNSAddressSeed2(void* parg)
{
printf("ThreadDNSAddressSeed started\n");
int found = 0;
if (!fTestNet)
{
printf("Loading addresses from DNS seeds (could take a while)\n");
for (unsigned int seed_idx = 0; seed_idx < ARRAYLEN(strDNSSeed); seed_idx++) {
if (GetNameProxy()) {
AddOneShot(strDNSSeed[seed_idx][1]);
} else {
vector<CNetAddr> vaddr;
vector<CAddress> vAdd;
if (LookupHost(strDNSSeed[seed_idx][1], vaddr))
{
BOOST_FOREACH(CNetAddr& ip, vaddr)
{
int nOneDay = 24*3600;
CAddress addr = CAddress(CService(ip, GetDefaultPort()));
addr.nTime = GetTime() - 3*nOneDay - GetRand(4*nOneDay); // use a random age between 3 and 7 days old
vAdd.push_back(addr);
found++;
}
}
addrman.Add(vAdd, CNetAddr(strDNSSeed[seed_idx][0], true));
}
}
}
printf("%d addresses found from DNS seeds\n", found);
}
unsigned int pnSeed[] =
{
};
void DumpAddresses()
{
int64 nStart = GetTimeMillis();
CAddrDB adb;
adb.Write(addrman);
printf("Flushed %d addresses to peers.dat %"PRI64d"ms\n",
addrman.size(), GetTimeMillis() - nStart);
}
void ThreadDumpAddress2(void* parg)
{
vnThreadsRunning[THREAD_DUMPADDRESS]++;
while (!fShutdown)
{
DumpAddresses();
vnThreadsRunning[THREAD_DUMPADDRESS]--;
Sleep(100000);
vnThreadsRunning[THREAD_DUMPADDRESS]++;
}
vnThreadsRunning[THREAD_DUMPADDRESS]--;
}
void ThreadDumpAddress(void* parg)
{
IMPLEMENT_RANDOMIZE_STACK(ThreadDumpAddress(parg));
// Make this thread recognisable as the address dumping thread
RenameThread("bitcoin-adrdump");
try
{
ThreadDumpAddress2(parg);
}
catch (std::exception& e) {
PrintException(&e, "ThreadDumpAddress()");
}
printf("ThreadDumpAddress exited\n");
}
void ThreadOpenConnections(void* parg)
{
IMPLEMENT_RANDOMIZE_STACK(ThreadOpenConnections(parg));
// Make this thread recognisable as the connection opening thread
RenameThread("bitcoin-opencon");
try
{
vnThreadsRunning[THREAD_OPENCONNECTIONS]++;
ThreadOpenConnections2(parg);
vnThreadsRunning[THREAD_OPENCONNECTIONS]--;
}
catch (std::exception& e) {
vnThreadsRunning[THREAD_OPENCONNECTIONS]--;
PrintException(&e, "ThreadOpenConnections()");
} catch (...) {
vnThreadsRunning[THREAD_OPENCONNECTIONS]--;
PrintException(NULL, "ThreadOpenConnections()");
}
printf("ThreadOpenConnections exited\n");
}
void static ProcessOneShot()
{
string strDest;
{
LOCK(cs_vOneShots);
if (vOneShots.empty())
return;
strDest = vOneShots.front();
vOneShots.pop_front();
}
CAddress addr;
CSemaphoreGrant grant(*semOutbound, true);
if (grant) {
if (!OpenNetworkConnection(addr, &grant, strDest.c_str(), true))
AddOneShot(strDest);
}
}
void ThreadOpenConnections2(void* parg)
{
printf("ThreadOpenConnections started\n");
// Connect to specific addresses
if (mapArgs.count("-connect"))
{
for (int64 nLoop = 0;; nLoop++)
{
ProcessOneShot();
BOOST_FOREACH(string strAddr, mapMultiArgs["-connect"])
{
CAddress addr;
OpenNetworkConnection(addr, NULL, strAddr.c_str());
for (int i = 0; i < 10 && i < nLoop; i++)
{
Sleep(500);
if (fShutdown)
return;
}
}
}
}
// Initiate network connections
int64 nStart = GetTime();
loop
{
ProcessOneShot();
vnThreadsRunning[THREAD_OPENCONNECTIONS]--;
Sleep(500);
vnThreadsRunning[THREAD_OPENCONNECTIONS]++;
if (fShutdown)
return;
vnThreadsRunning[THREAD_OPENCONNECTIONS]--;
CSemaphoreGrant grant(*semOutbound);
vnThreadsRunning[THREAD_OPENCONNECTIONS]++;
if (fShutdown)
return;
// Add seed nodes if IRC isn't working
if (addrman.size()==0 && (GetTime() - nStart > 60) && !fTestNet)
{
std::vector<CAddress> vAdd;
for (unsigned int i = 0; i < ARRAYLEN(pnSeed); i++)
{
// It'll only connect to one or two seed nodes because once it connects,
// it'll get a pile of addresses with newer timestamps.
// Seed nodes are given a random 'last seen time' of between one and two
// weeks ago.
const int64 nOneWeek = 7*24*60*60;
struct in_addr ip;
memcpy(&ip, &pnSeed[i], sizeof(ip));
CAddress addr(CService(ip, GetDefaultPort()));
addr.nTime = GetTime()-GetRand(nOneWeek)-nOneWeek;
vAdd.push_back(addr);
}
addrman.Add(vAdd, CNetAddr("127.0.0.1"));
}
//
// Choose an address to connect to based on most recently seen
//
CAddress addrConnect;
// Only connect out to one peer per network group (/16 for IPv4).
// Do this here so we don't have to critsect vNodes inside mapAddresses critsect.
int nOutbound = 0;
set<vector<unsigned char> > setConnected;
{
LOCK(cs_vNodes);
BOOST_FOREACH(CNode* pnode, vNodes) {
if (!pnode->fInbound) {
setConnected.insert(pnode->addr.GetGroup());
nOutbound++;
}
}
}
int64 nANow = GetAdjustedTime();
int nTries = 0;
loop
{
// use an nUnkBias between 10 (no outgoing connections) and 90 (8 outgoing connections)
CAddress addr = addrman.Select(10 + min(nOutbound,8)*10);
// if we selected an invalid address, restart
if (!addr.IsValid() || setConnected.count(addr.GetGroup()) || IsLocal(addr))
break;
nTries++;
if (IsLimited(addr))
continue;
// only consider very recently tried nodes after 30 failed attempts
if (nANow - addr.nLastTry < 600 && nTries < 30)
continue;
// do not allow non-default ports, unless after 50 invalid addresses selected already
if (addr.GetPort() != GetDefaultPort() && nTries < 50)
continue;
addrConnect = addr;
break;
}
if (addrConnect.IsValid())
OpenNetworkConnection(addrConnect, &grant);
}
}
void ThreadOpenAddedConnections(void* parg)
{
IMPLEMENT_RANDOMIZE_STACK(ThreadOpenAddedConnections(parg));
// Make this thread recognisable as the connection opening thread
RenameThread("bitcoin-opencon");
try
{
vnThreadsRunning[THREAD_ADDEDCONNECTIONS]++;
ThreadOpenAddedConnections2(parg);
vnThreadsRunning[THREAD_ADDEDCONNECTIONS]--;
}
catch (std::exception& e) {
vnThreadsRunning[THREAD_ADDEDCONNECTIONS]--;
PrintException(&e, "ThreadOpenAddedConnections()");
} catch (...) {
vnThreadsRunning[THREAD_ADDEDCONNECTIONS]--;
PrintException(NULL, "ThreadOpenAddedConnections()");
}
printf("ThreadOpenAddedConnections exited\n");
}
void ThreadOpenAddedConnections2(void* parg)
{
printf("ThreadOpenAddedConnections started\n");
if (mapArgs.count("-addnode") == 0)
return;
if (GetNameProxy()) {
while(!fShutdown) {
BOOST_FOREACH(string& strAddNode, mapMultiArgs["-addnode"]) {
CAddress addr;
CSemaphoreGrant grant(*semOutbound);
OpenNetworkConnection(addr, &grant, strAddNode.c_str());
Sleep(500);
}
vnThreadsRunning[THREAD_ADDEDCONNECTIONS]--;
Sleep(120000); // Retry every 2 minutes
vnThreadsRunning[THREAD_ADDEDCONNECTIONS]++;
}
return;
}
vector<vector<CService> > vservAddressesToAdd(0);
BOOST_FOREACH(string& strAddNode, mapMultiArgs["-addnode"])
{
vector<CService> vservNode(0);
if(Lookup(strAddNode.c_str(), vservNode, GetDefaultPort(), fNameLookup, 0))
{
vservAddressesToAdd.push_back(vservNode);
{
LOCK(cs_setservAddNodeAddresses);
BOOST_FOREACH(CService& serv, vservNode)
setservAddNodeAddresses.insert(serv);
}
}
}
loop
{
vector<vector<CService> > vservConnectAddresses = vservAddressesToAdd;
// Attempt to connect to each IP for each addnode entry until at least one is successful per addnode entry
// (keeping in mind that addnode entries can have many IPs if fNameLookup)
{
LOCK(cs_vNodes);
BOOST_FOREACH(CNode* pnode, vNodes)
for (vector<vector<CService> >::iterator it = vservConnectAddresses.begin(); it != vservConnectAddresses.end(); it++)
BOOST_FOREACH(CService& addrNode, *(it))
if (pnode->addr == addrNode)
{
it = vservConnectAddresses.erase(it);
it--;
break;
}
}
BOOST_FOREACH(vector<CService>& vserv, vservConnectAddresses)
{
CSemaphoreGrant grant(*semOutbound);
OpenNetworkConnection(CAddress(*(vserv.begin())), &grant);
Sleep(500);
if (fShutdown)
return;
}
if (fShutdown)
return;
vnThreadsRunning[THREAD_ADDEDCONNECTIONS]--;
Sleep(120000); // Retry every 2 minutes
vnThreadsRunning[THREAD_ADDEDCONNECTIONS]++;
if (fShutdown)
return;
}
}
// if succesful, this moves the passed grant to the constructed node
bool OpenNetworkConnection(const CAddress& addrConnect, CSemaphoreGrant *grantOutbound, const char *strDest, bool fOneShot)
{
//
// Initiate outbound network connection
//
if (fShutdown)
return false;
if (!strDest)
if (IsLocal(addrConnect) ||
FindNode((CNetAddr)addrConnect) || CNode::IsBanned(addrConnect) ||
FindNode(addrConnect.ToStringIPPort().c_str()))
return false;
if (strDest && FindNode(strDest))
return false;
vnThreadsRunning[THREAD_OPENCONNECTIONS]--;
CNode* pnode = ConnectNode(addrConnect, strDest);
vnThreadsRunning[THREAD_OPENCONNECTIONS]++;
if (fShutdown)
return false;
if (!pnode)
return false;
if (grantOutbound)
grantOutbound->MoveTo(pnode->grantOutbound);
pnode->fNetworkNode = true;
if (fOneShot)
pnode->fOneShot = true;
return true;
}
void ThreadMessageHandler(void* parg)
{
IMPLEMENT_RANDOMIZE_STACK(ThreadMessageHandler(parg));
// Make this thread recognisable as the message handling thread
RenameThread("bitcoin-msghand");
try
{
vnThreadsRunning[THREAD_MESSAGEHANDLER]++;
ThreadMessageHandler2(parg);
vnThreadsRunning[THREAD_MESSAGEHANDLER]--;
}
catch (std::exception& e) {
vnThreadsRunning[THREAD_MESSAGEHANDLER]--;
PrintException(&e, "ThreadMessageHandler()");
} catch (...) {
vnThreadsRunning[THREAD_MESSAGEHANDLER]--;
PrintException(NULL, "ThreadMessageHandler()");
}
printf("ThreadMessageHandler exited\n");
}
void ThreadMessageHandler2(void* parg)
{
printf("ThreadMessageHandler started\n");
SetThreadPriority(THREAD_PRIORITY_BELOW_NORMAL);
while (!fShutdown)
{
vector<CNode*> vNodesCopy;
{
LOCK(cs_vNodes);
vNodesCopy = vNodes;
BOOST_FOREACH(CNode* pnode, vNodesCopy)
pnode->AddRef();
}
// Poll the connected nodes for messages
CNode* pnodeTrickle = NULL;
if (!vNodesCopy.empty())
pnodeTrickle = vNodesCopy[GetRand(vNodesCopy.size())];
BOOST_FOREACH(CNode* pnode, vNodesCopy)
{
// Receive messages
{
TRY_LOCK(pnode->cs_vRecv, lockRecv);
if (lockRecv)
ProcessMessages(pnode);
}
if (fShutdown)
return;
// Send messages
{
TRY_LOCK(pnode->cs_vSend, lockSend);
if (lockSend)
SendMessages(pnode, pnode == pnodeTrickle);
}
if (fShutdown)
return;
}
{
LOCK(cs_vNodes);
BOOST_FOREACH(CNode* pnode, vNodesCopy)
pnode->Release();
}
// Wait and allow messages to bunch up.
// Reduce vnThreadsRunning so StopNode has permission to exit while
// we're sleeping, but we must always check fShutdown after doing this.
vnThreadsRunning[THREAD_MESSAGEHANDLER]--;
Sleep(100);
if (fRequestShutdown)
StartShutdown();
vnThreadsRunning[THREAD_MESSAGEHANDLER]++;
if (fShutdown)
return;
}
}
bool BindListenPort(const CService &addrBind, string& strError)
{
strError = "";
int nOne = 1;
#ifdef WIN32
// Initialize Windows Sockets
WSADATA wsadata;
int ret = WSAStartup(MAKEWORD(2,2), &wsadata);
if (ret != NO_ERROR)
{
strError = strprintf("Error: TCP/IP socket library failed to start (WSAStartup returned error %d)", ret);
printf("%s\n", strError.c_str());
return false;
}
#endif
// Create socket for listening for incoming connections
#ifdef USE_IPV6
struct sockaddr_storage sockaddr;
#else
struct sockaddr sockaddr;
#endif
socklen_t len = sizeof(sockaddr);
if (!addrBind.GetSockAddr((struct sockaddr*)&sockaddr, &len))
{
strError = strprintf("Error: bind address family for %s not supported", addrBind.ToString().c_str());
printf("%s\n", strError.c_str());
return false;
}
SOCKET hListenSocket = socket(((struct sockaddr*)&sockaddr)->sa_family, SOCK_STREAM, IPPROTO_TCP);
if (hListenSocket == INVALID_SOCKET)
{
strError = strprintf("Error: Couldn't open socket for incoming connections (socket returned error %d)", WSAGetLastError());
printf("%s\n", strError.c_str());
return false;
}
#ifdef SO_NOSIGPIPE
// Different way of disabling SIGPIPE on BSD
setsockopt(hListenSocket, SOL_SOCKET, SO_NOSIGPIPE, (void*)&nOne, sizeof(int));
#endif
#ifndef WIN32
// Allow binding if the port is still in TIME_WAIT state after
// the program was closed and restarted. Not an issue on windows.
setsockopt(hListenSocket, SOL_SOCKET, SO_REUSEADDR, (void*)&nOne, sizeof(int));
#endif
#ifdef WIN32
// Set to nonblocking, incoming connections will also inherit this
if (ioctlsocket(hListenSocket, FIONBIO, (u_long*)&nOne) == SOCKET_ERROR)
#else
if (fcntl(hListenSocket, F_SETFL, O_NONBLOCK) == SOCKET_ERROR)
#endif
{
strError = strprintf("Error: Couldn't set properties on socket for incoming connections (error %d)", WSAGetLastError());
printf("%s\n", strError.c_str());
return false;
}
#ifdef USE_IPV6
// some systems don't have IPV6_V6ONLY but are always v6only; others do have the option
// and enable it by default or not. Try to enable it, if possible.
if (addrBind.IsIPv6()) {
#ifdef IPV6_V6ONLY
setsockopt(hListenSocket, IPPROTO_IPV6, IPV6_V6ONLY, (void*)&nOne, sizeof(int));
#endif
#ifdef WIN32
int nProtLevel = 10 /* PROTECTION_LEVEL_UNRESTRICTED */;
int nParameterId = 23 /* IPV6_PROTECTION_LEVEl */;
// this call is allowed to fail
setsockopt(hListenSocket, IPPROTO_IPV6, nParameterId, (const char*)&nProtLevel, sizeof(int));
#endif
}
#endif
if (::bind(hListenSocket, (struct sockaddr*)&sockaddr, len) == SOCKET_ERROR)
{
int nErr = WSAGetLastError();
if (nErr == WSAEADDRINUSE)
strError = strprintf(_("Unable to bind to %s on this computer. ZedCoin is probably already running."), addrBind.ToString().c_str());
else
strError = strprintf(_("Unable to bind to %s on this computer (bind returned error %d, %s)"), addrBind.ToString().c_str(), nErr, strerror(nErr));
printf("%s\n", strError.c_str());
return false;
}
printf("Bound to %s\n", addrBind.ToString().c_str());
// Listen for incoming connections
if (listen(hListenSocket, SOMAXCONN) == SOCKET_ERROR)
{
strError = strprintf("Error: Listening for incoming connections failed (listen returned error %d)", WSAGetLastError());
printf("%s\n", strError.c_str());
return false;
}
vhListenSocket.push_back(hListenSocket);
if (addrBind.IsRoutable() && fDiscover)
AddLocal(addrBind, LOCAL_BIND);
return true;
}
void static Discover()
{
if (!fDiscover)
return;
#ifdef WIN32
// Get local host ip
char pszHostName[1000] = "";
if (gethostname(pszHostName, sizeof(pszHostName)) != SOCKET_ERROR)
{
vector<CNetAddr> vaddr;
if (LookupHost(pszHostName, vaddr))
{
BOOST_FOREACH (const CNetAddr &addr, vaddr)
{
AddLocal(addr, LOCAL_IF);
}
}
}
#else
// Get local host ip
struct ifaddrs* myaddrs;
if (getifaddrs(&myaddrs) == 0)
{
for (struct ifaddrs* ifa = myaddrs; ifa != NULL; ifa = ifa->ifa_next)
{
if (ifa->ifa_addr == NULL) continue;
if ((ifa->ifa_flags & IFF_UP) == 0) continue;
if (strcmp(ifa->ifa_name, "lo") == 0) continue;
if (strcmp(ifa->ifa_name, "lo0") == 0) continue;
if (ifa->ifa_addr->sa_family == AF_INET)
{
struct sockaddr_in* s4 = (struct sockaddr_in*)(ifa->ifa_addr);
CNetAddr addr(s4->sin_addr);
if (AddLocal(addr, LOCAL_IF))
printf("IPv4 %s: %s\n", ifa->ifa_name, addr.ToString().c_str());
}
#ifdef USE_IPV6
else if (ifa->ifa_addr->sa_family == AF_INET6)
{
struct sockaddr_in6* s6 = (struct sockaddr_in6*)(ifa->ifa_addr);
CNetAddr addr(s6->sin6_addr);
if (AddLocal(addr, LOCAL_IF))
printf("IPv6 %s: %s\n", ifa->ifa_name, addr.ToString().c_str());
}
#endif
}
freeifaddrs(myaddrs);
}
#endif
CreateThread(ThreadGetMyExternalIP, NULL);
}
void StartNode(void* parg)
{
// Make this thread recognisable as the startup thread
RenameThread("bitcoin-start");
if (semOutbound == NULL) {
// initialize semaphore
int nMaxOutbound = min(MAX_OUTBOUND_CONNECTIONS, (int)GetArg("-maxconnections", 125));
semOutbound = new CSemaphore(nMaxOutbound);
}
if (pnodeLocalHost == NULL)
pnodeLocalHost = new CNode(INVALID_SOCKET, CAddress(CService("127.0.0.1", 0), nLocalServices));
Discover();
//
// Start threads
//
if (!GetBoolArg("-dnsseed", true))
printf("DNS seeding disabled\n");
else
if (!CreateThread(ThreadDNSAddressSeed, NULL))
printf("Error: CreateThread(ThreadDNSAddressSeed) failed\n");
// Map ports with UPnP
if (fUseUPnP)
MapPort();
// Get addresses from IRC and advertise ours
if (!CreateThread(ThreadIRCSeed, NULL))
printf("Error: CreateThread(ThreadIRCSeed) failed\n");
// Send and receive from sockets, accept connections
if (!CreateThread(ThreadSocketHandler, NULL))
printf("Error: CreateThread(ThreadSocketHandler) failed\n");
// Initiate outbound connections from -addnode
if (!CreateThread(ThreadOpenAddedConnections, NULL))
printf("Error: CreateThread(ThreadOpenAddedConnections) failed\n");
// Initiate outbound connections
if (!CreateThread(ThreadOpenConnections, NULL))
printf("Error: CreateThread(ThreadOpenConnections) failed\n");
// Process messages
if (!CreateThread(ThreadMessageHandler, NULL))
printf("Error: CreateThread(ThreadMessageHandler) failed\n");
// Dump network addresses
if (!CreateThread(ThreadDumpAddress, NULL))
printf("Error; CreateThread(ThreadDumpAddress) failed\n");
// Generate coins in the background
GenerateBitcoins(GetBoolArg("-gen", false), pwalletMain);
}
bool StopNode()
{
printf("StopNode()\n");
fShutdown = true;
nTransactionsUpdated++;
int64 nStart = GetTime();
if (semOutbound)
for (int i=0; i<MAX_OUTBOUND_CONNECTIONS; i++)
semOutbound->post();
do
{
int nThreadsRunning = 0;
for (int n = 0; n < THREAD_MAX; n++)
nThreadsRunning += vnThreadsRunning[n];
if (nThreadsRunning == 0)
break;
if (GetTime() - nStart > 20)
break;
Sleep(20);
} while(true);
if (vnThreadsRunning[THREAD_SOCKETHANDLER] > 0) printf("ThreadSocketHandler still running\n");
if (vnThreadsRunning[THREAD_OPENCONNECTIONS] > 0) printf("ThreadOpenConnections still running\n");
if (vnThreadsRunning[THREAD_MESSAGEHANDLER] > 0) printf("ThreadMessageHandler still running\n");
if (vnThreadsRunning[THREAD_MINER] > 0) printf("ThreadBitcoinMiner still running\n");
if (vnThreadsRunning[THREAD_RPCLISTENER] > 0) printf("ThreadRPCListener still running\n");
if (vnThreadsRunning[THREAD_RPCHANDLER] > 0) printf("ThreadsRPCServer still running\n");
#ifdef USE_UPNP
if (vnThreadsRunning[THREAD_UPNP] > 0) printf("ThreadMapPort still running\n");
#endif
if (vnThreadsRunning[THREAD_DNSSEED] > 0) printf("ThreadDNSAddressSeed still running\n");
if (vnThreadsRunning[THREAD_ADDEDCONNECTIONS] > 0) printf("ThreadOpenAddedConnections still running\n");
if (vnThreadsRunning[THREAD_DUMPADDRESS] > 0) printf("ThreadDumpAddresses still running\n");
while (vnThreadsRunning[THREAD_MESSAGEHANDLER] > 0 || vnThreadsRunning[THREAD_RPCHANDLER] > 0)
Sleep(20);
Sleep(50);
DumpAddresses();
return true;
}
class CNetCleanup
{
public:
CNetCleanup()
{
}
~CNetCleanup()
{
// Close sockets
BOOST_FOREACH(CNode* pnode, vNodes)
if (pnode->hSocket != INVALID_SOCKET)
closesocket(pnode->hSocket);
BOOST_FOREACH(SOCKET hListenSocket, vhListenSocket)
if (hListenSocket != INVALID_SOCKET)
if (closesocket(hListenSocket) == SOCKET_ERROR)
printf("closesocket(hListenSocket) failed with error %d\n", WSAGetLastError());
#ifdef WIN32
// Shutdown Windows Sockets
WSACleanup();
#endif
}
}
instance_of_cnetcleanup;
| [
"dev@zedcoins.com"
] | dev@zedcoins.com |
693f27997ce85892c66a6e78a4520cecaac7c7c1 | 8a8a0e5e578d5f18850b68e419a587dbb337eef3 | /Library/Il2cppBuildCache/iOS/il2cppOutput/Il2CppCCalculateFieldValues.cpp | fb5f3097bbfb45b4f3005d9da21c0dd358b77069 | [] | no_license | Ostappoo/XR-StockTaking | 6bf6ade0675ab4453bcc25b8b8dbd836de31bd4d | 65e5af79c3a56aa0159e899f49ddb8b68aa7244d | refs/heads/main | 2023-08-03T02:52:37.645518 | 2021-10-01T11:24:18 | 2021-10-01T11:24:18 | 412,438,106 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 7,945,437 | cpp | #include "pch-cpp.hpp"
#ifndef _MSC_VER
# include <alloca.h>
#else
# include <malloc.h>
#endif
#include <stdint.h>
#include <limits>
// System.Action`1<UnityEngine.XR.ARFoundation.ARAnchorsChangedEventArgs>
struct Action_1_t2010A517B3537EF3B4D41177377C7645A9C4439C;
// System.Action`1<UnityEngine.XR.ARFoundation.ARCameraFrameEventArgs>
struct Action_1_tA34B23CE57B7192055F9BF04AA14FCCB2ED91C68;
// System.Action`1<UnityEngine.XR.ARFoundation.AREnvironmentProbesChangedEvent>
struct Action_1_t0F6567E57EA04FFED0BAC55480D317F625716C50;
// System.Action`1<UnityEngine.XR.ARFoundation.ARFaceUpdatedEventArgs>
struct Action_1_tE4B11DC242A81D29CAB72548F670C1D43FACE7D7;
// System.Action`1<UnityEngine.XR.ARFoundation.ARFacesChangedEventArgs>
struct Action_1_t751B1FAC322BE3B28E8F31CAF84A77CDD1A42358;
// System.Action`1<UnityEngine.XR.ARFoundation.ARHumanBodiesChangedEventArgs>
struct Action_1_t6F3641BB0F5489AC32B6649DD5BA9D07DD0C5301;
// System.Action`1<UnityEngine.XR.ARFoundation.ARMeshesChangedEventArgs>
struct Action_1_t2A1E681C80BCB5D638A50943506CDB3B2D178D5F;
// System.Action`1<UnityEngine.XR.ARFoundation.AROcclusionFrameEventArgs>
struct Action_1_t1A44CB29184F135C80F1F1025D2BCCAC14B0A403;
// System.Action`1<UnityEngine.XR.ARFoundation.ARParticipantsChangedEventArgs>
struct Action_1_tBD83440F3EA73C345CEAE4BD2C09EBD478528FD3;
// System.Action`1<UnityEngine.XR.ARFoundation.ARPlaneBoundaryChangedEventArgs>
struct Action_1_tBBDACDE0F7A9CD846DD9E0B8E74D5E0CC3D6B593;
// System.Action`1<UnityEngine.XR.ARFoundation.ARPlanesChangedEventArgs>
struct Action_1_tCEBED0DA57F23A7A92A05B380E69C5D67FEE4C25;
// System.Action`1<UnityEngine.XR.ARFoundation.ARPointCloudChangedEventArgs>
struct Action_1_t3DB8153CA402056FC7698C6AFF7A58E917EF4648;
// System.Action`1<UnityEngine.XR.ARFoundation.ARPointCloudUpdatedEventArgs>
struct Action_1_t105D433EDB88564DEF22A6B68AB9558C41743F97;
// System.Action`1<UnityEngine.AsyncOperation>
struct Action_1_tC1348BEB2C677FD60E4B65764CA3A1CAFF6DFB31;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle>
struct Action_1_t6634F94209C51241AB52BDC921720558A925806B;
// System.Action`1<System.Boolean>
struct Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83;
// System.Action`1<UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData>
struct Action_1_t84A5A270A9C6B9D2B219E515F9DE052C0237D747;
// System.Action`1<UnityEngine.Cubemap>
struct Action_1_tD65D7CEC04C4CCE3F87F3F32187FB019EA4FE0D7;
// System.Action`1<UnityEngine.CustomRenderTexture>
struct Action_1_t35A8982F1F9CAB92233AC0C44F736ED38F0365C2;
// System.Action`1<UnityEngine.ResourceManagement.Diagnostics.DiagnosticEvent>
struct Action_1_t9DFBA98CF738F56EDFC9EBB69DA3EB7CB256491F;
// System.Action`1<UnityEngine.Font>
struct Action_1_tC07E78969BFFC97261F80F4C08915A046DFDD9C7;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.IAsyncOperation>
struct Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D;
// System.Action`1<UnityEngine.Localization.SmartFormat.GlobalVariables.IGlobalVariable>
struct Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E;
// System.Action`1<UnityEngine.XR.InputDevice>
struct Action_1_tD14DA73DE0FBEFB24671F37EB0148705E00E11E8;
// System.Action`1<System.Int32>
struct Action_1_t080BA8EFA9616A494EBB4DD352BFEF943792E05B;
// System.Action`1<UnityEngine.Localization.Locale>
struct Action_1_tBB59FCCF63211BCB4721A2EEAB7EB4F0162986A0;
// System.Action`1<UnityEngine.XR.MeshGenerationResult>
struct Action_1_tB125CDA27D619FDBF92F767804A14CF83EA85A3C;
// System.Action`1<UnityEngine.Profiling.Memory.Experimental.MetaData>
struct Action_1_t724B39F7ADC58A3ACA419106F8E59F5FFC4DDDA6;
// System.Action`1<UnityEngineInternal.Input.NativeInputUpdateType>
struct Action_1_t00E4A8EB7B3DEB920C557B08D67DF7101F4ADF69;
// System.Action`1<System.Object>
struct Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC;
// System.Action`1<System.Single>
struct Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9;
// System.Action`1<UnityEngine.U2D.SpriteAtlas>
struct Action_1_tFA33A618CBBE03EC01FE6A4CD6489392526BA5FF;
// System.Action`1<System.String>
struct Action_1_tC0D73E03177C82525D78670CDC2165F7CBF0A9C3;
// System.Action`1<TMPro.TMP_TextInfo>
struct Action_1_t170B3E821B49B45FA7134A2CF48A2E64CA371D42;
// System.Action`1<UnityEngine.Networking.UnityWebRequestAsyncOperation>
struct Action_1_tB9BFE9047605113DA05289A8C362B9699EBCF696;
// System.Action`1<UnityEngine.XR.XRInputSubsystem>
struct Action_1_t6A8185B84663FAD87D88ACA618FB6E60131C81F1;
// System.Action`1<UnityEngine.XR.XRNodeState>
struct Action_1_t016EBE9560F0A12616F6E8C2FB15578C134D1603;
// System.Action`1<UnityEngine.ResourceManagement.ResourceManager/DiagnosticEventContext>
struct Action_1_tD61C7D2B046523AB783EBF4D00B665A08F81B609;
// System.Action`2<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle,System.Exception>
struct Action_2_tE037A9A64F7D0B18736E26533D8819D3CA6D6A41;
// System.Action`2<System.Boolean,System.String>
struct Action_2_t88E033566C44CCAAB72BD2C7604420B260FD3BF3;
// System.Action`2<System.Int32,System.String>
struct Action_2_t0359A210F354A728FCD80F275D8CF192D61A98C5;
// System.Action`2<UnityEngine.ReflectionProbe,UnityEngine.ReflectionProbe/ReflectionProbeEvent>
struct Action_2_t69EC34FAAA273FB9B19FE4B50F262C78DDD1A8B6;
// System.Action`2<System.String,System.Action`1<UnityEngine.U2D.SpriteAtlas>>
struct Action_2_t2637D1ABC6F1C01B00FBBB3F1C73F8FF54A9BC5F;
// System.Action`2<System.String,System.Boolean>
struct Action_2_t8FC3CF6A24FB4EA34536D08E810B50E7D41F53D4;
// System.Action`2<System.Threading.Tasks.Task,System.Object>
struct Action_2_tD95FEB0CD8C2141DE035440434C3769AA37151D4;
// System.Action`3<System.String,System.Boolean,UnityEngine.Profiling.Experimental.DebugScreenCapture>
struct Action_3_t4CF22767AF14E0CCEB1592922756B7BBD9008E40;
// System.Action`4<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle,UnityEngine.ResourceManagement.ResourceManager/DiagnosticEventType,System.Int32,System.Object>
struct Action_4_tB83C8F50B5A70EB6ACEFFD5422338AA361EF1148;
// System.Threading.AsyncLocal`1<System.Globalization.CultureInfo>
struct AsyncLocal_1_t480A201BA0D1C62C2C6FA6598EEDF7BB35D85349;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<System.Collections.Generic.IList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle>>
struct AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<System.Collections.Generic.List`1<UnityEngine.AddressableAssets.ResourceLocators.IResourceLocator>>
struct AsyncOperationBase_1_t83E82AF13D0861ABF96E701C62511E1FDE92A061;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<UnityEngine.Localization.Settings.LocalizedDatabase`2/TableEntryResult<UnityEngine.Localization.Tables.StringTable,UnityEngine.Localization.Tables.StringTableEntry>>
struct AsyncOperationBase_1_t346A268CBEFDF614068229E29CDBC74A0ED9D043;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<UnityEngine.Localization.Tables.AssetTable>
struct AsyncOperationBase_1_t8C31894BF30092F9E6B3581F96C9110EA1F7D305;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<UnityEngine.AudioClip>
struct AsyncOperationBase_1_t34BD5DB14154EE7355273D0B0069BFC17B34AF23;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData>
struct AsyncOperationBase_1_tAB1F47A33E4D2FAA60BB0A9C067DAEDAA3E4A402;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<UnityEngine.GameObject>
struct AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<UnityEngine.AddressableAssets.ResourceLocators.IResourceLocator>
struct AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<UnityEngine.Localization.Locale>
struct AsyncOperationBase_1_t7B2900EB896B34125D255DF5F32292B8F98B50DB;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<UnityEngine.Localization.Settings.LocalizationSettings>
struct AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<UnityEngine.Material>
struct AsyncOperationBase_1_tA9374CCDD8A57B83B5155D05D6D091CC87C9EE01;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<UnityEngine.AddressableAssets.Initialization.ResourceManagerRuntimeData>
struct AsyncOperationBase_1_t2CE3F2102EB1B1FCA19149FD17C46F73D43CA783;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<UnityEngine.ResourceManagement.ResourceProviders.SceneInstance>
struct AsyncOperationBase_1_t115D039450A94B5E285CE91C166928D02353604A;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<UnityEngine.Sprite>
struct AsyncOperationBase_1_tE1B63A60D98A61B42D47DD94A4E5B11698B34DC3;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<UnityEngine.Localization.Tables.StringTable>
struct AsyncOperationBase_1_t210C5EF0CC08F0945C7B620D726363030ADA2E54;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<UnityEngine.Texture>
struct AsyncOperationBase_1_t1290BBD6489BCC7C55D18F13348AE1E26CB20021;
// System.Dynamic.Utils.CacheDict`2<System.Reflection.MethodBase,System.Reflection.ParameterInfo[]>
struct CacheDict_2_tB3623498F80C0C04E8804E45A814364C12F9CB1F;
// System.Dynamic.Utils.CacheDict`2<System.Type,System.Func`5<System.Linq.Expressions.Expression,System.String,System.Boolean,System.Collections.ObjectModel.ReadOnlyCollection`1<System.Linq.Expressions.ParameterExpression>,System.Linq.Expressions.LambdaExpression>>
struct CacheDict_2_t9FD97836EA998D29FFE492313652BD241E48F2C6;
// System.Dynamic.Utils.CacheDict`2<System.Type,System.Reflection.MethodInfo>
struct CacheDict_2_t23833FEB97C42D87EBF4B5FE3B56AA1336D7B3CE;
// UnityEngine.Localization.LocalizedAsset`1/ChangeHandler<UnityEngine.AudioClip>
struct ChangeHandler_tC28F99B8730EA17FE7B81FE5C3E816DD3415D1B1;
// UnityEngine.Localization.LocalizedAsset`1/ChangeHandler<UnityEngine.GameObject>
struct ChangeHandler_t4C4CBFE9C3944212638563090BB1FCFFE98F949F;
// UnityEngine.Localization.LocalizedAsset`1/ChangeHandler<UnityEngine.Material>
struct ChangeHandler_tAE9DCA2BE40B85D9CC9B017BAE160908A8B8E41B;
// UnityEngine.Localization.LocalizedAsset`1/ChangeHandler<UnityEngine.Sprite>
struct ChangeHandler_tD879076EC8C763FFAC7E8AE1C8AADB472B08E5E7;
// UnityEngine.Localization.LocalizedAsset`1/ChangeHandler<UnityEngine.Texture>
struct ChangeHandler_t9CC081E83DF8F1C130D4B3F99F93C884A0CEF454;
// UnityEngine.Localization.LocalizedTable`2/ChangeHandler<UnityEngine.Localization.Tables.AssetTable,UnityEngine.Localization.Tables.AssetTableEntry>
struct ChangeHandler_tD79FE213EE8CB9267DFB6091E810391001665008;
// UnityEngine.Localization.LocalizedTable`2/ChangeHandler<UnityEngine.Localization.Tables.StringTable,UnityEngine.Localization.Tables.StringTableEntry>
struct ChangeHandler_t0F768FD758AACC015A6A28F6BB4D7EE61ACEECFB;
// System.Comparison`1<UnityEngine.UI.Graphic>
struct Comparison_1_t7BDDF85417DBC1A0C4817BF9F1D054C9F7128876;
// System.Comparison`1<UnityEngine.UI.ICanvasElement>
struct Comparison_1_t72C3E81825A1194637F6FF9F6157B7501B0FB263;
// System.Comparison`1<Mono.Globalization.Unicode.Level2Map>
struct Comparison_1_tD3B42082C57F6BA82A21609F8DF8F414BCFA4C38;
// System.Comparison`1<UnityEngine.EventSystems.RaycastResult>
struct Comparison_1_t47C8B3739FFDD51D29B281A2FD2C36A57DDF9E38;
// System.Comparison`1<System.TimeZoneInfo/AdjustmentRule>
struct Comparison_1_tDAC4CC47FDC3DBE8E8A9DF5789C71CAA2B42AEC1;
// System.Collections.Concurrent.ConcurrentDictionary`2<System.Runtime.Serialization.MemberHolder,System.Reflection.MemberInfo[]>
struct ConcurrentDictionary_2_tCDD3E713B9FAC2A37A5798DD000C2A440AAA5165;
// System.Collections.Concurrent.ConcurrentDictionary`2<System.String,System.Object>
struct ConcurrentDictionary_2_t13240966755EF1F500D38962BE5A4F63478363D6;
// System.Runtime.CompilerServices.ConditionalWeakTable`2<System.Linq.Expressions.Expression,System.Linq.Expressions.Expression/ExtensionInfo>
struct ConditionalWeakTable_2_t53315BD762B310982B9C8EEAA1BEB06E4E8D0815;
// System.Runtime.CompilerServices.ConditionalWeakTable`2<System.Object,System.Threading.OSSpecificSynchronizationContext>
struct ConditionalWeakTable_2_t493104CF9A2FD4982F4A18F112DEFF46B0ACA5F3;
// System.Runtime.CompilerServices.ConditionalWeakTable`2<System.Object,System.Runtime.Serialization.SerializationInfo>
struct ConditionalWeakTable_2_t5051815BADC99C4FE5D8F9293F92B3C7FD565B5E;
// System.Runtime.CompilerServices.ConditionalWeakTable`2<System.Threading.Tasks.TaskScheduler,System.Object>
struct ConditionalWeakTable_2_t93AD246458B1FCACF9EE33160B2DB2E06AB42CD8;
// System.Runtime.CompilerServices.ConditionalWeakTable`2/CreateValueCallback<System.Object,System.Threading.OSSpecificSynchronizationContext>
struct CreateValueCallback_t26CE66A095DA5876B5651B764A56049D0E88FC65;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<System.Collections.Generic.IList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle>>>
struct DelegateList_1_t938599D256D3D9A3207AC8C50DE44411FD04D7A7;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<System.Collections.Generic.IList`1<UnityEngine.ResourceManagement.ResourceLocations.IResourceLocation>>>
struct DelegateList_1_t4370C6E561DD94E4B574735CCC1114C26E1FAFAF;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<System.Boolean>>
struct DelegateList_1_t7C6B5AA750A2379160BF0B0D649325C220A3F4F5;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.GameObject>>
struct DelegateList_1_t4BD9CC94817866F025532E565A265A8D779CA3C6;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.AddressableAssets.ResourceLocators.IResourceLocator>>
struct DelegateList_1_t1A664E16725AD5ACFDAEF6F74F8B730CB372EEC7;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Localization.Settings.LocalizationSettings>>
struct DelegateList_1_t80C7819818DD17C1AFF25C069F645172A7F78EFD;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<System.String>>
struct DelegateList_1_t7E28BDF4FA17F5CF5BA5E6B97D0448726ED59020;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle>
struct DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503;
// DelegateList`1<UnityEngine.ResourceManagement.Diagnostics.DiagnosticEvent>
struct DelegateList_1_t5BAB0E67CB7D5A8F00759C4B8C27CD2CBAAAD7DE;
// DelegateList`1<System.Single>
struct DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D;
// System.Collections.Generic.Dictionary`2<System.ValueTuple`2<UnityEngine.Localization.LocaleIdentifier,System.String>,UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Localization.Tables.AssetTable>>
struct Dictionary_2_t99DF33284CCE9AFDAE3D5CE26E6148A865FAC89F;
// System.Collections.Generic.Dictionary`2<System.ValueTuple`2<UnityEngine.Localization.LocaleIdentifier,System.String>,UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Localization.Tables.StringTable>>
struct Dictionary_2_tBADDE26262033192DE0D1697922E59FB2A666841;
// System.Collections.Generic.Dictionary`2<System.ValueTuple`2<System.Type,System.String>,System.ValueTuple`2<System.Reflection.FieldInfo,System.Reflection.MethodInfo>>
struct Dictionary_2_t1AA9B23365A5C70B791AF1A448297A6B8A2F7B0A;
// System.Collections.Generic.Dictionary`2<System.Action,System.Collections.Generic.LinkedListNode`1<System.Action>>
struct Dictionary_2_t050A987FF3F83046609B91544CA99C3F44CA394E;
// System.Collections.Generic.Dictionary`2<UnityEngine.Canvas,UnityEngine.UI.Collections.IndexedSet`1<UnityEngine.UI.Graphic>>
struct Dictionary_2_t79A0FFC8A9EA909E2397C10AFBD9F64EC0154963;
// System.Collections.Generic.Dictionary`2<System.Char,System.Char>
struct Dictionary_2_t48D162A344757D0DE1647E5114412E6BD640B186;
// System.Collections.Generic.Dictionary`2<UnityEngine.Font,System.Collections.Generic.HashSet`1<UnityEngine.UI.Text>>
struct Dictionary_2_t4F42AAD6C75C36A4A9D4B0CD537DAF5D5F503079;
// System.Collections.Generic.Dictionary`2<System.Guid,UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Localization.Tables.SharedTableData>>
struct Dictionary_2_t3C60E69626316823335920D40F0665169998744C;
// System.Collections.Generic.Dictionary`2<System.Threading.IAsyncLocal,System.Object>
struct Dictionary_2_tED8EC0DF62452D89154D9584AC19F62C79BF3938;
// System.Collections.Generic.Dictionary`2<UnityEngine.ResourceManagement.ResourceLocations.IResourceLocation,UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider/InternalOp>
struct Dictionary_2_t07098E642DC6AF03BF35F4782BB31A441FA8E0D8;
// System.Collections.Generic.Dictionary`2<System.Int32,System.Collections.Generic.List`1<System.Object>>
struct Dictionary_2_t105FF7824240354B82616D121D7FF93B6882DEDE;
// System.Collections.Generic.Dictionary`2<System.Int32,System.Boolean>
struct Dictionary_2_t446D8FCE66ED404E00855B46A520AB382A69EFF1;
// System.Collections.Generic.Dictionary`2<System.Int32,System.Char>
struct Dictionary_2_tB8FA8FEFBC38630BF40B59A6B474816F30D29B23;
// System.Collections.Generic.Dictionary`2<System.Int32,System.Globalization.CultureInfo>
struct Dictionary_2_t5B8303F2C9869A39ED3E03C0FBB09F817E479402;
// System.Collections.Generic.Dictionary`2<System.Int32,UnityEngine.ResourceManagement.Diagnostics.DiagnosticEvent>
struct Dictionary_2_tA132562C0B2CCFC639D9417B39DC61A33EBA00D8;
// System.Collections.Generic.Dictionary`2<System.Int32,UnityEngine.AddressableAssets.Utility.DiagnosticInfo>
struct Dictionary_2_tBD7E4B2FABEA96AC727F92679C396FDAD5FBB436;
// System.Collections.Generic.Dictionary`2<System.Int32,UnityEngine.ResourceManagement.AsyncOperations.IAsyncOperation>
struct Dictionary_2_tDB75C4D4D0B723B1109A640F97124956AA33BC66;
// System.Collections.Generic.Dictionary`2<System.Int32,UnityEngine.ResourceManagement.ResourceProviders.IResourceProvider>
struct Dictionary_2_t1B2F62A5CB01E356B3C3FDEBB20B967EE7C405C9;
// System.Collections.Generic.Dictionary`2<System.Int32,System.Int32>
struct Dictionary_2_t49CB072CAA9184D326107FA696BB354C43EB5E08;
// System.Collections.Generic.Dictionary`2<System.Int32,System.Int64>
struct Dictionary_2_t9AE0BA863BA88FABCBFC4CA835E0A6E00D948984;
// System.Collections.Generic.Dictionary`2<System.Int32,UnityEngine.Material>
struct Dictionary_2_tE3F17FC57643708975DF2782661AFB9CB1687991;
// System.Collections.Generic.Dictionary`2<System.Int32,UnityEngine.EventSystems.PointerEventData>
struct Dictionary_2_t52ECB6047A9EDAD198D0CC53F331CDEAAA83BED8;
// System.Collections.Generic.Dictionary`2<System.Int32,System.String>
struct Dictionary_2_t0ACB62D0885C7AB376463C70665400A39808C5FB;
// System.Collections.Generic.Dictionary`2<System.Int32,TMPro.TMP_ColorGradient>
struct Dictionary_2_t83EDCEFCBB12C89A61745514957F522FEF34EAE1;
// System.Collections.Generic.Dictionary`2<System.Int32,TMPro.TMP_FontAsset>
struct Dictionary_2_tAB557C4BCEBDF7E2339209187287588CF6C63579;
// System.Collections.Generic.Dictionary`2<System.Int32,TMPro.TMP_SpriteAsset>
struct Dictionary_2_t6A406AC36627118EE2E0E5BBCE5CF76FC9C5CE1F;
// System.Collections.Generic.Dictionary`2<System.Int32,TMPro.TMP_Style>
struct Dictionary_2_tF4EABB89111A0E30158256A3B667C7770E384763;
// System.Collections.Generic.Dictionary`2<System.Int32,System.Threading.Tasks.Task>
struct Dictionary_2_tB758E2A2593CD827EFC041BE1F1BB4B68DE1C3E8;
// System.Collections.Generic.Dictionary`2<System.Int32,UnityEngine.GUILayoutUtility/LayoutCache>
struct Dictionary_2_t3FDB6C5EC702844ACB5B417679E01D7C1DCBA4D4;
// System.Collections.Generic.Dictionary`2<System.Int64,System.Collections.Generic.HashSet`1<System.String>>
struct Dictionary_2_t03ADF6B6FEB86B97A7FA886D54415E3AE61B539F;
// System.Collections.Generic.Dictionary`2<System.Int64,UnityEngine.Localization.Tables.AssetTableEntry>
struct Dictionary_2_tC321F72C54A0FEA9C34B9C620B25195B0A1B0877;
// System.Collections.Generic.Dictionary`2<System.Int64,UnityEngine.Localization.Tables.StringTableEntry>
struct Dictionary_2_t1367A4ABA0EDD6B59DBFD2377F6EE940A55072C5;
// System.Collections.Generic.Dictionary`2<System.Int64,UnityEngine.Localization.Tables.SharedTableData/SharedTableEntry>
struct Dictionary_2_t67D8C7C2915C1CA2FCA01F27FE29E648F2739F42;
// System.Collections.Generic.Dictionary`2<System.Int64,TMPro.TMP_MaterialManager/FallbackMaterial>
struct Dictionary_2_tF37F71739257A9F8484D38DF8ADAA587B68C88BE;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.MeshId,UnityEngine.XR.MeshInfo>
struct Dictionary_2_t2B5C2948D35C014478CA4F20AAD1D04720D764DA;
// System.Collections.Generic.Dictionary`2<System.Object,System.Collections.Generic.IList`1<UnityEngine.ResourceManagement.ResourceLocations.IResourceLocation>>
struct Dictionary_2_t252CD5F999D800C98B116C8924D98E33812747D6;
// System.Collections.Generic.Dictionary`2<System.Object,UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle>
struct Dictionary_2_tFE864065647FF3F1F8ACB61B44C408D5FAFD3FCC;
// System.Collections.Generic.Dictionary`2<System.Object,System.Int32>
struct Dictionary_2_t1DDD2F48B87E022F599DF2452A49BB70BE95A7F8;
// System.Collections.Generic.Dictionary`2<System.String,System.Globalization.CultureInfo>
struct Dictionary_2_t0015CBF964B0687CBB5ECFDDE06671A8F3DDE4BC;
// System.Collections.Generic.Dictionary`2<System.String,UnityEngine.GUIStyle>
struct Dictionary_2_t2CD153A36C5BD27CDDC85F23918ECEF77E892E80;
// System.Collections.Generic.Dictionary`2<System.String,System.Int32>
struct Dictionary_2_tC94E9875910491F8130C2DC8B11E4D1548A55162;
// System.Collections.Generic.Dictionary`2<System.String,System.LocalDataStoreSlot>
struct Dictionary_2_tBB3B761B5CD370C29795A985E92637E6653997E5;
// System.Collections.Generic.Dictionary`2<System.String,System.Object>
struct Dictionary_2_t692011309BA94F599C6042A381FC9F8B3CB08399;
// System.Collections.Generic.Dictionary`2<System.String,System.Resources.ResourceLocator>
struct Dictionary_2_t46A02F90A8D65228E634FEFFC9BE32C560592BBA;
// System.Collections.Generic.Dictionary`2<System.String,System.Resources.ResourceSet>
struct Dictionary_2_tF591ED968D904B93A92B04B711C65E797B9D6E5E;
// System.Collections.Generic.Dictionary`2<System.String,Mono.Globalization.Unicode.SimpleCollator>
struct Dictionary_2_t33B68634E5ACFD2A5AE4981521BFC06805BE18BB;
// System.Collections.Generic.Dictionary`2<System.String,System.String>
struct Dictionary_2_tDE3227CA5E7A32F5070BD24C69F42204A3ADE9D5;
// System.Collections.Generic.Dictionary`2<System.String,System.UriParser>
struct Dictionary_2_t29257EB2565DDF3180663167EF129FA9827836C5;
// System.Collections.Generic.Dictionary`2<System.String,UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/NameValuePair>
struct Dictionary_2_tEE11BD7FAD8C288DA93B3C5422C51AC3FEB5F0FC;
// System.Collections.Generic.Dictionary`2<System.String,UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/NameValuePair>
struct Dictionary_2_t2836702BFF606608EF802428EEC23FFC205F165B;
// System.Collections.Generic.Dictionary`2<System.String,UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate>
struct Dictionary_2_t91623155F069F8EE9220BAB54408F39BFE0D1B0E;
// System.Collections.Generic.Dictionary`2<System.String,UnityEngine.Localization.Tables.SharedTableData/SharedTableEntry>
struct Dictionary_2_tAAA616F0052191F50A88966905FA22D7D83E7BE1;
// System.Collections.Generic.Dictionary`2<UnityEngine.SystemLanguage,System.Char[]>
struct Dictionary_2_tCA2C87E080668A5EFD401147600C2030D6FC2EAF;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,UnityEngine.XR.ARFoundation.ARAnchor>
struct Dictionary_2_t31868ABD2D8EA88442789687465039D339583446;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,UnityEngine.XR.ARFoundation.AREnvironmentProbe>
struct Dictionary_2_tCB9C3E25F25C473A6F08397342006CAFC3A34464;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,UnityEngine.XR.ARFoundation.ARFace>
struct Dictionary_2_tF07FB2CCA54ADAB1549E54E2E9614059B7B21F74;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,UnityEngine.XR.ARFoundation.ARHumanBody>
struct Dictionary_2_t875E70525C711130925F3854722CF17DC974E6D7;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,UnityEngine.XR.ARFoundation.ARParticipant>
struct Dictionary_2_t66C688A394A0A7E4D050F02E7256395ECB64AE2E;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,UnityEngine.XR.ARFoundation.ARPlane>
struct Dictionary_2_t712D6B074B6A493ABA07777BD08F1A62D9DE2534;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,UnityEngine.XR.ARFoundation.ARPointCloud>
struct Dictionary_2_t863B883EC109BDD6930ABBE82F742033C522422C;
// System.Collections.Generic.Dictionary`2<System.Type,System.AttributeUsageAttribute>
struct Dictionary_2_tAFE7EC7F9B0ABC745B3D03847BA97884AF818A12;
// System.Collections.Generic.Dictionary`2<System.Type,UnityEngine.ISubsystem>
struct Dictionary_2_t4F3B5B526335E16355EDBC766052AEAB07B1777B;
// System.Collections.Generic.Dictionary`2<System.Type,System.Type>
struct Dictionary_2_tDDE97F4B1F5CCF200FCAA220F329933EA034D506;
// System.Collections.Generic.Dictionary`2<System.Type,System.Runtime.Serialization.Formatters.Binary.TypeInformation>
struct Dictionary_2_tCAA954C180FE22A5909DC97DB48233904AC1A885;
// System.Collections.Generic.Dictionary`2<System.UInt32,UnityEngine.TextCore.Glyph>
struct Dictionary_2_tDA5C03A58B5E004C6D454EF31BF9C5307FE785BE;
// System.Collections.Generic.Dictionary`2<System.UInt32,System.Int32>
struct Dictionary_2_t613970F5DB840DE525998C9C40E993772B7B7F60;
// System.Collections.Generic.Dictionary`2<System.UInt32,TMPro.TMP_Character>
struct Dictionary_2_t6BB43D0F158FE3B19E71F6F48A84283B5250E1B4;
// System.Collections.Generic.Dictionary`2<System.UInt32,TMPro.TMP_GlyphPairAdjustmentRecord>
struct Dictionary_2_t0583F646DAE1361FD64601FB5FBF7B4C57DDBDF4;
// System.Collections.Generic.Dictionary`2<System.UInt32,TMPro.TMP_SpriteCharacter>
struct Dictionary_2_tEC101901EE680E17704967FA8AF17B1E6CD618B8;
// System.Collections.Generic.Dictionary`2<System.UInt32,TMPro.TMP_SpriteGlyph>
struct Dictionary_2_tF17132A004B24571E82B3F37E944651A0E72799F;
// System.Collections.Generic.Dictionary`2<UnityEngine.Localization.SmartFormat.Core.Parsing.Parser/ParsingError,System.String>
struct Dictionary_2_t2C22EAE20A617087418B2ACCB6F0204DB50C644A;
// System.Collections.Generic.EqualityComparer`1<System.Byte>
struct EqualityComparer_1_t315BFEDB969101238C563049FF00D5CB9F8D6509;
// System.Collections.Generic.EqualityComparer`1<System.String>
struct EqualityComparer_1_tDC2082D4D5947A0F76D6FA7870E09811B1A8B69E;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IBeginDragHandler>
struct EventFunction_1_t2090386F6F1AD36902CC49C47D33DBC66C60B100;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.ICancelHandler>
struct EventFunction_1_t62770D319A98A721900E1C08EC156D59926CDC42;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IDeselectHandler>
struct EventFunction_1_tC96EF7224041A1435F414F0A974F5E415FFCC528;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IDragHandler>
struct EventFunction_1_t092EF97BABC8AD77EFF4A451CB7124FD24E1E10E;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IDropHandler>
struct EventFunction_1_t5660F2E7C674760C0F595E987D232818F4E0AA0A;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IEndDragHandler>
struct EventFunction_1_tEAD99CB0B6FC23ECDE82646A3710D24E183A26C5;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IInitializePotentialDragHandler>
struct EventFunction_1_t2890FC9B45E7B56EDFEC06B764D49D1EDB7E4ADA;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IMoveHandler>
struct EventFunction_1_t5BDB9EBC3BFFC71A97904CD3E01ED89BEBEE00AD;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IPointerClickHandler>
struct EventFunction_1_t4870461507D94C55EB84820C99AC6C495DCE4A53;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IPointerDownHandler>
struct EventFunction_1_t613569DE3BDA144DA5A8D56AFFCA0A1F03DCD96C;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IPointerEnterHandler>
struct EventFunction_1_tBAE9A2CDB8174D2A78A46C57B54E9D86245D3BC8;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IPointerExitHandler>
struct EventFunction_1_t9E4CEC2DA9A249AE1B4E40E3D2B396741E347F60;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IPointerUpHandler>
struct EventFunction_1_t7FBE64714A4E50EF106796C42BB2493D33F6C7CA;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IScrollHandler>
struct EventFunction_1_tA4599B6CC5BFC12FBD61E3E846515E4DEBA873EF;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.ISelectHandler>
struct EventFunction_1_tF2F90BDFC6B14457DE9485B3A5C065C31BE80AD0;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.ISubmitHandler>
struct EventFunction_1_tD45A9BFBDD99A872DA88945877EBDFD3542C9E23;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IUpdateSelectedHandler>
struct EventFunction_1_tB6C6DD6D13924F282523CD3468E286DA3742C74C;
// System.EventHandler`1<System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs>
struct EventHandler_1_t7F26BD2270AD4531F2328FD1382278E975249DF1;
// System.EventHandler`1<UnityEngine.Localization.SmartFormat.FormattingErrorEventArgs>
struct EventHandler_1_t3A7EAC5508F2BAE42A3533DF927CEF22CBF388D9;
// System.EventHandler`1<UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrorEventArgs>
struct EventHandler_1_tA0A20A9B433ACEAFCD45A677E6D1E18241CE2C23;
// System.EventHandler`1<System.Runtime.Serialization.SafeSerializationEventArgs>
struct EventHandler_1_t1C27C79D0946B5B6968F4A351CFED838F67D7517;
// System.EventHandler`1<System.Threading.Tasks.UnobservedTaskExceptionEventArgs>
struct EventHandler_1_t7DFDECE3AD515844324382F8BBCAC2975ABEE63A;
// TMPro.FastAction`1<System.Boolean>
struct FastAction_1_t0256216D55569A7059E38E7F79D8B1C844C6D472;
// TMPro.FastAction`1<UnityEngine.Object>
struct FastAction_1_t83A8F378D15744DC0F2F81BEEECE0C0D1DDC6798;
// TMPro.FastAction`2<System.Boolean,UnityEngine.Material>
struct FastAction_2_t0617135A42D314DE39D7C7E05AF8644FDAF0AF9B;
// TMPro.FastAction`2<System.Boolean,UnityEngine.Object>
struct FastAction_2_tB8818519A1AC2CA666C56F136249517F638F6A1D;
// TMPro.FastAction`2<System.Object,TMPro.Compute_DT_EventArgs>
struct FastAction_2_t251B7D87855C9C20395DD41A2262FF3765B409D8;
// TMPro.FastAction`3<UnityEngine.GameObject,UnityEngine.Material,UnityEngine.Material>
struct FastAction_3_t05B67C203CF03CCC06EA6A315EFE76A231AB1A22;
// System.Func`1<System.Boolean>
struct Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F;
// System.Func`1<System.DateTime>
struct Func_1_tF7A4F80A83ED82791CD660ED19558BF22C52103D;
// System.Func`1<System.DateTimeOffset>
struct Func_1_t5DFE9F53113522E155333FEB78DB88CF6C93BD54;
// System.Func`1<System.Threading.ManualResetEvent>
struct Func_1_t5676838A0CF4B34BFAE91E1902234AA2C5C4BE05;
// System.Func`1<System.Threading.SemaphoreSlim>
struct Func_1_tD7D981D1F0F29BA17268E18E39287102393D2EFD;
// System.Func`1<System.Threading.Tasks.Task/ContingentProperties>
struct Func_1_tBCF42601FA307876E83080BE4204110820F8BF3B;
// System.Func`2<System.Threading.Tasks.Task`1<System.Threading.Tasks.Task>,System.Threading.Tasks.Task`1<System.Boolean>>
struct Func_2_t24DC43D57AB022882FE433E3B16B6D7E4BD14BB4;
// System.Func`2<System.Threading.Tasks.Task`1<System.Threading.Tasks.Task>,System.Threading.Tasks.Task`1<System.Int32>>
struct Func_2_t53CFE8804C8D1C2FE8CC9204CF5DA5B98EC444D0;
// System.Func`2<System.Threading.Tasks.Task`1<System.Threading.Tasks.Task>,System.Threading.Tasks.Task`1<System.Threading.Tasks.Task>>
struct Func_2_t59E5EE359C575BAE84083A82848C07C4F342D995;
// System.Func`2<System.Threading.Tasks.Task`1<System.Threading.Tasks.Task>,System.Threading.Tasks.Task`1<System.Threading.Tasks.VoidTaskResult>>
struct Func_2_t99C75F5817AC4490145734D823B7E8ED9A840728;
// System.Func`2<System.Char,System.Char>
struct Func_2_tA794DD839E2748A3962936477E2CAAC0A30CA6BC;
// System.Func`2<UnityEngine.ResourceManagement.Diagnostics.DiagnosticEvent,System.Int32>
struct Func_2_tF77A5A36D2BF90D179293F246E1895C9E7A1AA89;
// System.Func`2<System.Exception,System.Boolean>
struct Func_2_t6283F9D1F2A6C8BB45F72CDAD5856BC3FDF29C3F;
// System.Func`2<System.Reflection.FieldInfo,System.Type>
struct Func_2_tDF60161D557496E690F5241DE197B103C0DAAEC0;
// System.Func`2<UnityEngine.TextCore.Glyph,System.UInt32>
struct Func_2_tE516ACDE5EE942C127ACE48552A8339AA6856CFD;
// System.Func`2<UnityEngine.UI.ILayoutElement,System.Single>
struct Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA;
// System.Func`2<UnityEngine.ResourceManagement.ResourceLocations.IResourceLocation,System.String>
struct Func_2_t7992B3857C3AFEEE62B2362748CC3BE16829C9E5;
// System.Func`2<UnityEngine.ResourceManagement.ResourceProviders.IResourceProvider,System.Boolean>
struct Func_2_t69C4F92AEBB32B94C7D556BD1CD790E8FC896B45;
// System.Func`2<TMPro.KerningPair,System.UInt32>
struct Func_2_tF5E67F802454FD3DA4D6AF2E7E515B5F4651C80C;
// System.Func`2<UnityEngineInternal.Input.NativeInputUpdateType,System.Boolean>
struct Func_2_t9D79DEEDC6C6EC508B371394EC6976EDC57FB472;
// System.Func`2<System.Object,System.Int32>
struct Func_2_t0CEE9D1C856153BA9C23BB9D7E929D577AF37A2C;
// System.Func`2<System.Object,System.String>
struct Func_2_t060A650AB95DEF14D4F579FA5999ACEFEEE0FD82;
// System.Func`2<System.String,System.String>
struct Func_2_t5FF29EF71496B6AFA2C5B7FF601B0EFA1C47A41A;
// System.Func`2<TMPro.TMP_Character,System.UInt32>
struct Func_2_tAE696B77FA44C30C3D3C4B83234D74AD6C93EA80;
// System.Func`2<TMPro.TMP_GlyphPairAdjustmentRecord,System.UInt32>
struct Func_2_tB6A984E062893AE4E1375B76C22534E5433D9B81;
// System.Func`2<TMPro.TMP_SpriteCharacter,System.UInt32>
struct Func_2_tBFAEAFC2F9FB8E112B1B64F551709A017C9D9A87;
// System.Func`2<TMPro.TMP_SpriteGlyph,System.UInt32>
struct Func_2_tCBDDA9D38F4DC72A500A2A63C0B30498DC5DE7EC;
// System.Func`2<UnityEngine.UI.Toggle,System.Boolean>
struct Func_2_tCE3CE3D7F67C20FF5576ED2A6E74518A0756E2DE;
// System.Func`2<UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/NameValuePair,UnityEngine.Localization.SmartFormat.GlobalVariables.IGlobalVariable>
struct Func_2_t5CBD21E15E5B545925D93EFAE13E288BF257770A;
// System.Func`2<UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/NameValuePair,UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup>
struct Func_2_tE598C5F7A22BCA56FB8DD59FBF98733D0B14E32E;
// System.Func`2<UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors/ParsingIssue,System.String>
struct Func_2_tB37A51464481C4448C8DD1459D3D43E7902106EE;
// System.Func`3<System.Int32,System.IntPtr,System.Boolean>
struct Func_3_tC53D1EA39D16EE63C9C8B6C2EC9769A630644CE0;
// System.Func`3<System.Int32,System.String,TMPro.TMP_FontAsset>
struct Func_3_tD4EA9DBB68453335E80C2917C93BDE503A28F3F0;
// System.Func`3<System.Int32,System.String,TMPro.TMP_SpriteAsset>
struct Func_3_t540BC7F75C78E0C70D6C37F2D220418DABC4B9EA;
// System.Func`3<System.String,System.IFormatProvider,System.String>
struct Func_3_t03B69788F4BCA36629E10C1C51143858EB1854A2;
// System.Collections.Generic.HashSet`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle>
struct HashSet_1_tA8ED10554572301FDA2F65860E6B048C8CE660FC;
// System.Collections.Generic.HashSet`1<UnityEngine.UI.IClippable>
struct HashSet_1_t65DA2BDEB7E6E6B1C9F283153F3104A4029F9A38;
// System.Collections.Generic.HashSet`1<System.Int32>
struct HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5;
// System.Collections.Generic.HashSet`1<System.Int64>
struct HashSet_1_t2D571AE6BEFA0C2026CFD5B271FABF87AE822A07;
// System.Collections.Generic.HashSet`1<UnityEngine.UI.MaskableGraphic>
struct HashSet_1_t6A951F9CCEDD6A2D0480C901C10CF800711136EB;
// System.Collections.Generic.HashSet`1<System.Type>
struct HashSet_1_t6DF4EF51925F07D2DF32F6A9A96C6B4624263BB9;
// System.Collections.Generic.HashSet`1<System.UInt32>
struct HashSet_1_tE1C51BB41CBDB9CD639DE8689780E3494FDE999B;
// System.Collections.Generic.HashSet`1<UnityEngine.XR.Management.XRLoader>
struct HashSet_1_t0BB7AD0707F32BD77A251670A64E2F9355AC13F6;
// System.Collections.Generic.HashSet`1<UnityEngine.ResourceManagement.ResourceManager/InstanceOperation>
struct HashSet_1_t01433913211306E52271EEE7566976D5EFC46A1D;
// System.Collections.Generic.IDictionary`2<System.String,UnityEngine.Localization.SmartFormat.Core.Parsing.Format>
struct IDictionary_2_t2E57BEF61215A5F2287B053B636D17B31DEBBE84;
// System.Collections.Generic.IEnumerable`1<System.Char>
struct IEnumerable_1_tA116A870C8332D2D64FD13D5449B11BC676AC3D3;
// System.Collections.Generic.IEnumerable`1<System.String>
struct IEnumerable_1_tBD60400523D840591A17E4CBBACC79397F68FAA2;
// System.Collections.Generic.IEnumerator`1<System.Object>
struct IEnumerator_1_t2DC97C7D486BF9E077C2BC2E517E434F393AA76E;
// System.Collections.Generic.IList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle>
struct IList_1_tCE242EF8A57E67A7B2A49B8768965E7B0614CDD5;
// System.Collections.Generic.IList`1<System.Reflection.CustomAttributeNamedArgument>
struct IList_1_tC94A6A591E58FD9BB826AF5D15001E425B682707;
// System.Collections.Generic.IList`1<System.Reflection.CustomAttributeTypedArgument>
struct IList_1_tA9B3F6D4DDBA3A555103C2DDC65AD75936EAB181;
// System.Collections.Generic.IList`1<UnityEngine.Localization.SmartFormat.Core.Parsing.Format>
struct IList_1_tD3BA09FC916FDDCB214A25F51E53634483607373;
// System.Collections.Generic.IList`1<UnityEngine.ResourceManagement.ResourceLocations.IResourceLocation>
struct IList_1_t5C8A610FDC5FA97482DA32A92661CA24B72CC255;
// System.Collections.Generic.IList`1<System.Object>
struct IList_1_t707982BD768B18C51D263C759F33BCDBDFA44901;
// System.Collections.Generic.IList`1<System.Threading.Tasks.Task>
struct IList_1_tE4D1BB8BFE34E53959D1BBDB304176E3D5816699;
// System.Collections.Generic.IReadOnlyList`1<System.Linq.Expressions.Expression>
struct IReadOnlyList_1_t3970E0723A7C2FEA094E64207358CF587FA8010F;
// System.Collections.Generic.IReadOnlyList`1<System.Linq.Expressions.ParameterExpression>
struct IReadOnlyList_1_tE6BAD4FC299FF548616E8956118F9AC7401DD556;
// UnityEngine.UI.Collections.IndexedSet`1<UnityEngine.UI.ICanvasElement>
struct IndexedSet_1_tEB5AA15EF0F17F1A471B6F4FA48ACAEF534C44B7;
// UnityEngine.UI.Collections.IndexedSet`1<UnityEngine.UI.IClipper>
struct IndexedSet_1_tC5E3C32B1EA4E463C08166084A43C27A7F97D0ED;
// System.Collections.Generic.LinkedList`1<System.Action>
struct LinkedList_1_t24F599F38B9214A06A4E11CA2CE1D50F5B255328;
// System.Collections.Generic.LinkedList`1<System.Text.RegularExpressions.CachedCodeEntry>
struct LinkedList_1_t0AD3FC1D19E68F4B148AFF908DC3719C9B117D92;
// ListWithEvents`1<UnityEngine.ResourceManagement.ResourceProviders.IResourceProvider>
struct ListWithEvents_1_t707B8F8E6EA83D829524975DE2E78802D44D7483;
// ListWithEvents`1<UnityEngine.ResourceManagement.IUpdateReceiver>
struct ListWithEvents_1_t140F58A2A8D19A91538922235BB34676780A1EE2;
// System.Collections.Generic.List`1<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.TimeType>>
struct List_1_t960AA958F641EF26613957B203B645E693F9430D;
// System.Collections.Generic.List`1<System.Collections.Generic.List`1<System.Object>>
struct List_1_t8B882C35A043F4E77C7B67F67E531D1CBA978AFC;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARAnchor>
struct List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.AREnvironmentProbe>
struct List_1_t12C13F0345055042C3FFD538C739C927D17FC617;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARFace>
struct List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARHumanBody>
struct List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARParticipant>
struct List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARPlane>
struct List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARPointCloud>
struct List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARTextureInfo>
struct List_1_t737CDD0B911D91DA30FC544763F10FFC47C3C74A;
// System.Collections.Generic.List`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle>
struct List_1_t5442E20C5A292391C5A773F16A034AE18E414CB8;
// System.Collections.Generic.List`1<UnityEngine.EventSystems.BaseInputModule>
struct List_1_t39946D94B66FAE9B0DED5D3A84AD116AF9DDDCC1;
// System.Collections.Generic.List`1<UnityEngine.Events.BaseInvokableCall>
struct List_1_tE59E678A3E54798EF83514F25BE9C5E3AAC595BD;
// System.Collections.Generic.List`1<UnityEngine.EventSystems.BaseRaycaster>
struct List_1_tBC81A7DE12BDADB43C5817DF67BD79E70CFFFC54;
// System.Collections.Generic.List`1<UnityEngine.CanvasGroup>
struct List_1_t34AA4AF4E7352129CA58045901530E41445AC16D;
// System.Collections.Generic.List`1<System.Char>
struct List_1_tC466EC97F6208520EFC214F520D3CB9E72FD1EAE;
// System.Collections.Generic.List`1<UnityEngine.Color32>
struct List_1_tE21C42BE31D35DD3ECF3322C6CA057E27A81B4D5;
// System.Collections.Generic.List`1<UnityEngine.ResourceManagement.Diagnostics.DiagnosticEvent>
struct List_1_t26AF4E0C47365CD16DB0F8266647BE621DE5ACBE;
// System.Collections.Generic.List`1<UnityEngine.EventSystems.EventSystem>
struct List_1_tEF3D2378B547F18609950BEABF54AF34FBBC9733;
// System.Collections.Generic.List`1<System.Runtime.ExceptionServices.ExceptionDispatchInfo>
struct List_1_tF1A7EE4FBAFE8B979C23198BA20A21E50C92CA17;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.Core.Parsing.Format>
struct List_1_t65430745339F01A4033FA67CB0A7D557A964B3D0;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem>
struct List_1_t84C01D625A34E3128ADA5EDF65F2C378615A92BA;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingInfo>
struct List_1_t7FE17033C920BDE851378462173FF91FA5FF5424;
// System.Collections.Generic.List`1<UnityEngine.GUILayoutEntry>
struct List_1_t07045BD0BCA84DF3EE9885C9BE0D1F6C57D208AA;
// System.Collections.Generic.List`1<UnityEngine.GameObject>
struct List_1_t6D0A10F47F3440798295D2FFFC6D016477AF38E5;
// System.Collections.Generic.List`1<UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard>
struct List_1_t627B55426F2D664F47826CDA6CB351B3B8D8F400;
// System.Collections.Generic.List`1<UnityEngine.TextCore.Glyph>
struct List_1_tA740960861E81663EBF03A56DE52E25A9283E954;
// System.Collections.Generic.List`1<UnityEngine.TextCore.GlyphRect>
struct List_1_tE870449A6BC21548542BC92F18B284004FA8668A;
// System.Collections.Generic.List`1<UnityEngine.UI.Graphic>
struct List_1_t2B519B7CD269238D4C71A96E4B005CF88488FACA;
// System.Collections.Generic.List`1<System.Threading.IAsyncLocal>
struct List_1_t053589A158AAF0B471CF80825616560409AF43D4;
// System.Collections.Generic.List`1<UnityEngine.ResourceManagement.AsyncOperations.IAsyncOperation>
struct List_1_t4C8FFBA32489BE0DA99C242CC428213F33A603C6;
// System.Collections.Generic.List`1<UnityEngine.UI.ICanvasElement>
struct List_1_tA0F66F22AB0543957B73ABDF4C5C946AB15074C6;
// System.Collections.Generic.List`1<System.Runtime.Remoting.Contexts.IContextProperty>
struct List_1_t6C44C0357D6C8D5FA8F1019C5D37D11A0AEC8544;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.Core.Extensions.IFormatter>
struct List_1_t6A2219B23E65291D13F90135F4A7B300E705D21A;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.GlobalVariables.IGlobalVariableValueChanged>
struct List_1_t91ED617532D9524BF9021795C9B9359F57AF3088;
// System.Collections.Generic.List`1<UnityEngine.Localization.Metadata.IMetadata>
struct List_1_t5D3ED5F1D9F542094E757F904E6960EA6DBEE7A9;
// System.Collections.Generic.List`1<UnityEngine.Localization.Pseudo.IPseudoLocalizationMethod>
struct List_1_t1A3DA5BF41D8642F5E4EC63C51823F80CDF1F4BE;
// System.Collections.Generic.List`1<UnityEngine.ResourceManagement.ResourceLocations.IResourceLocation>
struct List_1_tCC60720586CD8095D9FA65D37104C8CFEFCA0983;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.Core.Extensions.ISource>
struct List_1_tDDEEBBC0186BF29A1B0907B71AD2CD1966BB07A0;
// System.Collections.Generic.List`1<UnityEngine.Localization.Settings.IStartupLocaleSelector>
struct List_1_t753E17E8EBC752E3B5C32970FB86D6B8869C32A5;
// System.Collections.Generic.List`1<UnityEngine.ResourceManagement.IUpdateReceiver>
struct List_1_t42B4D8B6A894DBCA2E79764976B98CCC882FB11D;
// System.Collections.Generic.List`1<UnityEngine.UI.Image>
struct List_1_t815A476B0A21E183042059E705F9E505478CD8AE;
// System.Collections.Generic.List`1<UnityEngine.XR.InputDevice>
struct List_1_t476C8CC2E74FC5F7DE5B5CFE6830822665402F1F;
// System.Collections.Generic.List`1<System.Int32>
struct List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7;
// System.Collections.Generic.List`1<System.Int64>
struct List_1_tC465E4AAC82F54C0A79B2CE3B797531B10B9ACE4;
// System.Collections.Generic.List`1<UnityEngine.IntegratedSubsystem>
struct List_1_t2DAF7481782912A6F8E6180AC19B83A5EEFEE9EF;
// System.Collections.Generic.List`1<UnityEngine.IntegratedSubsystemDescriptor>
struct List_1_t13B7F19BE124BF950C29583D073B7D2174DCA122;
// System.Collections.Generic.List`1<TMPro.KerningPair>
struct List_1_t1B6EFE288A2DE26C71B859C4288B12EBAD811679;
// System.Collections.Generic.List`1<System.LocalDataStore>
struct List_1_t470880A334542833BF98F3272A5E266DD818EA86;
// System.Collections.Generic.List`1<UnityEngine.Localization.Locale>
struct List_1_t5458C7D71956D828BF249F05FDFBB2A6F74F95B0;
// System.Collections.Generic.List`1<UnityEngine.MeshFilter>
struct List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E;
// System.Collections.Generic.List`1<UnityEngine.XR.MeshInfo>
struct List_1_t053E82C4FE1FEB4EF0149CCADF601193CE96CB4D;
// System.Collections.Generic.List`1<UnityEngine.Localization.Pseudo.MessageFragment>
struct List_1_t892DE65A1BA377695AC6B44B5313352BC1A285E0;
// System.Collections.Generic.List`1<System.Reflection.MethodInfo>
struct List_1_t110010ECD885734BF7EEAE609A01E1C757A363C4;
// System.Collections.Generic.List`1<System.ModifierSpec>
struct List_1_tF0C12A80ED2228F19412CFF80CBDD6C9D3C7021E;
// System.Collections.Generic.List`1<System.Object>
struct List_1_t3F94120C77410A62EAE48421CF166B83AB95A2F5;
// System.Collections.Generic.List`1<UnityEngine.Object>
struct List_1_t9D216521E6A213FF8562D215598D336ABB5474F4;
// System.Collections.Generic.List`1<UnityEngine.ResourceManagement.Util.ObjectInitializationData>
struct List_1_t0DF9D498983B77B207A7E6FC612A1E79C607F026;
// System.Collections.Generic.List`1<UnityEngine.Events.PersistentCall>
struct List_1_t0AA6B1123983D70EF4686E9230A4AE3DC192BB3E;
// System.Collections.Generic.List`1<UnityEngine.EventSystems.RaycastResult>
struct List_1_t367B604D3EA3D6A9EC95A32A521EF83F5DA9B447;
// System.Collections.Generic.List`1<UnityEngine.UI.RectMask2D>
struct List_1_t5709CD2CBFF795FF126CD146B019D4F8EC972EA0;
// System.Collections.Generic.List`1<UnityEngine.RectTransform>
struct List_1_t432BA4439FC00E108A9A351BD7FBCD9242270BB3;
// System.Collections.Generic.List`1<System.Text.RegularExpressions.RegexNode>
struct List_1_t692D260BEBA1E69864C98DEEDB3E9256C38CD9B9;
// System.Collections.Generic.List`1<System.Text.RegularExpressions.RegexOptions>
struct List_1_tE931333A40AB4E57F72E00F9F23D19057C78120A;
// System.Collections.Generic.List`1<UnityEngine.AddressableAssets.ResourceLocators.ResourceLocationData>
struct List_1_tBDF311CB6BA8AF1C9046A9DAC3502AC9DF88EF55;
// System.Collections.Generic.List`1<UnityEngine.Rigidbody2D>
struct List_1_t61A36FEC0532A7CC39DB1770BFA5C1967348FAC1;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.Core.Parsing.Selector>
struct List_1_t672AC9EC1A9F7E1B259930A7565F1B3DF494A9ED;
// System.Collections.Generic.List`1<System.String>
struct List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3;
// System.Collections.Generic.List`1<UnityEngine.Subsystem>
struct List_1_t58BB84B47855540E6D2640B387506E01436DCF82;
// System.Collections.Generic.List`1<UnityEngine.SubsystemDescriptor>
struct List_1_t32E50BD66297C6541AEA401E1C13D4EC530CC56B;
// System.Collections.Generic.List`1<UnityEngine.SubsystemsImplementation.SubsystemDescriptorWithProvider>
struct List_1_t4DCA5C48F3390AC8CD79C7AD8D0963D5DAE5CF2E;
// System.Collections.Generic.List`1<UnityEngine.SubsystemsImplementation.SubsystemWithProvider>
struct List_1_t6E613DAFFAFE896B759F1C5260D6234F04C9DD41;
// System.Collections.Generic.List`1<TMPro.TMP_Character>
struct List_1_tE8F1656A7A5AF5AEE27ED7B656B56CACB417FEB8;
// System.Collections.Generic.List`1<TMPro.TMP_FontAsset>
struct List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD;
// System.Collections.Generic.List`1<TMPro.TMP_Glyph>
struct List_1_t3F387498A6DE374D972293A68DB91FDF1A530E2E;
// System.Collections.Generic.List`1<TMPro.TMP_GlyphPairAdjustmentRecord>
struct List_1_tDFE35C4D82EC736078A1C899175E5F6747C41D60;
// System.Collections.Generic.List`1<TMPro.TMP_Sprite>
struct List_1_tF6EAF0B1BB91EA856A5893AC3A160A3B76E5BB67;
// System.Collections.Generic.List`1<TMPro.TMP_SpriteAsset>
struct List_1_tD057592B5C6E2EF6CBE5ADC501E5D58919E8B364;
// System.Collections.Generic.List`1<TMPro.TMP_SpriteCharacter>
struct List_1_t7850FCF22796079854614A9268CE558E34108A02;
// System.Collections.Generic.List`1<TMPro.TMP_SpriteGlyph>
struct List_1_tF7848685CB961B42606831D4C30E1C31069D91C8;
// System.Collections.Generic.List`1<TMPro.TMP_Style>
struct List_1_t45639C9CAC14492B91832F71F3BE40F75A336649;
// System.Collections.Generic.List`1<TMPro.TMP_Text>
struct List_1_tB6DC4E33A6D425C4CCA3CC020E0A5E62D10201E6;
// System.Collections.Generic.List`1<UnityEngine.Localization.Tables.TableEntryData>
struct List_1_t1CBCB272AFCAB02E23395840834FDFC43DBF9AD1;
// System.Collections.Generic.List`1<System.Threading.Tasks.Task>
struct List_1_tA3E7ECFCA71D1B53362EA1A7ED7D095F0C221DFB;
// System.Collections.Generic.List`1<UnityEngine.Texture2D>
struct List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7;
// System.Collections.Generic.List`1<UnityEngine.UI.Toggle>
struct List_1_tECEEA56321275CFF8DECB929786CE364F743B07D;
// System.Collections.Generic.List`1<UnityEngine.Transform>
struct List_1_t27D7842CA3FD659C9BE64845F118C2590EE2D2C0;
// System.Collections.Generic.List`1<System.Type>
struct List_1_t7CFD5FCE8366620F593F2C9DAC3A870E5D6506D7;
// System.Collections.Generic.List`1<System.TypeIdentifier>
struct List_1_tF05116F77D9D1198FCD80D3C852416C146DA5708;
// System.Collections.Generic.List`1<System.TypeSpec>
struct List_1_tFCE6826611DDA07BF7BC248A498D8C3690364635;
// System.Collections.Generic.List`1<UnityEngine.UICharInfo>
struct List_1_t6D5A50DDC9282F1B1127D04D53FD5A743391289D;
// System.Collections.Generic.List`1<UnityEngine.UILineInfo>
struct List_1_tE41795D86BBD10D66F8F64CC87147539BC5AB2EB;
// System.Collections.Generic.List`1<UnityEngine.UIVertex>
struct List_1_t8907FD137E854241E2657BF53E6CEFF7370FAC5F;
// System.Collections.Generic.List`1<System.UInt32>
struct List_1_t023026A8F0D0D113E2B62213C8C74717BF7F4731;
// System.Collections.Generic.List`1<System.UInt64>
struct List_1_t1F1C2C7D92FB6DF4FCD88B0AB0919AEAB3B45F6B;
// System.Collections.Generic.List`1<UnityEngine.Networking.UnityWebRequestAsyncOperation>
struct List_1_t172C5687DE1B9C80F50F12947091A97FDBED2B2D;
// System.Collections.Generic.List`1<UnityEngine.Vector2>
struct List_1_t400048180333F4A09A4A727C9A666AA5D2BB27A9;
// System.Collections.Generic.List`1<UnityEngine.Vector3>
struct List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181;
// System.Collections.Generic.List`1<UnityEngine.Vector4>
struct List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XRAnchorSubsystem>
struct List_1_tFFEC9D401CE39D3C812C896B17B35D57DDF6E440;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XRAnchorSubsystemDescriptor>
struct List_1_tDED98C236097B36F9015B396398179A6F8A62E50;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XRCameraSubsystem>
struct List_1_t69444E6E06FA6776283024710ADC0302F2700BFD;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XRCameraSubsystemDescriptor>
struct List_1_t5ACA7E75885D8B9D7B85548B84BF43976A5038DC;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XRDepthSubsystem>
struct List_1_t34DDB7DDF41637C33DA5E0999A4ACCAE9919B2ED;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor>
struct List_1_t449C61AAF5F71828F78F12D50C77AE776AF0E330;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystem>
struct List_1_t32BFE7DDDF32F821D88BEF6B0A7D7B2F1AA8C602;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemDescriptor>
struct List_1_tCD8BCD5191A621FA7E8E3F2D67BA5D2BCE0FC04F;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XRFaceSubsystem>
struct List_1_t36FA58641B294DA0D36ACCCC6F25BAEAD794CD22;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XRFaceSubsystemDescriptor>
struct List_1_tA1D273638689FBC5ED4F3CAF82F64C158000481E;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XRHumanBodySubsystem>
struct List_1_tF313C639A10A550C756E883EFADA75B9D6D2D936;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XRHumanBodySubsystemDescriptor>
struct List_1_tB23F14817387B6E0CF6BC3F698BE74D4321CBBD4;
// System.Collections.Generic.List`1<UnityEngine.XR.XRInputSubsystem>
struct List_1_t39579540B4BF5D674E4CAA282D3CEA957BCB90D4;
// System.Collections.Generic.List`1<UnityEngine.XR.XRInputSubsystemDescriptor>
struct List_1_t885BD663DFFEB6C32E74934BE1CE00D566657BA0;
// System.Collections.Generic.List`1<UnityEngine.XR.Management.XRLoader>
struct List_1_t6331523A19E51FB87CA899920C03B10A48A562B0;
// System.Collections.Generic.List`1<UnityEngine.XR.XRMeshSubsystemDescriptor>
struct List_1_tA4CB3CC063D44B52D336C5DDA258EF7CE9B98A94;
// System.Collections.Generic.List`1<UnityEngine.XR.XRNodeState>
struct List_1_t82E4873F3D4F1E8645F8EAD444668DC81AB70671;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XROcclusionSubsystem>
struct List_1_t621666FA9D6DB88D1803D2508DF110FF02508B72;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XROcclusionSubsystemDescriptor>
struct List_1_t9AA280C4698A976F6616D552D829D1609D4A65BC;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XRParticipantSubsystem>
struct List_1_tF6E7F0DD3D4A0E8996F087CFF766D4E780F4447D;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XRParticipantSubsystemDescriptor>
struct List_1_tA457BDB78534FD0C67280F0D299F21C6BB7C23BF;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XRPlaneSubsystem>
struct List_1_t42260E8F78DDBD1A6947677665395B70FA8816C1;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor>
struct List_1_t6D435690E62CDB3645DB1A76F3B7B8B6069BDB4F;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XRReferenceImage>
struct List_1_tBFEC44C63782254A7C0F22D20FC51F72002482EC;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XRReferenceObject>
struct List_1_t3A1F09045329A30B2867F24E69EC807BE36BEA9B;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XRReferenceObjectEntry>
struct List_1_tB23AEDE769BF4EA511C93F224596EF58939F8E5A;
// System.Collections.Generic.List`1<UnityEngine.AddressableAssets.AddressablesImpl/ResourceLocatorInfo>
struct List_1_t5A857F880D0CFEA1592ADB710EE5A59BC3C4237F;
// System.Collections.Generic.List`1<UnityEngine.BeforeRenderHelper/OrderBlock>
struct List_1_t64155E53B00CF19E312B8F9D3C06ED7DC72722B0;
// System.Collections.Generic.List`1<UnityEngine.Localization.Pseudo.CharacterSubstitutor/CharReplacement>
struct List_1_tC59E09F2D0DF7920DE7065E7AB67267D899EFD02;
// System.Collections.Generic.List`1<UnityEngine.UI.Dropdown/DropdownItem>
struct List_1_t4CFF6A6E1A912AE4990A34B2AA4A1FE2C9FB0033;
// System.Collections.Generic.List`1<UnityEngine.UI.Dropdown/OptionData>
struct List_1_tAF6577A540702C9F6C407DE69A8FAFB502339DC4;
// System.Collections.Generic.List`1<UnityEngine.EventSystems.EventTrigger/Entry>
struct List_1_t88A4BE98895C19A1F134BA69882646898AC2BD70;
// System.Collections.Generic.List`1<UnityEngine.Localization.Pseudo.Expander/ExpansionRule>
struct List_1_t22C03BBAA4D83BDCCDD1587CA4050CD30BCD369E;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.Core.Parsing.Format/SplitList>
struct List_1_t1B54F2768E41B6837F24A8EBF0ADE5C873002CF3;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/NameValuePair>
struct List_1_t92DDC41F9D6414DCC13A51EFA02CAD8B49700B5A;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/NameValuePair>
struct List_1_tB356312388C29BC6521DAF2560262451F89CEC4D;
// System.Collections.Generic.List`1<PackedPlayModeBuildLogs/RuntimeBuildLog>
struct List_1_t91B716CB7391E5F5A6FADA8C21615D9405EF009D;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors/ParsingIssue>
struct List_1_t4700C9073CC50F36B25CFC27ED09665E6BA9C659;
// System.Collections.Generic.List`1<UnityEngine.Localization.Metadata.PlatformOverride/PlatformOverrideData>
struct List_1_t5B5B364DF11B61504DD09DEB7D0E185D0FF57C6C;
// System.Collections.Generic.List`1<UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents/MessageTypeSubscribers>
struct List_1_t842D0C636A38CB2DC974F9A4CFD45C93CBEE352E;
// System.Collections.Generic.List`1<UnityEngine.EventSystems.PointerInputModule/ButtonState>
struct List_1_t75FFBEBE24171F12D0459DE4BA90E0FD3E22A60E;
// System.Collections.Generic.List`1<System.Text.RegularExpressions.RegexCharClass/SingleRange>
struct List_1_t911C56B32435E07F3A1F3B9FB9BFF36061619CF3;
// System.Collections.Generic.List`1<UnityEngine.Localization.Metadata.SharedTableCollectionMetadata/Item>
struct List_1_t882B35F908E662D99F70B70DDE65D678DACED61C;
// System.Collections.Generic.List`1<UnityEngine.Localization.Tables.SharedTableData/SharedTableEntry>
struct List_1_t0F3A9E0F4532E1A36E4FBC7CFB1129B3C451C9DD;
// System.Collections.Generic.List`1<UnityEngine.UI.StencilMaterial/MatEntry>
struct List_1_t81B435AD26EAEDC4948F109696316554CD0DC100;
// System.Collections.Generic.List`1<TMPro.TMP_Dropdown/DropdownItem>
struct List_1_tB37EFC4AF193F93811F43CEA11738AA0B7275515;
// System.Collections.Generic.List`1<TMPro.TMP_Dropdown/OptionData>
struct List_1_t59FFDE61FE16A4D894E0497E479A9D5067D39949;
// System.Collections.Generic.List`1<TMPro.TMP_MaterialManager/FallbackMaterial>
struct List_1_t52EF20F3FEC7480FDBB0298C8BC22308B8AC4671;
// System.Collections.Generic.List`1<TMPro.TMP_MaterialManager/MaskingMaterial>
struct List_1_t7F0330023CCB609BDA9447C2081F0A5BE5B6DE61;
// System.Collections.Generic.List`1<TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Frame>
struct List_1_t73173DC394C38388B3BABA529B3B0BB5B548F5F4;
// System.Collections.Generic.List`1<UnityEngine.SpatialTracking.TrackedPoseDriver/TrackedPose>
struct List_1_tA9A7E2A508B3146A7DE46E73A64E988FE4BD5248;
// System.Collections.Generic.List`1<UnityEngine.SpatialTracking.TrackedPoseDriverDataDescription/PoseData>
struct List_1_t33EFE71131470863D507CAF630920B63D09EBA7D;
// System.Collections.Generic.List`1<UnityEngine.UnitySynchronizationContext/WorkRequest>
struct List_1_t4EDF55145AC9CAFF3FF238C94A18EEDCA9FFAFFA;
// UnityEngine.Pool.ObjectPool`1<UnityEngine.Localization.SmartFormat.Core.Parsing.Format>
struct ObjectPool_1_t256AFFC85C019E1818BC2B7C142FB515EBB74383;
// UnityEngine.Pool.ObjectPool`1<UnityEngine.Localization.SmartFormat.Core.Formatting.FormatCache>
struct ObjectPool_1_t7C2628AA8A891682CF94E26455BC72014BD51A88;
// UnityEngine.Pool.ObjectPool`1<UnityEngine.Localization.SmartFormat.Core.Formatting.FormatDetails>
struct ObjectPool_1_t657A222A7C6E921BE02303623EDA0F3122B4DC63;
// UnityEngine.Pool.ObjectPool`1<UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingInfo>
struct ObjectPool_1_tE6CA514554EAF5C27DE2E027801577D7E5224139;
// UnityEngine.Pool.ObjectPool`1<UnityEngine.Localization.SmartFormat.Core.Parsing.LiteralText>
struct ObjectPool_1_tB6A6300DAAF783EA7CF66CCDE1199F5998C7514B;
// UnityEngine.Pool.ObjectPool`1<UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors>
struct ObjectPool_1_t81F068A82E4B7E14A84DB58EF4E9AB5C000A3579;
// UnityEngine.Pool.ObjectPool`1<UnityEngine.Localization.SmartFormat.Core.Parsing.Placeholder>
struct ObjectPool_1_tA4F548145191D6C2296EB3226FAAD477D5B44706;
// UnityEngine.Pool.ObjectPool`1<UnityEngine.Localization.SmartFormat.Core.Parsing.Selector>
struct ObjectPool_1_tB26353B1BA97B5D92E1A299A7C06A293F732215F;
// UnityEngine.Pool.ObjectPool`1<System.Text.StringBuilder>
struct ObjectPool_1_tB35711265C5BA9FF81DDBC92C5E4921C3A31AE05;
// UnityEngine.Pool.ObjectPool`1<UnityEngine.Localization.SmartFormat.Core.Output.StringOutput>
struct ObjectPool_1_t0E3EC41DF66B2B8120BA819C5BE959768ACFD220;
// UnityEngine.Pool.ObjectPool`1<UnityEngine.Localization.SmartFormat.Core.Parsing.Format/SplitList>
struct ObjectPool_1_t10D8ED278779D1B49627B1288E1FC1FA29CFF8D8;
// UnityEngine.UI.ObjectPool`1<System.Collections.Generic.List`1<UnityEngine.EventSystems.IEventSystemHandler>>
struct ObjectPool_1_t7DE371FC4173D0882831B9DD0945CA448A3BAB31;
// UnityEngine.UI.ObjectPool`1<UnityEngine.UI.LayoutRebuilder>
struct ObjectPool_1_tF882C230AD45CD9C4E4B57E68D8A55D84F30583E;
// System.Predicate`1<UnityEngine.Component>
struct Predicate_1_tBEBACD97616BCB10B35EC8D20237C6EE1D61B96C;
// System.Predicate`1<System.Object>
struct Predicate_1_t5C96B81B31A697B11C4C3767E3298773AF25DFEB;
// System.Predicate`1<System.Threading.Tasks.Task>
struct Predicate_1_tC0DBBC8498BD1EE6ABFFAA5628024105FA7D11BD;
// System.Predicate`1<UnityEngine.UI.Toggle>
struct Predicate_1_t0AABBBAF16CED490518BA49ED7BC02D9A9475166;
// System.Predicate`1<System.Type>
struct Predicate_1_t64135A89D51E5A42E4CB59A0184A388BF5152BDE;
// System.Collections.Generic.Queue`1<UnityEngine.ResourceManagement.WebRequestQueueOperation>
struct Queue_1_t6A60F42682496491972A28489112505D2032BA35;
// System.Collections.ObjectModel.ReadOnlyCollection`1<System.Exception>
struct ReadOnlyCollection_1_t06CAAF5787D8FDE0CB0F04082673EC9B212451BE;
// System.Collections.ObjectModel.ReadOnlyCollection`1<System.TimeZoneInfo>
struct ReadOnlyCollection_1_t52C38CE86D68A2D1C8C94E240170756F47476FB0;
// System.Threading.Tasks.Shared`1<System.Threading.CancellationTokenRegistration>
struct Shared_1_t333C4F81656CB6CBFC971E543F8E9995A08F400B;
// System.Collections.Generic.SortedList`2<UnityEngine.XR.ARSubsystems.TrackableId,UnityEngine.MeshFilter>
struct SortedList_2_t1FD6B0D4332E5BDBE8C8077AA243148E1D026E74;
// System.Threading.ThreadPoolWorkQueue/SparseArray`1<System.Threading.ThreadPoolWorkQueue/WorkStealingQueue>
struct SparseArray_1_t112BA24C661CEC8668AB076824EBAC8DCB669DB7;
// System.Threading.SparselyPopulatedArrayFragment`1<System.Threading.CancellationCallbackInfo>
struct SparselyPopulatedArrayFragment_1_t93197EF47D6A025755987003D5D62F3AED371C21;
// System.Collections.Generic.Stack`1<System.Int32>
struct Stack_1_tC6C298385D16F10F391B84280D21FE059A45CC55;
// System.Collections.Generic.Stack`1<System.String>
struct Stack_1_tF2F8B5476F614882C00CEDDE027482B818D7FF1D;
// System.Threading.Tasks.TaskFactory`1<System.Boolean>
struct TaskFactory_1_t069438A73348A2B1B34A2C68E0478EE107ECCFC7;
// System.Threading.Tasks.TaskFactory`1<System.Int32>
struct TaskFactory_1_tCA6286B86C0D5D6C00D5A0DFE56F7E48A482DD5E;
// System.Threading.Tasks.TaskFactory`1<System.Threading.Tasks.Task>
struct TaskFactory_1_t4720246ADD352D9004AFCAA652A1A240B620DE4E;
// System.Threading.Tasks.TaskFactory`1<System.Threading.Tasks.VoidTaskResult>
struct TaskFactory_1_tFD6C5BE88624171209DEA49929EA276401AC9F4B;
// System.Threading.Tasks.Task`1<System.Boolean>
struct Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849;
// System.Threading.Tasks.Task`1<System.Int32>
struct Task_1_tEF253D967DB628A9F8A389A9F2E4516871FD3725;
// System.Threading.Tasks.Task`1<System.Threading.Tasks.Task>
struct Task_1_t24E932728D4BE67BFA41487F43AE4FAEBBAC7284;
// TMPro.TweenRunner`1<TMPro.FloatTween>
struct TweenRunner_1_tE75A3C5885B8A7400F08DD90FD4AE5768176A7DA;
// UnityEngine.UI.CoroutineTween.TweenRunner`1<UnityEngine.UI.CoroutineTween.ColorTween>
struct TweenRunner_1_tD84B9953874682FCC36990AF2C54D748293908F3;
// UnityEngine.UI.CoroutineTween.TweenRunner`1<UnityEngine.UI.CoroutineTween.FloatTween>
struct TweenRunner_1_t428873023FD8831B6DCE3CBD53ADD7D37AC8222D;
// UnityEngine.Events.UnityAction`1<UnityEngine.Component>
struct UnityAction_1_tEBBE4F10DEAB2C7BBD873B6FF4C2EE1CF0A884BE;
// UnityEngine.Events.UnityAction`1<UnityEngine.SceneManagement.Scene>
struct UnityAction_1_t98C9D5462DAC5B38057FFF4D18D84AAE4783CBE2;
// UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.LoadSceneMode>
struct UnityAction_2_tDEF0DD47461C853F98CD2FF3CEC4F5EE13A19906;
// UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.Scene>
struct UnityAction_2_t617D40B57FD0E410A99764D18A04CAA0E4CB35D4;
// System.Xml.Linq.XHashtable`1<System.WeakReference>
struct XHashtable_1_tADB9EC257A4C5D4BA119F82D8518A518A69352BD;
// System.Xml.Linq.XHashtable`1<System.Xml.Linq.XName>
struct XHashtable_1_tED019C524F9D180B656801A9DA06DAE1BBF0E49F;
// System.Collections.Generic.KeyValuePair`2<System.Byte[],System.Text.Encoding>[]
struct KeyValuePair_2U5BU5D_t256F162571C05521448AA203E8C620697614CAE7;
// System.Threading.SparselyPopulatedArray`1<System.Threading.CancellationCallbackInfo>[]
struct SparselyPopulatedArray_1U5BU5D_t4D2064CEC206620DC5001D7C857A845833DCB52A;
// TMPro.TMP_TextProcessingStack`1<System.Int32>[]
struct TMP_TextProcessingStack_1U5BU5D_t1E4BEAC3D61A2AD0284E919166D0F38D21540A37;
// System.Threading.Tasks.Task`1<System.Int32>[]
struct Task_1U5BU5D_t001B55EF71A9B25B6D6F6CC92FD85F786ED08656;
// System.Int32[][]
struct Int32U5BU5DU5BU5D_t104DBF1B996084AA19567FD32B02EDF88D044FAF;
// System.DateTimeParse/DS[][]
struct DSU5BU5DU5BU5D_t3E2ABAFEF3615342342FE8B4E783873194FA16BE;
// System.Globalization.HebrewNumber/HS[][]
struct HSU5BU5DU5BU5D_tA85FEB8A012936EB034BE68704AB2A6A717DD458;
// UnityEngine.SocialPlatforms.Impl.AchievementDescription[]
struct AchievementDescriptionU5BU5D_t954BACD501480D95EDB68166CB1F6DD9F07EB8D2;
// Unity.IO.LowLevel.Unsafe.AssetLoadingSubsystem[]
struct AssetLoadingSubsystemU5BU5D_t3240651D2737F05C99D60833F75574F14BEFD449;
// System.Runtime.Serialization.Formatters.Binary.BinaryTypeEnum[]
struct BinaryTypeEnumU5BU5D_t5950CE9E53B3DCB20CBCB2B2F15D47C264BF86E7;
// System.Boolean[]
struct BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C;
// System.Byte[]
struct ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726;
// System.Globalization.CalendarData[]
struct CalendarDataU5BU5D_t92EDE3986BAED27678B4F4140BC955434CFEACC7;
// UnityEngine.Camera[]
struct CameraU5BU5D_tAF84B9EC9AF40F1B6294BCEBA82A1AD123A9D001;
// UnityEngine.Rendering.CameraEvent[]
struct CameraEventU5BU5D_t1A45D6F41C599CA75F8AFD8EBC2ECC159554FB2E;
// System.Threading.CancellationTokenRegistration[]
struct CancellationTokenRegistrationU5BU5D_t864BA2E1E6485FDC593F17F7C01525F33CCE7910;
// System.Text.RegularExpressions.Capture[]
struct CaptureU5BU5D_tB69FAE66BAF857B6A1CA22EED6141C40DCFE9B51;
// System.Char[]
struct CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34;
// UnityEngine.Color[]
struct ColorU5BU5D_t358DD89F511301E663AD9157305B94A2DEFF8834;
// UnityEngine.Color32[]
struct Color32U5BU5D_t7FEB526973BF84608073B85CF2D581427F0235E2;
// UnityEngine.ContactPoint[]
struct ContactPointU5BU5D_t1ACD262B1EA44CD48E2039381DE96847F203E62B;
// Mono.Globalization.Unicode.Contraction[]
struct ContractionU5BU5D_t167C2B086555CC0A9174F79685CDB93223C7307B;
// System.Decimal[]
struct DecimalU5BU5D_tAA3302A4A6ACCE77638A2346993A0FAAE2F9FDBA;
// System.Delegate[]
struct DelegateU5BU5D_t677D8FE08A5F99E8EE49150B73966CD6E9BF7DB8;
// UnityEngine.DisallowMultipleComponent[]
struct DisallowMultipleComponentU5BU5D_t3729B6FD5B0047F32D8A81B9EF750AD70654053E;
// UnityEngine.Display[]
struct DisplayU5BU5D_t3330058639C7A70B7B1FE7B4325E2B5D600CF4A6;
// System.Double[]
struct DoubleU5BU5D_t8E1B42EB2ABB79FBD193A6B8C8D97A7CDE44A4FB;
// System.Text.EncodingProvider[]
struct EncodingProviderU5BU5D_tF496D04CC6ECFD0109E7943A2B9A38C6F7AA7AE7;
// System.Globalization.EraInfo[]
struct EraInfoU5BU5D_t10A6B77B46980FAB77489DFE9A287CFA907F099A;
// System.Exception[]
struct ExceptionU5BU5D_t683CE8E24950657A060E640B8956913D867F952D;
// System.Reflection.ExceptionHandlingClause[]
struct ExceptionHandlingClauseU5BU5D_tD9AF0AE759C405FA177A3CBAF048202BC1234417;
// UnityEngine.ExecuteInEditMode[]
struct ExecuteInEditModeU5BU5D_t1913FB45D1BAF40B32F47108EE65D7DE7992AF08;
// Unity.IO.LowLevel.Unsafe.FileReadType[]
struct FileReadTypeU5BU5D_t904E280BE936DCE678A9CC2F9095DEC19B971831;
// System.Runtime.Serialization.FixupHolder[]
struct FixupHolderU5BU5D_t19972B0CB8FD2FDF3D5F19739E3CFFD721812F24;
// TMPro.FontWeight[]
struct FontWeightU5BU5D_t0C9E436904E570F798885BC6F264C7AE6608B5C6;
// UnityEngine.GUIStyle[]
struct GUIStyleU5BU5D_t99FB75A2EC4777ADECDE02F71A619CFBFC0F4F70;
// UnityEngine.TextCore.Glyph[]
struct GlyphU5BU5D_tDC8ECA36264C4DC872F3D9429BD56E9B40300E4B;
// UnityEngine.TextCore.LowLevel.GlyphMarshallingStruct[]
struct GlyphMarshallingStructU5BU5D_t622C5D3F6563BEE95999E5D27EA9C4DC087C682D;
// UnityEngine.TextCore.LowLevel.GlyphPairAdjustmentRecord[]
struct GlyphPairAdjustmentRecordU5BU5D_tC755C781D08A880F79F50795009CC0D0CA8AE609;
// UnityEngine.TextCore.GlyphRect[]
struct GlyphRectU5BU5D_tD5D74BCDBD33C0E1CF2D67D5419C526C807D3BDA;
// System.Text.RegularExpressions.Group[]
struct GroupU5BU5D_tE125DBFFA979634FDDAEDF77F5EC47134D764AB5;
// System.Runtime.Remoting.Messaging.Header[]
struct HeaderU5BU5D_tD8542967EE9EDAFE9A62A9CE92B5D7589B35C42A;
// TMPro.HighlightState[]
struct HighlightStateU5BU5D_t8150DD4545DE751DD24E4106F1E66C41DFFE38EA;
// TMPro.HorizontalAlignmentOptions[]
struct HorizontalAlignmentOptionsU5BU5D_t57D37E3CA431B98ECF9444788AA9C047B990DDBB;
// UnityEngine.SocialPlatforms.IScore[]
struct IScoreU5BU5D_t9FEEC91A3D90CD5770DA4EFB8DFCF5340A279C5A;
// System.Threading.IThreadPoolWorkItem[]
struct IThreadPoolWorkItemU5BU5D_tA8F5E15B9A678486C494BA29BA2B36165FF28738;
// UnityEngine.SocialPlatforms.IUserProfile[]
struct IUserProfileU5BU5D_t4B36B0CF06DE6A00F5D6D0A015DC3E99B02FC65E;
// System.Int16[]
struct Int16U5BU5D_tD134F1E6F746D4C09C987436805256C210C2FFCD;
// System.Int32[]
struct Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32;
// System.Int64[]
struct Int64U5BU5D_tCA61E42872C63A4286B24EEE6E0650143B43DCE6;
// System.IntPtr[]
struct IntPtrU5BU5D_t27FC72B0409D75AAF33EC42498E8094E95FEE9A6;
// System.Globalization.InternalCodePageDataItem[]
struct InternalCodePageDataItemU5BU5D_t14F50FF811A5CE312AAFE9726715A79B23230CA1;
// System.Globalization.InternalEncodingDataItem[]
struct InternalEncodingDataItemU5BU5D_t85637BE80FC2B1EAF08898A434D72E9CB7B5D87D;
// System.Runtime.Serialization.Formatters.Binary.InternalPrimitiveTypeE[]
struct InternalPrimitiveTypeEU5BU5D_t7FC568579F0B1DA4D00DCF744E350FA25FA83CEC;
// Mono.Globalization.Unicode.Level2Map[]
struct Level2MapU5BU5D_t736BC7320E2D0A8E95BD20FE2F4E7E40B9246DBF;
// UnityEngine.Light[]
struct LightU5BU5D_t1376F7CA1DDFC128499DDA9516CC40DDEE59EAC9;
// System.LocalDataStoreElement[]
struct LocalDataStoreElementU5BU5D_t0FFE400A2F344919D2883737974989D792D79AAF;
// System.Reflection.LocalVariableInfo[]
struct LocalVariableInfoU5BU5D_t391522DD5DB1818EDA5B29F1842D475A1479867D;
// UnityEngine.Material[]
struct MaterialU5BU5D_t3AE4936F3CA08FB9EE182A935E665EA9CDA5E492;
// TMPro.MaterialReference[]
struct MaterialReferenceU5BU5D_t06D1C1249B8051EC092684920106F77B6FC203FD;
// System.Reflection.MemberInfo[]
struct MemberInfoU5BU5D_t04CE6CC3692D77C74DC079E7CAF110CBF031C99E;
// System.Reflection.MethodInfo[]
struct MethodInfoU5BU5D_t86AA7E1AF11D62BAE3189F25907B252596FA627E;
// System.Object[]
struct ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE;
// System.Runtime.Serialization.ObjectHolder[]
struct ObjectHolderU5BU5D_tB0134C25BE5EE8773D2724BD2D76B396A1024703;
// UnityEngine.Playables.PlayableBinding[]
struct PlayableBindingU5BU5D_t4FD470872BB5C6A1794C9CB06830B557CA874CB3;
// UnityEngine.LowLevel.PlayerLoopSystem[]
struct PlayerLoopSystemU5BU5D_t3BA4C765F5D8A6C384A54624258E9A167CA8CD17;
// Unity.IO.LowLevel.Unsafe.Priority[]
struct PriorityU5BU5D_t806D7E9A979B39B69A2965BD3636B3E6144653E0;
// Unity.IO.LowLevel.Unsafe.ProcessingState[]
struct ProcessingStateU5BU5D_t8B7CCD607A6332C8327C719E37D3BE42716D1F76;
// UnityEngine.RaycastHit[]
struct RaycastHitU5BU5D_t6778DB95346906446AAD3A1A36904F1846435A09;
// UnityEngine.RaycastHit2D[]
struct RaycastHit2DU5BU5D_tDEABD9FBBA32C695C932A32A1B8FB9C06A496F09;
// System.Text.RegularExpressions.RegexFC[]
struct RegexFCU5BU5D_t2785114C5B0BD79CA8B9C2715A5368BDC5941356;
// UnityEngine.RequireComponent[]
struct RequireComponentU5BU5D_t6063B4CE327E593F7C4B93C34578320DC3E4B29F;
// TMPro.RichTextTagAttribute[]
struct RichTextTagAttributeU5BU5D_t81DC8CE2ED156F9CA996E2DC8A64A973A156D615;
// System.RuntimeType[]
struct RuntimeTypeU5BU5D_t826186B59A32B687978751BFE46041623BCF4BA4;
// System.SByte[]
struct SByteU5BU5D_t7D94C53295E6116625EA7CC7DEA21FEDC39869E7;
// UnityEngine.UI.Selectable[]
struct SelectableU5BU5D_tECF9F5BDBF0652A937D18F10C883EFDAE2E62535;
// UnityEngine.ResourceManagement.Util.SerializedType[]
struct SerializedTypeU5BU5D_tF5E5FFA9BE1C3CAD6FD8BDEB57C0EAE491BA8616;
// System.Single[]
struct SingleU5BU5D_t47E8DBF5B597C122478D1FFBD9DD57399A0650FA;
// System.Diagnostics.StackFrame[]
struct StackFrameU5BU5D_t29238B62C287BAACD78F100511D4023931CEA8A1;
// System.Diagnostics.StackTrace[]
struct StackTraceU5BU5D_t4AD999C288CB6D1F38A299D12B1598D606588971;
// System.String[]
struct StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A;
// TMPro.TMP_CharacterInfo[]
struct TMP_CharacterInfoU5BU5D_t7128C1B46CF6AB1374135FA31D41ABF23882B970;
// TMPro.TMP_ColorGradient[]
struct TMP_ColorGradientU5BU5D_t5271ED3FC5D741D05A220867865A1DA1EB04919A;
// TMPro.TMP_FontWeightPair[]
struct TMP_FontWeightPairU5BU5D_t537F746E35AD2938424D897D937D0F26B0EC45BC;
// TMPro.TMP_LineInfo[]
struct TMP_LineInfoU5BU5D_t2B188FB1B6C36641B7FEB177ACC798FAC9806C3D;
// TMPro.TMP_LinkInfo[]
struct TMP_LinkInfoU5BU5D_t27AF3A656CD9F504EFE1F29B69409819CBE7C6C6;
// TMPro.TMP_MeshInfo[]
struct TMP_MeshInfoU5BU5D_t6C0A65D18C54B6FA681B2EB0676B83116FD03119;
// TMPro.TMP_PageInfo[]
struct TMP_PageInfoU5BU5D_tD278FD80A76AC5A74DA87B7A5653423E41AC634F;
// TMPro.TMP_SubMesh[]
struct TMP_SubMeshU5BU5D_t2EF6E7C00AD0C05C7BD3E565CF716B62BED324A2;
// TMPro.TMP_SubMeshUI[]
struct TMP_SubMeshUIU5BU5D_t6295BD0FE7FDE873A040F84487061A1902B0B552;
// TMPro.TMP_WordInfo[]
struct TMP_WordInfoU5BU5D_t702DDE9D8C7BD02F4D744F914B94BAB83E0F9502;
// Mono.Globalization.Unicode.TailoringInfo[]
struct TailoringInfoU5BU5D_tE558BFC8FBB51482ACC5F18EB713B8AE8B77FB99;
// UnityEngine.Texture2D[]
struct Texture2DU5BU5D_t0CBDCEA1648F6CBEA47C64E1E48F22B9692B3316;
// System.Globalization.TokenHashValue[]
struct TokenHashValueU5BU5D_t9A8634CBD651EB5F814E7CF9819D44963D8546D3;
// System.Type[]
struct TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755;
// System.TypeCode[]
struct TypeCodeU5BU5D_t739FFE1DCDDA7CAB8776CF8717CD472E32DC59AE;
// UnityEngine.UIVertex[]
struct UIVertexU5BU5D_tE3D523C48DFEBC775876720DE2539A79FB7E5E5A;
// System.UInt16[]
struct UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67;
// System.UInt32[]
struct UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF;
// System.UInt64[]
struct UInt64U5BU5D_t7C6E32D10F47677C1CEF3C30F4E4CE95B3A633E2;
// UnityEngine.SocialPlatforms.Impl.UserProfile[]
struct UserProfileU5BU5D_tAED4B41D0866F8A4C6D403C2074ACEC812A78769;
// UnityEngine.Vector2[]
struct Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA;
// UnityEngine.Vector3[]
struct Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4;
// UnityEngine.Vector4[]
struct Vector4U5BU5D_tCE72D928AA6FF1852BAC5E4396F6F0131ED11871;
// TMPro.WordWrapState[]
struct WordWrapStateU5BU5D_t4B20066E10D8FF621FB20C05F21B22167C90F548;
// Mono.Globalization.Unicode.CodePointIndexer/TableRange[]
struct TableRangeU5BU5D_t529A3048AC157A0702514DB337164442AF1530C7;
// System.Collections.Hashtable/bucket[]
struct bucketU5BU5D_tFE956DAEFB1D1C86A13EF247D7367BF60B55E190;
// System.Globalization.HebrewNumber/HebrewValue[]
struct HebrewValueU5BU5D_t6DFE1944D8D91C12D31F55511D342D6497DF8A4F;
// System.ParameterizedStrings/FormatParam[]
struct FormatParamU5BU5D_t62750077BC482BAA854016A79AA9CC6A581271CB;
// UnityEngine.ParticleSystem/Particle[]
struct ParticleU5BU5D_tF02F4854575E99F3004B58B6CC6BB2373BAEB04C;
// System.Text.RegularExpressions.RegexCharClass/LowerCaseMapping[]
struct LowerCaseMappingU5BU5D_t4D85AEF6C1007D3CCE150AE32CBAACDBF218293E;
// UnityEngine.SendMouseEvents/HitInfo[]
struct HitInfoU5BU5D_t432774AD200329E637288BFACCD210774B7B5231;
// TMPro.TMP_Text/UnicodeChar[]
struct UnicodeCharU5BU5D_tB233FC88865130D0B1EA18DA685C2AF41FB134F7;
// System.TimeZoneInfo/AdjustmentRule[]
struct AdjustmentRuleU5BU5D_t13A903FE644194C2CAF6698B6890B32A226FD19F;
// System.String[0...,0...]
struct StringU5BU2CU5D_t57ABDCA8B352E243BFC6950153456ACCEF63DC90;
// UnityEngine.XR.ARFoundation.ARCameraManager
struct ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874;
// UnityEngine.XR.ARFoundation.ARFace
struct ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1;
// UnityEngine.XR.ARFoundation.AROcclusionManager
struct AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48;
// UnityEngine.XR.ARFoundation.ARPlane
struct ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891;
// UnityEngine.XR.ARFoundation.ARPointCloud
struct ARPointCloud_t7801A20C710FCBFDF1A589FA3ED53C7C9DF9222A;
// UnityEngine.XR.ARFoundation.ARSessionOrigin
struct ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1;
// System.Action
struct Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6;
// UnityEngine.Localization.Platform.Android.AdaptiveIcon
struct AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D;
// UnityEngine.AddressableAssets.AddressablesImpl
struct AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2;
// System.AggregateException
struct AggregateException_t45A871D3DBDA3E28FBCD8DF21F6772238FC55BD1;
// UnityEngine.AnimationCurve
struct AnimationCurve_t2D452A14820CEDB83BFF2C911682A4E59001AD03;
// UnityEngine.AnimationState
struct AnimationState_tDB7088046A65ABCEC66B45147693CA0AD803A3AD;
// UnityEngine.UI.AnimationTriggers
struct AnimationTriggers_tF38CA7FA631709E096B57D732668D86081F44C11;
// System.Runtime.Remoting.Messaging.ArgInfo
struct ArgInfo_tA94BF0451B100D18BFBC2EDA7947AFD4E2F5F7A2;
// UnityEngine.Events.ArgumentCache
struct ArgumentCache_t4D7FB57CCBE856231DAF2D883AD4C1EB6726CB27;
// System.Collections.ArrayList
struct ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575;
// System.Security.Cryptography.AsnEncodedData
struct AsnEncodedData_t88A440F72C4F1143E416540D78B910A875CC0FDA;
// System.Reflection.Assembly
struct Assembly_t;
// System.AssemblyLoadEventArgs
struct AssemblyLoadEventArgs_tD98BB6DC3D935FD1EBF381956ECABA2009ADE08F;
// System.AssemblyLoadEventHandler
struct AssemblyLoadEventHandler_tE06B38463937F6FBCCECF4DF6519F83C1683FE0C;
// UnityEngine.AssetBundle
struct AssetBundle_t4D34D7FDF0F230DC641DC1FCFA2C0E7E9E628FA4;
// UnityEngine.AssetBundleCreateRequest
struct AssetBundleCreateRequest_t6AB0C8676D1DAA5F624663445F46FAB7D63EAA3A;
// UnityEngine.AssetBundleRequest
struct AssetBundleRequest_tBCF59D1FD408125E4C2C937EC23AB0ABB7E4051A;
// System.AsyncCallback
struct AsyncCallback_tA7921BEF974919C46FF8F9D9867C567B200BB0EA;
// UnityEngine.AsyncOperation
struct AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86;
// System.Runtime.Remoting.Messaging.AsyncResult
struct AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B;
// System.AttributeUsageAttribute
struct AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C;
// UnityEngine.Experimental.Audio.AudioSampleProvider
struct AudioSampleProvider_tD8B613D55D09D6CE86B851A5D8F33560FFCC705B;
// UnityEngine.EventSystems.AxisEventData
struct AxisEventData_t5F2EE83206BFD1BC59087D1C9CE31A4389A17E1E;
// UnityEngine.EventSystems.BaseEventData
struct BaseEventData_t722C48843CF21B50E06CC0E2E679415E38A7444E;
// UnityEngine.EventSystems.BaseInput
struct BaseInput_tEF29D9AD913DF0552A9C51AF200B4FEB08AF737D;
// UnityEngine.EventSystems.BaseInputModule
struct BaseInputModule_t395DEB45C225A941B2C831CBDB000A23E5899924;
// UnityEngine.Experimental.XR.Interaction.BasePoseProvider
struct BasePoseProvider_t04EB173A7CC01D10EF789D54577ACAEBFAD5B04E;
// UnityEngine.EventSystems.BaseRaycaster
struct BaseRaycaster_tBC0FB2CBE6D3D40991EC20F689C43F76AD82A876;
// UnityEngine.Rendering.BatchRendererGroup
struct BatchRendererGroup_t68C1EAC6F7158DC1C02C16D4E343397D5EC4574A;
// UnityEngine.Rendering.BatchVisibility
struct BatchVisibility_tFA63D052426424FBD58F78E973AAAC52A67B5AFE;
// System.Runtime.Serialization.Formatters.Binary.BinaryArray
struct BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA;
// System.Runtime.Serialization.Formatters.Binary.BinaryAssembly
struct BinaryAssembly_t084E6A060EC9651DEB57610DC7F91E5B0C8558AC;
// System.Runtime.Serialization.Formatters.Binary.BinaryAssemblyInfo
struct BinaryAssemblyInfo_t2F2D82DE14955BEF2CB536FA3DA27D972DE5DA8A;
// System.Runtime.Serialization.Formatters.Binary.BinaryCrossAppDomainString
struct BinaryCrossAppDomainString_t4B871A899F78A0E226EBC457B9BE8CD80404023C;
// System.Runtime.Serialization.Formatters.Binary.BinaryFormatter
struct BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55;
// System.Runtime.Serialization.Formatters.Binary.BinaryMethodCall
struct BinaryMethodCall_t6C9A891C2F2C5ADE2B92E92E750199C6E3DB388F;
// System.Runtime.Serialization.Formatters.Binary.BinaryMethodReturn
struct BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9;
// System.Runtime.Serialization.Formatters.Binary.BinaryObject
struct BinaryObject_t179888868BBFFD7F11C98DD08CE4726CDBF59324;
// System.Runtime.Serialization.Formatters.Binary.BinaryObjectString
struct BinaryObjectString_tEBEB23385A27BFF0830A57405CA995FAC5597E23;
// System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMap
struct BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23;
// System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMapTyped
struct BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B;
// System.IO.BinaryReader
struct BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128;
// System.IO.BinaryWriter
struct BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F;
// System.Reflection.Binder
struct Binder_t2BEE27FD84737D1E79BC47FD67F6D3DD2F2DDA30;
// UnityEngine.UI.Button
struct Button_tA893FC15AB26E1439AC25BDCA7079530587BB65D;
// System.Byte
struct Byte_t0111FAB8B8685667EDDAF77683F0D8F86B659056;
// System.ByteMatcher
struct ByteMatcher_t22B28B6FEEDB86326E893675F4C6B5C74E66F5D7;
// System.Runtime.Remoting.Messaging.CADArgHolder
struct CADArgHolder_tF834CE7AC93B38AABC332460CBAB127B82A9389E;
// System.Runtime.Remoting.Messaging.CADMethodReturnMessage
struct CADMethodReturnMessage_t875AA26C474A6CC70596D42E9D74006BCC86A272;
// System.IO.CStreamWriter
struct CStreamWriter_tBC3C3F9F3E738D2FF586EF7A680A077D5AA3D27A;
// System.Globalization.Calendar
struct Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A;
// System.Runtime.Remoting.Messaging.CallContextRemotingData
struct CallContextRemotingData_t91D21A898FED729F67E6899F29076D9CF39E419E;
// System.Runtime.Remoting.Messaging.CallContextSecurityData
struct CallContextSecurityData_t57A7D75CA887E871D0AF1E3AF1AB9624AB99B431;
// UnityEngine.Camera
struct Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C;
// System.Threading.CancellationCallbackInfo
struct CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B;
// System.Threading.CancellationTokenSource
struct CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3;
// UnityEngine.Canvas
struct Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA;
// UnityEngine.CanvasRenderer
struct CanvasRenderer_tCF8ABE659F7C3A6ED0D99A988D0BDFB651310F0E;
// System.Text.RegularExpressions.CaptureCollection
struct CaptureCollection_t40C06BBACB56CDD5F84860FDC1B0C3D8F160DCF9;
// UnityEngine.Networking.CertificateHandler
struct CertificateHandler_tDA66C86D1302CE4266DBB078361F7A363C7B005E;
// System.Runtime.Remoting.ChannelData
struct ChannelData_tEA64A2F1AEEC413430B61C6C7C4A1652EFDD9827;
// System.Char
struct Char_tFF60D8E7E89A20BE2294A003734341BD1DF43E14;
// UnityEngine.CharacterController
struct CharacterController_tCCF68621C784CCB3391E0C66FE134F6F93DD6C2E;
// System.Globalization.CodePageDataItem
struct CodePageDataItem_t09A62F57142BF0456C8F414898A37E79BCC9F09E;
// Mono.Globalization.Unicode.CodePointIndexer
struct CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81;
// UnityEngine.Collider
struct Collider_t5E81E43C2ECA0209A7C4528E84A632712D192B02;
// UnityEngine.Rendering.CommandBuffer
struct CommandBuffer_t25CD231BD3E822660339DB7D0E8F8ED6B7DBEA29;
// System.Globalization.CompareInfo
struct CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9;
// UnityEngine.XR.ARSubsystems.ConfigurationChooser
struct ConfigurationChooser_t0CCF856A226297A702F306A2217CF17D652E72C4;
// System.ConsoleCancelEventArgs
struct ConsoleCancelEventArgs_tF32E2D8954FDDFA9C5C9EBE291DF44C2A5D67C01;
// System.ConsoleCancelEventHandler
struct ConsoleCancelEventHandler_tACD32787946439D2453F9D9512471685521C006D;
// System.Runtime.Remoting.Messaging.ConstructionCall
struct ConstructionCall_tFB3D22905098A82A4E9D61E6E555818CB2E1104C;
// System.Reflection.ConstructorInfo
struct ConstructorInfo_t449AEC508DCA508EE46784C4F2716545488ACD5B;
// UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData
struct ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D;
// System.Runtime.Remoting.Contexts.Context
struct Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678;
// System.Threading.ContextCallback
struct ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B;
// System.Runtime.Remoting.Contexts.ContextCallbackObject
struct ContextCallbackObject_t0E2D94904CEC51006BE71AE154A7E7D9CD4AFA4B;
// UnityEngine.Coroutine
struct Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7;
// System.Runtime.Remoting.Contexts.CrossContextChannel
struct CrossContextChannel_tF0389BFF59F875ADDC660EBAF4BA5267F13A88AD;
// System.Globalization.CultureData
struct CultureData_t53CDF1C5F789A28897415891667799420D3C5529;
// System.Globalization.CultureInfo
struct CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98;
// System.Globalization.DateTimeFormatInfo
struct DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90;
// System.Text.Decoder
struct Decoder_t91B2ED8AEC25AA24D23A00265203BE992B12C370;
// System.Text.DecoderFallback
struct DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D;
// System.Text.DecoderFallbackBuffer
struct DecoderFallbackBuffer_t236B3D4172A9BAD1C2150ED78958227F8F20C94B;
// System.Text.DecoderNLS
struct DecoderNLS_tE5B1B7D68B698C0B65FBEE94EAE2453FFD3D538A;
// System.Delegate
struct Delegate_t;
// System.DelegateData
struct DelegateData_t17DD30660E330C49381DAA99F934BE75CB11F288;
// System.Runtime.Serialization.DeserializationEventHandler
struct DeserializationEventHandler_t96163039FFB39DB4A7BA9C218D9F11D400B9EE86;
// UnityEngine.ResourceManagement.Diagnostics.DiagnosticEventCollectorSingleton
struct DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365;
// UnityEngine.Networking.DownloadHandler
struct DownloadHandler_tEEAE0DD53DB497C8A491C4F7B7A14C3CA027B1DB;
// UnityEngine.UI.Dropdown
struct Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96;
// System.Runtime.Remoting.Contexts.DynamicPropertyCollection
struct DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B;
// System.Text.Encoder
struct Encoder_t5095F24D3B1D0F70D08762B980731B9F1ADEE56A;
// System.Text.EncoderFallback
struct EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4;
// System.Text.EncoderFallbackBuffer
struct EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0;
// System.Text.EncoderNLS
struct EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712;
// System.Text.Encoding
struct Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827;
// System.Net.EndPoint
struct EndPoint_t18D4AE8D03090A2B262136E59F95CE61418C34DA;
// UnityEngine.Event
struct Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E;
// System.EventArgs
struct EventArgs_tBCAACA538A5195B6D6C8DFCC3524A2A4A67FD8BA;
// System.EventHandler
struct EventHandler_t084491E53EC706ACA0A15CA17488C075B4ECA44B;
// UnityEngine.EventSystems.EventSystem
struct EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C;
// System.Threading.EventWaitHandle
struct EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C;
// System.Exception
struct Exception_t;
// System.Runtime.ExceptionServices.ExceptionDispatchInfo
struct ExceptionDispatchInfo_t85442E41DA1485CFF22598AC362EE986DF3CDD09;
// System.Text.RegularExpressions.ExclusiveReference
struct ExclusiveReference_t7F4A5D2416EA34710F520BAD225E61BC1E98D1D8;
// System.Threading.ExecutionContext
struct ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414;
// System.Linq.Expressions.Expression
struct Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660;
// TMPro.FaceInfo_Legacy
struct FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F;
// TMPro.FastAction
struct FastAction_tE1E0598414A65086C904C55ED0DCB45F330C9EFC;
// System.Reflection.FieldInfo
struct FieldInfo_t;
// System.Runtime.Serialization.FixupHolderList
struct FixupHolderList_t98FCFDD9352A87A246F7E475733C94C8A7F86BF8;
// UnityEngine.Font
struct Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9;
// UnityEngine.UI.FontData
struct FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738;
// UnityEngine.Localization.SmartFormat.Core.Parsing.Format
struct Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E;
// UnityEngine.Localization.SmartFormat.Core.Formatting.FormatCache
struct FormatCache_t4F6B4586AEED86AD3934044A4661A92A6EB22812;
// UnityEngine.Localization.SmartFormat.Core.Formatting.FormatDetails
struct FormatDetails_t66E2407A10EBE2859C428830F49442618B0BB853;
// UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem
struct FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843;
// UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingException
struct FormattingException_t2367F6BB7974421C65FCE00BFA026F01CCE5849D;
// UnityEngine.GUIContent
struct GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E;
// UnityEngine.GUILayoutEntry
struct GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE;
// UnityEngine.GUILayoutGroup
struct GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9;
// UnityEngine.GUISettings
struct GUISettings_tB85473DFD6EF025A06EAD867197A4478A41008D0;
// UnityEngine.GUISkin
struct GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6;
// UnityEngine.GUIStyle
struct GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726;
// UnityEngine.GUIStyleState
struct GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9;
// UnityEngine.GameObject
struct GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319;
// UnityEngineInternal.GenericStack
struct GenericStack_tFE88EF4FAC2E3519951AC2A4D721C3BD1A02E24C;
// UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup
struct GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A;
// UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource
struct GlobalVariablesSource_t63C3E81001CC79BCD3A55CD9C9BF266E89243D5A;
// UnityEngine.TextCore.Glyph
struct Glyph_tC58ED6BC718B82A55B7E1A3690A289FFA8EBEFD1;
// UnityEngine.Gradient
struct Gradient_t297BAC6722F67728862AE2FBE760A400DA8902F2;
// UnityEngine.UI.Graphic
struct Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24;
// System.Globalization.GregorianCalendarHelper
struct GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85;
// System.Text.RegularExpressions.Group
struct Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883;
// System.Text.RegularExpressions.GroupCollection
struct GroupCollection_tAA9CA4E93B1A9D6B7199EE25AEB32922E72AA556;
// System.Collections.Hashtable
struct Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC;
// System.Runtime.Remoting.Messaging.HeaderHandler
struct HeaderHandler_t503AE3AA2FFEA490B012CBF3A3EB37C21FF0490D;
// System.Runtime.Remoting.Activation.IActivator
struct IActivator_t860F083B53B1F949344E0FF8326AF82316B2A5CA;
// UnityEngine.ResourceManagement.Util.IAllocationStrategy
struct IAllocationStrategy_tE54E654B6217CAB298442DFC133DE00E4CD001DE;
// UnityEngine.ResourceManagement.AsyncOperations.IAsyncOperation
struct IAsyncOperation_tC630FE54804ACC03A481095B1012686957D420AB;
// System.IAsyncResult
struct IAsyncResult_tC9F97BF36FCF122D29D3101D80642278297BF370;
// System.Runtime.CompilerServices.IAsyncStateMachine
struct IAsyncStateMachine_tAE063F84A60E1058FCA4E3EA9F555D3462641F7D;
// System.Runtime.Remoting.IChannelInfo
struct IChannelInfo_t83FAE2C34F782234F4D52E0B8D6F8EDE5A3B39D3;
// System.Collections.ICollection
struct ICollection_tC1E1DED86C0A66845675392606B302452210D5DA;
// System.Collections.IComparer
struct IComparer_t624EE667DCB0D3765FF034F7150DA71B361B82C0;
// System.IConsoleDriver
struct IConsoleDriver_tBD149D095A3CF55C1127A66D3933B0236B67AC63;
// System.Collections.IDictionary
struct IDictionary_t99871C56B8EC2452AC5C4CF3831695E617B89D3A;
// System.Collections.IDictionaryEnumerator
struct IDictionaryEnumerator_t8A89A8564EADF5FFB8494092DFED7D7C063F1501;
// System.IDisposable
struct IDisposable_t099785737FC6A1E3699919A94109383715A8D807;
// System.Runtime.Remoting.Contexts.IDynamicMessageSink
struct IDynamicMessageSink_t623E192213A30BE23F4C87357D6BC717D9B29E5F;
// System.Runtime.Remoting.Contexts.IDynamicProperty
struct IDynamicProperty_t4AFBC608B3805A9817DB76B9D56E77ECB67781BD;
// System.Collections.IEnumerable
struct IEnumerable_t47A618747A1BB2A868710316F7372094849163A2;
// System.Collections.IEnumerator
struct IEnumerator_t5956F3AFB7ECF1117E3BC5890E7FC7B7F7A04105;
// System.Runtime.Remoting.IEnvoyInfo
struct IEnvoyInfo_t0D9B51B59DD51C108742B0B18E09DC1B0AD6B713;
// System.Collections.IEqualityComparer
struct IEqualityComparer_t6C4C1F04B21BDE1E4B84BD6EC7DE494C186D6C68;
// System.IFormatProvider
struct IFormatProvider_tF2AECC4B14F41D36718920D67F930CED940412DF;
// System.Runtime.Serialization.IFormatterConverter
struct IFormatterConverter_t2A667D8777429024D8A3CB3D9AE29EA79FEA6176;
// UnityEngine.ResourceManagement.AsyncOperations.IGenericProviderOperation
struct IGenericProviderOperation_tC2E0AAC714A6DCC6BC398A97E9570D627EED7679;
// UnityEngine.Localization.SmartFormat.GlobalVariables.IGlobalVariable
struct IGlobalVariable_t331715A299C1D42324AE03D3DEC34B11FA457FEE;
// System.Collections.IHashCodeProvider
struct IHashCodeProvider_t1DC17F4EF3AD40E5D1A107939F6E18E2D450B691;
// UnityEngine.ResourceManagement.ResourceProviders.IInstanceProvider
struct IInstanceProvider_tF47C2459DE5D6A6455E750AD06EEA9A9DDFAC5B4;
// UnityEngine.Localization.Tables.IKeyGenerator
struct IKeyGenerator_tA23A8E5C035C958D8E44AD87085E26C683075E3A;
// System.Reflection.Emit.ILGenerator
struct ILGenerator_tCB47F61B7259CF97E8239F921A474B2BEEF84F8F;
// System.Runtime.Remoting.Lifetime.ILease
struct ILease_tED5BB6F41FB7FFA6D47F2291653031E40770A959;
// System.Collections.IList
struct IList_tB15A9D6625D09661D6E47976BB626C703EC81910;
// UnityEngine.Localization.Settings.ILocalesProvider
struct ILocalesProvider_t86056E4DB7C99C0CDFEC4A8822782E9543BF6106;
// UnityEngine.ILogHandler
struct ILogHandler_t9E5244B89CD459DF73B1282CA5B2E9E33DE37FD1;
// UnityEngine.ILogger
struct ILogger_t25627AC5B51863702868D31972297B7D633B4583;
// System.Runtime.Remoting.Messaging.IMessage
struct IMessage_tFB62BF93B045EA3FA0278D55C5044B322E7B4545;
// System.Runtime.Remoting.Messaging.IMessageCtrl
struct IMessageCtrl_t343815B567A7293C85B61753266DCF852EB1748F;
// System.Runtime.Remoting.Messaging.IMessageSink
struct IMessageSink_t5C83B21C4C8767A5B9820EBBE611F7107BC7605F;
// System.Runtime.Remoting.Messaging.IMethodCallMessage
struct IMethodCallMessage_t5C6204CBDF0F7151187809C69BA5504C88EEDE44;
// System.Runtime.Remoting.Messaging.IMethodMessage
struct IMethodMessage_tF1E8AAA822A4BC884BC20CAB4B84F5826BBE282C;
// System.IOAsyncCallback
struct IOAsyncCallback_tB965FCE75DB2822B784F36808F71EA447D5F977E;
// System.IOAsyncResult
struct IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9;
// UnityEngine.Localization.SmartFormat.Core.Output.IOutput
struct IOutput_tD2BC3575A5F90A4E8A5DFDC4FE888868CB780E5A;
// UnityEngine.IPlayerEditorConnectionNative
struct IPlayerEditorConnectionNative_tC3358A3232ED7154BEA465497D8797B6BCCDC47C;
// System.Security.Principal.IPrincipal
struct IPrincipal_t850ACE1F48327B64F266DD2C6FD8C5F56E4889E2;
// Microsoft.Win32.IRegistryApi
struct IRegistryApi_t3B05FA1782C2EFEE5A2A5251BB4CE24F61272463;
// System.Runtime.Remoting.IRemotingTypeInfo
struct IRemotingTypeInfo_t551E06F9B9BF8173F2A95347C73C027BAF78B61E;
// System.Resources.IResourceGroveler
struct IResourceGroveler_tD738FE6B83F63AC66FDD73BCD3193016FDEBFAB0;
// UnityEngine.ResourceManagement.ResourceLocations.IResourceLocation
struct IResourceLocation_t0D201FFF3312C197B7015B9506BADC33B50143AE;
// UnityEngine.AddressableAssets.ResourceLocators.IResourceLocator
struct IResourceLocator_tF8C315ADD0E8B6B6E5869F3D25AE9145593E8444;
// System.Resources.IResourceReader
struct IResourceReader_tB5A7F9D51AB1F5FEC29628E2E541338D44A88379;
// UnityEngine.ResourceManagement.ResourceProviders.ISceneProvider
struct ISceneProvider_t7C38CF882A53DECB0C26A59C16BA443085E8EEAA;
// UnityEngine.SocialPlatforms.IScore
struct IScore_tE3BDDCDC8FB888BD6AF13EE00EF6AE225DDF2B3B;
// UnityEngine.Experimental.Rendering.IScriptableRuntimeReflectionSystem
struct IScriptableRuntimeReflectionSystem_tDFCF2650239619208F155A71B7EAB3D0FFD8F71E;
// UnityEngine.EventSystems.IScrollHandler
struct IScrollHandler_t5AB554ABD3C72CC8CA80EA99B069D902F383D0B1;
// UnityEngine.Localization.SmartFormat.Core.Extensions.ISelectorInfo
struct ISelectorInfo_t09A8F92112DD84298BB0E8274F10F50BA34F1091;
// System.Runtime.Serialization.ISerializationSurrogate
struct ISerializationSurrogate_tC20BD4E08AA053727BE2CC53F4B95E9A2C4BEF8D;
// UnityEngine.ISubsystemDescriptor
struct ISubsystemDescriptor_tEB935323042076ECFC076435FBD756B1E7953A14;
// System.Runtime.Serialization.ISurrogateSelector
struct ISurrogateSelector_t32463C505981FAA3FE78829467992AC7309CD9CA;
// System.Threading.Tasks.ITaskCompletionAction
struct ITaskCompletionAction_t7007C80B89E26C5DBB586AF8D5790801A1DDC558;
// TMPro.ITextPreprocessor
struct ITextPreprocessor_t4D7C2C115C9A65FB6B24304700B1E9167410EB54;
// System.Runtime.Remoting.Identity
struct Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5;
// System.Runtime.Remoting.Messaging.IllogicalCallContext
struct IllogicalCallContext_tFC01A2B688E85D44897206E4ACD81E050D25846E;
// UnityEngine.UI.Image
struct Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C;
// UnityEngine.ResourceManagement.AsyncOperations.InitalizationObjectsOperation
struct InitalizationObjectsOperation_tB327C4C33B585E8D197BFAA550E075D3596B364F;
// UnityEngine.AddressableAssets.Initialization.InitializationOperation
struct InitializationOperation_t6B5E499738C4AAD0D1566EC00551A0694C8094B0;
// UnityEngine.UI.InputField
struct InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0;
// System.Int16
struct Int16_tD0F031114106263BB459DA1F099FF9F42691295A;
// System.Int32
struct Int32_tFDE5F8CD43D10453F6A2E0C77FE48C6CC7009046;
// System.Int64
struct Int64_t378EE0D608BD3107E77238E85F30D2BBD46981F3;
// System.IntPtr
struct IntPtr_t;
// System.Runtime.Serialization.Formatters.Binary.IntSizedArray
struct IntSizedArray_tD2630F08CAA7E2687372DAF56A5BE4215643A04A;
// System.Text.InternalDecoderBestFitFallback
struct InternalDecoderBestFitFallback_t059F0AABF14B5871F34FA66582723C76670BF78E;
// System.Text.InternalEncoderBestFitFallback
struct InternalEncoderBestFitFallback_t2D50677152BF029FCA77A56F7CA652303E661074;
// System.Runtime.Serialization.Formatters.Binary.InternalFE
struct InternalFE_tBF9064793BEA3658FF2E355ECCE5913F38B6E101;
// System.Threading.InternalThread
struct InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB;
// UnityEngine.Events.InvokableCallList
struct InvokableCallList_tB7C66AA0C00F9C102C8BDC17A144E569AC7527A9;
// TMPro.KerningTable
struct KerningTable_t820628F74178B0781DBFFB55BF1277247047617D;
// System.Linq.Expressions.LambdaExpression
struct LambdaExpression_t26BF905E97E6D94F81F17D60F4F4F47F8E93B474;
// UnityEngine.UI.LayoutElement
struct LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF;
// UnityEngine.UI.LayoutGroup
struct LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2;
// UnityEngine.SocialPlatforms.Impl.Leaderboard
struct Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D;
// System.Runtime.Remoting.Lifetime.Lease
struct Lease_tA878061ECC9A466127F00ACF5568EAB267E05641;
// System.Runtime.Remoting.Lifetime.LeaseManager
struct LeaseManager_tCB2B24D3B1EB0083B9FF0BA2D4E5E8B84EE94DD1;
// System.Collections.ListDictionaryInternal
struct ListDictionaryInternal_t41BC521E191A070D69C4D98B996314424BBFDA8A;
// System.LocalDataStore
struct LocalDataStore_t0E725C41DF754333CDF1E6FA151711B6E88FEF65;
// System.LocalDataStoreHolder
struct LocalDataStoreHolder_tF51C9DD735A89132114AE47E3EB51C11D0FED146;
// System.LocalDataStoreMgr
struct LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A;
// UnityEngine.SocialPlatforms.Impl.LocalUser
struct LocalUser_t1719BEA57FDD71F6C7B280049E94071CD22D985D;
// UnityEngine.Localization.Locale
struct Locale_tD8F38559A470AB424FCEE52608573679917924AA;
// UnityEngine.Localization.Settings.LocalizationSettings
struct LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660;
// UnityEngine.Localization.Tables.LocalizationTable
struct LocalizationTable_t663E5614B59380B6CE76CFF2FD8500C82CF8F707;
// UnityEngine.Localization.Settings.LocalizedAssetDatabase
struct LocalizedAssetDatabase_tB8335F46EA5B7A81B58A935F6D45D06266BC0B38;
// UnityEngine.Localization.LocalizedAudioClip
struct LocalizedAudioClip_t0C6B84DF6F2A59049E7A06589AE849226790093A;
// UnityEngine.Localization.LocalizedGameObject
struct LocalizedGameObject_t05C99E0CA69EFDA311C899ED2D570FE22EF8809E;
// UnityEngine.Localization.LocalizedSprite
struct LocalizedSprite_t0A9A0499DFBD6872058EC290C6B928036A4B4BAA;
// UnityEngine.Localization.LocalizedString
struct LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F;
// UnityEngine.Localization.Settings.LocalizedStringDatabase
struct LocalizedStringDatabase_tF8BDBBC4A694A1B429F79AC8AB9E9A170726272D;
// UnityEngine.Localization.LocalizedTexture
struct LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F;
// System.Runtime.Remoting.Messaging.LogicalCallContext
struct LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3;
// System.Runtime.Serialization.LongList
struct LongList_tB13F421A6BB4E3BB28AEAA7B91E9A937EB7A7D23;
// System.Runtime.Remoting.Messaging.MCMDictionary
struct MCMDictionary_tEA8C1F89F5B3783040584C2C390C758B1420CCDF;
// System.Threading.ManualResetEvent
struct ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA;
// System.Threading.ManualResetEventSlim
struct ManualResetEventSlim_tDEDF52539E364C425BA581F3AAF42843AFAD366E;
// System.Runtime.InteropServices.MarshalAsAttribute
struct MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6;
// System.MarshalByRefObject
struct MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8;
// System.Text.RegularExpressions.Match
struct Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B;
// System.Text.RegularExpressions.MatchCollection
struct MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E;
// UnityEngine.Material
struct Material_t8927C00353A72755313F046D0CE85178AE8218EE;
// System.Reflection.MemberFilter
struct MemberFilter_t48D0AA10105D186AF42428FA532D4B4332CF8B81;
// System.Reflection.MemberInfo
struct MemberInfo_t;
// System.Runtime.Serialization.Formatters.Binary.MemberPrimitiveTyped
struct MemberPrimitiveTyped_tCBCE9EFECA16A568F64E05D81D6672069E511965;
// System.Runtime.Serialization.Formatters.Binary.MemberPrimitiveUnTyped
struct MemberPrimitiveUnTyped_t8674B07D14F272D23EE081754ED4B2B3D3BA640A;
// System.Runtime.Serialization.Formatters.Binary.MemberReference
struct MemberReference_t444F997A7AB1565CAD1EBBC32FF38C07198E202B;
// UnityEngine.Mesh
struct Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6;
// UnityEngine.MeshCollider
struct MeshCollider_t1983F4E7E53D8C6B65FE21A8B4E2345A84D57E98;
// UnityEngine.MeshFilter
struct MeshFilter_t763BB2BBF3881176AD25E4570E6DD215BA0AA51A;
// UnityEngine.XR.ARFoundation.MeshQueue
struct MeshQueue_t72ED2403F046196E4A4F7F443F3AA3EB67EA9334;
// UnityEngine.MeshRenderer
struct MeshRenderer_tCD983A2F635E12BCB0BAA2E635D96A318757908B;
// UnityEngine.Localization.Pseudo.Message
struct Message_t812E39857F3919C74FAB178F2A9DDD4B90ADA3F3;
// System.Runtime.Remoting.Messaging.MessageDictionary
struct MessageDictionary_tF87E1D8408337642172945A13C9C116D7F9336BE;
// System.Runtime.Serialization.Formatters.Binary.MessageEnd
struct MessageEnd_t5ABEBF8373F2611EE966CE6F17A1145D4DDEB9CB;
// UnityEngine.Localization.Metadata.MetadataCollection
struct MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5;
// System.Reflection.MethodBase
struct MethodBase_t;
// System.Reflection.MethodInfo
struct MethodInfo_t;
// System.Runtime.Remoting.Messaging.MethodReturnDictionary
struct MethodReturnDictionary_tCD3B3B0F69F53EF7653CB5E6B175628E8FD54531;
// MonoBehaviourCallbackHooks
struct MonoBehaviourCallbackHooks_tE91E611EBE4F93FA75B7047A0D29F1E933304F73;
// System.Reflection.MonoCMethod
struct MonoCMethod_t5591743036BD4964AD4CFC5C5FE5F945E9E44097;
// System.Reflection.MonoMethod
struct MonoMethod_t;
// System.Runtime.Remoting.Messaging.MonoMethodMessage
struct MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC;
// System.MonoTypeInfo
struct MonoTypeInfo_tD048FE6E8A79174435DD9BA986294B02C68DFC79;
// System.MulticastDelegate
struct MulticastDelegate_t;
// UnityEngine.XR.ARSubsystems.MutableRuntimeReferenceImageLibrary
struct MutableRuntimeReferenceImageLibrary_t887376CE46B48DEEC6E8655D429BADCA6E3C7EAA;
// System.Threading.Mutex
struct Mutex_tA342933FCB3E3E679E3CD498804DE36CD81801B5;
// System.Runtime.Serialization.Formatters.Binary.NameCache
struct NameCache_tEBDB3A031D648C9812AF8A668C24A085D77E03A9;
// UnityEngineInternal.Input.NativeUpdateCallback
struct NativeUpdateCallback_t617743B3361FE4B086E28DDB8EDB4A7AC2490FC6;
// System.Globalization.NumberFormatInfo
struct NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D;
// System.Runtime.Remoting.ObjRef
struct ObjRef_t10D53E2178851535F38935DC53B48634063C84D3;
// System.Runtime.Remoting.Messaging.ObjRefSurrogate
struct ObjRefSurrogate_t7924C0ED9F5EC7E25977237ADC3276383606703F;
// UnityEngine.Object
struct Object_tF2F3778131EFF286AF62B7B013A170F95A91571A;
// System.Runtime.Serialization.ObjectHolderList
struct ObjectHolderList_t6EC019D0FA1ACB5A6B6DE3B99E9523C8D7675291;
// System.Runtime.Serialization.ObjectIDGenerator
struct ObjectIDGenerator_t267F4EB12AC82678B0783ABA92CD54A1503E1259;
// System.Runtime.Serialization.ObjectManager
struct ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96;
// System.Runtime.Serialization.Formatters.Binary.ObjectNull
struct ObjectNull_t0854517B956008C029C56E58BD9F3F26C2862CA4;
// System.Runtime.Serialization.Formatters.Binary.ObjectReader
struct ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152;
// System.Runtime.Serialization.Formatters.Binary.ObjectWriter
struct ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F;
// System.Security.Cryptography.Oid
struct Oid_tD6586F9C615C5CBE741A5099DFB67FE0F99F4800;
// System.Security.Cryptography.OidCollection
struct OidCollection_tA091E185B8840648BE96A6C547F0C26F88E3A902;
// System.OperatingSystem
struct OperatingSystem_tBB911FE4834884FD79AF78F2B07C19B938491463;
// UnityEngine.Localization.OperationHandleDeferedRelease
struct OperationHandleDeferedRelease_t3CB8447B82D250E89F6635FD4BC3B44470843EC3;
// System.Threading.ParameterizedThreadStart
struct ParameterizedThreadStart_t5C6FC428171B904D8547954B337B373083E89516;
// System.Runtime.Serialization.Formatters.Binary.ParseRecord
struct ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413;
// UnityEngine.Localization.SmartFormat.Core.Parsing.Parser
struct Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D;
// UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors
struct ParsingErrors_t6BAAFC24B387A47B9FAEEF8FDD6CCA45E7CA6ABA;
// UnityEngine.ParticleSystem
struct ParticleSystem_t2F526CCDBD3512879B3FCBE04BCAB20D7B4F391E;
// UnityEngine.Events.PersistentCallGroup
struct PersistentCallGroup_t9A1D83DA2BA3118C103FA87D93CE92557A956FDC;
// UnityEngine.Localization.SmartFormat.Core.Parsing.Placeholder
struct Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE;
// UnityEngine.Plane
struct Plane_t80844BF2332EAFC1DDEDD616A950242031A115C7;
// UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents
struct PlayerEditorConnectionEvents_t213E2B05B10B9FDE14BF840564B1DBD7A6BFA871;
// UnityEngine.EventSystems.PointerEventData
struct PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954;
// System.Runtime.Serialization.Formatters.Binary.PrimitiveArray
struct PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4;
// System.Reflection.PropertyInfo
struct PropertyInfo_t;
// System.Globalization.Punycode
struct Punycode_t4BDEEA3305A31302CBC618070AB085F7E3ABB513;
// System.Collections.Queue
struct Queue_t66723C58C7422102C36F8570BE048BD0CC489E52;
// System.Random
struct Random_t6C9E9775A149D0ADCFEB4B252C408F03EE870118;
// System.Security.Cryptography.RandomNumberGenerator
struct RandomNumberGenerator_t2CB5440F189986116A2FA9F907AE52644047AC50;
// System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo
struct ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223;
// System.Runtime.Remoting.Proxies.RealProxy
struct RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744;
// UnityEngine.UI.RectMask2D
struct RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15;
// UnityEngine.RectOffset
struct RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70;
// UnityEngine.RectTransform
struct RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072;
// UnityEngine.UI.RectangularVertexClipper
struct RectangularVertexClipper_t34360F92063A8540ABA87922B62269ADA99EB5E7;
// UnityEngine.ReflectionProbe
struct ReflectionProbe_tE553CF027821D5B1CA7533A2DF24F8711642C1E3;
// System.Text.RegularExpressions.Regex
struct Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F;
// System.Text.RegularExpressions.RegexBoyerMoore
struct RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2;
// System.Text.RegularExpressions.RegexCharClass
struct RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5;
// System.Text.RegularExpressions.RegexCode
struct RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5;
// System.Text.RegularExpressions.RegexNode
struct RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43;
// System.Text.RegularExpressions.RegexPrefix
struct RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301;
// System.Text.RegularExpressions.RegexRunner
struct RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934;
// System.Text.RegularExpressions.RegexRunnerFactory
struct RegexRunnerFactory_tA425EC5DC77FC0AAD86EB116E5483E94679CAA96;
// Microsoft.Win32.RegistryKey
struct RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268;
// System.Runtime.Remoting.Proxies.RemotingProxy
struct RemotingProxy_t98432727E564B2B45BB25C0AAE02F29ABDE70F63;
// System.Runtime.Remoting.Messaging.RemotingSurrogate
struct RemotingSurrogate_t4EB3586932A8FD1934D45761A7A411C44595F6EC;
// UnityEngine.Rendering.RenderPipeline
struct RenderPipeline_t55376D7E1AF07ECAED806BE0AD967CD63B498AAA;
// UnityEngine.Rendering.RenderPipelineAsset
struct RenderPipelineAsset_tA4DBD0F0DD583DF3C9F85AF41F49308D167864EF;
// UnityEngine.RenderTexture
struct RenderTexture_t5FE7A5B47EF962A0E8D7BEBA05E9FC87D49A1849;
// UnityEngine.Renderer
struct Renderer_t58147AB5B00224FE1460FD47542DC0DA7EC9378C;
// System.ResolveEventArgs
struct ResolveEventArgs_tAB226AF199EA6A6E70F4482348AC5AAB2DEFBB3D;
// System.ResolveEventHandler
struct ResolveEventHandler_tC6827B550D5B6553B57571630B1EE01AC12A1089;
// UnityEngine.AddressableAssets.ResourceLocators.ResourceLocationMap
struct ResourceLocationMap_t14A3D5C863FAE0D257213393BC576B3EEF04A6A8;
// System.Resources.ResourceManager
struct ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A;
// UnityEngine.ResourceManagement.ResourceManager
struct ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037;
// UnityEngine.AddressableAssets.Utility.ResourceManagerDiagnostics
struct ResourceManagerDiagnostics_t2CAC6BE26AC64F18159FE55C52C2B864A5B1FA62;
// UnityEngine.ResourceManagement.ResourceProviders.ResourceProviderBase
struct ResourceProviderBase_tC5E5ED488310C5EDBDD71BC37FEB5EE1C77D7F28;
// System.Resources.ResourceReader
struct ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492;
// UnityEngine.Rigidbody
struct Rigidbody_t101F2E2F9F16E765A77429B2DE4527D2047A887A;
// System.Reflection.RuntimeAssembly
struct RuntimeAssembly_t799877C849878A70E10D25C690D7B0476DAF0B56;
// System.Reflection.RuntimeConstructorInfo
struct RuntimeConstructorInfo_t9B65F4BAA154E6B8888A68FA9BA02993090876BB;
// System.Reflection.RuntimeFieldInfo
struct RuntimeFieldInfo_t9A67C36552ACE9F3BFC87DB94709424B2E8AB70C;
// UnityEngine.XR.ARSubsystems.RuntimeReferenceImageLibrary
struct RuntimeReferenceImageLibrary_t76072EC5637B1F0F8FD0A1BFD3AEAF954D6F8D6B;
// System.RuntimeType
struct RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07;
// System.Security.Cryptography.SHA1Internal
struct SHA1Internal_t5D0A95A55E32BCC8976D5B91649E6C13C8334CD6;
// System.Runtime.InteropServices.SafeBuffer
struct SafeBuffer_tABA0D0B754FCCF3625CD905D535296E353C630D2;
// Microsoft.Win32.SafeHandles.SafeFileHandle
struct SafeFileHandle_tC77A9860A03C31DC46AD2C08EC10EACDC3B7A662;
// Microsoft.Win32.SafeHandles.SafeRegistryHandle
struct SafeRegistryHandle_tE132711AC8880C0D375E49B50419BCE4935CC545;
// System.Runtime.Serialization.SafeSerializationManager
struct SafeSerializationManager_tDE44F029589A028F8A3053C5C06153FAB4AAE29F;
// Microsoft.Win32.SafeHandles.SafeWaitHandle
struct SafeWaitHandle_tF37EACEDF9C6F350EB4ABC1E1F869EECB0B5ABB1;
// UnityEngine.Experimental.Rendering.ScriptableRuntimeReflectionSystemWrapper
struct ScriptableRuntimeReflectionSystemWrapper_t9F1EBF4C6EBF7B3D6742B6320205DD9475793F61;
// UnityEngine.UI.Scrollbar
struct Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28;
// System.Security.SecurityElement
struct SecurityElement_tB9682077760936136392270197F642224B2141CC;
// UnityEngine.UI.Selectable
struct Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD;
// UnityEngine.Localization.SmartFormat.Core.Parsing.Selector
struct Selector_tF6C7CE90C0DF83DB6EA881F4C8E38FC33D35FB6B;
// System.Threading.SemaphoreSlim
struct SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385;
// System.Threading.SendOrPostCallback
struct SendOrPostCallback_t6B7334CE017AF595535507519400AC02D688DC3C;
// System.Runtime.Serialization.Formatters.Binary.SerObjectInfoCache
struct SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB;
// System.Runtime.Serialization.Formatters.Binary.SerObjectInfoInit
struct SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D;
// System.Runtime.Serialization.Formatters.Binary.SerStack
struct SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC;
// System.Runtime.Serialization.SerializationBinder
struct SerializationBinder_t600A2077818E43FC641208357D8B809A10F1EAB8;
// System.Runtime.Serialization.SerializationEventHandler
struct SerializationEventHandler_t3033BE1E86AE40A7533AD615FF9122FC8ED0B7C1;
// System.Runtime.Serialization.SerializationInfo
struct SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1;
// System.Runtime.Serialization.SerializationObjectManager
struct SerializationObjectManager_tAFED170719CB3FFDB1C60D3686DC22652E907042;
// System.Runtime.Remoting.ServerIdentity
struct ServerIdentity_t5689BF0CA0122A8E597C9900D39F11F07D79D3A8;
// UnityEngine.Shader
struct Shader_tB2355DC4F3CAF20B2F1AB5AABBF37C3555FFBC39;
// System.Text.RegularExpressions.SharedReference
struct SharedReference_t74AB40C102A76A7523C72269A49D2C8FBDD83926;
// UnityEngine.Localization.Tables.SharedTableData
struct SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC;
// Mono.Globalization.Unicode.SimpleCollator
struct SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266;
// System.Runtime.Serialization.Formatters.Binary.SizedArray
struct SizedArray_t774FEAB0344A9BE540F22DD0A4E8E9E83EE69C42;
// UnityEngine.Localization.SmartFormat.SmartFormatter
struct SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858;
// UnityEngine.Localization.SmartFormat.Core.Settings.SmartSettings
struct SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627;
// System.Globalization.SortVersion
struct SortVersion_t4500287E608FE7BBAB01A3AB0F1073F772EF62AA;
// System.Collections.SortedList
struct SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165;
// UnityEngine.Sprite
struct Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9;
// System.Collections.Stack
struct Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8;
// System.Threading.Tasks.StackGuard
struct StackGuard_t88E1EE4741AD02CA5FEA04A4EB2CC70F230E0E6D;
// System.IO.Stream
struct Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB;
// System.IO.StreamReader
struct StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3;
// System.String
struct String_t;
// System.Text.StringBuilder
struct StringBuilder_t;
// UnityEngine.Localization.Tables.StringTable
struct StringTable_t82895B0F560FEF1486B7B8DCF2FB6F2BF698BD59;
// System.Reflection.StrongNameKeyPair
struct StrongNameKeyPair_tCA4C0AB8B98C6C03134BC8AB17DD4C76D8091FDF;
// UnityEngine.SubsystemsImplementation.SubsystemProvider
struct SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9;
// System.Threading.SynchronizationContext
struct SynchronizationContext_t17D9365B5E0D30A0910A16FA4351C525232EF069;
// TMPro.TMP_Asset
struct TMP_Asset_tEE129B2B2FE167D4B860286167207DD3AD45B45E;
// TMPro.TMP_Character
struct TMP_Character_tE7A98584C4DDFC9E1A1D883F4A5DE99E5DE7CC0C;
// TMPro.TMP_ColorGradient
struct TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461;
// TMPro.TMP_Dropdown
struct TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63;
// TMPro.TMP_FontAsset
struct TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2;
// TMPro.TMP_FontFeatureTable
struct TMP_FontFeatureTable_t4A06C31656BB8CB686657DC85E0179FA3D15E2F1;
// TMPro.TMP_InputField
struct TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59;
// TMPro.TMP_InputValidator
struct TMP_InputValidator_t5DE1CB404972CB5D787521EF3B382C27D5DB456D;
// TMPro.TMP_ScrollbarEventHandler
struct TMP_ScrollbarEventHandler_t7F929E74769BB2B34B1292F2872125C7A18E93ED;
// TMPro.TMP_Settings
struct TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7;
// TMPro.TMP_SpriteAnimator
struct TMP_SpriteAnimator_t07C769A1F1F85B545DD32357826E08F569E3D902;
// TMPro.TMP_SpriteAsset
struct TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714;
// TMPro.TMP_Style
struct TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB;
// TMPro.TMP_StyleSheet
struct TMP_StyleSheet_t8E2FC777D06D295BE700B8EDE56389D3581BA94E;
// TMPro.TMP_Text
struct TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262;
// TMPro.TMP_TextElement
struct TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832;
// TMPro.TMP_TextInfo
struct TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547;
// UnityEngine.Localization.Tables.TableEntryData
struct TableEntryData_t8B850C9555DC3790200D386D4F74F9441E015DA2;
// System.Threading.Tasks.Task
struct Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60;
// System.Threading.Tasks.TaskExceptionHolder
struct TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684;
// System.Threading.Tasks.TaskFactory
struct TaskFactory_t22D999A05A967C31A4B5FFBD08864809BF35EA3B;
// System.Threading.Tasks.TaskScheduler
struct TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D;
// System.TermInfoDriver
struct TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03;
// System.TermInfoReader
struct TermInfoReader_t2E8E4A86C0450CF03E110E870EB8378C7A617F62;
// UnityEngine.UI.Text
struct Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1;
// UnityEngine.TextAsset
struct TextAsset_t1969F5FD1F628C7C0A70D9605C0D251B4F547234;
// UnityEngine.ResourceManagement.ResourceProviders.TextDataProvider
struct TextDataProvider_t773E2DEFF6B16D17317529CFB75791ADDEA9B2E6;
// UnityEngine.TextGenerator
struct TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70;
// System.Globalization.TextInfo
struct TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C;
// TMPro.TextMeshPro
struct TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4;
// TMPro.TextMeshProUGUI
struct TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1;
// System.IO.TextReader
struct TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F;
// System.IO.TextWriter
struct TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643;
// UnityEngine.Texture
struct Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE;
// UnityEngine.Texture2D
struct Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF;
// System.Threading.Thread
struct Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414;
// System.Threading.ThreadPoolWorkQueue
struct ThreadPoolWorkQueue_t2CB6EE2051BFDA85C9B8785B89272E8DDD95CB35;
// System.TimeZoneInfo
struct TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074;
// System.Threading.Timer
struct Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB;
// System.Threading.TimerCallback
struct TimerCallback_tD193CC50BF27E129E6857E1E8A7EAC24BD131814;
// UnityEngine.UI.Toggle
struct Toggle_t68F5A84CDD2BBAEA866F42EB4E0C9F2B431D612E;
// UnityEngine.UI.ToggleGroup
struct ToggleGroup_t12E1DFDEB3FFD979A20299EE42A94388AC619C95;
// UnityEngine.TouchScreenKeyboard
struct TouchScreenKeyboard_t7964B2E9E52C4E095B14F01C32774B98CA11711E;
// UnityEngine.Transform
struct Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1;
// System.Type
struct Type_t;
// System.Reflection.TypeFilter
struct TypeFilter_t8E0AA7E71F2D6695C61A52277E6CF6E49230F2C3;
// System.TypeIdentifier
struct TypeIdentifier_t9E06B931A267178BD1565C8055561237CF86171D;
// System.Runtime.Serialization.TypeLoadExceptionHolder
struct TypeLoadExceptionHolder_t20AB0C4A3995BE52D344B37DDEFAE330659147E2;
// System.UInt16
struct UInt16_t894EA9D4FB7C799B244E7BBF2DF0EEEDBC77A8BD;
// System.UInt64
struct UInt64_tEC57511B3E3CA2DBA1BEBD434C6983E31C943281;
// System.UnhandledExceptionEventArgs
struct UnhandledExceptionEventArgs_tFA66D5AA8F6337DEF8E2B494B3B8C377C9FDB885;
// System.UnhandledExceptionEventHandler
struct UnhandledExceptionEventHandler_t1DF125A860ED9B70F24ADFA6CB0781533A23DA64;
// UnityEngine.Events.UnityAction
struct UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099;
// UnityEngine.Localization.Events.UnityEventAudioClip
struct UnityEventAudioClip_t5E25CAA4A85829397619B5959B5B96625C6F2CFB;
// UnityEngine.Localization.Events.UnityEventGameObject
struct UnityEventGameObject_t5590751F17946F7544A57BF4BC96389E126F2613;
// UnityEngine.Localization.Events.UnityEventSprite
struct UnityEventSprite_t11C1863845C76969B2B9CF6F4E5E68C15943DDEA;
// UnityEngine.Localization.Events.UnityEventString
struct UnityEventString_t41A1DD3703B9EF6C1B3D88B9AE18F4957930DBDA;
// UnityEngine.Localization.Events.UnityEventTexture
struct UnityEventTexture_tC8E4791FB90D680B98B1C987B273102BA5C5B66F;
// UnityEngine.Networking.UnityWebRequest
struct UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E;
// UnityEngine.Networking.UnityWebRequestAsyncOperation
struct UnityWebRequestAsyncOperation_tDCAC6B6C7D51563F8DFD4963E3BE362470125396;
// UnityEngine.ResourceManagement.Util.UnityWebRequestResult
struct UnityWebRequestResult_t100F520A4720C5527F6534B751FACE43DBB20BA9;
// System.IO.UnmanagedMemoryStream
struct UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62;
// UnityEngine.Networking.UploadHandler
struct UploadHandler_t5F80A2A6874D4D330751BE3524009C21C9B74BDA;
// System.Uri
struct Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612;
// System.UriParser
struct UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A;
// System.Runtime.Serialization.ValueTypeFixupInfo
struct ValueTypeFixupInfo_tBA01D7B8EF22CA79A46AA25F4EFCE2B312E9E547;
// System.Version
struct Version_tBDAEDED25425A1D09910468B8BD1759115646E3C;
// UnityEngine.UI.VertexHelper
struct VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55;
// UnityEngine.Video.VideoPlayer
struct VideoPlayer_t47DCC396CBA28512CF97C6CC4F55878E8D62FE86;
// System.Void
struct Void_t700C6383A2A510C2CF4DD86DABD5CA9FF70ADAC5;
// System.Threading.WaitCallback
struct WaitCallback_t82C85517E973DCC6390AFB0BC3C2276F3328A319;
// UnityEngine.WaitForSecondsRealtime
struct WaitForSecondsRealtime_t04F2884A9814C3E4E415E788AFE56B5928577C40;
// System.Threading.WaitHandle
struct WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842;
// System.Threading.WaitOrTimerCallback
struct WaitOrTimerCallback_t79FBDDC8E879825AA8322F3422BF8F1BEAE3BCDB;
// System.WeakReference
struct WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76;
// UnityEngine.ResourceManagement.WebRequestQueueOperation
struct WebRequestQueueOperation_tFC444676FD6ECC4D7F23A1C6CA9864124DC0D151;
// System.Xml.Linq.XContainer
struct XContainer_t195526C99472280E1DE55FCBAF9060CD9DE37525;
// System.Xml.Linq.XElement
struct XElement_tB23449727DAFDA30624A9E24F99731430F9CC8A5;
// System.Xml.Linq.XName
struct XName_t03F670C1FC8B039AC94EB7B0BAE881E6E3545956;
// System.Xml.Linq.XNamespace
struct XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7;
// System.Xml.Linq.XNode
struct XNode_tB88EE59443DF799686825ED2168D47C857C8CA99;
// UnityEngine.XR.ARSubsystems.XRAnchorSubsystem
struct XRAnchorSubsystem_t625D9B76C590AB601CF85525DB9396BE84425AA7;
// UnityEngine.XR.ARSubsystems.XRAnchorSubsystemDescriptor
struct XRAnchorSubsystemDescriptor_t3BD7F9922EF5C04185D59349C76D625BC1E44E3B;
// UnityEngine.XR.ARSubsystems.XRCameraSubsystem
struct XRCameraSubsystem_t3B32F6EA8A2E4D23AF240B5D21C34759D2613AC9;
// UnityEngine.XR.ARSubsystems.XRCameraSubsystemDescriptor
struct XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5;
// UnityEngine.XR.ARSubsystems.XRDepthSubsystem
struct XRDepthSubsystem_t808E21F0192095B08FA03AC535314FB5EF3B7E28;
// UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor
struct XRDepthSubsystemDescriptor_t745DBB7D313FB52F756E0B7AA993FBBC26B412C2;
// UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystem
struct XREnvironmentProbeSubsystem_t0C60258F565400E7C5AF0E0B7FA933F2BCF83CB6;
// UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemDescriptor
struct XREnvironmentProbeSubsystemDescriptor_t7C10519F545418330347AC7434FBB10F39DD4243;
// UnityEngine.XR.ARSubsystems.XRFaceSubsystem
struct XRFaceSubsystem_tBC42015E8BB4ED0A5428E01DBB7BE769A6B140FD;
// UnityEngine.XR.ARSubsystems.XRFaceSubsystemDescriptor
struct XRFaceSubsystemDescriptor_t129999D2BF40B1016A8C70A0FDE9763C21DCD618;
// UnityEngine.XR.ARSubsystems.XRHumanBodySubsystem
struct XRHumanBodySubsystem_t71FBF94503DCE781657FA4F362464EA389CD9F2B;
// UnityEngine.XR.ARSubsystems.XRHumanBodySubsystemDescriptor
struct XRHumanBodySubsystemDescriptor_t00E75DD05B03BCC1BF5A794547615692B7A55C04;
// UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystemDescriptor
struct XRImageTrackingSubsystemDescriptor_t3EC191739B144A8AA00CEEE03E8F7FF01D7F833B;
// UnityEngine.XR.XRInputSubsystem
struct XRInputSubsystem_t74B79E3971C396F02CD32F74AE73A5DFB2A0EC09;
// UnityEngine.XR.Management.XRLoader
struct XRLoader_tE37B92C6B9CDD944DDF7AFF5704E9EB342D62F6B;
// UnityEngine.XR.Management.XRManagerSettings
struct XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F;
// UnityEngine.XR.XRMeshSubsystem
struct XRMeshSubsystem_t60BD977DF1B014CF5D48C8EBCC91DED767520D63;
// UnityEngine.XR.ARSubsystems.XRObjectTrackingSubsystemDescriptor
struct XRObjectTrackingSubsystemDescriptor_t831B568A9BE175A6A79BB87E25DEFAC519A6C472;
// UnityEngine.XR.ARSubsystems.XROcclusionSubsystem
struct XROcclusionSubsystem_t7546B929F9B5B6EB13B975FE4DB1F4099EE533B8;
// UnityEngine.XR.ARSubsystems.XROcclusionSubsystemDescriptor
struct XROcclusionSubsystemDescriptor_tC9C8F2EFB7768358C203968CA71D353F0DD234FB;
// UnityEngine.XR.ARSubsystems.XRParticipantSubsystem
struct XRParticipantSubsystem_t7F710E46FC5A17967E7CAE126DE9443C752C36FC;
// UnityEngine.XR.ARSubsystems.XRParticipantSubsystemDescriptor
struct XRParticipantSubsystemDescriptor_t533EE70DC8D4B105B9C87B76D35A7D59A84BCA55;
// UnityEngine.XR.ARSubsystems.XRPlaneSubsystem
struct XRPlaneSubsystem_t7C76F9D2C993B0DC38F0A7CDCE745EA7C12417EE;
// UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor
struct XRPlaneSubsystemDescriptor_t98B66B6D99804656DDDB45C9BDA61C2EE4EDB483;
// UnityEngine.XR.ARSubsystems.XRRaycastSubsystemDescriptor
struct XRRaycastSubsystemDescriptor_tB9891F63FC4871797BCD04DB7167142BE2049B2C;
// UnityEngine.XR.ARSubsystems.XRReferenceObjectLibrary
struct XRReferenceObjectLibrary_t07704B2996E507F23EE3C99CFC3BB73A83C99A7C;
// UnityEngine.XR.ARSubsystems.XRReferencePointSubsystemDescriptor
struct XRReferencePointSubsystemDescriptor_t8200CCC29717B3E08EECC476427E1A4E63C4EBDB;
// UnityEngine.XR.ARSubsystems.XRSessionSubsystemDescriptor
struct XRSessionSubsystemDescriptor_tC45A49D1179090D5C6D3B3DC1DC31CAB5A627B1C;
// System.Runtime.Serialization.Formatters.Binary.__BinaryWriter
struct __BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694;
// UnityEngine.XR.ARFoundation.ARMeshManager/TrackableIdComparer
struct TrackableIdComparer_tCD1A65D85AA496BEA82722E9EE819158EE0DC0CB;
// UnityEngine.AnimatorOverrideController/OnOverrideControllerDirtyCallback
struct OnOverrideControllerDirtyCallback_t9E38572D7CF06EEFF943EA68082DAC68AB40476C;
// UnityEngine.Application/LogCallback
struct LogCallback_t8C3C9B1E0F185E2A25D09DE10DD8414898698BBD;
// UnityEngine.Application/LowMemoryCallback
struct LowMemoryCallback_tF94AC614EDACA9AD4CEA3DE77FF8EFF5DA1E5240;
// System.Reflection.Assembly/ResolveEventHolder
struct ResolveEventHolder_tA37081FAEBE21D83D216225B4489BA8A37B4E13C;
// UnityEngine.AudioClip/PCMReaderCallback
struct PCMReaderCallback_t9CA1437D36509A9FAC5EDD8FF2BC3259C24D0E0B;
// UnityEngine.AudioClip/PCMSetPositionCallback
struct PCMSetPositionCallback_tBDD99E7C0697687F1E7B06CDD5DE444A3709CF4C;
// UnityEngine.Experimental.Audio.AudioSampleProvider/SampleFramesHandler
struct SampleFramesHandler_tCF0215103F7BD1AD5397731D86079D6E68AC9487;
// UnityEngine.AudioSettings/AudioConfigurationChangeHandler
struct AudioConfigurationChangeHandler_t1A997C51DF7B553A94DAD358F8D968308994774A;
// UnityEngine.Rendering.BatchRendererGroup/OnPerformCulling
struct OnPerformCulling_t44E5FE326B88CD7B1F07F3DDD2433D2D70161AEB;
// UnityEngine.UI.Button/ButtonClickedEvent
struct ButtonClickedEvent_tE6D6D94ED8100451CF00D2BED1FB2253F37BB14F;
// UnityEngine.Camera/CameraCallback
struct CameraCallback_tD9E7B69E561CE2EFDEEDB0E7F1406AC52247160D;
// UnityEngine.Canvas/WillRenderCanvases
struct WillRenderCanvases_t459621B4F3FA2571DE0ED6B4DEF0752F2E9EE958;
// TMPro.ColorTween/ColorTweenCallback
struct ColorTweenCallback_t6D0BB23EFAEEBFAA63C52F59CFF039DEDE243556;
// UnityEngine.UI.CoroutineTween.ColorTween/ColorTweenCallback
struct ColorTweenCallback_tFD140F68C9A5F1C9799A2A82FA463C4EF56F9026;
// System.Console/InternalCancelHandler
struct InternalCancelHandler_t7F0E9BBFE542C3B0E62620118961AC10E0DFB000;
// UnityEngine.CullingGroup/StateChanged
struct StateChanged_tAE96F0A8860BFCD704179F6C1F376A6FAE3E25E0;
// System.Reflection.CustomAttributeData/LazyCAttrData
struct LazyCAttrData_tD37F889F6B356AF76AB242D449CAEEFAE826F8C3;
// System.DateTimeParse/MatchNumberDelegate
struct MatchNumberDelegate_t4EB7A242D7C0B4570F59DD93F38AB3422672B199;
// UnityEngine.UI.DefaultControls/IFactoryControls
struct IFactoryControls_t1674C2BC2AAA4327A6D28590DBA44E485E473AD7;
// UnityEngine.Display/DisplaysUpdatedDelegate
struct DisplaysUpdatedDelegate_tC6A6AD44FAD98C9E28479FFF4BD3D9932458A6A1;
// UnityEngine.UI.Dropdown/DropdownEvent
struct DropdownEvent_tEB2C75C3DBC789936B31D9A979FD62E047846CFB;
// UnityEngine.UI.Dropdown/DropdownItem
struct DropdownItem_t4D0754A7D4953D1DDC5663E6877182138BF8DEEB;
// UnityEngine.UI.Dropdown/OptionData
struct OptionData_t5F665DC13C1E4307727D66ECC1100B3A77E3E857;
// UnityEngine.UI.Dropdown/OptionDataList
struct OptionDataList_t524EBDB7A2B178269FD5B4740108D0EC6404B4B6;
// System.Reflection.EventInfo/AddEventAdapter
struct AddEventAdapter_t6E27B946DE3E58DCAC2BF10DF7992922E7D8987F;
// UnityEngine.EventSystems.EventTrigger/TriggerEvent
struct TriggerEvent_t6C4DB59340B55DE906C54EE3FF7DAE4DE24A1276;
// TMPro.FloatTween/FloatTweenCallback
struct FloatTweenCallback_tFA05DE1963C7BD69C06DEAD6FFA6C107A9E1D949;
// UnityEngine.UI.CoroutineTween.FloatTween/FloatTweenCallback
struct FloatTweenCallback_t56E4D48C62B03C68A69708463C2CCF8E02BBFB23;
// UnityEngine.Font/FontTextureRebuildCallback
struct FontTextureRebuildCallback_tBF11A511EBD8D237A1C5885D460B42A45DDBB2DB;
// UnityEngine.GUILayoutUtility/LayoutCache
struct LayoutCache_t4C0528EE626F95B53EFE2AB59B8D56CB70BBDFE8;
// UnityEngine.GUISkin/SkinChangedDelegate
struct SkinChangedDelegate_t8BECC691E2A259B07F4A51D8F1A639B83F055E1E;
// UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/NameValuePair
struct NameValuePair_t5BEE3DA7E9D214707F7721C37CABF730B972BF97;
// UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/NameValuePair
struct NameValuePair_t094C9E03AB65EA488E72926E1D87B3815929D708;
// UnityEngine.UI.InputField/OnChangeEvent
struct OnChangeEvent_t2E59014A56EA94168140F0585834954B40D716F7;
// UnityEngine.UI.InputField/OnValidateInput
struct OnValidateInput_t721D2C2A7710D113E4909B36D9893CC6B1C69B9F;
// UnityEngine.UI.InputField/SubmitEvent
struct SubmitEvent_t3FD30F627DF2ADEC87C0BE69EE632AAB99F3B8A9;
// System.Runtime.Remoting.Lifetime.Lease/RenewalDelegate
struct RenewalDelegate_t6D40741FA8DD58E79285BF41736B152418747AB7;
// UnityEngine.Experimental.GlobalIllumination.Lightmapping/RequestLightsDelegate
struct RequestLightsDelegate_t48C36AFA6015405AE4069BB1F3623AF3BC51FDA0;
// System.Collections.ListDictionaryInternal/DictionaryNode
struct DictionaryNode_t9A01FA01782F6D162BA158736A5FB81CB893A33C;
// UnityEngine.Localization.LocalizedString/ChangeHandler
struct ChangeHandler_tAD5E92C85BFECCF94E39998DE6EFD68D3F917F05;
// UnityEngine.UI.MaskableGraphic/CullStateChangedEvent
struct CullStateChangedEvent_t9B69755DEBEF041C3CC15C3604610BDD72856BD4;
// System.Reflection.MonoProperty/GetterAdapter
struct GetterAdapter_t4638094A6814F5738CB2D77994423EEBAB6F342A;
// System.ParameterizedStrings/LowLevelStack
struct LowLevelStack_t2806989725D172838E82BE0AF369B5FF4A780A89;
// UnityEngine.Localization.SmartFormat.Core.Parsing.Parser/<>c__DisplayClass24_0
struct U3CU3Ec__DisplayClass24_0_t7E88E11EFD43CD879329554C9B4A358E408D3AD3;
// UnityEngine.Localization.SmartFormat.Core.Parsing.Parser/ParsingErrorText
struct ParsingErrorText_tAC0E515A3A9B190E5441D8B3D0D36AA0E3137423;
// UnityEngine.Localization.Metadata.PlatformOverride/PlatformOverrideData
struct PlatformOverrideData_tB7D2F019EF1B3D1C87CD4C9EB3D9F80170D68E79;
// UnityEngine.Playables.PlayableBinding/CreateOutputMethod
struct CreateOutputMethod_t7A129D00E8823B50AEDD0C9B082C9CB3DF863876;
// UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents/ConnectionChangeEvent
struct ConnectionChangeEvent_tCA1C8C14171C72EC394EF45450D69C1585067BDF;
// UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents/MessageEvent
struct MessageEvent_tF0C632D7EBE9C4B2B91E20F2AA4B593D1B55469B;
// UnityEngine.LowLevel.PlayerLoopSystem/UpdateFunction
struct UpdateFunction_tEDC2A88F61F179480CAA9443E6ADDA3F126B8AEA;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate
struct PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7;
// UnityEngine.EventSystems.PointerInputModule/MouseButtonEventData
struct MouseButtonEventData_tE8E157C9D47E03160B193B4853B5DF5AA3FA65B6;
// UnityEngine.EventSystems.PointerInputModule/MouseState
struct MouseState_tD62A64A795CF964D179003BB566EF667DB7DACC1;
// UnityEngine.RectTransform/ReapplyDrivenProperties
struct ReapplyDrivenProperties_t1441259DADA8FE33A95334AC24C017DFA3DEB4CE;
// UnityEngine.UI.ReflectionMethodsCache/GetRayIntersectionAllCallback
struct GetRayIntersectionAllCallback_t9D6C059892DE030746D2873EB8871415BAC79311;
// UnityEngine.UI.ReflectionMethodsCache/GetRayIntersectionAllNonAllocCallback
struct GetRayIntersectionAllNonAllocCallback_t6DAE64211C37E996B257BF2C54707DAD3474D69C;
// UnityEngine.UI.ReflectionMethodsCache/GetRaycastNonAllocCallback
struct GetRaycastNonAllocCallback_tA4A6A2336A9B9FEE31F8F5344576B3BB0A7B3F34;
// UnityEngine.UI.ReflectionMethodsCache/Raycast2DCallback
struct Raycast2DCallback_t125C1CA6D0148380915E597AC8ADBB93EFB0EE29;
// UnityEngine.UI.ReflectionMethodsCache/Raycast3DCallback
struct Raycast3DCallback_t27A8B301052E9C6A4A7D38F95293CA129C39373F;
// UnityEngine.UI.ReflectionMethodsCache/RaycastAllCallback
struct RaycastAllCallback_t48E12CFDCFDEA0CD7D83F9DDE1E341DBCC855005;
// System.Resources.ResourceManager/CultureNameResourceSetPair
struct CultureNameResourceSetPair_t7DF2947B0015A29C8148DB0F32695ECB59369A84;
// System.Resources.ResourceManager/ResourceManagerMediator
struct ResourceManagerMediator_t8562CDD205C5617282C599DB2E52D0440602903C;
// Mono.RuntimeStructs/GPtrArray
struct GPtrArray_t481A0359CDF30AF32FB5B6D0DDBA2C26F55E3555;
// Mono.RuntimeStructs/GenericParamInfo
struct GenericParamInfo_tE1D2256CC7F056DE11A394C74F8EA8071207C6D2;
// Mono.RuntimeStructs/MonoClass
struct MonoClass_t6F348B73F5E97A3C2B3FBAF82684051872811E13;
// Mono.RuntimeStructs/RemoteClass
struct RemoteClass_t2AA6BAAC498863265F1C9186436C782645A4A902;
// UnityEngine.UI.ScrollRect/ScrollRectEvent
struct ScrollRectEvent_tA2F08EF8BB0B0B0F72DB8242DC5AB17BB0D1731E;
// UnityEngine.UI.Scrollbar/ScrollEvent
struct ScrollEvent_tD181ECDC6DDCEE9E32FBEFB0E657F0001E3099ED;
// System.Threading.SemaphoreSlim/TaskNode
struct TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E;
// UnityEngine.Localization.Tables.SharedTableData/SharedTableEntry
struct SharedTableEntry_tF52A697114343CFD6DD566A7B600E1D4B860552B;
// UnityEngine.UI.Slider/SliderEvent
struct SliderEvent_t312D89AE02E00DD965D68D6F7F813BDF455FD780;
// Mono.Xml.SmallXmlParser/AttrListImpl
struct AttrListImpl_t3FA46929BCFFF60313A5940AAB20513699DC58BA;
// Mono.Xml.SmallXmlParser/IContentHandler
struct IContentHandler_t4DCBE1BBF3C625846A210931388615BFCCF7AA25;
// System.IO.Stream/ReadWriteTask
struct ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974;
// TMPro.TMP_Dropdown/DropdownEvent
struct DropdownEvent_tF21B3928B792416216B527C52F7B87EA44AA7F5A;
// TMPro.TMP_Dropdown/DropdownItem
struct DropdownItem_t1D4B22605EB395783BA669C9ECBE4773C3CA3898;
// TMPro.TMP_Dropdown/OptionData
struct OptionData_tB4568C660E74AB98EEE1E4F9B283FE4D09EEC023;
// TMPro.TMP_Dropdown/OptionDataList
struct OptionDataList_t65D7C0B329EDFEDE9B4B8B768214CB19676A4D1B;
// TMPro.TMP_InputField/OnChangeEvent
struct OnChangeEvent_tDD8E18136CE9D0B5AA66AE75E7F60D67CA7F5A03;
// TMPro.TMP_InputField/OnValidateInput
struct OnValidateInput_t669C9E4A5AA145BC2A45A711371835AECE5F66BA;
// TMPro.TMP_InputField/SelectionEvent
struct SelectionEvent_tC79F5214E33B94317C594D8B527A571961D929A8;
// TMPro.TMP_InputField/SubmitEvent
struct SubmitEvent_tCD2882D91E14B30F4FFAF154BFB4D383C0544302;
// TMPro.TMP_InputField/TextSelectionEvent
struct TextSelectionEvent_tC5B8D2B0C05A7374407913D2E6445B514EA26215;
// TMPro.TMP_InputField/TouchScreenKeyboardEvent
struct TouchScreenKeyboardEvent_t202B521A95E8D94F343354D1D54C90B5A0A756CC;
// TMPro.TMP_Settings/LineBreakingTable
struct LineBreakingTable_t5E2CD902456D50AA9B0F9C64BCF16045E86D19F2;
// System.Threading.Tasks.Task/ContingentProperties
struct ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0;
// System.Threading.ThreadPoolWorkQueue/QueueSegment
struct QueueSegment_tBF384DF1C15001FBEDB17378EB22EA233A89A0A4;
// System.Threading.ThreadPoolWorkQueue/WorkStealingQueue
struct WorkStealingQueue_t0D430FD823CAB6C050301484CE7516E1573728A0;
// System.Threading.Timer/Scheduler
struct Scheduler_tA54A9F57127EDB44B4AE39C04A488F33193349D8;
// UnityEngine.UI.Toggle/ToggleEvent
struct ToggleEvent_t7B9EFE80B7D7F16F3E7B8FA75FEF45B00E0C0075;
// System.ComponentModel.TypeConverter/StandardValuesCollection
struct StandardValuesCollection_tB8B2368EBF592D624D7A07BE6C539DE9BA9A1FB1;
// System.Uri/MoreInfo
struct MoreInfo_t15D42286ECE8DAD0B0FE9CDC1291109300C3E727;
// System.Uri/UriInfo
struct UriInfo_tCB2302A896132D1F70E47C3895FAB9A0F2A6EE45;
// UnityEngine.Video.VideoPlayer/ErrorEventHandler
struct ErrorEventHandler_tD47781EBB7CF0CC4C111496024BD59B1D1A6A1F2;
// UnityEngine.Video.VideoPlayer/EventHandler
struct EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD;
// UnityEngine.Video.VideoPlayer/FrameReadyEventHandler
struct FrameReadyEventHandler_t9529BD5A34E9C8BE7D8A39D46A6C4ABC673374EC;
// UnityEngine.Video.VideoPlayer/TimeEventHandler
struct TimeEventHandler_t7CA131EB85E0FFCBE8660E030698BD83D3994DD8;
// Microsoft.Win32.Win32Native/WIN32_FIND_DATA
struct WIN32_FIND_DATA_tE88493B22E1CDD2E595CA4F800949555399AB3C7;
// UnityEngine.XR.ARSubsystems.XRAnchorSubsystem/Provider
struct Provider_t9F286D20EB73EBBA4B6E7203C7A9051BE673C2E2;
// UnityEngine.XR.ARSubsystems.XRCameraSubsystem/Provider
struct Provider_t55916B0D2766C320DCA36A0C870BA2FD80F8B6D1;
// UnityEngine.XR.ARSubsystems.XRCpuImage/Api
struct Api_t7C92F00C6416A2C636A44AAC833C3773C567DC3E;
// UnityEngine.XR.ARSubsystems.XRDepthSubsystem/Provider
struct Provider_t8E88C17A70269CD3E96909AFCCA952AAA7DEC0B6;
// UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystem/Provider
struct Provider_tAF87FE3E906FDBF14F06488A1AA5E80400EFE190;
// UnityEngine.XR.ARSubsystems.XRFaceSubsystem/Provider
struct Provider_t0133E0DB4F1A68EB3D4814F63B14456832E3EAE7;
// UnityEngine.XR.ARSubsystems.XRHumanBodySubsystem/Provider
struct Provider_t055C90C34B2BCE8D134DF44C12823E320519168C;
// UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystem/Provider
struct Provider_tA7CEF856C3BC486ADEBD656F5535E24262AAAE9E;
// UnityEngine.XR.ARSubsystems.XRObjectTrackingSubsystem/Provider
struct Provider_t35977A2A0AA6C338BC9893668DD32F0294A9C01E;
// UnityEngine.XR.ARSubsystems.XROcclusionSubsystem/Provider
struct Provider_t5B60C630FB68EFEAB6FA2F3D9A732C144003B7FB;
// UnityEngine.XR.ARSubsystems.XRParticipantSubsystem/Provider
struct Provider_t1D0BC515976D24FD30341AC456ACFCB2DE4A344E;
// UnityEngine.XR.ARSubsystems.XRPlaneSubsystem/Provider
struct Provider_t6CB5B1036B0AAED1379F3828D695A6942B72BA12;
// UnityEngine.XR.ARSubsystems.XRRaycastSubsystem/Provider
struct Provider_tF185BE0541D2066CD242583CEFE7709DD22DD227;
// UnityEngine.XR.ARSubsystems.XRReferencePointSubsystem/Provider
struct Provider_t7974F3BD624EC305575E361EE0BCAAA3DC5B253C;
// UnityEngine.XR.ARSubsystems.XRSessionSubsystem/Provider
struct Provider_t4C3675997BB8AF3A6A32C3EC3C93C10E4D3E8D1A;
// System.Console/WindowsConsole/WindowsCancelHandler
struct WindowsCancelHandler_tFD0F0B721F93ACA04D9CD9340DA39075A8FF2ACF;
// UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider/InternalOp/BundledCatalog
struct BundledCatalog_t0339865FD3004B1640C1314D57EA3E2B4EDF91BD;
// UnityEngine.XR.ARSubsystems.XRCpuImage/Api/OnImageRequestCompleteDelegate
struct OnImageRequestCompleteDelegate_t118FB01E93241BFD5BCA5BEF2A6FD082ACAAB4DD;
struct Assembly_t_marshaled_com;
struct Assembly_t_marshaled_pinvoke;
struct AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86_marshaled_com;
struct AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B_marshaled_com;
struct AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B_marshaled_pinvoke;
struct CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4_marshaled_com;
struct CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4_marshaled_pinvoke;
struct CertificateHandler_tDA66C86D1302CE4266DBB078361F7A363C7B005E_marshaled_com;
struct Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ;
struct ContactPoint_tC179732A8E0014F5EFF5977ED1ADF12CF14A9017 ;
struct Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678_marshaled_com;
struct Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678_marshaled_pinvoke;
struct CultureData_t53CDF1C5F789A28897415891667799420D3C5529_marshaled_com;
struct CultureData_t53CDF1C5F789A28897415891667799420D3C5529_marshaled_pinvoke;
struct CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_marshaled_com;
struct CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_marshaled_pinvoke;
struct Delegate_t_marshaled_com;
struct Delegate_t_marshaled_pinvoke;
struct DownloadHandler_tEEAE0DD53DB497C8A491C4F7B7A14C3CA027B1DB_marshaled_com;
struct ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104_marshaled_com;
struct ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104_marshaled_pinvoke;
struct Exception_t_marshaled_com;
struct Exception_t_marshaled_pinvoke;
struct GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9_marshaled_com;
struct GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9_marshaled_pinvoke;
struct GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726_marshaled_com;
struct GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726_marshaled_pinvoke;
struct IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9_marshaled_com;
struct IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9_marshaled_pinvoke;
struct LocalVariableInfo_t886B53D36BA0B4BA37FEEB6DB4834A6933FDAF61_marshaled_com;
struct LocalVariableInfo_t886B53D36BA0B4BA37FEEB6DB4834A6933FDAF61_marshaled_pinvoke;
struct MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8_marshaled_com;
struct MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC_marshaled_com;
struct MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC_marshaled_pinvoke;
struct Object_tF2F3778131EFF286AF62B7B013A170F95A91571A_marshaled_com;
struct PlayerLoopSystem_t3C4FAE5D2149A8DBB8BED0C2AE9B957B7830E54C_marshaled_com;
struct PlayerLoopSystem_t3C4FAE5D2149A8DBB8BED0C2AE9B957B7830E54C_marshaled_pinvoke;
struct RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744_marshaled_com;
struct RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744_marshaled_pinvoke;
struct RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70_marshaled_com;
struct UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E_marshaled_com;
struct UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E_marshaled_pinvoke;
struct UploadHandler_t5F80A2A6874D4D330751BE3524009C21C9B74BDA_marshaled_com;
struct Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ;
struct Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ;
struct Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 ;
struct WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842_marshaled_com;
IL2CPP_EXTERN_C_BEGIN
IL2CPP_EXTERN_C_END
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
// <Module>
struct U3CModuleU3E_t5180CDC42F8AF2D32040BEE0252DF171180CBA41
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t0CE165C516AECF76E3A0EF2B889890DADDAC1F55
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t8AE0B8E7C1A6013F055610BEBB9AA6FBE27BEC4B
{
public:
public:
};
// <Module>
struct U3CModuleU3E_tD7A92A53AC93772205DA609EE6D57CD672A8EBE1
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t89ACB735D32D96EED601ADE0E5A6A6571A158522
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t0405602968139A4E20850A743CF2ADF054445765
{
public:
public:
};
// <Module>
struct U3CModuleU3E_tBBC8060C6F95337222402802CAA1A512C2A3B7C6
{
public:
public:
};
// <Module>
struct U3CModuleU3E_tB4ADCD004637A8C109CF78EFBECC4FAF4A167530
{
public:
public:
};
// <Module>
struct U3CModuleU3E_tD9C5044E4B93EB795DCBA24B2BE34549CD064A0D
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t543ED0F2CD2B242A8E0EE7920C02B157DEAE0C32
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t6861B7D83361A903AACDA9E99E229105C81F41D7
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t3E32127E22208D99C12DB5D4B496F47C059D39F6
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t1A5F46CB58C39FA8C3A1BEF72944AB765466DF6C
{
public:
public:
};
// <Module>
struct U3CModuleU3E_tC451880E1B66784143BA4EFDDE1B655D2AAB3053
{
public:
public:
};
// <Module>
struct U3CModuleU3E_tE7281C0E269ACF224AB82F00FE8D46ED8C621032
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t7768C1C288272E025E1B9080894F8B56DBF683E5
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t3C417EDD55E853BAA084114A5B12880739B4473C
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t7988782848E87B4A172D2199D2BAC372F93351FD
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t6975E9BBACF02877D569BBF09DC44C44D3C346CB
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t358354341E77DEF07B7F77A9E595BB5DEA737883
{
public:
public:
};
// <Module>
struct U3CModuleU3E_tFAA9E074DCFFF466D21223A3D56A3524B4C3F69C
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t6226C5D5D5D42BA275E701E2E0B295A4087FA1DB
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t905504B7CBE05E784AEC4443FEDCFE53912DE260
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t2F6B72E5B55148A7B1DBD6B42B301AEC3ECE86DB
{
public:
public:
};
// <Module>
struct U3CModuleU3E_tBD55D819095BEB8CFBE9189C81CA6F594153328E
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t1DC71DA730C86A37358931363055DCAE9C80E894
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t0349A77A3F13355590A8D42950AB18125A07DF5D
{
public:
public:
};
// <Module>
struct U3CModuleU3E_tB9AD1E70EEC6CD05D7E857DE3C07E77B470C8679
{
public:
public:
};
// <Module>
struct U3CModuleU3E_tC43E3828CD23D91917D996FCE04516C5EF9F6DD6
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t3CFE0CAC7C49A00CC76E839173CB7A9E7A53560A
{
public:
public:
};
// <Module>
struct U3CModuleU3E_tF7FEB84D8A221BE7CE101152ED17C3BE04A96C35
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t150467B5E6E8258587CB024AE75B1A135A1FB7C8
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t7D657B68C133361A594C708A6FD672221623F690
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t52269C3CB045A95B23D81F414AA4B6CB764716D6
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t387C3A5D8DF282CC81FF17F14C42A606D7D79211
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t76F5102420855B99D8AB78E8C4721C49E0DD7F30
{
public:
public:
};
// <Module>
struct U3CModuleU3E_tC9C6530584DC223DA234435B8DCE815595D69471
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t63B6B48305101546DF11B47878CCA7AEAAAC0934
{
public:
public:
};
// <Module>
struct U3CModuleU3E_tC81EA6223B5DC14CA590D1BADEDD82F8EB8B39EF
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t7757219A6D4DF3F0E2950E860119AEA621C68AF1
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t1E1B852027794298A682FBC1BEE318B6EABAD94F
{
public:
public:
};
// <Module>
struct U3CModuleU3E_t13085998ACE1F9784C71EBF90744F0D7DC65E36F
{
public:
public:
};
// System.Object
// System.Collections.Generic.EqualityComparer`1<System.Byte>
struct EqualityComparer_1_t315BFEDB969101238C563049FF00D5CB9F8D6509 : public RuntimeObject
{
public:
public:
};
struct EqualityComparer_1_t315BFEDB969101238C563049FF00D5CB9F8D6509_StaticFields
{
public:
// System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer
EqualityComparer_1_t315BFEDB969101238C563049FF00D5CB9F8D6509 * ___defaultComparer_0;
public:
inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_t315BFEDB969101238C563049FF00D5CB9F8D6509_StaticFields, ___defaultComparer_0)); }
inline EqualityComparer_1_t315BFEDB969101238C563049FF00D5CB9F8D6509 * get_defaultComparer_0() const { return ___defaultComparer_0; }
inline EqualityComparer_1_t315BFEDB969101238C563049FF00D5CB9F8D6509 ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; }
inline void set_defaultComparer_0(EqualityComparer_1_t315BFEDB969101238C563049FF00D5CB9F8D6509 * value)
{
___defaultComparer_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value);
}
};
// System.Collections.Generic.EqualityComparer`1<System.String>
struct EqualityComparer_1_tDC2082D4D5947A0F76D6FA7870E09811B1A8B69E : public RuntimeObject
{
public:
public:
};
struct EqualityComparer_1_tDC2082D4D5947A0F76D6FA7870E09811B1A8B69E_StaticFields
{
public:
// System.Collections.Generic.EqualityComparer`1<T> modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Generic.EqualityComparer`1::defaultComparer
EqualityComparer_1_tDC2082D4D5947A0F76D6FA7870E09811B1A8B69E * ___defaultComparer_0;
public:
inline static int32_t get_offset_of_defaultComparer_0() { return static_cast<int32_t>(offsetof(EqualityComparer_1_tDC2082D4D5947A0F76D6FA7870E09811B1A8B69E_StaticFields, ___defaultComparer_0)); }
inline EqualityComparer_1_tDC2082D4D5947A0F76D6FA7870E09811B1A8B69E * get_defaultComparer_0() const { return ___defaultComparer_0; }
inline EqualityComparer_1_tDC2082D4D5947A0F76D6FA7870E09811B1A8B69E ** get_address_of_defaultComparer_0() { return &___defaultComparer_0; }
inline void set_defaultComparer_0(EqualityComparer_1_tDC2082D4D5947A0F76D6FA7870E09811B1A8B69E * value)
{
___defaultComparer_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___defaultComparer_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariable`1<System.Boolean>
struct GlobalVariable_1_tA3907D1EC4CFE7DC4013DCF108515D346A2A36CE : public RuntimeObject
{
public:
// T UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariable`1::m_Value
bool ___m_Value_0;
// System.Action`1<UnityEngine.Localization.SmartFormat.GlobalVariables.IGlobalVariable> UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariable`1::ValueChanged
Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E * ___ValueChanged_1;
public:
inline static int32_t get_offset_of_m_Value_0() { return static_cast<int32_t>(offsetof(GlobalVariable_1_tA3907D1EC4CFE7DC4013DCF108515D346A2A36CE, ___m_Value_0)); }
inline bool get_m_Value_0() const { return ___m_Value_0; }
inline bool* get_address_of_m_Value_0() { return &___m_Value_0; }
inline void set_m_Value_0(bool value)
{
___m_Value_0 = value;
}
inline static int32_t get_offset_of_ValueChanged_1() { return static_cast<int32_t>(offsetof(GlobalVariable_1_tA3907D1EC4CFE7DC4013DCF108515D346A2A36CE, ___ValueChanged_1)); }
inline Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E * get_ValueChanged_1() const { return ___ValueChanged_1; }
inline Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E ** get_address_of_ValueChanged_1() { return &___ValueChanged_1; }
inline void set_ValueChanged_1(Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E * value)
{
___ValueChanged_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ValueChanged_1), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariable`1<UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup>
struct GlobalVariable_1_tF0DC13F520CE223A76638F09EF155AA2C265114C : public RuntimeObject
{
public:
// T UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariable`1::m_Value
GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A * ___m_Value_0;
// System.Action`1<UnityEngine.Localization.SmartFormat.GlobalVariables.IGlobalVariable> UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariable`1::ValueChanged
Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E * ___ValueChanged_1;
public:
inline static int32_t get_offset_of_m_Value_0() { return static_cast<int32_t>(offsetof(GlobalVariable_1_tF0DC13F520CE223A76638F09EF155AA2C265114C, ___m_Value_0)); }
inline GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A * get_m_Value_0() const { return ___m_Value_0; }
inline GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A ** get_address_of_m_Value_0() { return &___m_Value_0; }
inline void set_m_Value_0(GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A * value)
{
___m_Value_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Value_0), (void*)value);
}
inline static int32_t get_offset_of_ValueChanged_1() { return static_cast<int32_t>(offsetof(GlobalVariable_1_tF0DC13F520CE223A76638F09EF155AA2C265114C, ___ValueChanged_1)); }
inline Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E * get_ValueChanged_1() const { return ___ValueChanged_1; }
inline Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E ** get_address_of_ValueChanged_1() { return &___ValueChanged_1; }
inline void set_ValueChanged_1(Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E * value)
{
___ValueChanged_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ValueChanged_1), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariable`1<System.Int32>
struct GlobalVariable_1_t7A50433844FB310AB32B2BF5566B7DDCD0C1F794 : public RuntimeObject
{
public:
// T UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariable`1::m_Value
int32_t ___m_Value_0;
// System.Action`1<UnityEngine.Localization.SmartFormat.GlobalVariables.IGlobalVariable> UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariable`1::ValueChanged
Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E * ___ValueChanged_1;
public:
inline static int32_t get_offset_of_m_Value_0() { return static_cast<int32_t>(offsetof(GlobalVariable_1_t7A50433844FB310AB32B2BF5566B7DDCD0C1F794, ___m_Value_0)); }
inline int32_t get_m_Value_0() const { return ___m_Value_0; }
inline int32_t* get_address_of_m_Value_0() { return &___m_Value_0; }
inline void set_m_Value_0(int32_t value)
{
___m_Value_0 = value;
}
inline static int32_t get_offset_of_ValueChanged_1() { return static_cast<int32_t>(offsetof(GlobalVariable_1_t7A50433844FB310AB32B2BF5566B7DDCD0C1F794, ___ValueChanged_1)); }
inline Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E * get_ValueChanged_1() const { return ___ValueChanged_1; }
inline Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E ** get_address_of_ValueChanged_1() { return &___ValueChanged_1; }
inline void set_ValueChanged_1(Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E * value)
{
___ValueChanged_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ValueChanged_1), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariable`1<System.Single>
struct GlobalVariable_1_t18026FBD4FEC7AC1E2967D67F586B7C7B688AA57 : public RuntimeObject
{
public:
// T UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariable`1::m_Value
float ___m_Value_0;
// System.Action`1<UnityEngine.Localization.SmartFormat.GlobalVariables.IGlobalVariable> UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariable`1::ValueChanged
Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E * ___ValueChanged_1;
public:
inline static int32_t get_offset_of_m_Value_0() { return static_cast<int32_t>(offsetof(GlobalVariable_1_t18026FBD4FEC7AC1E2967D67F586B7C7B688AA57, ___m_Value_0)); }
inline float get_m_Value_0() const { return ___m_Value_0; }
inline float* get_address_of_m_Value_0() { return &___m_Value_0; }
inline void set_m_Value_0(float value)
{
___m_Value_0 = value;
}
inline static int32_t get_offset_of_ValueChanged_1() { return static_cast<int32_t>(offsetof(GlobalVariable_1_t18026FBD4FEC7AC1E2967D67F586B7C7B688AA57, ___ValueChanged_1)); }
inline Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E * get_ValueChanged_1() const { return ___ValueChanged_1; }
inline Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E ** get_address_of_ValueChanged_1() { return &___ValueChanged_1; }
inline void set_ValueChanged_1(Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E * value)
{
___ValueChanged_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ValueChanged_1), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariable`1<System.String>
struct GlobalVariable_1_t2CB49D01A6833376B5AA34A206C92BA458FD3597 : public RuntimeObject
{
public:
// T UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariable`1::m_Value
String_t* ___m_Value_0;
// System.Action`1<UnityEngine.Localization.SmartFormat.GlobalVariables.IGlobalVariable> UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariable`1::ValueChanged
Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E * ___ValueChanged_1;
public:
inline static int32_t get_offset_of_m_Value_0() { return static_cast<int32_t>(offsetof(GlobalVariable_1_t2CB49D01A6833376B5AA34A206C92BA458FD3597, ___m_Value_0)); }
inline String_t* get_m_Value_0() const { return ___m_Value_0; }
inline String_t** get_address_of_m_Value_0() { return &___m_Value_0; }
inline void set_m_Value_0(String_t* value)
{
___m_Value_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Value_0), (void*)value);
}
inline static int32_t get_offset_of_ValueChanged_1() { return static_cast<int32_t>(offsetof(GlobalVariable_1_t2CB49D01A6833376B5AA34A206C92BA458FD3597, ___ValueChanged_1)); }
inline Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E * get_ValueChanged_1() const { return ___ValueChanged_1; }
inline Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E ** get_address_of_ValueChanged_1() { return &___ValueChanged_1; }
inline void set_ValueChanged_1(Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E * value)
{
___ValueChanged_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ValueChanged_1), (void*)value);
}
};
// System.IO.SearchResultHandler`1<System.String>
struct SearchResultHandler_1_tD1762938C5B5C9DD6F37A443145D75976531CF82 : public RuntimeObject
{
public:
public:
};
// <PrivateImplementationDetails>
struct U3CPrivateImplementationDetailsU3E_tE65ED5F1D3A63B5FD36E20F0E76A6590D1E03E4A : public RuntimeObject
{
public:
public:
};
// <PrivateImplementationDetails>
struct U3CPrivateImplementationDetailsU3E_t4A238B9C28C30A3039E29BA213CAEDC4AE1C7BB0 : public RuntimeObject
{
public:
public:
};
struct U3CPrivateImplementationDetailsU3E_t4A238B9C28C30A3039E29BA213CAEDC4AE1C7BB0_StaticFields
{
public:
// System.Int64 <PrivateImplementationDetails>::2D2025322643CE1497D8FB03FA789F27E833CF43545CA1003AFEFEA250D39313
int64_t ___2D2025322643CE1497D8FB03FA789F27E833CF43545CA1003AFEFEA250D39313_0;
public:
inline static int32_t get_offset_of_U32D2025322643CE1497D8FB03FA789F27E833CF43545CA1003AFEFEA250D39313_0() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t4A238B9C28C30A3039E29BA213CAEDC4AE1C7BB0_StaticFields, ___2D2025322643CE1497D8FB03FA789F27E833CF43545CA1003AFEFEA250D39313_0)); }
inline int64_t get_U32D2025322643CE1497D8FB03FA789F27E833CF43545CA1003AFEFEA250D39313_0() const { return ___2D2025322643CE1497D8FB03FA789F27E833CF43545CA1003AFEFEA250D39313_0; }
inline int64_t* get_address_of_U32D2025322643CE1497D8FB03FA789F27E833CF43545CA1003AFEFEA250D39313_0() { return &___2D2025322643CE1497D8FB03FA789F27E833CF43545CA1003AFEFEA250D39313_0; }
inline void set_U32D2025322643CE1497D8FB03FA789F27E833CF43545CA1003AFEFEA250D39313_0(int64_t value)
{
___2D2025322643CE1497D8FB03FA789F27E833CF43545CA1003AFEFEA250D39313_0 = value;
}
};
// UnityEngine._Scripting.APIUpdating.APIUpdaterRuntimeHelpers
struct APIUpdaterRuntimeHelpers_t4A2F8F214D521815FEBA1F0E23C8F183539C516A : public RuntimeObject
{
public:
public:
};
// UnityEngine.XR.ARFoundation.ARPlaneMeshGenerators
struct ARPlaneMeshGenerators_t74107DEC770B394B32C215FEC11C39D8315CB2C9 : public RuntimeObject
{
public:
public:
};
struct ARPlaneMeshGenerators_t74107DEC770B394B32C215FEC11C39D8315CB2C9_StaticFields
{
public:
// System.Collections.Generic.List`1<System.Int32> UnityEngine.XR.ARFoundation.ARPlaneMeshGenerators::s_Indices
List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * ___s_Indices_0;
// System.Collections.Generic.List`1<UnityEngine.Vector2> UnityEngine.XR.ARFoundation.ARPlaneMeshGenerators::s_Uvs
List_1_t400048180333F4A09A4A727C9A666AA5D2BB27A9 * ___s_Uvs_1;
// System.Collections.Generic.List`1<UnityEngine.Vector3> UnityEngine.XR.ARFoundation.ARPlaneMeshGenerators::s_Vertices
List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181 * ___s_Vertices_2;
public:
inline static int32_t get_offset_of_s_Indices_0() { return static_cast<int32_t>(offsetof(ARPlaneMeshGenerators_t74107DEC770B394B32C215FEC11C39D8315CB2C9_StaticFields, ___s_Indices_0)); }
inline List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * get_s_Indices_0() const { return ___s_Indices_0; }
inline List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 ** get_address_of_s_Indices_0() { return &___s_Indices_0; }
inline void set_s_Indices_0(List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * value)
{
___s_Indices_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Indices_0), (void*)value);
}
inline static int32_t get_offset_of_s_Uvs_1() { return static_cast<int32_t>(offsetof(ARPlaneMeshGenerators_t74107DEC770B394B32C215FEC11C39D8315CB2C9_StaticFields, ___s_Uvs_1)); }
inline List_1_t400048180333F4A09A4A727C9A666AA5D2BB27A9 * get_s_Uvs_1() const { return ___s_Uvs_1; }
inline List_1_t400048180333F4A09A4A727C9A666AA5D2BB27A9 ** get_address_of_s_Uvs_1() { return &___s_Uvs_1; }
inline void set_s_Uvs_1(List_1_t400048180333F4A09A4A727C9A666AA5D2BB27A9 * value)
{
___s_Uvs_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Uvs_1), (void*)value);
}
inline static int32_t get_offset_of_s_Vertices_2() { return static_cast<int32_t>(offsetof(ARPlaneMeshGenerators_t74107DEC770B394B32C215FEC11C39D8315CB2C9_StaticFields, ___s_Vertices_2)); }
inline List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181 * get_s_Vertices_2() const { return ___s_Vertices_2; }
inline List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181 ** get_address_of_s_Vertices_2() { return &___s_Vertices_2; }
inline void set_s_Vertices_2(List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181 * value)
{
___s_Vertices_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Vertices_2), (void*)value);
}
};
// Mono.Security.ASN1
struct ASN1_tCB86B6A02250200ED166EA857DC3D1C422BD94D8 : public RuntimeObject
{
public:
// System.Byte Mono.Security.ASN1::m_nTag
uint8_t ___m_nTag_0;
// System.Byte[] Mono.Security.ASN1::m_aValue
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___m_aValue_1;
// System.Collections.ArrayList Mono.Security.ASN1::elist
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * ___elist_2;
public:
inline static int32_t get_offset_of_m_nTag_0() { return static_cast<int32_t>(offsetof(ASN1_tCB86B6A02250200ED166EA857DC3D1C422BD94D8, ___m_nTag_0)); }
inline uint8_t get_m_nTag_0() const { return ___m_nTag_0; }
inline uint8_t* get_address_of_m_nTag_0() { return &___m_nTag_0; }
inline void set_m_nTag_0(uint8_t value)
{
___m_nTag_0 = value;
}
inline static int32_t get_offset_of_m_aValue_1() { return static_cast<int32_t>(offsetof(ASN1_tCB86B6A02250200ED166EA857DC3D1C422BD94D8, ___m_aValue_1)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_m_aValue_1() const { return ___m_aValue_1; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_m_aValue_1() { return &___m_aValue_1; }
inline void set_m_aValue_1(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___m_aValue_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_aValue_1), (void*)value);
}
inline static int32_t get_offset_of_elist_2() { return static_cast<int32_t>(offsetof(ASN1_tCB86B6A02250200ED166EA857DC3D1C422BD94D8, ___elist_2)); }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * get_elist_2() const { return ___elist_2; }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 ** get_address_of_elist_2() { return &___elist_2; }
inline void set_elist_2(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * value)
{
___elist_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___elist_2), (void*)value);
}
};
// Mono.Security.ASN1Convert
struct ASN1Convert_t087D999F0A752CDD5CE4F1112D06ADD6D88A1647 : public RuntimeObject
{
public:
public:
};
// UnityEngine.EventSystems.AbstractEventData
struct AbstractEventData_tA0B5065DE3430C0031ADE061668E1C7073D718DF : public RuntimeObject
{
public:
// System.Boolean UnityEngine.EventSystems.AbstractEventData::m_Used
bool ___m_Used_0;
public:
inline static int32_t get_offset_of_m_Used_0() { return static_cast<int32_t>(offsetof(AbstractEventData_tA0B5065DE3430C0031ADE061668E1C7073D718DF, ___m_Used_0)); }
inline bool get_m_Used_0() const { return ___m_Used_0; }
inline bool* get_address_of_m_Used_0() { return &___m_Used_0; }
inline void set_m_Used_0(bool value)
{
___m_Used_0 = value;
}
};
// UnityEngine.SocialPlatforms.Impl.AchievementDescription
struct AchievementDescription_t6C56CB1D0F1F374C45EC0F65D5F1192C170B6506 : 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_t9B604D0D8E28032123641A7E7338FA872E2698BF * ___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_t6C56CB1D0F1F374C45EC0F65D5F1192C170B6506, ___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((void**)(&___m_Title_0), (void*)value);
}
inline static int32_t get_offset_of_m_Image_1() { return static_cast<int32_t>(offsetof(AchievementDescription_t6C56CB1D0F1F374C45EC0F65D5F1192C170B6506, ___m_Image_1)); }
inline Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * get_m_Image_1() const { return ___m_Image_1; }
inline Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF ** get_address_of_m_Image_1() { return &___m_Image_1; }
inline void set_m_Image_1(Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * value)
{
___m_Image_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Image_1), (void*)value);
}
inline static int32_t get_offset_of_m_AchievedDescription_2() { return static_cast<int32_t>(offsetof(AchievementDescription_t6C56CB1D0F1F374C45EC0F65D5F1192C170B6506, ___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((void**)(&___m_AchievedDescription_2), (void*)value);
}
inline static int32_t get_offset_of_m_UnachievedDescription_3() { return static_cast<int32_t>(offsetof(AchievementDescription_t6C56CB1D0F1F374C45EC0F65D5F1192C170B6506, ___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((void**)(&___m_UnachievedDescription_3), (void*)value);
}
inline static int32_t get_offset_of_m_Hidden_4() { return static_cast<int32_t>(offsetof(AchievementDescription_t6C56CB1D0F1F374C45EC0F65D5F1192C170B6506, ___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_t6C56CB1D0F1F374C45EC0F65D5F1192C170B6506, ___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_t6C56CB1D0F1F374C45EC0F65D5F1192C170B6506, ___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((void**)(&___U3CidU3Ek__BackingField_6), (void*)value);
}
};
// System.Runtime.Remoting.Activation.ActivationServices
struct ActivationServices_tAF202CB80CD4714D0F3EAB20DB18A203AECFCB73 : public RuntimeObject
{
public:
public:
};
struct ActivationServices_tAF202CB80CD4714D0F3EAB20DB18A203AECFCB73_StaticFields
{
public:
// System.Runtime.Remoting.Activation.IActivator System.Runtime.Remoting.Activation.ActivationServices::_constructionActivator
RuntimeObject* ____constructionActivator_0;
public:
inline static int32_t get_offset_of__constructionActivator_0() { return static_cast<int32_t>(offsetof(ActivationServices_tAF202CB80CD4714D0F3EAB20DB18A203AECFCB73_StaticFields, ____constructionActivator_0)); }
inline RuntimeObject* get__constructionActivator_0() const { return ____constructionActivator_0; }
inline RuntimeObject** get_address_of__constructionActivator_0() { return &____constructionActivator_0; }
inline void set__constructionActivator_0(RuntimeObject* value)
{
____constructionActivator_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____constructionActivator_0), (void*)value);
}
};
// System.Activator
struct Activator_t1AA661A19D2BA6737D3693FA1C206925035738F8 : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.Platform.Android.AdaptiveIcon
struct AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D : public RuntimeObject
{
public:
// UnityEngine.Localization.LocalizedTexture UnityEngine.Localization.Platform.Android.AdaptiveIcon::m_Background
LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * ___m_Background_0;
// UnityEngine.Localization.LocalizedTexture UnityEngine.Localization.Platform.Android.AdaptiveIcon::m_Foreground
LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * ___m_Foreground_1;
public:
inline static int32_t get_offset_of_m_Background_0() { return static_cast<int32_t>(offsetof(AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D, ___m_Background_0)); }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * get_m_Background_0() const { return ___m_Background_0; }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F ** get_address_of_m_Background_0() { return &___m_Background_0; }
inline void set_m_Background_0(LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * value)
{
___m_Background_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Background_0), (void*)value);
}
inline static int32_t get_offset_of_m_Foreground_1() { return static_cast<int32_t>(offsetof(AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D, ___m_Foreground_1)); }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * get_m_Foreground_1() const { return ___m_Foreground_1; }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F ** get_address_of_m_Foreground_1() { return &___m_Foreground_1; }
inline void set_m_Foreground_1(LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * value)
{
___m_Foreground_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Foreground_1), (void*)value);
}
};
// UnityEngine.Localization.Platform.Android.AdaptiveIconsInfo
struct AdaptiveIconsInfo_t88DCF67F379FCE17EEFEAD2451DC3DB05BD401BE : public RuntimeObject
{
public:
// UnityEngine.Localization.Platform.Android.AdaptiveIcon UnityEngine.Localization.Platform.Android.AdaptiveIconsInfo::m_Adaptive_hdpi
AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D * ___m_Adaptive_hdpi_0;
// UnityEngine.Localization.Platform.Android.AdaptiveIcon UnityEngine.Localization.Platform.Android.AdaptiveIconsInfo::m_Adaptive_idpi
AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D * ___m_Adaptive_idpi_1;
// UnityEngine.Localization.Platform.Android.AdaptiveIcon UnityEngine.Localization.Platform.Android.AdaptiveIconsInfo::m_Adaptive_mdpi
AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D * ___m_Adaptive_mdpi_2;
// UnityEngine.Localization.Platform.Android.AdaptiveIcon UnityEngine.Localization.Platform.Android.AdaptiveIconsInfo::m_Adaptive_xhdpi
AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D * ___m_Adaptive_xhdpi_3;
// UnityEngine.Localization.Platform.Android.AdaptiveIcon UnityEngine.Localization.Platform.Android.AdaptiveIconsInfo::m_Adaptive_xxhdpi
AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D * ___m_Adaptive_xxhdpi_4;
// UnityEngine.Localization.Platform.Android.AdaptiveIcon UnityEngine.Localization.Platform.Android.AdaptiveIconsInfo::m_Adaptive_xxxhdpi
AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D * ___m_Adaptive_xxxhdpi_5;
public:
inline static int32_t get_offset_of_m_Adaptive_hdpi_0() { return static_cast<int32_t>(offsetof(AdaptiveIconsInfo_t88DCF67F379FCE17EEFEAD2451DC3DB05BD401BE, ___m_Adaptive_hdpi_0)); }
inline AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D * get_m_Adaptive_hdpi_0() const { return ___m_Adaptive_hdpi_0; }
inline AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D ** get_address_of_m_Adaptive_hdpi_0() { return &___m_Adaptive_hdpi_0; }
inline void set_m_Adaptive_hdpi_0(AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D * value)
{
___m_Adaptive_hdpi_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Adaptive_hdpi_0), (void*)value);
}
inline static int32_t get_offset_of_m_Adaptive_idpi_1() { return static_cast<int32_t>(offsetof(AdaptiveIconsInfo_t88DCF67F379FCE17EEFEAD2451DC3DB05BD401BE, ___m_Adaptive_idpi_1)); }
inline AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D * get_m_Adaptive_idpi_1() const { return ___m_Adaptive_idpi_1; }
inline AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D ** get_address_of_m_Adaptive_idpi_1() { return &___m_Adaptive_idpi_1; }
inline void set_m_Adaptive_idpi_1(AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D * value)
{
___m_Adaptive_idpi_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Adaptive_idpi_1), (void*)value);
}
inline static int32_t get_offset_of_m_Adaptive_mdpi_2() { return static_cast<int32_t>(offsetof(AdaptiveIconsInfo_t88DCF67F379FCE17EEFEAD2451DC3DB05BD401BE, ___m_Adaptive_mdpi_2)); }
inline AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D * get_m_Adaptive_mdpi_2() const { return ___m_Adaptive_mdpi_2; }
inline AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D ** get_address_of_m_Adaptive_mdpi_2() { return &___m_Adaptive_mdpi_2; }
inline void set_m_Adaptive_mdpi_2(AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D * value)
{
___m_Adaptive_mdpi_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Adaptive_mdpi_2), (void*)value);
}
inline static int32_t get_offset_of_m_Adaptive_xhdpi_3() { return static_cast<int32_t>(offsetof(AdaptiveIconsInfo_t88DCF67F379FCE17EEFEAD2451DC3DB05BD401BE, ___m_Adaptive_xhdpi_3)); }
inline AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D * get_m_Adaptive_xhdpi_3() const { return ___m_Adaptive_xhdpi_3; }
inline AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D ** get_address_of_m_Adaptive_xhdpi_3() { return &___m_Adaptive_xhdpi_3; }
inline void set_m_Adaptive_xhdpi_3(AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D * value)
{
___m_Adaptive_xhdpi_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Adaptive_xhdpi_3), (void*)value);
}
inline static int32_t get_offset_of_m_Adaptive_xxhdpi_4() { return static_cast<int32_t>(offsetof(AdaptiveIconsInfo_t88DCF67F379FCE17EEFEAD2451DC3DB05BD401BE, ___m_Adaptive_xxhdpi_4)); }
inline AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D * get_m_Adaptive_xxhdpi_4() const { return ___m_Adaptive_xxhdpi_4; }
inline AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D ** get_address_of_m_Adaptive_xxhdpi_4() { return &___m_Adaptive_xxhdpi_4; }
inline void set_m_Adaptive_xxhdpi_4(AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D * value)
{
___m_Adaptive_xxhdpi_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Adaptive_xxhdpi_4), (void*)value);
}
inline static int32_t get_offset_of_m_Adaptive_xxxhdpi_5() { return static_cast<int32_t>(offsetof(AdaptiveIconsInfo_t88DCF67F379FCE17EEFEAD2451DC3DB05BD401BE, ___m_Adaptive_xxxhdpi_5)); }
inline AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D * get_m_Adaptive_xxxhdpi_5() const { return ___m_Adaptive_xxxhdpi_5; }
inline AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D ** get_address_of_m_Adaptive_xxxhdpi_5() { return &___m_Adaptive_xxxhdpi_5; }
inline void set_m_Adaptive_xxxhdpi_5(AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D * value)
{
___m_Adaptive_xxxhdpi_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Adaptive_xxxhdpi_5), (void*)value);
}
};
// UnityEngine.XR.ARSubsystems.AddReferenceImageJobStatusExtensions
struct AddReferenceImageJobStatusExtensions_t3B8F2FE607E972C30A8BCC05787A32C7D0A5A627 : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.AddressHelper
struct AddressHelper_t7EB0BE2A12741CF9A04E34F727789DF12D5E24C0 : public RuntimeObject
{
public:
public:
};
// UnityEngine.AddressableAssets.Addressables
struct Addressables_t7F51877471833E53C4F87465F14E6A5FD072ABFF : public RuntimeObject
{
public:
public:
};
struct Addressables_t7F51877471833E53C4F87465F14E6A5FD072ABFF_StaticFields
{
public:
// System.Boolean UnityEngine.AddressableAssets.Addressables::reinitializeAddressables
bool ___reinitializeAddressables_0;
// UnityEngine.AddressableAssets.AddressablesImpl UnityEngine.AddressableAssets.Addressables::m_AddressablesInstance
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * ___m_AddressablesInstance_1;
// System.String UnityEngine.AddressableAssets.Addressables::LibraryPath
String_t* ___LibraryPath_2;
public:
inline static int32_t get_offset_of_reinitializeAddressables_0() { return static_cast<int32_t>(offsetof(Addressables_t7F51877471833E53C4F87465F14E6A5FD072ABFF_StaticFields, ___reinitializeAddressables_0)); }
inline bool get_reinitializeAddressables_0() const { return ___reinitializeAddressables_0; }
inline bool* get_address_of_reinitializeAddressables_0() { return &___reinitializeAddressables_0; }
inline void set_reinitializeAddressables_0(bool value)
{
___reinitializeAddressables_0 = value;
}
inline static int32_t get_offset_of_m_AddressablesInstance_1() { return static_cast<int32_t>(offsetof(Addressables_t7F51877471833E53C4F87465F14E6A5FD072ABFF_StaticFields, ___m_AddressablesInstance_1)); }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * get_m_AddressablesInstance_1() const { return ___m_AddressablesInstance_1; }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 ** get_address_of_m_AddressablesInstance_1() { return &___m_AddressablesInstance_1; }
inline void set_m_AddressablesInstance_1(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * value)
{
___m_AddressablesInstance_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_AddressablesInstance_1), (void*)value);
}
inline static int32_t get_offset_of_LibraryPath_2() { return static_cast<int32_t>(offsetof(Addressables_t7F51877471833E53C4F87465F14E6A5FD072ABFF_StaticFields, ___LibraryPath_2)); }
inline String_t* get_LibraryPath_2() const { return ___LibraryPath_2; }
inline String_t** get_address_of_LibraryPath_2() { return &___LibraryPath_2; }
inline void set_LibraryPath_2(String_t* value)
{
___LibraryPath_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___LibraryPath_2), (void*)value);
}
};
// UnityEngine.Localization.AddressablesInterface
struct AddressablesInterface_t886D152C08420B515FDEA81ED0CF77A0FC881075 : public RuntimeObject
{
public:
public:
};
struct AddressablesInterface_t886D152C08420B515FDEA81ED0CF77A0FC881075_StaticFields
{
public:
// UnityEngine.Localization.AddressablesInterface UnityEngine.Localization.AddressablesInterface::s_Instance
AddressablesInterface_t886D152C08420B515FDEA81ED0CF77A0FC881075 * ___s_Instance_0;
public:
inline static int32_t get_offset_of_s_Instance_0() { return static_cast<int32_t>(offsetof(AddressablesInterface_t886D152C08420B515FDEA81ED0CF77A0FC881075_StaticFields, ___s_Instance_0)); }
inline AddressablesInterface_t886D152C08420B515FDEA81ED0CF77A0FC881075 * get_s_Instance_0() const { return ___s_Instance_0; }
inline AddressablesInterface_t886D152C08420B515FDEA81ED0CF77A0FC881075 ** get_address_of_s_Instance_0() { return &___s_Instance_0; }
inline void set_s_Instance_0(AddressablesInterface_t886D152C08420B515FDEA81ED0CF77A0FC881075 * value)
{
___s_Instance_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Instance_0), (void*)value);
}
};
// UnityEngine.AddressableAssets.Initialization.AddressablesRuntimeProperties
struct AddressablesRuntimeProperties_tFF56BF5BC1B0079592936893C6CFED8D34F1D0BE : public RuntimeObject
{
public:
public:
};
struct AddressablesRuntimeProperties_tFF56BF5BC1B0079592936893C6CFED8D34F1D0BE_StaticFields
{
public:
// System.Collections.Generic.Stack`1<System.String> UnityEngine.AddressableAssets.Initialization.AddressablesRuntimeProperties::s_TokenStack
Stack_1_tF2F8B5476F614882C00CEDDE027482B818D7FF1D * ___s_TokenStack_0;
// System.Collections.Generic.Stack`1<System.Int32> UnityEngine.AddressableAssets.Initialization.AddressablesRuntimeProperties::s_TokenStartStack
Stack_1_tC6C298385D16F10F391B84280D21FE059A45CC55 * ___s_TokenStartStack_1;
// System.Collections.Generic.Dictionary`2<System.String,System.String> UnityEngine.AddressableAssets.Initialization.AddressablesRuntimeProperties::s_CachedValues
Dictionary_2_tDE3227CA5E7A32F5070BD24C69F42204A3ADE9D5 * ___s_CachedValues_2;
public:
inline static int32_t get_offset_of_s_TokenStack_0() { return static_cast<int32_t>(offsetof(AddressablesRuntimeProperties_tFF56BF5BC1B0079592936893C6CFED8D34F1D0BE_StaticFields, ___s_TokenStack_0)); }
inline Stack_1_tF2F8B5476F614882C00CEDDE027482B818D7FF1D * get_s_TokenStack_0() const { return ___s_TokenStack_0; }
inline Stack_1_tF2F8B5476F614882C00CEDDE027482B818D7FF1D ** get_address_of_s_TokenStack_0() { return &___s_TokenStack_0; }
inline void set_s_TokenStack_0(Stack_1_tF2F8B5476F614882C00CEDDE027482B818D7FF1D * value)
{
___s_TokenStack_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_TokenStack_0), (void*)value);
}
inline static int32_t get_offset_of_s_TokenStartStack_1() { return static_cast<int32_t>(offsetof(AddressablesRuntimeProperties_tFF56BF5BC1B0079592936893C6CFED8D34F1D0BE_StaticFields, ___s_TokenStartStack_1)); }
inline Stack_1_tC6C298385D16F10F391B84280D21FE059A45CC55 * get_s_TokenStartStack_1() const { return ___s_TokenStartStack_1; }
inline Stack_1_tC6C298385D16F10F391B84280D21FE059A45CC55 ** get_address_of_s_TokenStartStack_1() { return &___s_TokenStartStack_1; }
inline void set_s_TokenStartStack_1(Stack_1_tC6C298385D16F10F391B84280D21FE059A45CC55 * value)
{
___s_TokenStartStack_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_TokenStartStack_1), (void*)value);
}
inline static int32_t get_offset_of_s_CachedValues_2() { return static_cast<int32_t>(offsetof(AddressablesRuntimeProperties_tFF56BF5BC1B0079592936893C6CFED8D34F1D0BE_StaticFields, ___s_CachedValues_2)); }
inline Dictionary_2_tDE3227CA5E7A32F5070BD24C69F42204A3ADE9D5 * get_s_CachedValues_2() const { return ___s_CachedValues_2; }
inline Dictionary_2_tDE3227CA5E7A32F5070BD24C69F42204A3ADE9D5 ** get_address_of_s_CachedValues_2() { return &___s_CachedValues_2; }
inline void set_s_CachedValues_2(Dictionary_2_tDE3227CA5E7A32F5070BD24C69F42204A3ADE9D5 * value)
{
___s_CachedValues_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_CachedValues_2), (void*)value);
}
};
// UnityEngine.UI.AnimationTriggers
struct AnimationTriggers_tF38CA7FA631709E096B57D732668D86081F44C11 : public RuntimeObject
{
public:
// System.String UnityEngine.UI.AnimationTriggers::m_NormalTrigger
String_t* ___m_NormalTrigger_5;
// System.String UnityEngine.UI.AnimationTriggers::m_HighlightedTrigger
String_t* ___m_HighlightedTrigger_6;
// System.String UnityEngine.UI.AnimationTriggers::m_PressedTrigger
String_t* ___m_PressedTrigger_7;
// System.String UnityEngine.UI.AnimationTriggers::m_SelectedTrigger
String_t* ___m_SelectedTrigger_8;
// System.String UnityEngine.UI.AnimationTriggers::m_DisabledTrigger
String_t* ___m_DisabledTrigger_9;
public:
inline static int32_t get_offset_of_m_NormalTrigger_5() { return static_cast<int32_t>(offsetof(AnimationTriggers_tF38CA7FA631709E096B57D732668D86081F44C11, ___m_NormalTrigger_5)); }
inline String_t* get_m_NormalTrigger_5() const { return ___m_NormalTrigger_5; }
inline String_t** get_address_of_m_NormalTrigger_5() { return &___m_NormalTrigger_5; }
inline void set_m_NormalTrigger_5(String_t* value)
{
___m_NormalTrigger_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_NormalTrigger_5), (void*)value);
}
inline static int32_t get_offset_of_m_HighlightedTrigger_6() { return static_cast<int32_t>(offsetof(AnimationTriggers_tF38CA7FA631709E096B57D732668D86081F44C11, ___m_HighlightedTrigger_6)); }
inline String_t* get_m_HighlightedTrigger_6() const { return ___m_HighlightedTrigger_6; }
inline String_t** get_address_of_m_HighlightedTrigger_6() { return &___m_HighlightedTrigger_6; }
inline void set_m_HighlightedTrigger_6(String_t* value)
{
___m_HighlightedTrigger_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_HighlightedTrigger_6), (void*)value);
}
inline static int32_t get_offset_of_m_PressedTrigger_7() { return static_cast<int32_t>(offsetof(AnimationTriggers_tF38CA7FA631709E096B57D732668D86081F44C11, ___m_PressedTrigger_7)); }
inline String_t* get_m_PressedTrigger_7() const { return ___m_PressedTrigger_7; }
inline String_t** get_address_of_m_PressedTrigger_7() { return &___m_PressedTrigger_7; }
inline void set_m_PressedTrigger_7(String_t* value)
{
___m_PressedTrigger_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PressedTrigger_7), (void*)value);
}
inline static int32_t get_offset_of_m_SelectedTrigger_8() { return static_cast<int32_t>(offsetof(AnimationTriggers_tF38CA7FA631709E096B57D732668D86081F44C11, ___m_SelectedTrigger_8)); }
inline String_t* get_m_SelectedTrigger_8() const { return ___m_SelectedTrigger_8; }
inline String_t** get_address_of_m_SelectedTrigger_8() { return &___m_SelectedTrigger_8; }
inline void set_m_SelectedTrigger_8(String_t* value)
{
___m_SelectedTrigger_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SelectedTrigger_8), (void*)value);
}
inline static int32_t get_offset_of_m_DisabledTrigger_9() { return static_cast<int32_t>(offsetof(AnimationTriggers_tF38CA7FA631709E096B57D732668D86081F44C11, ___m_DisabledTrigger_9)); }
inline String_t* get_m_DisabledTrigger_9() const { return ___m_DisabledTrigger_9; }
inline String_t** get_address_of_m_DisabledTrigger_9() { return &___m_DisabledTrigger_9; }
inline void set_m_DisabledTrigger_9(String_t* value)
{
___m_DisabledTrigger_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DisabledTrigger_9), (void*)value);
}
};
// System.AppContextSwitches
struct AppContextSwitches_tB32AD47AEBBE99D856C1BC9ACFDAB18C959E4A21 : public RuntimeObject
{
public:
public:
};
struct AppContextSwitches_tB32AD47AEBBE99D856C1BC9ACFDAB18C959E4A21_StaticFields
{
public:
// System.Boolean System.AppContextSwitches::ThrowExceptionIfDisposedCancellationTokenSource
bool ___ThrowExceptionIfDisposedCancellationTokenSource_0;
public:
inline static int32_t get_offset_of_ThrowExceptionIfDisposedCancellationTokenSource_0() { return static_cast<int32_t>(offsetof(AppContextSwitches_tB32AD47AEBBE99D856C1BC9ACFDAB18C959E4A21_StaticFields, ___ThrowExceptionIfDisposedCancellationTokenSource_0)); }
inline bool get_ThrowExceptionIfDisposedCancellationTokenSource_0() const { return ___ThrowExceptionIfDisposedCancellationTokenSource_0; }
inline bool* get_address_of_ThrowExceptionIfDisposedCancellationTokenSource_0() { return &___ThrowExceptionIfDisposedCancellationTokenSource_0; }
inline void set_ThrowExceptionIfDisposedCancellationTokenSource_0(bool value)
{
___ThrowExceptionIfDisposedCancellationTokenSource_0 = value;
}
};
// System.Runtime.Remoting.Activation.AppDomainLevelActivator
struct AppDomainLevelActivator_tCDFE409335B0EC4B3C1DC740F38C6967A7B967B3 : public RuntimeObject
{
public:
// System.String System.Runtime.Remoting.Activation.AppDomainLevelActivator::_activationUrl
String_t* ____activationUrl_0;
// System.Runtime.Remoting.Activation.IActivator System.Runtime.Remoting.Activation.AppDomainLevelActivator::_next
RuntimeObject* ____next_1;
public:
inline static int32_t get_offset_of__activationUrl_0() { return static_cast<int32_t>(offsetof(AppDomainLevelActivator_tCDFE409335B0EC4B3C1DC740F38C6967A7B967B3, ____activationUrl_0)); }
inline String_t* get__activationUrl_0() const { return ____activationUrl_0; }
inline String_t** get_address_of__activationUrl_0() { return &____activationUrl_0; }
inline void set__activationUrl_0(String_t* value)
{
____activationUrl_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____activationUrl_0), (void*)value);
}
inline static int32_t get_offset_of__next_1() { return static_cast<int32_t>(offsetof(AppDomainLevelActivator_tCDFE409335B0EC4B3C1DC740F38C6967A7B967B3, ____next_1)); }
inline RuntimeObject* get__next_1() const { return ____next_1; }
inline RuntimeObject** get_address_of__next_1() { return &____next_1; }
inline void set__next_1(RuntimeObject* value)
{
____next_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____next_1), (void*)value);
}
};
// System.AppDomainSetup
struct AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8 : public RuntimeObject
{
public:
// System.String System.AppDomainSetup::application_base
String_t* ___application_base_0;
// System.String System.AppDomainSetup::application_name
String_t* ___application_name_1;
// System.String System.AppDomainSetup::cache_path
String_t* ___cache_path_2;
// System.String System.AppDomainSetup::configuration_file
String_t* ___configuration_file_3;
// System.String System.AppDomainSetup::dynamic_base
String_t* ___dynamic_base_4;
// System.String System.AppDomainSetup::license_file
String_t* ___license_file_5;
// System.String System.AppDomainSetup::private_bin_path
String_t* ___private_bin_path_6;
// System.String System.AppDomainSetup::private_bin_path_probe
String_t* ___private_bin_path_probe_7;
// System.String System.AppDomainSetup::shadow_copy_directories
String_t* ___shadow_copy_directories_8;
// System.String System.AppDomainSetup::shadow_copy_files
String_t* ___shadow_copy_files_9;
// System.Boolean System.AppDomainSetup::publisher_policy
bool ___publisher_policy_10;
// System.Boolean System.AppDomainSetup::path_changed
bool ___path_changed_11;
// System.Int32 System.AppDomainSetup::loader_optimization
int32_t ___loader_optimization_12;
// System.Boolean System.AppDomainSetup::disallow_binding_redirects
bool ___disallow_binding_redirects_13;
// System.Boolean System.AppDomainSetup::disallow_code_downloads
bool ___disallow_code_downloads_14;
// System.Object System.AppDomainSetup::_activationArguments
RuntimeObject * ____activationArguments_15;
// System.Object System.AppDomainSetup::domain_initializer
RuntimeObject * ___domain_initializer_16;
// System.Object System.AppDomainSetup::application_trust
RuntimeObject * ___application_trust_17;
// System.String[] System.AppDomainSetup::domain_initializer_args
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___domain_initializer_args_18;
// System.Boolean System.AppDomainSetup::disallow_appbase_probe
bool ___disallow_appbase_probe_19;
// System.Byte[] System.AppDomainSetup::configuration_bytes
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___configuration_bytes_20;
// System.Byte[] System.AppDomainSetup::serialized_non_primitives
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___serialized_non_primitives_21;
// System.String System.AppDomainSetup::<TargetFrameworkName>k__BackingField
String_t* ___U3CTargetFrameworkNameU3Ek__BackingField_22;
public:
inline static int32_t get_offset_of_application_base_0() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___application_base_0)); }
inline String_t* get_application_base_0() const { return ___application_base_0; }
inline String_t** get_address_of_application_base_0() { return &___application_base_0; }
inline void set_application_base_0(String_t* value)
{
___application_base_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___application_base_0), (void*)value);
}
inline static int32_t get_offset_of_application_name_1() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___application_name_1)); }
inline String_t* get_application_name_1() const { return ___application_name_1; }
inline String_t** get_address_of_application_name_1() { return &___application_name_1; }
inline void set_application_name_1(String_t* value)
{
___application_name_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___application_name_1), (void*)value);
}
inline static int32_t get_offset_of_cache_path_2() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___cache_path_2)); }
inline String_t* get_cache_path_2() const { return ___cache_path_2; }
inline String_t** get_address_of_cache_path_2() { return &___cache_path_2; }
inline void set_cache_path_2(String_t* value)
{
___cache_path_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___cache_path_2), (void*)value);
}
inline static int32_t get_offset_of_configuration_file_3() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___configuration_file_3)); }
inline String_t* get_configuration_file_3() const { return ___configuration_file_3; }
inline String_t** get_address_of_configuration_file_3() { return &___configuration_file_3; }
inline void set_configuration_file_3(String_t* value)
{
___configuration_file_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___configuration_file_3), (void*)value);
}
inline static int32_t get_offset_of_dynamic_base_4() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___dynamic_base_4)); }
inline String_t* get_dynamic_base_4() const { return ___dynamic_base_4; }
inline String_t** get_address_of_dynamic_base_4() { return &___dynamic_base_4; }
inline void set_dynamic_base_4(String_t* value)
{
___dynamic_base_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___dynamic_base_4), (void*)value);
}
inline static int32_t get_offset_of_license_file_5() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___license_file_5)); }
inline String_t* get_license_file_5() const { return ___license_file_5; }
inline String_t** get_address_of_license_file_5() { return &___license_file_5; }
inline void set_license_file_5(String_t* value)
{
___license_file_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___license_file_5), (void*)value);
}
inline static int32_t get_offset_of_private_bin_path_6() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___private_bin_path_6)); }
inline String_t* get_private_bin_path_6() const { return ___private_bin_path_6; }
inline String_t** get_address_of_private_bin_path_6() { return &___private_bin_path_6; }
inline void set_private_bin_path_6(String_t* value)
{
___private_bin_path_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___private_bin_path_6), (void*)value);
}
inline static int32_t get_offset_of_private_bin_path_probe_7() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___private_bin_path_probe_7)); }
inline String_t* get_private_bin_path_probe_7() const { return ___private_bin_path_probe_7; }
inline String_t** get_address_of_private_bin_path_probe_7() { return &___private_bin_path_probe_7; }
inline void set_private_bin_path_probe_7(String_t* value)
{
___private_bin_path_probe_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___private_bin_path_probe_7), (void*)value);
}
inline static int32_t get_offset_of_shadow_copy_directories_8() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___shadow_copy_directories_8)); }
inline String_t* get_shadow_copy_directories_8() const { return ___shadow_copy_directories_8; }
inline String_t** get_address_of_shadow_copy_directories_8() { return &___shadow_copy_directories_8; }
inline void set_shadow_copy_directories_8(String_t* value)
{
___shadow_copy_directories_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___shadow_copy_directories_8), (void*)value);
}
inline static int32_t get_offset_of_shadow_copy_files_9() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___shadow_copy_files_9)); }
inline String_t* get_shadow_copy_files_9() const { return ___shadow_copy_files_9; }
inline String_t** get_address_of_shadow_copy_files_9() { return &___shadow_copy_files_9; }
inline void set_shadow_copy_files_9(String_t* value)
{
___shadow_copy_files_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___shadow_copy_files_9), (void*)value);
}
inline static int32_t get_offset_of_publisher_policy_10() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___publisher_policy_10)); }
inline bool get_publisher_policy_10() const { return ___publisher_policy_10; }
inline bool* get_address_of_publisher_policy_10() { return &___publisher_policy_10; }
inline void set_publisher_policy_10(bool value)
{
___publisher_policy_10 = value;
}
inline static int32_t get_offset_of_path_changed_11() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___path_changed_11)); }
inline bool get_path_changed_11() const { return ___path_changed_11; }
inline bool* get_address_of_path_changed_11() { return &___path_changed_11; }
inline void set_path_changed_11(bool value)
{
___path_changed_11 = value;
}
inline static int32_t get_offset_of_loader_optimization_12() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___loader_optimization_12)); }
inline int32_t get_loader_optimization_12() const { return ___loader_optimization_12; }
inline int32_t* get_address_of_loader_optimization_12() { return &___loader_optimization_12; }
inline void set_loader_optimization_12(int32_t value)
{
___loader_optimization_12 = value;
}
inline static int32_t get_offset_of_disallow_binding_redirects_13() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___disallow_binding_redirects_13)); }
inline bool get_disallow_binding_redirects_13() const { return ___disallow_binding_redirects_13; }
inline bool* get_address_of_disallow_binding_redirects_13() { return &___disallow_binding_redirects_13; }
inline void set_disallow_binding_redirects_13(bool value)
{
___disallow_binding_redirects_13 = value;
}
inline static int32_t get_offset_of_disallow_code_downloads_14() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___disallow_code_downloads_14)); }
inline bool get_disallow_code_downloads_14() const { return ___disallow_code_downloads_14; }
inline bool* get_address_of_disallow_code_downloads_14() { return &___disallow_code_downloads_14; }
inline void set_disallow_code_downloads_14(bool value)
{
___disallow_code_downloads_14 = value;
}
inline static int32_t get_offset_of__activationArguments_15() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ____activationArguments_15)); }
inline RuntimeObject * get__activationArguments_15() const { return ____activationArguments_15; }
inline RuntimeObject ** get_address_of__activationArguments_15() { return &____activationArguments_15; }
inline void set__activationArguments_15(RuntimeObject * value)
{
____activationArguments_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&____activationArguments_15), (void*)value);
}
inline static int32_t get_offset_of_domain_initializer_16() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___domain_initializer_16)); }
inline RuntimeObject * get_domain_initializer_16() const { return ___domain_initializer_16; }
inline RuntimeObject ** get_address_of_domain_initializer_16() { return &___domain_initializer_16; }
inline void set_domain_initializer_16(RuntimeObject * value)
{
___domain_initializer_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___domain_initializer_16), (void*)value);
}
inline static int32_t get_offset_of_application_trust_17() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___application_trust_17)); }
inline RuntimeObject * get_application_trust_17() const { return ___application_trust_17; }
inline RuntimeObject ** get_address_of_application_trust_17() { return &___application_trust_17; }
inline void set_application_trust_17(RuntimeObject * value)
{
___application_trust_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___application_trust_17), (void*)value);
}
inline static int32_t get_offset_of_domain_initializer_args_18() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___domain_initializer_args_18)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_domain_initializer_args_18() const { return ___domain_initializer_args_18; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_domain_initializer_args_18() { return &___domain_initializer_args_18; }
inline void set_domain_initializer_args_18(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___domain_initializer_args_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___domain_initializer_args_18), (void*)value);
}
inline static int32_t get_offset_of_disallow_appbase_probe_19() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___disallow_appbase_probe_19)); }
inline bool get_disallow_appbase_probe_19() const { return ___disallow_appbase_probe_19; }
inline bool* get_address_of_disallow_appbase_probe_19() { return &___disallow_appbase_probe_19; }
inline void set_disallow_appbase_probe_19(bool value)
{
___disallow_appbase_probe_19 = value;
}
inline static int32_t get_offset_of_configuration_bytes_20() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___configuration_bytes_20)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_configuration_bytes_20() const { return ___configuration_bytes_20; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_configuration_bytes_20() { return &___configuration_bytes_20; }
inline void set_configuration_bytes_20(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___configuration_bytes_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___configuration_bytes_20), (void*)value);
}
inline static int32_t get_offset_of_serialized_non_primitives_21() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___serialized_non_primitives_21)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_serialized_non_primitives_21() const { return ___serialized_non_primitives_21; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_serialized_non_primitives_21() { return &___serialized_non_primitives_21; }
inline void set_serialized_non_primitives_21(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___serialized_non_primitives_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___serialized_non_primitives_21), (void*)value);
}
inline static int32_t get_offset_of_U3CTargetFrameworkNameU3Ek__BackingField_22() { return static_cast<int32_t>(offsetof(AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8, ___U3CTargetFrameworkNameU3Ek__BackingField_22)); }
inline String_t* get_U3CTargetFrameworkNameU3Ek__BackingField_22() const { return ___U3CTargetFrameworkNameU3Ek__BackingField_22; }
inline String_t** get_address_of_U3CTargetFrameworkNameU3Ek__BackingField_22() { return &___U3CTargetFrameworkNameU3Ek__BackingField_22; }
inline void set_U3CTargetFrameworkNameU3Ek__BackingField_22(String_t* value)
{
___U3CTargetFrameworkNameU3Ek__BackingField_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CTargetFrameworkNameU3Ek__BackingField_22), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.AppDomainSetup
struct AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8_marshaled_pinvoke
{
char* ___application_base_0;
char* ___application_name_1;
char* ___cache_path_2;
char* ___configuration_file_3;
char* ___dynamic_base_4;
char* ___license_file_5;
char* ___private_bin_path_6;
char* ___private_bin_path_probe_7;
char* ___shadow_copy_directories_8;
char* ___shadow_copy_files_9;
int32_t ___publisher_policy_10;
int32_t ___path_changed_11;
int32_t ___loader_optimization_12;
int32_t ___disallow_binding_redirects_13;
int32_t ___disallow_code_downloads_14;
Il2CppIUnknown* ____activationArguments_15;
Il2CppIUnknown* ___domain_initializer_16;
Il2CppIUnknown* ___application_trust_17;
char** ___domain_initializer_args_18;
int32_t ___disallow_appbase_probe_19;
Il2CppSafeArray/*NONE*/* ___configuration_bytes_20;
Il2CppSafeArray/*NONE*/* ___serialized_non_primitives_21;
char* ___U3CTargetFrameworkNameU3Ek__BackingField_22;
};
// Native definition for COM marshalling of System.AppDomainSetup
struct AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8_marshaled_com
{
Il2CppChar* ___application_base_0;
Il2CppChar* ___application_name_1;
Il2CppChar* ___cache_path_2;
Il2CppChar* ___configuration_file_3;
Il2CppChar* ___dynamic_base_4;
Il2CppChar* ___license_file_5;
Il2CppChar* ___private_bin_path_6;
Il2CppChar* ___private_bin_path_probe_7;
Il2CppChar* ___shadow_copy_directories_8;
Il2CppChar* ___shadow_copy_files_9;
int32_t ___publisher_policy_10;
int32_t ___path_changed_11;
int32_t ___loader_optimization_12;
int32_t ___disallow_binding_redirects_13;
int32_t ___disallow_code_downloads_14;
Il2CppIUnknown* ____activationArguments_15;
Il2CppIUnknown* ___domain_initializer_16;
Il2CppIUnknown* ___application_trust_17;
Il2CppChar** ___domain_initializer_args_18;
int32_t ___disallow_appbase_probe_19;
Il2CppSafeArray/*NONE*/* ___configuration_bytes_20;
Il2CppSafeArray/*NONE*/* ___serialized_non_primitives_21;
Il2CppChar* ___U3CTargetFrameworkNameU3Ek__BackingField_22;
};
// UnityEngine.Localization.Platform.Android.AppInfo
struct AppInfo_tCBFED6E646D13450192F7E27F3AAB06E7303ED06 : public RuntimeObject
{
public:
// UnityEngine.Localization.LocalizedString UnityEngine.Localization.Platform.Android.AppInfo::m_DisplayName
LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * ___m_DisplayName_0;
public:
inline static int32_t get_offset_of_m_DisplayName_0() { return static_cast<int32_t>(offsetof(AppInfo_tCBFED6E646D13450192F7E27F3AAB06E7303ED06, ___m_DisplayName_0)); }
inline LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * get_m_DisplayName_0() const { return ___m_DisplayName_0; }
inline LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F ** get_address_of_m_DisplayName_0() { return &___m_DisplayName_0; }
inline void set_m_DisplayName_0(LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * value)
{
___m_DisplayName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DisplayName_0), (void*)value);
}
};
// UnityEngine.Localization.Platform.iOS.AppInfo
struct AppInfo_t06CC052DF77F47437FEB68E8E90850AEEA0ABBB2 : public RuntimeObject
{
public:
// UnityEngine.Localization.LocalizedString UnityEngine.Localization.Platform.iOS.AppInfo::m_ShortName
LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * ___m_ShortName_0;
// UnityEngine.Localization.LocalizedString UnityEngine.Localization.Platform.iOS.AppInfo::m_DisplayName
LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * ___m_DisplayName_1;
// UnityEngine.Localization.LocalizedString UnityEngine.Localization.Platform.iOS.AppInfo::m_CameraUsageDescription
LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * ___m_CameraUsageDescription_2;
// UnityEngine.Localization.LocalizedString UnityEngine.Localization.Platform.iOS.AppInfo::m_MicrophoneUsageDescription
LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * ___m_MicrophoneUsageDescription_3;
// UnityEngine.Localization.LocalizedString UnityEngine.Localization.Platform.iOS.AppInfo::m_LocationUsageDescription
LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * ___m_LocationUsageDescription_4;
public:
inline static int32_t get_offset_of_m_ShortName_0() { return static_cast<int32_t>(offsetof(AppInfo_t06CC052DF77F47437FEB68E8E90850AEEA0ABBB2, ___m_ShortName_0)); }
inline LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * get_m_ShortName_0() const { return ___m_ShortName_0; }
inline LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F ** get_address_of_m_ShortName_0() { return &___m_ShortName_0; }
inline void set_m_ShortName_0(LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * value)
{
___m_ShortName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ShortName_0), (void*)value);
}
inline static int32_t get_offset_of_m_DisplayName_1() { return static_cast<int32_t>(offsetof(AppInfo_t06CC052DF77F47437FEB68E8E90850AEEA0ABBB2, ___m_DisplayName_1)); }
inline LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * get_m_DisplayName_1() const { return ___m_DisplayName_1; }
inline LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F ** get_address_of_m_DisplayName_1() { return &___m_DisplayName_1; }
inline void set_m_DisplayName_1(LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * value)
{
___m_DisplayName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DisplayName_1), (void*)value);
}
inline static int32_t get_offset_of_m_CameraUsageDescription_2() { return static_cast<int32_t>(offsetof(AppInfo_t06CC052DF77F47437FEB68E8E90850AEEA0ABBB2, ___m_CameraUsageDescription_2)); }
inline LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * get_m_CameraUsageDescription_2() const { return ___m_CameraUsageDescription_2; }
inline LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F ** get_address_of_m_CameraUsageDescription_2() { return &___m_CameraUsageDescription_2; }
inline void set_m_CameraUsageDescription_2(LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * value)
{
___m_CameraUsageDescription_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CameraUsageDescription_2), (void*)value);
}
inline static int32_t get_offset_of_m_MicrophoneUsageDescription_3() { return static_cast<int32_t>(offsetof(AppInfo_t06CC052DF77F47437FEB68E8E90850AEEA0ABBB2, ___m_MicrophoneUsageDescription_3)); }
inline LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * get_m_MicrophoneUsageDescription_3() const { return ___m_MicrophoneUsageDescription_3; }
inline LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F ** get_address_of_m_MicrophoneUsageDescription_3() { return &___m_MicrophoneUsageDescription_3; }
inline void set_m_MicrophoneUsageDescription_3(LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * value)
{
___m_MicrophoneUsageDescription_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_MicrophoneUsageDescription_3), (void*)value);
}
inline static int32_t get_offset_of_m_LocationUsageDescription_4() { return static_cast<int32_t>(offsetof(AppInfo_t06CC052DF77F47437FEB68E8E90850AEEA0ABBB2, ___m_LocationUsageDescription_4)); }
inline LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * get_m_LocationUsageDescription_4() const { return ___m_LocationUsageDescription_4; }
inline LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F ** get_address_of_m_LocationUsageDescription_4() { return &___m_LocationUsageDescription_4; }
inline void set_m_LocationUsageDescription_4(LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * value)
{
___m_LocationUsageDescription_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocationUsageDescription_4), (void*)value);
}
};
// UnityEngine.Application
struct Application_t317038E88BDCE3640566EB8791C9E2AAAB21C87C : public RuntimeObject
{
public:
public:
};
struct Application_t317038E88BDCE3640566EB8791C9E2AAAB21C87C_StaticFields
{
public:
// UnityEngine.Application/LowMemoryCallback UnityEngine.Application::lowMemory
LowMemoryCallback_tF94AC614EDACA9AD4CEA3DE77FF8EFF5DA1E5240 * ___lowMemory_0;
// UnityEngine.Application/LogCallback UnityEngine.Application::s_LogCallbackHandler
LogCallback_t8C3C9B1E0F185E2A25D09DE10DD8414898698BBD * ___s_LogCallbackHandler_1;
// UnityEngine.Application/LogCallback UnityEngine.Application::s_LogCallbackHandlerThreaded
LogCallback_t8C3C9B1E0F185E2A25D09DE10DD8414898698BBD * ___s_LogCallbackHandlerThreaded_2;
// System.Action`1<System.Boolean> UnityEngine.Application::focusChanged
Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83 * ___focusChanged_3;
// System.Action`1<System.String> UnityEngine.Application::deepLinkActivated
Action_1_tC0D73E03177C82525D78670CDC2165F7CBF0A9C3 * ___deepLinkActivated_4;
// System.Func`1<System.Boolean> UnityEngine.Application::wantsToQuit
Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F * ___wantsToQuit_5;
// System.Action UnityEngine.Application::quitting
Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * ___quitting_6;
// System.Action UnityEngine.Application::unloading
Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * ___unloading_7;
public:
inline static int32_t get_offset_of_lowMemory_0() { return static_cast<int32_t>(offsetof(Application_t317038E88BDCE3640566EB8791C9E2AAAB21C87C_StaticFields, ___lowMemory_0)); }
inline LowMemoryCallback_tF94AC614EDACA9AD4CEA3DE77FF8EFF5DA1E5240 * get_lowMemory_0() const { return ___lowMemory_0; }
inline LowMemoryCallback_tF94AC614EDACA9AD4CEA3DE77FF8EFF5DA1E5240 ** get_address_of_lowMemory_0() { return &___lowMemory_0; }
inline void set_lowMemory_0(LowMemoryCallback_tF94AC614EDACA9AD4CEA3DE77FF8EFF5DA1E5240 * value)
{
___lowMemory_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___lowMemory_0), (void*)value);
}
inline static int32_t get_offset_of_s_LogCallbackHandler_1() { return static_cast<int32_t>(offsetof(Application_t317038E88BDCE3640566EB8791C9E2AAAB21C87C_StaticFields, ___s_LogCallbackHandler_1)); }
inline LogCallback_t8C3C9B1E0F185E2A25D09DE10DD8414898698BBD * get_s_LogCallbackHandler_1() const { return ___s_LogCallbackHandler_1; }
inline LogCallback_t8C3C9B1E0F185E2A25D09DE10DD8414898698BBD ** get_address_of_s_LogCallbackHandler_1() { return &___s_LogCallbackHandler_1; }
inline void set_s_LogCallbackHandler_1(LogCallback_t8C3C9B1E0F185E2A25D09DE10DD8414898698BBD * value)
{
___s_LogCallbackHandler_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_LogCallbackHandler_1), (void*)value);
}
inline static int32_t get_offset_of_s_LogCallbackHandlerThreaded_2() { return static_cast<int32_t>(offsetof(Application_t317038E88BDCE3640566EB8791C9E2AAAB21C87C_StaticFields, ___s_LogCallbackHandlerThreaded_2)); }
inline LogCallback_t8C3C9B1E0F185E2A25D09DE10DD8414898698BBD * get_s_LogCallbackHandlerThreaded_2() const { return ___s_LogCallbackHandlerThreaded_2; }
inline LogCallback_t8C3C9B1E0F185E2A25D09DE10DD8414898698BBD ** get_address_of_s_LogCallbackHandlerThreaded_2() { return &___s_LogCallbackHandlerThreaded_2; }
inline void set_s_LogCallbackHandlerThreaded_2(LogCallback_t8C3C9B1E0F185E2A25D09DE10DD8414898698BBD * value)
{
___s_LogCallbackHandlerThreaded_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_LogCallbackHandlerThreaded_2), (void*)value);
}
inline static int32_t get_offset_of_focusChanged_3() { return static_cast<int32_t>(offsetof(Application_t317038E88BDCE3640566EB8791C9E2AAAB21C87C_StaticFields, ___focusChanged_3)); }
inline Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83 * get_focusChanged_3() const { return ___focusChanged_3; }
inline Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83 ** get_address_of_focusChanged_3() { return &___focusChanged_3; }
inline void set_focusChanged_3(Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83 * value)
{
___focusChanged_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___focusChanged_3), (void*)value);
}
inline static int32_t get_offset_of_deepLinkActivated_4() { return static_cast<int32_t>(offsetof(Application_t317038E88BDCE3640566EB8791C9E2AAAB21C87C_StaticFields, ___deepLinkActivated_4)); }
inline Action_1_tC0D73E03177C82525D78670CDC2165F7CBF0A9C3 * get_deepLinkActivated_4() const { return ___deepLinkActivated_4; }
inline Action_1_tC0D73E03177C82525D78670CDC2165F7CBF0A9C3 ** get_address_of_deepLinkActivated_4() { return &___deepLinkActivated_4; }
inline void set_deepLinkActivated_4(Action_1_tC0D73E03177C82525D78670CDC2165F7CBF0A9C3 * value)
{
___deepLinkActivated_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___deepLinkActivated_4), (void*)value);
}
inline static int32_t get_offset_of_wantsToQuit_5() { return static_cast<int32_t>(offsetof(Application_t317038E88BDCE3640566EB8791C9E2AAAB21C87C_StaticFields, ___wantsToQuit_5)); }
inline Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F * get_wantsToQuit_5() const { return ___wantsToQuit_5; }
inline Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F ** get_address_of_wantsToQuit_5() { return &___wantsToQuit_5; }
inline void set_wantsToQuit_5(Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F * value)
{
___wantsToQuit_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___wantsToQuit_5), (void*)value);
}
inline static int32_t get_offset_of_quitting_6() { return static_cast<int32_t>(offsetof(Application_t317038E88BDCE3640566EB8791C9E2AAAB21C87C_StaticFields, ___quitting_6)); }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * get_quitting_6() const { return ___quitting_6; }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 ** get_address_of_quitting_6() { return &___quitting_6; }
inline void set_quitting_6(Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * value)
{
___quitting_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___quitting_6), (void*)value);
}
inline static int32_t get_offset_of_unloading_7() { return static_cast<int32_t>(offsetof(Application_t317038E88BDCE3640566EB8791C9E2AAAB21C87C_StaticFields, ___unloading_7)); }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * get_unloading_7() const { return ___unloading_7; }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 ** get_address_of_unloading_7() { return &___unloading_7; }
inline void set_unloading_7(Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * value)
{
___unloading_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___unloading_7), (void*)value);
}
};
// System.Runtime.Remoting.Messaging.ArgInfo
struct ArgInfo_tA94BF0451B100D18BFBC2EDA7947AFD4E2F5F7A2 : public RuntimeObject
{
public:
// System.Int32[] System.Runtime.Remoting.Messaging.ArgInfo::_paramMap
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ____paramMap_0;
// System.Int32 System.Runtime.Remoting.Messaging.ArgInfo::_inoutArgCount
int32_t ____inoutArgCount_1;
// System.Reflection.MethodBase System.Runtime.Remoting.Messaging.ArgInfo::_method
MethodBase_t * ____method_2;
public:
inline static int32_t get_offset_of__paramMap_0() { return static_cast<int32_t>(offsetof(ArgInfo_tA94BF0451B100D18BFBC2EDA7947AFD4E2F5F7A2, ____paramMap_0)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get__paramMap_0() const { return ____paramMap_0; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of__paramMap_0() { return &____paramMap_0; }
inline void set__paramMap_0(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
____paramMap_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____paramMap_0), (void*)value);
}
inline static int32_t get_offset_of__inoutArgCount_1() { return static_cast<int32_t>(offsetof(ArgInfo_tA94BF0451B100D18BFBC2EDA7947AFD4E2F5F7A2, ____inoutArgCount_1)); }
inline int32_t get__inoutArgCount_1() const { return ____inoutArgCount_1; }
inline int32_t* get_address_of__inoutArgCount_1() { return &____inoutArgCount_1; }
inline void set__inoutArgCount_1(int32_t value)
{
____inoutArgCount_1 = value;
}
inline static int32_t get_offset_of__method_2() { return static_cast<int32_t>(offsetof(ArgInfo_tA94BF0451B100D18BFBC2EDA7947AFD4E2F5F7A2, ____method_2)); }
inline MethodBase_t * get__method_2() const { return ____method_2; }
inline MethodBase_t ** get_address_of__method_2() { return &____method_2; }
inline void set__method_2(MethodBase_t * value)
{
____method_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____method_2), (void*)value);
}
};
// UnityEngine.Events.ArgumentCache
struct ArgumentCache_t4D7FB57CCBE856231DAF2D883AD4C1EB6726CB27 : public RuntimeObject
{
public:
// UnityEngine.Object UnityEngine.Events.ArgumentCache::m_ObjectArgument
Object_tF2F3778131EFF286AF62B7B013A170F95A91571A * ___m_ObjectArgument_0;
// System.String UnityEngine.Events.ArgumentCache::m_ObjectArgumentAssemblyTypeName
String_t* ___m_ObjectArgumentAssemblyTypeName_1;
// System.Int32 UnityEngine.Events.ArgumentCache::m_IntArgument
int32_t ___m_IntArgument_2;
// System.Single UnityEngine.Events.ArgumentCache::m_FloatArgument
float ___m_FloatArgument_3;
// System.String UnityEngine.Events.ArgumentCache::m_StringArgument
String_t* ___m_StringArgument_4;
// System.Boolean UnityEngine.Events.ArgumentCache::m_BoolArgument
bool ___m_BoolArgument_5;
public:
inline static int32_t get_offset_of_m_ObjectArgument_0() { return static_cast<int32_t>(offsetof(ArgumentCache_t4D7FB57CCBE856231DAF2D883AD4C1EB6726CB27, ___m_ObjectArgument_0)); }
inline Object_tF2F3778131EFF286AF62B7B013A170F95A91571A * get_m_ObjectArgument_0() const { return ___m_ObjectArgument_0; }
inline Object_tF2F3778131EFF286AF62B7B013A170F95A91571A ** get_address_of_m_ObjectArgument_0() { return &___m_ObjectArgument_0; }
inline void set_m_ObjectArgument_0(Object_tF2F3778131EFF286AF62B7B013A170F95A91571A * value)
{
___m_ObjectArgument_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ObjectArgument_0), (void*)value);
}
inline static int32_t get_offset_of_m_ObjectArgumentAssemblyTypeName_1() { return static_cast<int32_t>(offsetof(ArgumentCache_t4D7FB57CCBE856231DAF2D883AD4C1EB6726CB27, ___m_ObjectArgumentAssemblyTypeName_1)); }
inline String_t* get_m_ObjectArgumentAssemblyTypeName_1() const { return ___m_ObjectArgumentAssemblyTypeName_1; }
inline String_t** get_address_of_m_ObjectArgumentAssemblyTypeName_1() { return &___m_ObjectArgumentAssemblyTypeName_1; }
inline void set_m_ObjectArgumentAssemblyTypeName_1(String_t* value)
{
___m_ObjectArgumentAssemblyTypeName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ObjectArgumentAssemblyTypeName_1), (void*)value);
}
inline static int32_t get_offset_of_m_IntArgument_2() { return static_cast<int32_t>(offsetof(ArgumentCache_t4D7FB57CCBE856231DAF2D883AD4C1EB6726CB27, ___m_IntArgument_2)); }
inline int32_t get_m_IntArgument_2() const { return ___m_IntArgument_2; }
inline int32_t* get_address_of_m_IntArgument_2() { return &___m_IntArgument_2; }
inline void set_m_IntArgument_2(int32_t value)
{
___m_IntArgument_2 = value;
}
inline static int32_t get_offset_of_m_FloatArgument_3() { return static_cast<int32_t>(offsetof(ArgumentCache_t4D7FB57CCBE856231DAF2D883AD4C1EB6726CB27, ___m_FloatArgument_3)); }
inline float get_m_FloatArgument_3() const { return ___m_FloatArgument_3; }
inline float* get_address_of_m_FloatArgument_3() { return &___m_FloatArgument_3; }
inline void set_m_FloatArgument_3(float value)
{
___m_FloatArgument_3 = value;
}
inline static int32_t get_offset_of_m_StringArgument_4() { return static_cast<int32_t>(offsetof(ArgumentCache_t4D7FB57CCBE856231DAF2D883AD4C1EB6726CB27, ___m_StringArgument_4)); }
inline String_t* get_m_StringArgument_4() const { return ___m_StringArgument_4; }
inline String_t** get_address_of_m_StringArgument_4() { return &___m_StringArgument_4; }
inline void set_m_StringArgument_4(String_t* value)
{
___m_StringArgument_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_StringArgument_4), (void*)value);
}
inline static int32_t get_offset_of_m_BoolArgument_5() { return static_cast<int32_t>(offsetof(ArgumentCache_t4D7FB57CCBE856231DAF2D883AD4C1EB6726CB27, ___m_BoolArgument_5)); }
inline bool get_m_BoolArgument_5() const { return ___m_BoolArgument_5; }
inline bool* get_address_of_m_BoolArgument_5() { return &___m_BoolArgument_5; }
inline void set_m_BoolArgument_5(bool value)
{
___m_BoolArgument_5 = value;
}
};
struct Il2CppArrayBounds;
// System.Array
// System.Linq.Expressions.ArrayBuilderExtensions
struct ArrayBuilderExtensions_t0972118D96F554F20DFCFEBFEDFD6E60D34C8A5D : public RuntimeObject
{
public:
public:
};
// System.Collections.ArrayList
struct ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 : public RuntimeObject
{
public:
// System.Object[] System.Collections.ArrayList::_items
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ____items_0;
// System.Int32 System.Collections.ArrayList::_size
int32_t ____size_1;
// System.Int32 System.Collections.ArrayList::_version
int32_t ____version_2;
// System.Object System.Collections.ArrayList::_syncRoot
RuntimeObject * ____syncRoot_3;
public:
inline static int32_t get_offset_of__items_0() { return static_cast<int32_t>(offsetof(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575, ____items_0)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get__items_0() const { return ____items_0; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of__items_0() { return &____items_0; }
inline void set__items_0(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
____items_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____items_0), (void*)value);
}
inline static int32_t get_offset_of__size_1() { return static_cast<int32_t>(offsetof(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575, ____size_1)); }
inline int32_t get__size_1() const { return ____size_1; }
inline int32_t* get_address_of__size_1() { return &____size_1; }
inline void set__size_1(int32_t value)
{
____size_1 = value;
}
inline static int32_t get_offset_of__version_2() { return static_cast<int32_t>(offsetof(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575, ____version_2)); }
inline int32_t get__version_2() const { return ____version_2; }
inline int32_t* get_address_of__version_2() { return &____version_2; }
inline void set__version_2(int32_t value)
{
____version_2 = value;
}
inline static int32_t get_offset_of__syncRoot_3() { return static_cast<int32_t>(offsetof(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575, ____syncRoot_3)); }
inline RuntimeObject * get__syncRoot_3() const { return ____syncRoot_3; }
inline RuntimeObject ** get_address_of__syncRoot_3() { return &____syncRoot_3; }
inline void set__syncRoot_3(RuntimeObject * value)
{
____syncRoot_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____syncRoot_3), (void*)value);
}
};
struct ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575_StaticFields
{
public:
// System.Object[] System.Collections.ArrayList::emptyArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___emptyArray_4;
public:
inline static int32_t get_offset_of_emptyArray_4() { return static_cast<int32_t>(offsetof(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575_StaticFields, ___emptyArray_4)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_emptyArray_4() const { return ___emptyArray_4; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_emptyArray_4() { return &___emptyArray_4; }
inline void set_emptyArray_4(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___emptyArray_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___emptyArray_4), (void*)value);
}
};
// System.ArraySpec
struct ArraySpec_t55EDEFDF074B81F0B487A6A395E21F3111DABF90 : public RuntimeObject
{
public:
// System.Int32 System.ArraySpec::dimensions
int32_t ___dimensions_0;
// System.Boolean System.ArraySpec::bound
bool ___bound_1;
public:
inline static int32_t get_offset_of_dimensions_0() { return static_cast<int32_t>(offsetof(ArraySpec_t55EDEFDF074B81F0B487A6A395E21F3111DABF90, ___dimensions_0)); }
inline int32_t get_dimensions_0() const { return ___dimensions_0; }
inline int32_t* get_address_of_dimensions_0() { return &___dimensions_0; }
inline void set_dimensions_0(int32_t value)
{
___dimensions_0 = value;
}
inline static int32_t get_offset_of_bound_1() { return static_cast<int32_t>(offsetof(ArraySpec_t55EDEFDF074B81F0B487A6A395E21F3111DABF90, ___bound_1)); }
inline bool get_bound_1() const { return ___bound_1; }
inline bool* get_address_of_bound_1() { return &___bound_1; }
inline void set_bound_1(bool value)
{
___bound_1 = value;
}
};
// System.Security.Cryptography.AsnEncodedData
struct AsnEncodedData_t88A440F72C4F1143E416540D78B910A875CC0FDA : public RuntimeObject
{
public:
// System.Security.Cryptography.Oid System.Security.Cryptography.AsnEncodedData::_oid
Oid_tD6586F9C615C5CBE741A5099DFB67FE0F99F4800 * ____oid_0;
// System.Byte[] System.Security.Cryptography.AsnEncodedData::_raw
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ____raw_1;
public:
inline static int32_t get_offset_of__oid_0() { return static_cast<int32_t>(offsetof(AsnEncodedData_t88A440F72C4F1143E416540D78B910A875CC0FDA, ____oid_0)); }
inline Oid_tD6586F9C615C5CBE741A5099DFB67FE0F99F4800 * get__oid_0() const { return ____oid_0; }
inline Oid_tD6586F9C615C5CBE741A5099DFB67FE0F99F4800 ** get_address_of__oid_0() { return &____oid_0; }
inline void set__oid_0(Oid_tD6586F9C615C5CBE741A5099DFB67FE0F99F4800 * value)
{
____oid_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____oid_0), (void*)value);
}
inline static int32_t get_offset_of__raw_1() { return static_cast<int32_t>(offsetof(AsnEncodedData_t88A440F72C4F1143E416540D78B910A875CC0FDA, ____raw_1)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get__raw_1() const { return ____raw_1; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of__raw_1() { return &____raw_1; }
inline void set__raw_1(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
____raw_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____raw_1), (void*)value);
}
};
// UnityEngine.AddressableAssets.AssetReference
struct AssetReference_tEE914DC579E5892CE5B86800656A5AE3DEDC667C : public RuntimeObject
{
public:
// System.String UnityEngine.AddressableAssets.AssetReference::m_AssetGUID
String_t* ___m_AssetGUID_0;
// System.String UnityEngine.AddressableAssets.AssetReference::m_SubObjectName
String_t* ___m_SubObjectName_1;
// System.String UnityEngine.AddressableAssets.AssetReference::m_SubObjectType
String_t* ___m_SubObjectType_2;
public:
inline static int32_t get_offset_of_m_AssetGUID_0() { return static_cast<int32_t>(offsetof(AssetReference_tEE914DC579E5892CE5B86800656A5AE3DEDC667C, ___m_AssetGUID_0)); }
inline String_t* get_m_AssetGUID_0() const { return ___m_AssetGUID_0; }
inline String_t** get_address_of_m_AssetGUID_0() { return &___m_AssetGUID_0; }
inline void set_m_AssetGUID_0(String_t* value)
{
___m_AssetGUID_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_AssetGUID_0), (void*)value);
}
inline static int32_t get_offset_of_m_SubObjectName_1() { return static_cast<int32_t>(offsetof(AssetReference_tEE914DC579E5892CE5B86800656A5AE3DEDC667C, ___m_SubObjectName_1)); }
inline String_t* get_m_SubObjectName_1() const { return ___m_SubObjectName_1; }
inline String_t** get_address_of_m_SubObjectName_1() { return &___m_SubObjectName_1; }
inline void set_m_SubObjectName_1(String_t* value)
{
___m_SubObjectName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SubObjectName_1), (void*)value);
}
inline static int32_t get_offset_of_m_SubObjectType_2() { return static_cast<int32_t>(offsetof(AssetReference_tEE914DC579E5892CE5B86800656A5AE3DEDC667C, ___m_SubObjectType_2)); }
inline String_t* get_m_SubObjectType_2() const { return ___m_SubObjectType_2; }
inline String_t** get_address_of_m_SubObjectType_2() { return &___m_SubObjectType_2; }
inline void set_m_SubObjectType_2(String_t* value)
{
___m_SubObjectType_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SubObjectType_2), (void*)value);
}
};
// System.Threading.Tasks.AsyncCausalityTracer
struct AsyncCausalityTracer_t75B71DD98F58251F1B02EAF88D285113AFBB6945 : public RuntimeObject
{
public:
public:
};
// Unity.IO.LowLevel.Unsafe.AsyncReadManagerMetricsFilters
struct AsyncReadManagerMetricsFilters_t8C1F78DA967FD9457A11E672AB0FF865D6BD3787 : public RuntimeObject
{
public:
// System.UInt64[] Unity.IO.LowLevel.Unsafe.AsyncReadManagerMetricsFilters::TypeIDs
UInt64U5BU5D_t7C6E32D10F47677C1CEF3C30F4E4CE95B3A633E2* ___TypeIDs_0;
// Unity.IO.LowLevel.Unsafe.ProcessingState[] Unity.IO.LowLevel.Unsafe.AsyncReadManagerMetricsFilters::States
ProcessingStateU5BU5D_t8B7CCD607A6332C8327C719E37D3BE42716D1F76* ___States_1;
// Unity.IO.LowLevel.Unsafe.FileReadType[] Unity.IO.LowLevel.Unsafe.AsyncReadManagerMetricsFilters::ReadTypes
FileReadTypeU5BU5D_t904E280BE936DCE678A9CC2F9095DEC19B971831* ___ReadTypes_2;
// Unity.IO.LowLevel.Unsafe.Priority[] Unity.IO.LowLevel.Unsafe.AsyncReadManagerMetricsFilters::PriorityLevels
PriorityU5BU5D_t806D7E9A979B39B69A2965BD3636B3E6144653E0* ___PriorityLevels_3;
// Unity.IO.LowLevel.Unsafe.AssetLoadingSubsystem[] Unity.IO.LowLevel.Unsafe.AsyncReadManagerMetricsFilters::Subsystems
AssetLoadingSubsystemU5BU5D_t3240651D2737F05C99D60833F75574F14BEFD449* ___Subsystems_4;
public:
inline static int32_t get_offset_of_TypeIDs_0() { return static_cast<int32_t>(offsetof(AsyncReadManagerMetricsFilters_t8C1F78DA967FD9457A11E672AB0FF865D6BD3787, ___TypeIDs_0)); }
inline UInt64U5BU5D_t7C6E32D10F47677C1CEF3C30F4E4CE95B3A633E2* get_TypeIDs_0() const { return ___TypeIDs_0; }
inline UInt64U5BU5D_t7C6E32D10F47677C1CEF3C30F4E4CE95B3A633E2** get_address_of_TypeIDs_0() { return &___TypeIDs_0; }
inline void set_TypeIDs_0(UInt64U5BU5D_t7C6E32D10F47677C1CEF3C30F4E4CE95B3A633E2* value)
{
___TypeIDs_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___TypeIDs_0), (void*)value);
}
inline static int32_t get_offset_of_States_1() { return static_cast<int32_t>(offsetof(AsyncReadManagerMetricsFilters_t8C1F78DA967FD9457A11E672AB0FF865D6BD3787, ___States_1)); }
inline ProcessingStateU5BU5D_t8B7CCD607A6332C8327C719E37D3BE42716D1F76* get_States_1() const { return ___States_1; }
inline ProcessingStateU5BU5D_t8B7CCD607A6332C8327C719E37D3BE42716D1F76** get_address_of_States_1() { return &___States_1; }
inline void set_States_1(ProcessingStateU5BU5D_t8B7CCD607A6332C8327C719E37D3BE42716D1F76* value)
{
___States_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___States_1), (void*)value);
}
inline static int32_t get_offset_of_ReadTypes_2() { return static_cast<int32_t>(offsetof(AsyncReadManagerMetricsFilters_t8C1F78DA967FD9457A11E672AB0FF865D6BD3787, ___ReadTypes_2)); }
inline FileReadTypeU5BU5D_t904E280BE936DCE678A9CC2F9095DEC19B971831* get_ReadTypes_2() const { return ___ReadTypes_2; }
inline FileReadTypeU5BU5D_t904E280BE936DCE678A9CC2F9095DEC19B971831** get_address_of_ReadTypes_2() { return &___ReadTypes_2; }
inline void set_ReadTypes_2(FileReadTypeU5BU5D_t904E280BE936DCE678A9CC2F9095DEC19B971831* value)
{
___ReadTypes_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ReadTypes_2), (void*)value);
}
inline static int32_t get_offset_of_PriorityLevels_3() { return static_cast<int32_t>(offsetof(AsyncReadManagerMetricsFilters_t8C1F78DA967FD9457A11E672AB0FF865D6BD3787, ___PriorityLevels_3)); }
inline PriorityU5BU5D_t806D7E9A979B39B69A2965BD3636B3E6144653E0* get_PriorityLevels_3() const { return ___PriorityLevels_3; }
inline PriorityU5BU5D_t806D7E9A979B39B69A2965BD3636B3E6144653E0** get_address_of_PriorityLevels_3() { return &___PriorityLevels_3; }
inline void set_PriorityLevels_3(PriorityU5BU5D_t806D7E9A979B39B69A2965BD3636B3E6144653E0* value)
{
___PriorityLevels_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PriorityLevels_3), (void*)value);
}
inline static int32_t get_offset_of_Subsystems_4() { return static_cast<int32_t>(offsetof(AsyncReadManagerMetricsFilters_t8C1F78DA967FD9457A11E672AB0FF865D6BD3787, ___Subsystems_4)); }
inline AssetLoadingSubsystemU5BU5D_t3240651D2737F05C99D60833F75574F14BEFD449* get_Subsystems_4() const { return ___Subsystems_4; }
inline AssetLoadingSubsystemU5BU5D_t3240651D2737F05C99D60833F75574F14BEFD449** get_address_of_Subsystems_4() { return &___Subsystems_4; }
inline void set_Subsystems_4(AssetLoadingSubsystemU5BU5D_t3240651D2737F05C99D60833F75574F14BEFD449* value)
{
___Subsystems_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Subsystems_4), (void*)value);
}
};
// Native definition for P/Invoke marshalling of Unity.IO.LowLevel.Unsafe.AsyncReadManagerMetricsFilters
struct AsyncReadManagerMetricsFilters_t8C1F78DA967FD9457A11E672AB0FF865D6BD3787_marshaled_pinvoke
{
Il2CppSafeArray/*NONE*/* ___TypeIDs_0;
int32_t* ___States_1;
int32_t* ___ReadTypes_2;
int32_t* ___PriorityLevels_3;
int32_t* ___Subsystems_4;
};
// Native definition for COM marshalling of Unity.IO.LowLevel.Unsafe.AsyncReadManagerMetricsFilters
struct AsyncReadManagerMetricsFilters_t8C1F78DA967FD9457A11E672AB0FF865D6BD3787_marshaled_com
{
Il2CppSafeArray/*NONE*/* ___TypeIDs_0;
int32_t* ___States_1;
int32_t* ___ReadTypes_2;
int32_t* ___PriorityLevels_3;
int32_t* ___Subsystems_4;
};
// System.Runtime.Remoting.Channels.AsyncRequest
struct AsyncRequest_t7873AE0E6A7BE5EFEC550019C652820DDD5C2BAA : public RuntimeObject
{
public:
// System.Runtime.Remoting.Messaging.IMessageSink System.Runtime.Remoting.Channels.AsyncRequest::ReplySink
RuntimeObject* ___ReplySink_0;
// System.Runtime.Remoting.Messaging.IMessage System.Runtime.Remoting.Channels.AsyncRequest::MsgRequest
RuntimeObject* ___MsgRequest_1;
public:
inline static int32_t get_offset_of_ReplySink_0() { return static_cast<int32_t>(offsetof(AsyncRequest_t7873AE0E6A7BE5EFEC550019C652820DDD5C2BAA, ___ReplySink_0)); }
inline RuntimeObject* get_ReplySink_0() const { return ___ReplySink_0; }
inline RuntimeObject** get_address_of_ReplySink_0() { return &___ReplySink_0; }
inline void set_ReplySink_0(RuntimeObject* value)
{
___ReplySink_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ReplySink_0), (void*)value);
}
inline static int32_t get_offset_of_MsgRequest_1() { return static_cast<int32_t>(offsetof(AsyncRequest_t7873AE0E6A7BE5EFEC550019C652820DDD5C2BAA, ___MsgRequest_1)); }
inline RuntimeObject* get_MsgRequest_1() const { return ___MsgRequest_1; }
inline RuntimeObject** get_address_of_MsgRequest_1() { return &___MsgRequest_1; }
inline void set_MsgRequest_1(RuntimeObject* value)
{
___MsgRequest_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___MsgRequest_1), (void*)value);
}
};
// System.Runtime.CompilerServices.AsyncTaskCache
struct AsyncTaskCache_t3CED9C4FF39C22FFD601A0D5AC9B64190AF4BC45 : public RuntimeObject
{
public:
public:
};
struct AsyncTaskCache_t3CED9C4FF39C22FFD601A0D5AC9B64190AF4BC45_StaticFields
{
public:
// System.Threading.Tasks.Task`1<System.Boolean> System.Runtime.CompilerServices.AsyncTaskCache::TrueTask
Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 * ___TrueTask_0;
// System.Threading.Tasks.Task`1<System.Boolean> System.Runtime.CompilerServices.AsyncTaskCache::FalseTask
Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 * ___FalseTask_1;
// System.Threading.Tasks.Task`1<System.Int32>[] System.Runtime.CompilerServices.AsyncTaskCache::Int32Tasks
Task_1U5BU5D_t001B55EF71A9B25B6D6F6CC92FD85F786ED08656* ___Int32Tasks_2;
public:
inline static int32_t get_offset_of_TrueTask_0() { return static_cast<int32_t>(offsetof(AsyncTaskCache_t3CED9C4FF39C22FFD601A0D5AC9B64190AF4BC45_StaticFields, ___TrueTask_0)); }
inline Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 * get_TrueTask_0() const { return ___TrueTask_0; }
inline Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 ** get_address_of_TrueTask_0() { return &___TrueTask_0; }
inline void set_TrueTask_0(Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 * value)
{
___TrueTask_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___TrueTask_0), (void*)value);
}
inline static int32_t get_offset_of_FalseTask_1() { return static_cast<int32_t>(offsetof(AsyncTaskCache_t3CED9C4FF39C22FFD601A0D5AC9B64190AF4BC45_StaticFields, ___FalseTask_1)); }
inline Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 * get_FalseTask_1() const { return ___FalseTask_1; }
inline Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 ** get_address_of_FalseTask_1() { return &___FalseTask_1; }
inline void set_FalseTask_1(Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 * value)
{
___FalseTask_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___FalseTask_1), (void*)value);
}
inline static int32_t get_offset_of_Int32Tasks_2() { return static_cast<int32_t>(offsetof(AsyncTaskCache_t3CED9C4FF39C22FFD601A0D5AC9B64190AF4BC45_StaticFields, ___Int32Tasks_2)); }
inline Task_1U5BU5D_t001B55EF71A9B25B6D6F6CC92FD85F786ED08656* get_Int32Tasks_2() const { return ___Int32Tasks_2; }
inline Task_1U5BU5D_t001B55EF71A9B25B6D6F6CC92FD85F786ED08656** get_address_of_Int32Tasks_2() { return &___Int32Tasks_2; }
inline void set_Int32Tasks_2(Task_1U5BU5D_t001B55EF71A9B25B6D6F6CC92FD85F786ED08656* value)
{
___Int32Tasks_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Int32Tasks_2), (void*)value);
}
};
// System.Attribute
struct Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71 : public RuntimeObject
{
public:
public:
};
// UnityEngine.AttributeHelperEngine
struct AttributeHelperEngine_t2B532C22878D0F5685ADEAF5470DF15F7B8953BE : public RuntimeObject
{
public:
public:
};
struct AttributeHelperEngine_t2B532C22878D0F5685ADEAF5470DF15F7B8953BE_StaticFields
{
public:
// UnityEngine.DisallowMultipleComponent[] UnityEngine.AttributeHelperEngine::_disallowMultipleComponentArray
DisallowMultipleComponentU5BU5D_t3729B6FD5B0047F32D8A81B9EF750AD70654053E* ____disallowMultipleComponentArray_0;
// UnityEngine.ExecuteInEditMode[] UnityEngine.AttributeHelperEngine::_executeInEditModeArray
ExecuteInEditModeU5BU5D_t1913FB45D1BAF40B32F47108EE65D7DE7992AF08* ____executeInEditModeArray_1;
// UnityEngine.RequireComponent[] UnityEngine.AttributeHelperEngine::_requireComponentArray
RequireComponentU5BU5D_t6063B4CE327E593F7C4B93C34578320DC3E4B29F* ____requireComponentArray_2;
public:
inline static int32_t get_offset_of__disallowMultipleComponentArray_0() { return static_cast<int32_t>(offsetof(AttributeHelperEngine_t2B532C22878D0F5685ADEAF5470DF15F7B8953BE_StaticFields, ____disallowMultipleComponentArray_0)); }
inline DisallowMultipleComponentU5BU5D_t3729B6FD5B0047F32D8A81B9EF750AD70654053E* get__disallowMultipleComponentArray_0() const { return ____disallowMultipleComponentArray_0; }
inline DisallowMultipleComponentU5BU5D_t3729B6FD5B0047F32D8A81B9EF750AD70654053E** get_address_of__disallowMultipleComponentArray_0() { return &____disallowMultipleComponentArray_0; }
inline void set__disallowMultipleComponentArray_0(DisallowMultipleComponentU5BU5D_t3729B6FD5B0047F32D8A81B9EF750AD70654053E* value)
{
____disallowMultipleComponentArray_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____disallowMultipleComponentArray_0), (void*)value);
}
inline static int32_t get_offset_of__executeInEditModeArray_1() { return static_cast<int32_t>(offsetof(AttributeHelperEngine_t2B532C22878D0F5685ADEAF5470DF15F7B8953BE_StaticFields, ____executeInEditModeArray_1)); }
inline ExecuteInEditModeU5BU5D_t1913FB45D1BAF40B32F47108EE65D7DE7992AF08* get__executeInEditModeArray_1() const { return ____executeInEditModeArray_1; }
inline ExecuteInEditModeU5BU5D_t1913FB45D1BAF40B32F47108EE65D7DE7992AF08** get_address_of__executeInEditModeArray_1() { return &____executeInEditModeArray_1; }
inline void set__executeInEditModeArray_1(ExecuteInEditModeU5BU5D_t1913FB45D1BAF40B32F47108EE65D7DE7992AF08* value)
{
____executeInEditModeArray_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____executeInEditModeArray_1), (void*)value);
}
inline static int32_t get_offset_of__requireComponentArray_2() { return static_cast<int32_t>(offsetof(AttributeHelperEngine_t2B532C22878D0F5685ADEAF5470DF15F7B8953BE_StaticFields, ____requireComponentArray_2)); }
inline RequireComponentU5BU5D_t6063B4CE327E593F7C4B93C34578320DC3E4B29F* get__requireComponentArray_2() const { return ____requireComponentArray_2; }
inline RequireComponentU5BU5D_t6063B4CE327E593F7C4B93C34578320DC3E4B29F** get_address_of__requireComponentArray_2() { return &____requireComponentArray_2; }
inline void set__requireComponentArray_2(RequireComponentU5BU5D_t6063B4CE327E593F7C4B93C34578320DC3E4B29F* value)
{
____requireComponentArray_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____requireComponentArray_2), (void*)value);
}
};
// UnityEngine.Experimental.Audio.AudioSampleProvider
struct AudioSampleProvider_tD8B613D55D09D6CE86B851A5D8F33560FFCC705B : public RuntimeObject
{
public:
// UnityEngine.Experimental.Audio.AudioSampleProvider/SampleFramesHandler UnityEngine.Experimental.Audio.AudioSampleProvider::sampleFramesAvailable
SampleFramesHandler_tCF0215103F7BD1AD5397731D86079D6E68AC9487 * ___sampleFramesAvailable_0;
// UnityEngine.Experimental.Audio.AudioSampleProvider/SampleFramesHandler UnityEngine.Experimental.Audio.AudioSampleProvider::sampleFramesOverflow
SampleFramesHandler_tCF0215103F7BD1AD5397731D86079D6E68AC9487 * ___sampleFramesOverflow_1;
public:
inline static int32_t get_offset_of_sampleFramesAvailable_0() { return static_cast<int32_t>(offsetof(AudioSampleProvider_tD8B613D55D09D6CE86B851A5D8F33560FFCC705B, ___sampleFramesAvailable_0)); }
inline SampleFramesHandler_tCF0215103F7BD1AD5397731D86079D6E68AC9487 * get_sampleFramesAvailable_0() const { return ___sampleFramesAvailable_0; }
inline SampleFramesHandler_tCF0215103F7BD1AD5397731D86079D6E68AC9487 ** get_address_of_sampleFramesAvailable_0() { return &___sampleFramesAvailable_0; }
inline void set_sampleFramesAvailable_0(SampleFramesHandler_tCF0215103F7BD1AD5397731D86079D6E68AC9487 * value)
{
___sampleFramesAvailable_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sampleFramesAvailable_0), (void*)value);
}
inline static int32_t get_offset_of_sampleFramesOverflow_1() { return static_cast<int32_t>(offsetof(AudioSampleProvider_tD8B613D55D09D6CE86B851A5D8F33560FFCC705B, ___sampleFramesOverflow_1)); }
inline SampleFramesHandler_tCF0215103F7BD1AD5397731D86079D6E68AC9487 * get_sampleFramesOverflow_1() const { return ___sampleFramesOverflow_1; }
inline SampleFramesHandler_tCF0215103F7BD1AD5397731D86079D6E68AC9487 ** get_address_of_sampleFramesOverflow_1() { return &___sampleFramesOverflow_1; }
inline void set_sampleFramesOverflow_1(SampleFramesHandler_tCF0215103F7BD1AD5397731D86079D6E68AC9487 * value)
{
___sampleFramesOverflow_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sampleFramesOverflow_1), (void*)value);
}
};
// UnityEngine.AudioSettings
struct AudioSettings_t1941E7DE9FEF65F7742713EB862D3025244FCB08 : public RuntimeObject
{
public:
public:
};
struct AudioSettings_t1941E7DE9FEF65F7742713EB862D3025244FCB08_StaticFields
{
public:
// UnityEngine.AudioSettings/AudioConfigurationChangeHandler UnityEngine.AudioSettings::OnAudioConfigurationChanged
AudioConfigurationChangeHandler_t1A997C51DF7B553A94DAD358F8D968308994774A * ___OnAudioConfigurationChanged_0;
public:
inline static int32_t get_offset_of_OnAudioConfigurationChanged_0() { return static_cast<int32_t>(offsetof(AudioSettings_t1941E7DE9FEF65F7742713EB862D3025244FCB08_StaticFields, ___OnAudioConfigurationChanged_0)); }
inline AudioConfigurationChangeHandler_t1A997C51DF7B553A94DAD358F8D968308994774A * get_OnAudioConfigurationChanged_0() const { return ___OnAudioConfigurationChanged_0; }
inline AudioConfigurationChangeHandler_t1A997C51DF7B553A94DAD358F8D968308994774A ** get_address_of_OnAudioConfigurationChanged_0() { return &___OnAudioConfigurationChanged_0; }
inline void set_OnAudioConfigurationChanged_0(AudioConfigurationChangeHandler_t1A997C51DF7B553A94DAD358F8D968308994774A * value)
{
___OnAudioConfigurationChanged_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___OnAudioConfigurationChanged_0), (void*)value);
}
};
// UnityEngine.Events.BaseInvokableCall
struct BaseInvokableCall_tEE2D6A7BA0C533CE83516B9CB652FB0982400784 : public RuntimeObject
{
public:
public:
};
// UnityEngine.UI.BaseVertexEffect
struct BaseVertexEffect_tD033B949E13F0BF6E82C34E1EB18F422A0F66105 : public RuntimeObject
{
public:
public:
};
// UnityEngine.BeforeRenderHelper
struct BeforeRenderHelper_tD03366BD36CBC6821AEF8AAD1190808424B91E8E : public RuntimeObject
{
public:
public:
};
struct BeforeRenderHelper_tD03366BD36CBC6821AEF8AAD1190808424B91E8E_StaticFields
{
public:
// System.Collections.Generic.List`1<UnityEngine.BeforeRenderHelper/OrderBlock> UnityEngine.BeforeRenderHelper::s_OrderBlocks
List_1_t64155E53B00CF19E312B8F9D3C06ED7DC72722B0 * ___s_OrderBlocks_0;
public:
inline static int32_t get_offset_of_s_OrderBlocks_0() { return static_cast<int32_t>(offsetof(BeforeRenderHelper_tD03366BD36CBC6821AEF8AAD1190808424B91E8E_StaticFields, ___s_OrderBlocks_0)); }
inline List_1_t64155E53B00CF19E312B8F9D3C06ED7DC72722B0 * get_s_OrderBlocks_0() const { return ___s_OrderBlocks_0; }
inline List_1_t64155E53B00CF19E312B8F9D3C06ED7DC72722B0 ** get_address_of_s_OrderBlocks_0() { return &___s_OrderBlocks_0; }
inline void set_s_OrderBlocks_0(List_1_t64155E53B00CF19E312B8F9D3C06ED7DC72722B0 * value)
{
___s_OrderBlocks_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_OrderBlocks_0), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.Binary.BinaryAssembly
struct BinaryAssembly_t084E6A060EC9651DEB57610DC7F91E5B0C8558AC : public RuntimeObject
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryAssembly::assemId
int32_t ___assemId_0;
// System.String System.Runtime.Serialization.Formatters.Binary.BinaryAssembly::assemblyString
String_t* ___assemblyString_1;
public:
inline static int32_t get_offset_of_assemId_0() { return static_cast<int32_t>(offsetof(BinaryAssembly_t084E6A060EC9651DEB57610DC7F91E5B0C8558AC, ___assemId_0)); }
inline int32_t get_assemId_0() const { return ___assemId_0; }
inline int32_t* get_address_of_assemId_0() { return &___assemId_0; }
inline void set_assemId_0(int32_t value)
{
___assemId_0 = value;
}
inline static int32_t get_offset_of_assemblyString_1() { return static_cast<int32_t>(offsetof(BinaryAssembly_t084E6A060EC9651DEB57610DC7F91E5B0C8558AC, ___assemblyString_1)); }
inline String_t* get_assemblyString_1() const { return ___assemblyString_1; }
inline String_t** get_address_of_assemblyString_1() { return &___assemblyString_1; }
inline void set_assemblyString_1(String_t* value)
{
___assemblyString_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assemblyString_1), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.Binary.BinaryAssemblyInfo
struct BinaryAssemblyInfo_t2F2D82DE14955BEF2CB536FA3DA27D972DE5DA8A : public RuntimeObject
{
public:
// System.String System.Runtime.Serialization.Formatters.Binary.BinaryAssemblyInfo::assemblyString
String_t* ___assemblyString_0;
// System.Reflection.Assembly System.Runtime.Serialization.Formatters.Binary.BinaryAssemblyInfo::assembly
Assembly_t * ___assembly_1;
public:
inline static int32_t get_offset_of_assemblyString_0() { return static_cast<int32_t>(offsetof(BinaryAssemblyInfo_t2F2D82DE14955BEF2CB536FA3DA27D972DE5DA8A, ___assemblyString_0)); }
inline String_t* get_assemblyString_0() const { return ___assemblyString_0; }
inline String_t** get_address_of_assemblyString_0() { return &___assemblyString_0; }
inline void set_assemblyString_0(String_t* value)
{
___assemblyString_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assemblyString_0), (void*)value);
}
inline static int32_t get_offset_of_assembly_1() { return static_cast<int32_t>(offsetof(BinaryAssemblyInfo_t2F2D82DE14955BEF2CB536FA3DA27D972DE5DA8A, ___assembly_1)); }
inline Assembly_t * get_assembly_1() const { return ___assembly_1; }
inline Assembly_t ** get_address_of_assembly_1() { return &___assembly_1; }
inline void set_assembly_1(Assembly_t * value)
{
___assembly_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assembly_1), (void*)value);
}
};
// System.Runtime.Versioning.BinaryCompatibility
struct BinaryCompatibility_t44EDF0C684F7241E727B341DF3896349BC34D810 : public RuntimeObject
{
public:
public:
};
struct BinaryCompatibility_t44EDF0C684F7241E727B341DF3896349BC34D810_StaticFields
{
public:
// System.Boolean System.Runtime.Versioning.BinaryCompatibility::TargetsAtLeast_Desktop_V4_5
bool ___TargetsAtLeast_Desktop_V4_5_0;
// System.Boolean System.Runtime.Versioning.BinaryCompatibility::TargetsAtLeast_Desktop_V4_5_1
bool ___TargetsAtLeast_Desktop_V4_5_1_1;
public:
inline static int32_t get_offset_of_TargetsAtLeast_Desktop_V4_5_0() { return static_cast<int32_t>(offsetof(BinaryCompatibility_t44EDF0C684F7241E727B341DF3896349BC34D810_StaticFields, ___TargetsAtLeast_Desktop_V4_5_0)); }
inline bool get_TargetsAtLeast_Desktop_V4_5_0() const { return ___TargetsAtLeast_Desktop_V4_5_0; }
inline bool* get_address_of_TargetsAtLeast_Desktop_V4_5_0() { return &___TargetsAtLeast_Desktop_V4_5_0; }
inline void set_TargetsAtLeast_Desktop_V4_5_0(bool value)
{
___TargetsAtLeast_Desktop_V4_5_0 = value;
}
inline static int32_t get_offset_of_TargetsAtLeast_Desktop_V4_5_1_1() { return static_cast<int32_t>(offsetof(BinaryCompatibility_t44EDF0C684F7241E727B341DF3896349BC34D810_StaticFields, ___TargetsAtLeast_Desktop_V4_5_1_1)); }
inline bool get_TargetsAtLeast_Desktop_V4_5_1_1() const { return ___TargetsAtLeast_Desktop_V4_5_1_1; }
inline bool* get_address_of_TargetsAtLeast_Desktop_V4_5_1_1() { return &___TargetsAtLeast_Desktop_V4_5_1_1; }
inline void set_TargetsAtLeast_Desktop_V4_5_1_1(bool value)
{
___TargetsAtLeast_Desktop_V4_5_1_1 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.BinaryConverter
struct BinaryConverter_t01E3C1A5BB26A4EA139B385737EA5221535AA02C : public RuntimeObject
{
public:
public:
};
// System.Runtime.Serialization.Formatters.Binary.BinaryCrossAppDomainAssembly
struct BinaryCrossAppDomainAssembly_t8E09F36F61E888708945F765A2053F27C42D24CC : public RuntimeObject
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryCrossAppDomainAssembly::assemId
int32_t ___assemId_0;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryCrossAppDomainAssembly::assemblyIndex
int32_t ___assemblyIndex_1;
public:
inline static int32_t get_offset_of_assemId_0() { return static_cast<int32_t>(offsetof(BinaryCrossAppDomainAssembly_t8E09F36F61E888708945F765A2053F27C42D24CC, ___assemId_0)); }
inline int32_t get_assemId_0() const { return ___assemId_0; }
inline int32_t* get_address_of_assemId_0() { return &___assemId_0; }
inline void set_assemId_0(int32_t value)
{
___assemId_0 = value;
}
inline static int32_t get_offset_of_assemblyIndex_1() { return static_cast<int32_t>(offsetof(BinaryCrossAppDomainAssembly_t8E09F36F61E888708945F765A2053F27C42D24CC, ___assemblyIndex_1)); }
inline int32_t get_assemblyIndex_1() const { return ___assemblyIndex_1; }
inline int32_t* get_address_of_assemblyIndex_1() { return &___assemblyIndex_1; }
inline void set_assemblyIndex_1(int32_t value)
{
___assemblyIndex_1 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.BinaryCrossAppDomainMap
struct BinaryCrossAppDomainMap_tADB0BBE558F0532BFF3F4519734E94FC642E3267 : public RuntimeObject
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryCrossAppDomainMap::crossAppDomainArrayIndex
int32_t ___crossAppDomainArrayIndex_0;
public:
inline static int32_t get_offset_of_crossAppDomainArrayIndex_0() { return static_cast<int32_t>(offsetof(BinaryCrossAppDomainMap_tADB0BBE558F0532BFF3F4519734E94FC642E3267, ___crossAppDomainArrayIndex_0)); }
inline int32_t get_crossAppDomainArrayIndex_0() const { return ___crossAppDomainArrayIndex_0; }
inline int32_t* get_address_of_crossAppDomainArrayIndex_0() { return &___crossAppDomainArrayIndex_0; }
inline void set_crossAppDomainArrayIndex_0(int32_t value)
{
___crossAppDomainArrayIndex_0 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.BinaryCrossAppDomainString
struct BinaryCrossAppDomainString_t4B871A899F78A0E226EBC457B9BE8CD80404023C : public RuntimeObject
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryCrossAppDomainString::objectId
int32_t ___objectId_0;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryCrossAppDomainString::value
int32_t ___value_1;
public:
inline static int32_t get_offset_of_objectId_0() { return static_cast<int32_t>(offsetof(BinaryCrossAppDomainString_t4B871A899F78A0E226EBC457B9BE8CD80404023C, ___objectId_0)); }
inline int32_t get_objectId_0() const { return ___objectId_0; }
inline int32_t* get_address_of_objectId_0() { return &___objectId_0; }
inline void set_objectId_0(int32_t value)
{
___objectId_0 = value;
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(BinaryCrossAppDomainString_t4B871A899F78A0E226EBC457B9BE8CD80404023C, ___value_1)); }
inline int32_t get_value_1() const { return ___value_1; }
inline int32_t* get_address_of_value_1() { return &___value_1; }
inline void set_value_1(int32_t value)
{
___value_1 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.BinaryObject
struct BinaryObject_t179888868BBFFD7F11C98DD08CE4726CDBF59324 : public RuntimeObject
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryObject::objectId
int32_t ___objectId_0;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryObject::mapId
int32_t ___mapId_1;
public:
inline static int32_t get_offset_of_objectId_0() { return static_cast<int32_t>(offsetof(BinaryObject_t179888868BBFFD7F11C98DD08CE4726CDBF59324, ___objectId_0)); }
inline int32_t get_objectId_0() const { return ___objectId_0; }
inline int32_t* get_address_of_objectId_0() { return &___objectId_0; }
inline void set_objectId_0(int32_t value)
{
___objectId_0 = value;
}
inline static int32_t get_offset_of_mapId_1() { return static_cast<int32_t>(offsetof(BinaryObject_t179888868BBFFD7F11C98DD08CE4726CDBF59324, ___mapId_1)); }
inline int32_t get_mapId_1() const { return ___mapId_1; }
inline int32_t* get_address_of_mapId_1() { return &___mapId_1; }
inline void set_mapId_1(int32_t value)
{
___mapId_1 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.BinaryObjectString
struct BinaryObjectString_tEBEB23385A27BFF0830A57405CA995FAC5597E23 : public RuntimeObject
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryObjectString::objectId
int32_t ___objectId_0;
// System.String System.Runtime.Serialization.Formatters.Binary.BinaryObjectString::value
String_t* ___value_1;
public:
inline static int32_t get_offset_of_objectId_0() { return static_cast<int32_t>(offsetof(BinaryObjectString_tEBEB23385A27BFF0830A57405CA995FAC5597E23, ___objectId_0)); }
inline int32_t get_objectId_0() const { return ___objectId_0; }
inline int32_t* get_address_of_objectId_0() { return &___objectId_0; }
inline void set_objectId_0(int32_t value)
{
___objectId_0 = value;
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(BinaryObjectString_tEBEB23385A27BFF0830A57405CA995FAC5597E23, ___value_1)); }
inline String_t* get_value_1() const { return ___value_1; }
inline String_t** get_address_of_value_1() { return &___value_1; }
inline void set_value_1(String_t* value)
{
___value_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value);
}
};
// System.IO.BinaryReader
struct BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128 : public RuntimeObject
{
public:
// System.IO.Stream System.IO.BinaryReader::m_stream
Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * ___m_stream_0;
// System.Byte[] System.IO.BinaryReader::m_buffer
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___m_buffer_1;
// System.Text.Decoder System.IO.BinaryReader::m_decoder
Decoder_t91B2ED8AEC25AA24D23A00265203BE992B12C370 * ___m_decoder_2;
// System.Byte[] System.IO.BinaryReader::m_charBytes
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___m_charBytes_3;
// System.Char[] System.IO.BinaryReader::m_singleChar
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___m_singleChar_4;
// System.Char[] System.IO.BinaryReader::m_charBuffer
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___m_charBuffer_5;
// System.Int32 System.IO.BinaryReader::m_maxCharsSize
int32_t ___m_maxCharsSize_6;
// System.Boolean System.IO.BinaryReader::m_2BytesPerChar
bool ___m_2BytesPerChar_7;
// System.Boolean System.IO.BinaryReader::m_isMemoryStream
bool ___m_isMemoryStream_8;
// System.Boolean System.IO.BinaryReader::m_leaveOpen
bool ___m_leaveOpen_9;
public:
inline static int32_t get_offset_of_m_stream_0() { return static_cast<int32_t>(offsetof(BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128, ___m_stream_0)); }
inline Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * get_m_stream_0() const { return ___m_stream_0; }
inline Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB ** get_address_of_m_stream_0() { return &___m_stream_0; }
inline void set_m_stream_0(Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * value)
{
___m_stream_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_stream_0), (void*)value);
}
inline static int32_t get_offset_of_m_buffer_1() { return static_cast<int32_t>(offsetof(BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128, ___m_buffer_1)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_m_buffer_1() const { return ___m_buffer_1; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_m_buffer_1() { return &___m_buffer_1; }
inline void set_m_buffer_1(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___m_buffer_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_buffer_1), (void*)value);
}
inline static int32_t get_offset_of_m_decoder_2() { return static_cast<int32_t>(offsetof(BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128, ___m_decoder_2)); }
inline Decoder_t91B2ED8AEC25AA24D23A00265203BE992B12C370 * get_m_decoder_2() const { return ___m_decoder_2; }
inline Decoder_t91B2ED8AEC25AA24D23A00265203BE992B12C370 ** get_address_of_m_decoder_2() { return &___m_decoder_2; }
inline void set_m_decoder_2(Decoder_t91B2ED8AEC25AA24D23A00265203BE992B12C370 * value)
{
___m_decoder_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_decoder_2), (void*)value);
}
inline static int32_t get_offset_of_m_charBytes_3() { return static_cast<int32_t>(offsetof(BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128, ___m_charBytes_3)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_m_charBytes_3() const { return ___m_charBytes_3; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_m_charBytes_3() { return &___m_charBytes_3; }
inline void set_m_charBytes_3(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___m_charBytes_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_charBytes_3), (void*)value);
}
inline static int32_t get_offset_of_m_singleChar_4() { return static_cast<int32_t>(offsetof(BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128, ___m_singleChar_4)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_m_singleChar_4() const { return ___m_singleChar_4; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_m_singleChar_4() { return &___m_singleChar_4; }
inline void set_m_singleChar_4(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___m_singleChar_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_singleChar_4), (void*)value);
}
inline static int32_t get_offset_of_m_charBuffer_5() { return static_cast<int32_t>(offsetof(BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128, ___m_charBuffer_5)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_m_charBuffer_5() const { return ___m_charBuffer_5; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_m_charBuffer_5() { return &___m_charBuffer_5; }
inline void set_m_charBuffer_5(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___m_charBuffer_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_charBuffer_5), (void*)value);
}
inline static int32_t get_offset_of_m_maxCharsSize_6() { return static_cast<int32_t>(offsetof(BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128, ___m_maxCharsSize_6)); }
inline int32_t get_m_maxCharsSize_6() const { return ___m_maxCharsSize_6; }
inline int32_t* get_address_of_m_maxCharsSize_6() { return &___m_maxCharsSize_6; }
inline void set_m_maxCharsSize_6(int32_t value)
{
___m_maxCharsSize_6 = value;
}
inline static int32_t get_offset_of_m_2BytesPerChar_7() { return static_cast<int32_t>(offsetof(BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128, ___m_2BytesPerChar_7)); }
inline bool get_m_2BytesPerChar_7() const { return ___m_2BytesPerChar_7; }
inline bool* get_address_of_m_2BytesPerChar_7() { return &___m_2BytesPerChar_7; }
inline void set_m_2BytesPerChar_7(bool value)
{
___m_2BytesPerChar_7 = value;
}
inline static int32_t get_offset_of_m_isMemoryStream_8() { return static_cast<int32_t>(offsetof(BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128, ___m_isMemoryStream_8)); }
inline bool get_m_isMemoryStream_8() const { return ___m_isMemoryStream_8; }
inline bool* get_address_of_m_isMemoryStream_8() { return &___m_isMemoryStream_8; }
inline void set_m_isMemoryStream_8(bool value)
{
___m_isMemoryStream_8 = value;
}
inline static int32_t get_offset_of_m_leaveOpen_9() { return static_cast<int32_t>(offsetof(BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128, ___m_leaveOpen_9)); }
inline bool get_m_leaveOpen_9() const { return ___m_leaveOpen_9; }
inline bool* get_address_of_m_leaveOpen_9() { return &___m_leaveOpen_9; }
inline void set_m_leaveOpen_9(bool value)
{
___m_leaveOpen_9 = value;
}
};
// System.IO.BinaryWriter
struct BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F : public RuntimeObject
{
public:
// System.IO.Stream System.IO.BinaryWriter::OutStream
Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * ___OutStream_1;
// System.Byte[] System.IO.BinaryWriter::_buffer
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ____buffer_2;
// System.Text.Encoding System.IO.BinaryWriter::_encoding
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ____encoding_3;
// System.Text.Encoder System.IO.BinaryWriter::_encoder
Encoder_t5095F24D3B1D0F70D08762B980731B9F1ADEE56A * ____encoder_4;
// System.Boolean System.IO.BinaryWriter::_leaveOpen
bool ____leaveOpen_5;
// System.Byte[] System.IO.BinaryWriter::_largeByteBuffer
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ____largeByteBuffer_6;
// System.Int32 System.IO.BinaryWriter::_maxChars
int32_t ____maxChars_7;
public:
inline static int32_t get_offset_of_OutStream_1() { return static_cast<int32_t>(offsetof(BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F, ___OutStream_1)); }
inline Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * get_OutStream_1() const { return ___OutStream_1; }
inline Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB ** get_address_of_OutStream_1() { return &___OutStream_1; }
inline void set_OutStream_1(Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * value)
{
___OutStream_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___OutStream_1), (void*)value);
}
inline static int32_t get_offset_of__buffer_2() { return static_cast<int32_t>(offsetof(BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F, ____buffer_2)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get__buffer_2() const { return ____buffer_2; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of__buffer_2() { return &____buffer_2; }
inline void set__buffer_2(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
____buffer_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____buffer_2), (void*)value);
}
inline static int32_t get_offset_of__encoding_3() { return static_cast<int32_t>(offsetof(BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F, ____encoding_3)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get__encoding_3() const { return ____encoding_3; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of__encoding_3() { return &____encoding_3; }
inline void set__encoding_3(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
____encoding_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____encoding_3), (void*)value);
}
inline static int32_t get_offset_of__encoder_4() { return static_cast<int32_t>(offsetof(BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F, ____encoder_4)); }
inline Encoder_t5095F24D3B1D0F70D08762B980731B9F1ADEE56A * get__encoder_4() const { return ____encoder_4; }
inline Encoder_t5095F24D3B1D0F70D08762B980731B9F1ADEE56A ** get_address_of__encoder_4() { return &____encoder_4; }
inline void set__encoder_4(Encoder_t5095F24D3B1D0F70D08762B980731B9F1ADEE56A * value)
{
____encoder_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____encoder_4), (void*)value);
}
inline static int32_t get_offset_of__leaveOpen_5() { return static_cast<int32_t>(offsetof(BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F, ____leaveOpen_5)); }
inline bool get__leaveOpen_5() const { return ____leaveOpen_5; }
inline bool* get_address_of__leaveOpen_5() { return &____leaveOpen_5; }
inline void set__leaveOpen_5(bool value)
{
____leaveOpen_5 = value;
}
inline static int32_t get_offset_of__largeByteBuffer_6() { return static_cast<int32_t>(offsetof(BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F, ____largeByteBuffer_6)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get__largeByteBuffer_6() const { return ____largeByteBuffer_6; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of__largeByteBuffer_6() { return &____largeByteBuffer_6; }
inline void set__largeByteBuffer_6(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
____largeByteBuffer_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____largeByteBuffer_6), (void*)value);
}
inline static int32_t get_offset_of__maxChars_7() { return static_cast<int32_t>(offsetof(BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F, ____maxChars_7)); }
inline int32_t get__maxChars_7() const { return ____maxChars_7; }
inline int32_t* get_address_of__maxChars_7() { return &____maxChars_7; }
inline void set__maxChars_7(int32_t value)
{
____maxChars_7 = value;
}
};
struct BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F_StaticFields
{
public:
// System.IO.BinaryWriter System.IO.BinaryWriter::Null
BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F * ___Null_0;
public:
inline static int32_t get_offset_of_Null_0() { return static_cast<int32_t>(offsetof(BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F_StaticFields, ___Null_0)); }
inline BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F * get_Null_0() const { return ___Null_0; }
inline BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F ** get_address_of_Null_0() { return &___Null_0; }
inline void set_Null_0(BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F * value)
{
___Null_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Null_0), (void*)value);
}
};
// System.Reflection.Binder
struct Binder_t2BEE27FD84737D1E79BC47FD67F6D3DD2F2DDA30 : public RuntimeObject
{
public:
public:
};
// System.BitConverter
struct BitConverter_t8DCBA24B909F1B221372AF2B37C76DCF614BA654 : public RuntimeObject
{
public:
public:
};
struct BitConverter_t8DCBA24B909F1B221372AF2B37C76DCF614BA654_StaticFields
{
public:
// System.Boolean System.BitConverter::IsLittleEndian
bool ___IsLittleEndian_0;
public:
inline static int32_t get_offset_of_IsLittleEndian_0() { return static_cast<int32_t>(offsetof(BitConverter_t8DCBA24B909F1B221372AF2B37C76DCF614BA654_StaticFields, ___IsLittleEndian_0)); }
inline bool get_IsLittleEndian_0() const { return ___IsLittleEndian_0; }
inline bool* get_address_of_IsLittleEndian_0() { return &___IsLittleEndian_0; }
inline void set_IsLittleEndian_0(bool value)
{
___IsLittleEndian_0 = value;
}
};
// Mono.Security.BitConverterLE
struct BitConverterLE_t7080E30A9C34ED36F3A81799777060CB4295F276 : public RuntimeObject
{
public:
public:
};
// Mono.Security.BitConverterLE
struct BitConverterLE_tC38659FD24286021C2E3CEA328786FBF45D5408E : public RuntimeObject
{
public:
public:
};
// System.Collections.Generic.BitHelper
struct BitHelper_t2B67F0FEDA1C18626AA201BEA9490E52B87CB2F7 : public RuntimeObject
{
public:
// System.Int32 System.Collections.Generic.BitHelper::_length
int32_t ____length_0;
// System.Int32* System.Collections.Generic.BitHelper::_arrayPtr
int32_t* ____arrayPtr_1;
// System.Int32[] System.Collections.Generic.BitHelper::_array
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ____array_2;
// System.Boolean System.Collections.Generic.BitHelper::_useStackAlloc
bool ____useStackAlloc_3;
public:
inline static int32_t get_offset_of__length_0() { return static_cast<int32_t>(offsetof(BitHelper_t2B67F0FEDA1C18626AA201BEA9490E52B87CB2F7, ____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__arrayPtr_1() { return static_cast<int32_t>(offsetof(BitHelper_t2B67F0FEDA1C18626AA201BEA9490E52B87CB2F7, ____arrayPtr_1)); }
inline int32_t* get__arrayPtr_1() const { return ____arrayPtr_1; }
inline int32_t** get_address_of__arrayPtr_1() { return &____arrayPtr_1; }
inline void set__arrayPtr_1(int32_t* value)
{
____arrayPtr_1 = value;
}
inline static int32_t get_offset_of__array_2() { return static_cast<int32_t>(offsetof(BitHelper_t2B67F0FEDA1C18626AA201BEA9490E52B87CB2F7, ____array_2)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get__array_2() const { return ____array_2; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of__array_2() { return &____array_2; }
inline void set__array_2(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
____array_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____array_2), (void*)value);
}
inline static int32_t get_offset_of__useStackAlloc_3() { return static_cast<int32_t>(offsetof(BitHelper_t2B67F0FEDA1C18626AA201BEA9490E52B87CB2F7, ____useStackAlloc_3)); }
inline bool get__useStackAlloc_3() const { return ____useStackAlloc_3; }
inline bool* get_address_of__useStackAlloc_3() { return &____useStackAlloc_3; }
inline void set__useStackAlloc_3(bool value)
{
____useStackAlloc_3 = value;
}
};
// System.Globalization.Bootstring
struct Bootstring_t39E09D4C4B98FECD2C042751FA27A6FA98BB3882 : public RuntimeObject
{
public:
// System.Char System.Globalization.Bootstring::delimiter
Il2CppChar ___delimiter_0;
// System.Int32 System.Globalization.Bootstring::base_num
int32_t ___base_num_1;
// System.Int32 System.Globalization.Bootstring::tmin
int32_t ___tmin_2;
// System.Int32 System.Globalization.Bootstring::tmax
int32_t ___tmax_3;
// System.Int32 System.Globalization.Bootstring::skew
int32_t ___skew_4;
// System.Int32 System.Globalization.Bootstring::damp
int32_t ___damp_5;
// System.Int32 System.Globalization.Bootstring::initial_bias
int32_t ___initial_bias_6;
// System.Int32 System.Globalization.Bootstring::initial_n
int32_t ___initial_n_7;
public:
inline static int32_t get_offset_of_delimiter_0() { return static_cast<int32_t>(offsetof(Bootstring_t39E09D4C4B98FECD2C042751FA27A6FA98BB3882, ___delimiter_0)); }
inline Il2CppChar get_delimiter_0() const { return ___delimiter_0; }
inline Il2CppChar* get_address_of_delimiter_0() { return &___delimiter_0; }
inline void set_delimiter_0(Il2CppChar value)
{
___delimiter_0 = value;
}
inline static int32_t get_offset_of_base_num_1() { return static_cast<int32_t>(offsetof(Bootstring_t39E09D4C4B98FECD2C042751FA27A6FA98BB3882, ___base_num_1)); }
inline int32_t get_base_num_1() const { return ___base_num_1; }
inline int32_t* get_address_of_base_num_1() { return &___base_num_1; }
inline void set_base_num_1(int32_t value)
{
___base_num_1 = value;
}
inline static int32_t get_offset_of_tmin_2() { return static_cast<int32_t>(offsetof(Bootstring_t39E09D4C4B98FECD2C042751FA27A6FA98BB3882, ___tmin_2)); }
inline int32_t get_tmin_2() const { return ___tmin_2; }
inline int32_t* get_address_of_tmin_2() { return &___tmin_2; }
inline void set_tmin_2(int32_t value)
{
___tmin_2 = value;
}
inline static int32_t get_offset_of_tmax_3() { return static_cast<int32_t>(offsetof(Bootstring_t39E09D4C4B98FECD2C042751FA27A6FA98BB3882, ___tmax_3)); }
inline int32_t get_tmax_3() const { return ___tmax_3; }
inline int32_t* get_address_of_tmax_3() { return &___tmax_3; }
inline void set_tmax_3(int32_t value)
{
___tmax_3 = value;
}
inline static int32_t get_offset_of_skew_4() { return static_cast<int32_t>(offsetof(Bootstring_t39E09D4C4B98FECD2C042751FA27A6FA98BB3882, ___skew_4)); }
inline int32_t get_skew_4() const { return ___skew_4; }
inline int32_t* get_address_of_skew_4() { return &___skew_4; }
inline void set_skew_4(int32_t value)
{
___skew_4 = value;
}
inline static int32_t get_offset_of_damp_5() { return static_cast<int32_t>(offsetof(Bootstring_t39E09D4C4B98FECD2C042751FA27A6FA98BB3882, ___damp_5)); }
inline int32_t get_damp_5() const { return ___damp_5; }
inline int32_t* get_address_of_damp_5() { return &___damp_5; }
inline void set_damp_5(int32_t value)
{
___damp_5 = value;
}
inline static int32_t get_offset_of_initial_bias_6() { return static_cast<int32_t>(offsetof(Bootstring_t39E09D4C4B98FECD2C042751FA27A6FA98BB3882, ___initial_bias_6)); }
inline int32_t get_initial_bias_6() const { return ___initial_bias_6; }
inline int32_t* get_address_of_initial_bias_6() { return &___initial_bias_6; }
inline void set_initial_bias_6(int32_t value)
{
___initial_bias_6 = value;
}
inline static int32_t get_offset_of_initial_n_7() { return static_cast<int32_t>(offsetof(Bootstring_t39E09D4C4B98FECD2C042751FA27A6FA98BB3882, ___initial_n_7)); }
inline int32_t get_initial_n_7() const { return ___initial_n_7; }
inline int32_t* get_address_of_initial_n_7() { return &___initial_n_7; }
inline void set_initial_n_7(int32_t value)
{
___initial_n_7 = value;
}
};
// System.Buffer
struct Buffer_tC632A2747BF8E5003A9CAB293BF2F6C506C710DE : public RuntimeObject
{
public:
public:
};
// UnityEngine.Experimental.Rendering.BuiltinRuntimeReflectionSystem
struct BuiltinRuntimeReflectionSystem_t28584708A510CEE39431FF9695276A0C9EC45159 : public RuntimeObject
{
public:
public:
};
// System.ByteMatcher
struct ByteMatcher_t22B28B6FEEDB86326E893675F4C6B5C74E66F5D7 : public RuntimeObject
{
public:
// System.Collections.Hashtable System.ByteMatcher::map
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___map_0;
// System.Collections.Hashtable System.ByteMatcher::starts
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___starts_1;
public:
inline static int32_t get_offset_of_map_0() { return static_cast<int32_t>(offsetof(ByteMatcher_t22B28B6FEEDB86326E893675F4C6B5C74E66F5D7, ___map_0)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_map_0() const { return ___map_0; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_map_0() { return &___map_0; }
inline void set_map_0(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___map_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___map_0), (void*)value);
}
inline static int32_t get_offset_of_starts_1() { return static_cast<int32_t>(offsetof(ByteMatcher_t22B28B6FEEDB86326E893675F4C6B5C74E66F5D7, ___starts_1)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_starts_1() const { return ___starts_1; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_starts_1() { return &___starts_1; }
inline void set_starts_1(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___starts_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___starts_1), (void*)value);
}
};
// System.Runtime.Remoting.Messaging.CADArgHolder
struct CADArgHolder_tF834CE7AC93B38AABC332460CBAB127B82A9389E : public RuntimeObject
{
public:
// System.Int32 System.Runtime.Remoting.Messaging.CADArgHolder::index
int32_t ___index_0;
public:
inline static int32_t get_offset_of_index_0() { return static_cast<int32_t>(offsetof(CADArgHolder_tF834CE7AC93B38AABC332460CBAB127B82A9389E, ___index_0)); }
inline int32_t get_index_0() const { return ___index_0; }
inline int32_t* get_address_of_index_0() { return &___index_0; }
inline void set_index_0(int32_t value)
{
___index_0 = value;
}
};
// System.Runtime.Remoting.Messaging.CADMessageBase
struct CADMessageBase_t78A590A87FD9362D67AAD58A88C4062CA0A105C7 : public RuntimeObject
{
public:
// System.Object[] System.Runtime.Remoting.Messaging.CADMessageBase::_args
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ____args_0;
// System.Byte[] System.Runtime.Remoting.Messaging.CADMessageBase::_serializedArgs
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ____serializedArgs_1;
// System.Int32 System.Runtime.Remoting.Messaging.CADMessageBase::_propertyCount
int32_t ____propertyCount_2;
// System.Runtime.Remoting.Messaging.CADArgHolder System.Runtime.Remoting.Messaging.CADMessageBase::_callContext
CADArgHolder_tF834CE7AC93B38AABC332460CBAB127B82A9389E * ____callContext_3;
// System.Byte[] System.Runtime.Remoting.Messaging.CADMessageBase::serializedMethod
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___serializedMethod_4;
public:
inline static int32_t get_offset_of__args_0() { return static_cast<int32_t>(offsetof(CADMessageBase_t78A590A87FD9362D67AAD58A88C4062CA0A105C7, ____args_0)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get__args_0() const { return ____args_0; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of__args_0() { return &____args_0; }
inline void set__args_0(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
____args_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____args_0), (void*)value);
}
inline static int32_t get_offset_of__serializedArgs_1() { return static_cast<int32_t>(offsetof(CADMessageBase_t78A590A87FD9362D67AAD58A88C4062CA0A105C7, ____serializedArgs_1)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get__serializedArgs_1() const { return ____serializedArgs_1; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of__serializedArgs_1() { return &____serializedArgs_1; }
inline void set__serializedArgs_1(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
____serializedArgs_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____serializedArgs_1), (void*)value);
}
inline static int32_t get_offset_of__propertyCount_2() { return static_cast<int32_t>(offsetof(CADMessageBase_t78A590A87FD9362D67AAD58A88C4062CA0A105C7, ____propertyCount_2)); }
inline int32_t get__propertyCount_2() const { return ____propertyCount_2; }
inline int32_t* get_address_of__propertyCount_2() { return &____propertyCount_2; }
inline void set__propertyCount_2(int32_t value)
{
____propertyCount_2 = value;
}
inline static int32_t get_offset_of__callContext_3() { return static_cast<int32_t>(offsetof(CADMessageBase_t78A590A87FD9362D67AAD58A88C4062CA0A105C7, ____callContext_3)); }
inline CADArgHolder_tF834CE7AC93B38AABC332460CBAB127B82A9389E * get__callContext_3() const { return ____callContext_3; }
inline CADArgHolder_tF834CE7AC93B38AABC332460CBAB127B82A9389E ** get_address_of__callContext_3() { return &____callContext_3; }
inline void set__callContext_3(CADArgHolder_tF834CE7AC93B38AABC332460CBAB127B82A9389E * value)
{
____callContext_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____callContext_3), (void*)value);
}
inline static int32_t get_offset_of_serializedMethod_4() { return static_cast<int32_t>(offsetof(CADMessageBase_t78A590A87FD9362D67AAD58A88C4062CA0A105C7, ___serializedMethod_4)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_serializedMethod_4() const { return ___serializedMethod_4; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_serializedMethod_4() { return &___serializedMethod_4; }
inline void set_serializedMethod_4(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___serializedMethod_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___serializedMethod_4), (void*)value);
}
};
// System.Runtime.Remoting.Messaging.CADMethodRef
struct CADMethodRef_t9626FF46E076B15F71F14133E3FE884F10F50DD2 : public RuntimeObject
{
public:
// System.Boolean System.Runtime.Remoting.Messaging.CADMethodRef::ctor
bool ___ctor_0;
// System.String System.Runtime.Remoting.Messaging.CADMethodRef::typeName
String_t* ___typeName_1;
// System.String System.Runtime.Remoting.Messaging.CADMethodRef::methodName
String_t* ___methodName_2;
// System.String[] System.Runtime.Remoting.Messaging.CADMethodRef::param_names
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___param_names_3;
// System.String[] System.Runtime.Remoting.Messaging.CADMethodRef::generic_arg_names
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___generic_arg_names_4;
public:
inline static int32_t get_offset_of_ctor_0() { return static_cast<int32_t>(offsetof(CADMethodRef_t9626FF46E076B15F71F14133E3FE884F10F50DD2, ___ctor_0)); }
inline bool get_ctor_0() const { return ___ctor_0; }
inline bool* get_address_of_ctor_0() { return &___ctor_0; }
inline void set_ctor_0(bool value)
{
___ctor_0 = value;
}
inline static int32_t get_offset_of_typeName_1() { return static_cast<int32_t>(offsetof(CADMethodRef_t9626FF46E076B15F71F14133E3FE884F10F50DD2, ___typeName_1)); }
inline String_t* get_typeName_1() const { return ___typeName_1; }
inline String_t** get_address_of_typeName_1() { return &___typeName_1; }
inline void set_typeName_1(String_t* value)
{
___typeName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeName_1), (void*)value);
}
inline static int32_t get_offset_of_methodName_2() { return static_cast<int32_t>(offsetof(CADMethodRef_t9626FF46E076B15F71F14133E3FE884F10F50DD2, ___methodName_2)); }
inline String_t* get_methodName_2() const { return ___methodName_2; }
inline String_t** get_address_of_methodName_2() { return &___methodName_2; }
inline void set_methodName_2(String_t* value)
{
___methodName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___methodName_2), (void*)value);
}
inline static int32_t get_offset_of_param_names_3() { return static_cast<int32_t>(offsetof(CADMethodRef_t9626FF46E076B15F71F14133E3FE884F10F50DD2, ___param_names_3)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_param_names_3() const { return ___param_names_3; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_param_names_3() { return &___param_names_3; }
inline void set_param_names_3(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___param_names_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___param_names_3), (void*)value);
}
inline static int32_t get_offset_of_generic_arg_names_4() { return static_cast<int32_t>(offsetof(CADMethodRef_t9626FF46E076B15F71F14133E3FE884F10F50DD2, ___generic_arg_names_4)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_generic_arg_names_4() const { return ___generic_arg_names_4; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_generic_arg_names_4() { return &___generic_arg_names_4; }
inline void set_generic_arg_names_4(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___generic_arg_names_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___generic_arg_names_4), (void*)value);
}
};
// System.Runtime.Remoting.Messaging.CADObjRef
struct CADObjRef_tEBB48EB2D43F3C2012DFF53EC552B784A5FAA0FC : public RuntimeObject
{
public:
// System.Runtime.Remoting.ObjRef System.Runtime.Remoting.Messaging.CADObjRef::objref
ObjRef_t10D53E2178851535F38935DC53B48634063C84D3 * ___objref_0;
// System.Int32 System.Runtime.Remoting.Messaging.CADObjRef::SourceDomain
int32_t ___SourceDomain_1;
// System.Byte[] System.Runtime.Remoting.Messaging.CADObjRef::TypeInfo
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___TypeInfo_2;
public:
inline static int32_t get_offset_of_objref_0() { return static_cast<int32_t>(offsetof(CADObjRef_tEBB48EB2D43F3C2012DFF53EC552B784A5FAA0FC, ___objref_0)); }
inline ObjRef_t10D53E2178851535F38935DC53B48634063C84D3 * get_objref_0() const { return ___objref_0; }
inline ObjRef_t10D53E2178851535F38935DC53B48634063C84D3 ** get_address_of_objref_0() { return &___objref_0; }
inline void set_objref_0(ObjRef_t10D53E2178851535F38935DC53B48634063C84D3 * value)
{
___objref_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objref_0), (void*)value);
}
inline static int32_t get_offset_of_SourceDomain_1() { return static_cast<int32_t>(offsetof(CADObjRef_tEBB48EB2D43F3C2012DFF53EC552B784A5FAA0FC, ___SourceDomain_1)); }
inline int32_t get_SourceDomain_1() const { return ___SourceDomain_1; }
inline int32_t* get_address_of_SourceDomain_1() { return &___SourceDomain_1; }
inline void set_SourceDomain_1(int32_t value)
{
___SourceDomain_1 = value;
}
inline static int32_t get_offset_of_TypeInfo_2() { return static_cast<int32_t>(offsetof(CADObjRef_tEBB48EB2D43F3C2012DFF53EC552B784A5FAA0FC, ___TypeInfo_2)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_TypeInfo_2() const { return ___TypeInfo_2; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_TypeInfo_2() { return &___TypeInfo_2; }
inline void set_TypeInfo_2(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___TypeInfo_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___TypeInfo_2), (void*)value);
}
};
// System.Runtime.Remoting.Channels.CADSerializer
struct CADSerializer_t0B594D1EEBC0760DF86DEC3C23BC15290FF95D75 : public RuntimeObject
{
public:
public:
};
// System.Security.Cryptography.CAPI
struct CAPI_t6ECCFAA6567CD20171E0121618B73995625A261E : public RuntimeObject
{
public:
public:
};
// System.CLRConfig
struct CLRConfig_tF2AA904257CB29EA0991DFEB7ED5687982072B3D : public RuntimeObject
{
public:
public:
};
// System.Text.RegularExpressions.CachedCodeEntry
struct CachedCodeEntry_tFB2B7B36D8DB46F8538DC70C3B1616ED9D43CD95 : public RuntimeObject
{
public:
// System.String System.Text.RegularExpressions.CachedCodeEntry::_key
String_t* ____key_0;
// System.Text.RegularExpressions.RegexCode System.Text.RegularExpressions.CachedCodeEntry::_code
RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5 * ____code_1;
// System.Collections.Hashtable System.Text.RegularExpressions.CachedCodeEntry::_caps
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ____caps_2;
// System.Collections.Hashtable System.Text.RegularExpressions.CachedCodeEntry::_capnames
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ____capnames_3;
// System.String[] System.Text.RegularExpressions.CachedCodeEntry::_capslist
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ____capslist_4;
// System.Int32 System.Text.RegularExpressions.CachedCodeEntry::_capsize
int32_t ____capsize_5;
// System.Text.RegularExpressions.RegexRunnerFactory System.Text.RegularExpressions.CachedCodeEntry::_factory
RegexRunnerFactory_tA425EC5DC77FC0AAD86EB116E5483E94679CAA96 * ____factory_6;
// System.Text.RegularExpressions.ExclusiveReference System.Text.RegularExpressions.CachedCodeEntry::_runnerref
ExclusiveReference_t7F4A5D2416EA34710F520BAD225E61BC1E98D1D8 * ____runnerref_7;
// System.Text.RegularExpressions.SharedReference System.Text.RegularExpressions.CachedCodeEntry::_replref
SharedReference_t74AB40C102A76A7523C72269A49D2C8FBDD83926 * ____replref_8;
public:
inline static int32_t get_offset_of__key_0() { return static_cast<int32_t>(offsetof(CachedCodeEntry_tFB2B7B36D8DB46F8538DC70C3B1616ED9D43CD95, ____key_0)); }
inline String_t* get__key_0() const { return ____key_0; }
inline String_t** get_address_of__key_0() { return &____key_0; }
inline void set__key_0(String_t* value)
{
____key_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____key_0), (void*)value);
}
inline static int32_t get_offset_of__code_1() { return static_cast<int32_t>(offsetof(CachedCodeEntry_tFB2B7B36D8DB46F8538DC70C3B1616ED9D43CD95, ____code_1)); }
inline RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5 * get__code_1() const { return ____code_1; }
inline RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5 ** get_address_of__code_1() { return &____code_1; }
inline void set__code_1(RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5 * value)
{
____code_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____code_1), (void*)value);
}
inline static int32_t get_offset_of__caps_2() { return static_cast<int32_t>(offsetof(CachedCodeEntry_tFB2B7B36D8DB46F8538DC70C3B1616ED9D43CD95, ____caps_2)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get__caps_2() const { return ____caps_2; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of__caps_2() { return &____caps_2; }
inline void set__caps_2(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
____caps_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____caps_2), (void*)value);
}
inline static int32_t get_offset_of__capnames_3() { return static_cast<int32_t>(offsetof(CachedCodeEntry_tFB2B7B36D8DB46F8538DC70C3B1616ED9D43CD95, ____capnames_3)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get__capnames_3() const { return ____capnames_3; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of__capnames_3() { return &____capnames_3; }
inline void set__capnames_3(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
____capnames_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____capnames_3), (void*)value);
}
inline static int32_t get_offset_of__capslist_4() { return static_cast<int32_t>(offsetof(CachedCodeEntry_tFB2B7B36D8DB46F8538DC70C3B1616ED9D43CD95, ____capslist_4)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get__capslist_4() const { return ____capslist_4; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of__capslist_4() { return &____capslist_4; }
inline void set__capslist_4(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
____capslist_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____capslist_4), (void*)value);
}
inline static int32_t get_offset_of__capsize_5() { return static_cast<int32_t>(offsetof(CachedCodeEntry_tFB2B7B36D8DB46F8538DC70C3B1616ED9D43CD95, ____capsize_5)); }
inline int32_t get__capsize_5() const { return ____capsize_5; }
inline int32_t* get_address_of__capsize_5() { return &____capsize_5; }
inline void set__capsize_5(int32_t value)
{
____capsize_5 = value;
}
inline static int32_t get_offset_of__factory_6() { return static_cast<int32_t>(offsetof(CachedCodeEntry_tFB2B7B36D8DB46F8538DC70C3B1616ED9D43CD95, ____factory_6)); }
inline RegexRunnerFactory_tA425EC5DC77FC0AAD86EB116E5483E94679CAA96 * get__factory_6() const { return ____factory_6; }
inline RegexRunnerFactory_tA425EC5DC77FC0AAD86EB116E5483E94679CAA96 ** get_address_of__factory_6() { return &____factory_6; }
inline void set__factory_6(RegexRunnerFactory_tA425EC5DC77FC0AAD86EB116E5483E94679CAA96 * value)
{
____factory_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____factory_6), (void*)value);
}
inline static int32_t get_offset_of__runnerref_7() { return static_cast<int32_t>(offsetof(CachedCodeEntry_tFB2B7B36D8DB46F8538DC70C3B1616ED9D43CD95, ____runnerref_7)); }
inline ExclusiveReference_t7F4A5D2416EA34710F520BAD225E61BC1E98D1D8 * get__runnerref_7() const { return ____runnerref_7; }
inline ExclusiveReference_t7F4A5D2416EA34710F520BAD225E61BC1E98D1D8 ** get_address_of__runnerref_7() { return &____runnerref_7; }
inline void set__runnerref_7(ExclusiveReference_t7F4A5D2416EA34710F520BAD225E61BC1E98D1D8 * value)
{
____runnerref_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&____runnerref_7), (void*)value);
}
inline static int32_t get_offset_of__replref_8() { return static_cast<int32_t>(offsetof(CachedCodeEntry_tFB2B7B36D8DB46F8538DC70C3B1616ED9D43CD95, ____replref_8)); }
inline SharedReference_t74AB40C102A76A7523C72269A49D2C8FBDD83926 * get__replref_8() const { return ____replref_8; }
inline SharedReference_t74AB40C102A76A7523C72269A49D2C8FBDD83926 ** get_address_of__replref_8() { return &____replref_8; }
inline void set__replref_8(SharedReference_t74AB40C102A76A7523C72269A49D2C8FBDD83926 * value)
{
____replref_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&____replref_8), (void*)value);
}
};
// System.Linq.Expressions.CachedReflectionInfo
struct CachedReflectionInfo_t642790C7A249BA13C0CA9D036535C0183B286976 : public RuntimeObject
{
public:
public:
};
struct CachedReflectionInfo_t642790C7A249BA13C0CA9D036535C0183B286976_StaticFields
{
public:
// System.Reflection.MethodInfo System.Linq.Expressions.CachedReflectionInfo::s_Math_Pow_Double_Double
MethodInfo_t * ___s_Math_Pow_Double_Double_0;
public:
inline static int32_t get_offset_of_s_Math_Pow_Double_Double_0() { return static_cast<int32_t>(offsetof(CachedReflectionInfo_t642790C7A249BA13C0CA9D036535C0183B286976_StaticFields, ___s_Math_Pow_Double_Double_0)); }
inline MethodInfo_t * get_s_Math_Pow_Double_Double_0() const { return ___s_Math_Pow_Double_Double_0; }
inline MethodInfo_t ** get_address_of_s_Math_Pow_Double_Double_0() { return &___s_Math_Pow_Double_Double_0; }
inline void set_s_Math_Pow_Double_Double_0(MethodInfo_t * value)
{
___s_Math_Pow_Double_Double_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Math_Pow_Double_Double_0), (void*)value);
}
};
// System.Globalization.Calendar
struct Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A : public RuntimeObject
{
public:
// System.Int32 System.Globalization.Calendar::m_currentEraValue
int32_t ___m_currentEraValue_38;
// System.Boolean System.Globalization.Calendar::m_isReadOnly
bool ___m_isReadOnly_39;
// System.Int32 System.Globalization.Calendar::twoDigitYearMax
int32_t ___twoDigitYearMax_41;
public:
inline static int32_t get_offset_of_m_currentEraValue_38() { return static_cast<int32_t>(offsetof(Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A, ___m_currentEraValue_38)); }
inline int32_t get_m_currentEraValue_38() const { return ___m_currentEraValue_38; }
inline int32_t* get_address_of_m_currentEraValue_38() { return &___m_currentEraValue_38; }
inline void set_m_currentEraValue_38(int32_t value)
{
___m_currentEraValue_38 = value;
}
inline static int32_t get_offset_of_m_isReadOnly_39() { return static_cast<int32_t>(offsetof(Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A, ___m_isReadOnly_39)); }
inline bool get_m_isReadOnly_39() const { return ___m_isReadOnly_39; }
inline bool* get_address_of_m_isReadOnly_39() { return &___m_isReadOnly_39; }
inline void set_m_isReadOnly_39(bool value)
{
___m_isReadOnly_39 = value;
}
inline static int32_t get_offset_of_twoDigitYearMax_41() { return static_cast<int32_t>(offsetof(Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A, ___twoDigitYearMax_41)); }
inline int32_t get_twoDigitYearMax_41() const { return ___twoDigitYearMax_41; }
inline int32_t* get_address_of_twoDigitYearMax_41() { return &___twoDigitYearMax_41; }
inline void set_twoDigitYearMax_41(int32_t value)
{
___twoDigitYearMax_41 = value;
}
};
// System.Globalization.CalendarData
struct CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4 : public RuntimeObject
{
public:
// System.String System.Globalization.CalendarData::sNativeName
String_t* ___sNativeName_1;
// System.String[] System.Globalization.CalendarData::saShortDates
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___saShortDates_2;
// System.String[] System.Globalization.CalendarData::saYearMonths
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___saYearMonths_3;
// System.String[] System.Globalization.CalendarData::saLongDates
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___saLongDates_4;
// System.String System.Globalization.CalendarData::sMonthDay
String_t* ___sMonthDay_5;
// System.String[] System.Globalization.CalendarData::saEraNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___saEraNames_6;
// System.String[] System.Globalization.CalendarData::saAbbrevEraNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___saAbbrevEraNames_7;
// System.String[] System.Globalization.CalendarData::saAbbrevEnglishEraNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___saAbbrevEnglishEraNames_8;
// System.String[] System.Globalization.CalendarData::saDayNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___saDayNames_9;
// System.String[] System.Globalization.CalendarData::saAbbrevDayNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___saAbbrevDayNames_10;
// System.String[] System.Globalization.CalendarData::saSuperShortDayNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___saSuperShortDayNames_11;
// System.String[] System.Globalization.CalendarData::saMonthNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___saMonthNames_12;
// System.String[] System.Globalization.CalendarData::saAbbrevMonthNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___saAbbrevMonthNames_13;
// System.String[] System.Globalization.CalendarData::saMonthGenitiveNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___saMonthGenitiveNames_14;
// System.String[] System.Globalization.CalendarData::saAbbrevMonthGenitiveNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___saAbbrevMonthGenitiveNames_15;
// System.String[] System.Globalization.CalendarData::saLeapYearMonthNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___saLeapYearMonthNames_16;
// System.Int32 System.Globalization.CalendarData::iTwoDigitYearMax
int32_t ___iTwoDigitYearMax_17;
// System.Int32 System.Globalization.CalendarData::iCurrentEra
int32_t ___iCurrentEra_18;
// System.Boolean System.Globalization.CalendarData::bUseUserOverrides
bool ___bUseUserOverrides_19;
public:
inline static int32_t get_offset_of_sNativeName_1() { return static_cast<int32_t>(offsetof(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4, ___sNativeName_1)); }
inline String_t* get_sNativeName_1() const { return ___sNativeName_1; }
inline String_t** get_address_of_sNativeName_1() { return &___sNativeName_1; }
inline void set_sNativeName_1(String_t* value)
{
___sNativeName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sNativeName_1), (void*)value);
}
inline static int32_t get_offset_of_saShortDates_2() { return static_cast<int32_t>(offsetof(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4, ___saShortDates_2)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_saShortDates_2() const { return ___saShortDates_2; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_saShortDates_2() { return &___saShortDates_2; }
inline void set_saShortDates_2(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___saShortDates_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___saShortDates_2), (void*)value);
}
inline static int32_t get_offset_of_saYearMonths_3() { return static_cast<int32_t>(offsetof(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4, ___saYearMonths_3)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_saYearMonths_3() const { return ___saYearMonths_3; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_saYearMonths_3() { return &___saYearMonths_3; }
inline void set_saYearMonths_3(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___saYearMonths_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___saYearMonths_3), (void*)value);
}
inline static int32_t get_offset_of_saLongDates_4() { return static_cast<int32_t>(offsetof(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4, ___saLongDates_4)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_saLongDates_4() const { return ___saLongDates_4; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_saLongDates_4() { return &___saLongDates_4; }
inline void set_saLongDates_4(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___saLongDates_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___saLongDates_4), (void*)value);
}
inline static int32_t get_offset_of_sMonthDay_5() { return static_cast<int32_t>(offsetof(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4, ___sMonthDay_5)); }
inline String_t* get_sMonthDay_5() const { return ___sMonthDay_5; }
inline String_t** get_address_of_sMonthDay_5() { return &___sMonthDay_5; }
inline void set_sMonthDay_5(String_t* value)
{
___sMonthDay_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sMonthDay_5), (void*)value);
}
inline static int32_t get_offset_of_saEraNames_6() { return static_cast<int32_t>(offsetof(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4, ___saEraNames_6)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_saEraNames_6() const { return ___saEraNames_6; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_saEraNames_6() { return &___saEraNames_6; }
inline void set_saEraNames_6(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___saEraNames_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___saEraNames_6), (void*)value);
}
inline static int32_t get_offset_of_saAbbrevEraNames_7() { return static_cast<int32_t>(offsetof(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4, ___saAbbrevEraNames_7)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_saAbbrevEraNames_7() const { return ___saAbbrevEraNames_7; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_saAbbrevEraNames_7() { return &___saAbbrevEraNames_7; }
inline void set_saAbbrevEraNames_7(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___saAbbrevEraNames_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___saAbbrevEraNames_7), (void*)value);
}
inline static int32_t get_offset_of_saAbbrevEnglishEraNames_8() { return static_cast<int32_t>(offsetof(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4, ___saAbbrevEnglishEraNames_8)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_saAbbrevEnglishEraNames_8() const { return ___saAbbrevEnglishEraNames_8; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_saAbbrevEnglishEraNames_8() { return &___saAbbrevEnglishEraNames_8; }
inline void set_saAbbrevEnglishEraNames_8(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___saAbbrevEnglishEraNames_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___saAbbrevEnglishEraNames_8), (void*)value);
}
inline static int32_t get_offset_of_saDayNames_9() { return static_cast<int32_t>(offsetof(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4, ___saDayNames_9)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_saDayNames_9() const { return ___saDayNames_9; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_saDayNames_9() { return &___saDayNames_9; }
inline void set_saDayNames_9(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___saDayNames_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___saDayNames_9), (void*)value);
}
inline static int32_t get_offset_of_saAbbrevDayNames_10() { return static_cast<int32_t>(offsetof(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4, ___saAbbrevDayNames_10)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_saAbbrevDayNames_10() const { return ___saAbbrevDayNames_10; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_saAbbrevDayNames_10() { return &___saAbbrevDayNames_10; }
inline void set_saAbbrevDayNames_10(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___saAbbrevDayNames_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___saAbbrevDayNames_10), (void*)value);
}
inline static int32_t get_offset_of_saSuperShortDayNames_11() { return static_cast<int32_t>(offsetof(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4, ___saSuperShortDayNames_11)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_saSuperShortDayNames_11() const { return ___saSuperShortDayNames_11; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_saSuperShortDayNames_11() { return &___saSuperShortDayNames_11; }
inline void set_saSuperShortDayNames_11(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___saSuperShortDayNames_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___saSuperShortDayNames_11), (void*)value);
}
inline static int32_t get_offset_of_saMonthNames_12() { return static_cast<int32_t>(offsetof(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4, ___saMonthNames_12)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_saMonthNames_12() const { return ___saMonthNames_12; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_saMonthNames_12() { return &___saMonthNames_12; }
inline void set_saMonthNames_12(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___saMonthNames_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___saMonthNames_12), (void*)value);
}
inline static int32_t get_offset_of_saAbbrevMonthNames_13() { return static_cast<int32_t>(offsetof(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4, ___saAbbrevMonthNames_13)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_saAbbrevMonthNames_13() const { return ___saAbbrevMonthNames_13; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_saAbbrevMonthNames_13() { return &___saAbbrevMonthNames_13; }
inline void set_saAbbrevMonthNames_13(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___saAbbrevMonthNames_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___saAbbrevMonthNames_13), (void*)value);
}
inline static int32_t get_offset_of_saMonthGenitiveNames_14() { return static_cast<int32_t>(offsetof(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4, ___saMonthGenitiveNames_14)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_saMonthGenitiveNames_14() const { return ___saMonthGenitiveNames_14; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_saMonthGenitiveNames_14() { return &___saMonthGenitiveNames_14; }
inline void set_saMonthGenitiveNames_14(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___saMonthGenitiveNames_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___saMonthGenitiveNames_14), (void*)value);
}
inline static int32_t get_offset_of_saAbbrevMonthGenitiveNames_15() { return static_cast<int32_t>(offsetof(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4, ___saAbbrevMonthGenitiveNames_15)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_saAbbrevMonthGenitiveNames_15() const { return ___saAbbrevMonthGenitiveNames_15; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_saAbbrevMonthGenitiveNames_15() { return &___saAbbrevMonthGenitiveNames_15; }
inline void set_saAbbrevMonthGenitiveNames_15(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___saAbbrevMonthGenitiveNames_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___saAbbrevMonthGenitiveNames_15), (void*)value);
}
inline static int32_t get_offset_of_saLeapYearMonthNames_16() { return static_cast<int32_t>(offsetof(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4, ___saLeapYearMonthNames_16)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_saLeapYearMonthNames_16() const { return ___saLeapYearMonthNames_16; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_saLeapYearMonthNames_16() { return &___saLeapYearMonthNames_16; }
inline void set_saLeapYearMonthNames_16(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___saLeapYearMonthNames_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___saLeapYearMonthNames_16), (void*)value);
}
inline static int32_t get_offset_of_iTwoDigitYearMax_17() { return static_cast<int32_t>(offsetof(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4, ___iTwoDigitYearMax_17)); }
inline int32_t get_iTwoDigitYearMax_17() const { return ___iTwoDigitYearMax_17; }
inline int32_t* get_address_of_iTwoDigitYearMax_17() { return &___iTwoDigitYearMax_17; }
inline void set_iTwoDigitYearMax_17(int32_t value)
{
___iTwoDigitYearMax_17 = value;
}
inline static int32_t get_offset_of_iCurrentEra_18() { return static_cast<int32_t>(offsetof(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4, ___iCurrentEra_18)); }
inline int32_t get_iCurrentEra_18() const { return ___iCurrentEra_18; }
inline int32_t* get_address_of_iCurrentEra_18() { return &___iCurrentEra_18; }
inline void set_iCurrentEra_18(int32_t value)
{
___iCurrentEra_18 = value;
}
inline static int32_t get_offset_of_bUseUserOverrides_19() { return static_cast<int32_t>(offsetof(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4, ___bUseUserOverrides_19)); }
inline bool get_bUseUserOverrides_19() const { return ___bUseUserOverrides_19; }
inline bool* get_address_of_bUseUserOverrides_19() { return &___bUseUserOverrides_19; }
inline void set_bUseUserOverrides_19(bool value)
{
___bUseUserOverrides_19 = value;
}
};
struct CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4_StaticFields
{
public:
// System.Globalization.CalendarData System.Globalization.CalendarData::Invariant
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4 * ___Invariant_20;
public:
inline static int32_t get_offset_of_Invariant_20() { return static_cast<int32_t>(offsetof(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4_StaticFields, ___Invariant_20)); }
inline CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4 * get_Invariant_20() const { return ___Invariant_20; }
inline CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4 ** get_address_of_Invariant_20() { return &___Invariant_20; }
inline void set_Invariant_20(CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4 * value)
{
___Invariant_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Invariant_20), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Globalization.CalendarData
struct CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4_marshaled_pinvoke
{
char* ___sNativeName_1;
char** ___saShortDates_2;
char** ___saYearMonths_3;
char** ___saLongDates_4;
char* ___sMonthDay_5;
char** ___saEraNames_6;
char** ___saAbbrevEraNames_7;
char** ___saAbbrevEnglishEraNames_8;
char** ___saDayNames_9;
char** ___saAbbrevDayNames_10;
char** ___saSuperShortDayNames_11;
char** ___saMonthNames_12;
char** ___saAbbrevMonthNames_13;
char** ___saMonthGenitiveNames_14;
char** ___saAbbrevMonthGenitiveNames_15;
char** ___saLeapYearMonthNames_16;
int32_t ___iTwoDigitYearMax_17;
int32_t ___iCurrentEra_18;
int32_t ___bUseUserOverrides_19;
};
// Native definition for COM marshalling of System.Globalization.CalendarData
struct CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4_marshaled_com
{
Il2CppChar* ___sNativeName_1;
Il2CppChar** ___saShortDates_2;
Il2CppChar** ___saYearMonths_3;
Il2CppChar** ___saLongDates_4;
Il2CppChar* ___sMonthDay_5;
Il2CppChar** ___saEraNames_6;
Il2CppChar** ___saAbbrevEraNames_7;
Il2CppChar** ___saAbbrevEnglishEraNames_8;
Il2CppChar** ___saDayNames_9;
Il2CppChar** ___saAbbrevDayNames_10;
Il2CppChar** ___saSuperShortDayNames_11;
Il2CppChar** ___saMonthNames_12;
Il2CppChar** ___saAbbrevMonthNames_13;
Il2CppChar** ___saMonthGenitiveNames_14;
Il2CppChar** ___saAbbrevMonthGenitiveNames_15;
Il2CppChar** ___saLeapYearMonthNames_16;
int32_t ___iTwoDigitYearMax_17;
int32_t ___iCurrentEra_18;
int32_t ___bUseUserOverrides_19;
};
// System.Runtime.Remoting.Messaging.CallContext
struct CallContext_t90895C0015A31D6E8A4F5185486EB6FB76A1544F : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.Messaging.CallContextRemotingData
struct CallContextRemotingData_t91D21A898FED729F67E6899F29076D9CF39E419E : public RuntimeObject
{
public:
// System.String System.Runtime.Remoting.Messaging.CallContextRemotingData::_logicalCallID
String_t* ____logicalCallID_0;
public:
inline static int32_t get_offset_of__logicalCallID_0() { return static_cast<int32_t>(offsetof(CallContextRemotingData_t91D21A898FED729F67E6899F29076D9CF39E419E, ____logicalCallID_0)); }
inline String_t* get__logicalCallID_0() const { return ____logicalCallID_0; }
inline String_t** get_address_of__logicalCallID_0() { return &____logicalCallID_0; }
inline void set__logicalCallID_0(String_t* value)
{
____logicalCallID_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____logicalCallID_0), (void*)value);
}
};
// System.Runtime.Remoting.Messaging.CallContextSecurityData
struct CallContextSecurityData_t57A7D75CA887E871D0AF1E3AF1AB9624AB99B431 : public RuntimeObject
{
public:
// System.Security.Principal.IPrincipal System.Runtime.Remoting.Messaging.CallContextSecurityData::_principal
RuntimeObject* ____principal_0;
public:
inline static int32_t get_offset_of__principal_0() { return static_cast<int32_t>(offsetof(CallContextSecurityData_t57A7D75CA887E871D0AF1E3AF1AB9624AB99B431, ____principal_0)); }
inline RuntimeObject* get__principal_0() const { return ____principal_0; }
inline RuntimeObject** get_address_of__principal_0() { return &____principal_0; }
inline void set__principal_0(RuntimeObject* value)
{
____principal_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____principal_0), (void*)value);
}
};
// UnityEngine.Rendering.CameraEventUtils
struct CameraEventUtils_t15A423D7F0BB9E136CE0F4CFA28482C9E5CA265A : public RuntimeObject
{
public:
public:
};
// UnityEngine.CameraRaycastHelper
struct CameraRaycastHelper_t2EB434C1BA2F4B7011FE16E77A471188901F1913 : public RuntimeObject
{
public:
public:
};
// System.Threading.CancellationCallbackInfo
struct CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B : public RuntimeObject
{
public:
// System.Action`1<System.Object> System.Threading.CancellationCallbackInfo::Callback
Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * ___Callback_0;
// System.Object System.Threading.CancellationCallbackInfo::StateForCallback
RuntimeObject * ___StateForCallback_1;
// System.Threading.SynchronizationContext System.Threading.CancellationCallbackInfo::TargetSyncContext
SynchronizationContext_t17D9365B5E0D30A0910A16FA4351C525232EF069 * ___TargetSyncContext_2;
// System.Threading.ExecutionContext System.Threading.CancellationCallbackInfo::TargetExecutionContext
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * ___TargetExecutionContext_3;
// System.Threading.CancellationTokenSource System.Threading.CancellationCallbackInfo::CancellationTokenSource
CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 * ___CancellationTokenSource_4;
public:
inline static int32_t get_offset_of_Callback_0() { return static_cast<int32_t>(offsetof(CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B, ___Callback_0)); }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * get_Callback_0() const { return ___Callback_0; }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC ** get_address_of_Callback_0() { return &___Callback_0; }
inline void set_Callback_0(Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * value)
{
___Callback_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Callback_0), (void*)value);
}
inline static int32_t get_offset_of_StateForCallback_1() { return static_cast<int32_t>(offsetof(CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B, ___StateForCallback_1)); }
inline RuntimeObject * get_StateForCallback_1() const { return ___StateForCallback_1; }
inline RuntimeObject ** get_address_of_StateForCallback_1() { return &___StateForCallback_1; }
inline void set_StateForCallback_1(RuntimeObject * value)
{
___StateForCallback_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___StateForCallback_1), (void*)value);
}
inline static int32_t get_offset_of_TargetSyncContext_2() { return static_cast<int32_t>(offsetof(CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B, ___TargetSyncContext_2)); }
inline SynchronizationContext_t17D9365B5E0D30A0910A16FA4351C525232EF069 * get_TargetSyncContext_2() const { return ___TargetSyncContext_2; }
inline SynchronizationContext_t17D9365B5E0D30A0910A16FA4351C525232EF069 ** get_address_of_TargetSyncContext_2() { return &___TargetSyncContext_2; }
inline void set_TargetSyncContext_2(SynchronizationContext_t17D9365B5E0D30A0910A16FA4351C525232EF069 * value)
{
___TargetSyncContext_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___TargetSyncContext_2), (void*)value);
}
inline static int32_t get_offset_of_TargetExecutionContext_3() { return static_cast<int32_t>(offsetof(CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B, ___TargetExecutionContext_3)); }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * get_TargetExecutionContext_3() const { return ___TargetExecutionContext_3; }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 ** get_address_of_TargetExecutionContext_3() { return &___TargetExecutionContext_3; }
inline void set_TargetExecutionContext_3(ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * value)
{
___TargetExecutionContext_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___TargetExecutionContext_3), (void*)value);
}
inline static int32_t get_offset_of_CancellationTokenSource_4() { return static_cast<int32_t>(offsetof(CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B, ___CancellationTokenSource_4)); }
inline CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 * get_CancellationTokenSource_4() const { return ___CancellationTokenSource_4; }
inline CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 ** get_address_of_CancellationTokenSource_4() { return &___CancellationTokenSource_4; }
inline void set_CancellationTokenSource_4(CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 * value)
{
___CancellationTokenSource_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___CancellationTokenSource_4), (void*)value);
}
};
struct CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B_StaticFields
{
public:
// System.Threading.ContextCallback System.Threading.CancellationCallbackInfo::s_executionContextCallback
ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * ___s_executionContextCallback_5;
public:
inline static int32_t get_offset_of_s_executionContextCallback_5() { return static_cast<int32_t>(offsetof(CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B_StaticFields, ___s_executionContextCallback_5)); }
inline ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * get_s_executionContextCallback_5() const { return ___s_executionContextCallback_5; }
inline ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B ** get_address_of_s_executionContextCallback_5() { return &___s_executionContextCallback_5; }
inline void set_s_executionContextCallback_5(ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * value)
{
___s_executionContextCallback_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_executionContextCallback_5), (void*)value);
}
};
// UnityEngine.UI.CanvasUpdateRegistry
struct CanvasUpdateRegistry_t53CA156F8691B17AB7B441C52E0FB436E96A5D0B : public RuntimeObject
{
public:
// System.Boolean UnityEngine.UI.CanvasUpdateRegistry::m_PerformingLayoutUpdate
bool ___m_PerformingLayoutUpdate_1;
// System.Boolean UnityEngine.UI.CanvasUpdateRegistry::m_PerformingGraphicUpdate
bool ___m_PerformingGraphicUpdate_2;
// System.String[] UnityEngine.UI.CanvasUpdateRegistry::m_CanvasUpdateProfilerStrings
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___m_CanvasUpdateProfilerStrings_3;
// UnityEngine.UI.Collections.IndexedSet`1<UnityEngine.UI.ICanvasElement> UnityEngine.UI.CanvasUpdateRegistry::m_LayoutRebuildQueue
IndexedSet_1_tEB5AA15EF0F17F1A471B6F4FA48ACAEF534C44B7 * ___m_LayoutRebuildQueue_5;
// UnityEngine.UI.Collections.IndexedSet`1<UnityEngine.UI.ICanvasElement> UnityEngine.UI.CanvasUpdateRegistry::m_GraphicRebuildQueue
IndexedSet_1_tEB5AA15EF0F17F1A471B6F4FA48ACAEF534C44B7 * ___m_GraphicRebuildQueue_6;
public:
inline static int32_t get_offset_of_m_PerformingLayoutUpdate_1() { return static_cast<int32_t>(offsetof(CanvasUpdateRegistry_t53CA156F8691B17AB7B441C52E0FB436E96A5D0B, ___m_PerformingLayoutUpdate_1)); }
inline bool get_m_PerformingLayoutUpdate_1() const { return ___m_PerformingLayoutUpdate_1; }
inline bool* get_address_of_m_PerformingLayoutUpdate_1() { return &___m_PerformingLayoutUpdate_1; }
inline void set_m_PerformingLayoutUpdate_1(bool value)
{
___m_PerformingLayoutUpdate_1 = value;
}
inline static int32_t get_offset_of_m_PerformingGraphicUpdate_2() { return static_cast<int32_t>(offsetof(CanvasUpdateRegistry_t53CA156F8691B17AB7B441C52E0FB436E96A5D0B, ___m_PerformingGraphicUpdate_2)); }
inline bool get_m_PerformingGraphicUpdate_2() const { return ___m_PerformingGraphicUpdate_2; }
inline bool* get_address_of_m_PerformingGraphicUpdate_2() { return &___m_PerformingGraphicUpdate_2; }
inline void set_m_PerformingGraphicUpdate_2(bool value)
{
___m_PerformingGraphicUpdate_2 = value;
}
inline static int32_t get_offset_of_m_CanvasUpdateProfilerStrings_3() { return static_cast<int32_t>(offsetof(CanvasUpdateRegistry_t53CA156F8691B17AB7B441C52E0FB436E96A5D0B, ___m_CanvasUpdateProfilerStrings_3)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_m_CanvasUpdateProfilerStrings_3() const { return ___m_CanvasUpdateProfilerStrings_3; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_m_CanvasUpdateProfilerStrings_3() { return &___m_CanvasUpdateProfilerStrings_3; }
inline void set_m_CanvasUpdateProfilerStrings_3(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___m_CanvasUpdateProfilerStrings_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CanvasUpdateProfilerStrings_3), (void*)value);
}
inline static int32_t get_offset_of_m_LayoutRebuildQueue_5() { return static_cast<int32_t>(offsetof(CanvasUpdateRegistry_t53CA156F8691B17AB7B441C52E0FB436E96A5D0B, ___m_LayoutRebuildQueue_5)); }
inline IndexedSet_1_tEB5AA15EF0F17F1A471B6F4FA48ACAEF534C44B7 * get_m_LayoutRebuildQueue_5() const { return ___m_LayoutRebuildQueue_5; }
inline IndexedSet_1_tEB5AA15EF0F17F1A471B6F4FA48ACAEF534C44B7 ** get_address_of_m_LayoutRebuildQueue_5() { return &___m_LayoutRebuildQueue_5; }
inline void set_m_LayoutRebuildQueue_5(IndexedSet_1_tEB5AA15EF0F17F1A471B6F4FA48ACAEF534C44B7 * value)
{
___m_LayoutRebuildQueue_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LayoutRebuildQueue_5), (void*)value);
}
inline static int32_t get_offset_of_m_GraphicRebuildQueue_6() { return static_cast<int32_t>(offsetof(CanvasUpdateRegistry_t53CA156F8691B17AB7B441C52E0FB436E96A5D0B, ___m_GraphicRebuildQueue_6)); }
inline IndexedSet_1_tEB5AA15EF0F17F1A471B6F4FA48ACAEF534C44B7 * get_m_GraphicRebuildQueue_6() const { return ___m_GraphicRebuildQueue_6; }
inline IndexedSet_1_tEB5AA15EF0F17F1A471B6F4FA48ACAEF534C44B7 ** get_address_of_m_GraphicRebuildQueue_6() { return &___m_GraphicRebuildQueue_6; }
inline void set_m_GraphicRebuildQueue_6(IndexedSet_1_tEB5AA15EF0F17F1A471B6F4FA48ACAEF534C44B7 * value)
{
___m_GraphicRebuildQueue_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GraphicRebuildQueue_6), (void*)value);
}
};
struct CanvasUpdateRegistry_t53CA156F8691B17AB7B441C52E0FB436E96A5D0B_StaticFields
{
public:
// UnityEngine.UI.CanvasUpdateRegistry UnityEngine.UI.CanvasUpdateRegistry::s_Instance
CanvasUpdateRegistry_t53CA156F8691B17AB7B441C52E0FB436E96A5D0B * ___s_Instance_0;
// System.Comparison`1<UnityEngine.UI.ICanvasElement> UnityEngine.UI.CanvasUpdateRegistry::s_SortLayoutFunction
Comparison_1_t72C3E81825A1194637F6FF9F6157B7501B0FB263 * ___s_SortLayoutFunction_7;
public:
inline static int32_t get_offset_of_s_Instance_0() { return static_cast<int32_t>(offsetof(CanvasUpdateRegistry_t53CA156F8691B17AB7B441C52E0FB436E96A5D0B_StaticFields, ___s_Instance_0)); }
inline CanvasUpdateRegistry_t53CA156F8691B17AB7B441C52E0FB436E96A5D0B * get_s_Instance_0() const { return ___s_Instance_0; }
inline CanvasUpdateRegistry_t53CA156F8691B17AB7B441C52E0FB436E96A5D0B ** get_address_of_s_Instance_0() { return &___s_Instance_0; }
inline void set_s_Instance_0(CanvasUpdateRegistry_t53CA156F8691B17AB7B441C52E0FB436E96A5D0B * value)
{
___s_Instance_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Instance_0), (void*)value);
}
inline static int32_t get_offset_of_s_SortLayoutFunction_7() { return static_cast<int32_t>(offsetof(CanvasUpdateRegistry_t53CA156F8691B17AB7B441C52E0FB436E96A5D0B_StaticFields, ___s_SortLayoutFunction_7)); }
inline Comparison_1_t72C3E81825A1194637F6FF9F6157B7501B0FB263 * get_s_SortLayoutFunction_7() const { return ___s_SortLayoutFunction_7; }
inline Comparison_1_t72C3E81825A1194637F6FF9F6157B7501B0FB263 ** get_address_of_s_SortLayoutFunction_7() { return &___s_SortLayoutFunction_7; }
inline void set_s_SortLayoutFunction_7(Comparison_1_t72C3E81825A1194637F6FF9F6157B7501B0FB263 * value)
{
___s_SortLayoutFunction_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SortLayoutFunction_7), (void*)value);
}
};
// System.Text.RegularExpressions.Capture
struct Capture_t048191E7E0D3177DCD8610E4968075AB41FB91D6 : public RuntimeObject
{
public:
// System.String System.Text.RegularExpressions.Capture::_text
String_t* ____text_0;
// System.Int32 System.Text.RegularExpressions.Capture::_index
int32_t ____index_1;
// System.Int32 System.Text.RegularExpressions.Capture::_length
int32_t ____length_2;
public:
inline static int32_t get_offset_of__text_0() { return static_cast<int32_t>(offsetof(Capture_t048191E7E0D3177DCD8610E4968075AB41FB91D6, ____text_0)); }
inline String_t* get__text_0() const { return ____text_0; }
inline String_t** get_address_of__text_0() { return &____text_0; }
inline void set__text_0(String_t* value)
{
____text_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____text_0), (void*)value);
}
inline static int32_t get_offset_of__index_1() { return static_cast<int32_t>(offsetof(Capture_t048191E7E0D3177DCD8610E4968075AB41FB91D6, ____index_1)); }
inline int32_t get__index_1() const { return ____index_1; }
inline int32_t* get_address_of__index_1() { return &____index_1; }
inline void set__index_1(int32_t value)
{
____index_1 = value;
}
inline static int32_t get_offset_of__length_2() { return static_cast<int32_t>(offsetof(Capture_t048191E7E0D3177DCD8610E4968075AB41FB91D6, ____length_2)); }
inline int32_t get__length_2() const { return ____length_2; }
inline int32_t* get_address_of__length_2() { return &____length_2; }
inline void set__length_2(int32_t value)
{
____length_2 = value;
}
};
// System.Text.RegularExpressions.CaptureCollection
struct CaptureCollection_t40C06BBACB56CDD5F84860FDC1B0C3D8F160DCF9 : public RuntimeObject
{
public:
// System.Text.RegularExpressions.Group System.Text.RegularExpressions.CaptureCollection::_group
Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883 * ____group_0;
// System.Int32 System.Text.RegularExpressions.CaptureCollection::_capcount
int32_t ____capcount_1;
// System.Text.RegularExpressions.Capture[] System.Text.RegularExpressions.CaptureCollection::_captures
CaptureU5BU5D_tB69FAE66BAF857B6A1CA22EED6141C40DCFE9B51* ____captures_2;
public:
inline static int32_t get_offset_of__group_0() { return static_cast<int32_t>(offsetof(CaptureCollection_t40C06BBACB56CDD5F84860FDC1B0C3D8F160DCF9, ____group_0)); }
inline Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883 * get__group_0() const { return ____group_0; }
inline Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883 ** get_address_of__group_0() { return &____group_0; }
inline void set__group_0(Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883 * value)
{
____group_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____group_0), (void*)value);
}
inline static int32_t get_offset_of__capcount_1() { return static_cast<int32_t>(offsetof(CaptureCollection_t40C06BBACB56CDD5F84860FDC1B0C3D8F160DCF9, ____capcount_1)); }
inline int32_t get__capcount_1() const { return ____capcount_1; }
inline int32_t* get_address_of__capcount_1() { return &____capcount_1; }
inline void set__capcount_1(int32_t value)
{
____capcount_1 = value;
}
inline static int32_t get_offset_of__captures_2() { return static_cast<int32_t>(offsetof(CaptureCollection_t40C06BBACB56CDD5F84860FDC1B0C3D8F160DCF9, ____captures_2)); }
inline CaptureU5BU5D_tB69FAE66BAF857B6A1CA22EED6141C40DCFE9B51* get__captures_2() const { return ____captures_2; }
inline CaptureU5BU5D_tB69FAE66BAF857B6A1CA22EED6141C40DCFE9B51** get_address_of__captures_2() { return &____captures_2; }
inline void set__captures_2(CaptureU5BU5D_tB69FAE66BAF857B6A1CA22EED6141C40DCFE9B51* value)
{
____captures_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____captures_2), (void*)value);
}
};
// System.Text.RegularExpressions.CaptureEnumerator
struct CaptureEnumerator_t01CA51647A86F89619AA1CEA7D043328D9323FCE : public RuntimeObject
{
public:
// System.Text.RegularExpressions.CaptureCollection System.Text.RegularExpressions.CaptureEnumerator::_rcc
CaptureCollection_t40C06BBACB56CDD5F84860FDC1B0C3D8F160DCF9 * ____rcc_0;
// System.Int32 System.Text.RegularExpressions.CaptureEnumerator::_curindex
int32_t ____curindex_1;
public:
inline static int32_t get_offset_of__rcc_0() { return static_cast<int32_t>(offsetof(CaptureEnumerator_t01CA51647A86F89619AA1CEA7D043328D9323FCE, ____rcc_0)); }
inline CaptureCollection_t40C06BBACB56CDD5F84860FDC1B0C3D8F160DCF9 * get__rcc_0() const { return ____rcc_0; }
inline CaptureCollection_t40C06BBACB56CDD5F84860FDC1B0C3D8F160DCF9 ** get_address_of__rcc_0() { return &____rcc_0; }
inline void set__rcc_0(CaptureCollection_t40C06BBACB56CDD5F84860FDC1B0C3D8F160DCF9 * value)
{
____rcc_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____rcc_0), (void*)value);
}
inline static int32_t get_offset_of__curindex_1() { return static_cast<int32_t>(offsetof(CaptureEnumerator_t01CA51647A86F89619AA1CEA7D043328D9323FCE, ____curindex_1)); }
inline int32_t get__curindex_1() const { return ____curindex_1; }
inline int32_t* get_address_of__curindex_1() { return &____curindex_1; }
inline void set__curindex_1(int32_t value)
{
____curindex_1 = value;
}
};
// System.Collections.CaseInsensitiveComparer
struct CaseInsensitiveComparer_t6261A2A5410CBE32D356D9D93017732DF0AADC6C : public RuntimeObject
{
public:
// System.Globalization.CompareInfo System.Collections.CaseInsensitiveComparer::m_compareInfo
CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * ___m_compareInfo_0;
public:
inline static int32_t get_offset_of_m_compareInfo_0() { return static_cast<int32_t>(offsetof(CaseInsensitiveComparer_t6261A2A5410CBE32D356D9D93017732DF0AADC6C, ___m_compareInfo_0)); }
inline CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * get_m_compareInfo_0() const { return ___m_compareInfo_0; }
inline CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 ** get_address_of_m_compareInfo_0() { return &___m_compareInfo_0; }
inline void set_m_compareInfo_0(CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * value)
{
___m_compareInfo_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_compareInfo_0), (void*)value);
}
};
// System.Collections.CaseInsensitiveHashCodeProvider
struct CaseInsensitiveHashCodeProvider_tBB49394EF70D0021AE2D095430A23CB71AD512FA : public RuntimeObject
{
public:
// System.Globalization.TextInfo System.Collections.CaseInsensitiveHashCodeProvider::m_text
TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C * ___m_text_0;
public:
inline static int32_t get_offset_of_m_text_0() { return static_cast<int32_t>(offsetof(CaseInsensitiveHashCodeProvider_tBB49394EF70D0021AE2D095430A23CB71AD512FA, ___m_text_0)); }
inline TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C * get_m_text_0() const { return ___m_text_0; }
inline TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C ** get_address_of_m_text_0() { return &___m_text_0; }
inline void set_m_text_0(TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C * value)
{
___m_text_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_text_0), (void*)value);
}
};
// System.Runtime.Remoting.ChannelData
struct ChannelData_tEA64A2F1AEEC413430B61C6C7C4A1652EFDD9827 : public RuntimeObject
{
public:
// System.String System.Runtime.Remoting.ChannelData::Ref
String_t* ___Ref_0;
// System.String System.Runtime.Remoting.ChannelData::Type
String_t* ___Type_1;
// System.String System.Runtime.Remoting.ChannelData::Id
String_t* ___Id_2;
// System.String System.Runtime.Remoting.ChannelData::DelayLoadAsClientChannel
String_t* ___DelayLoadAsClientChannel_3;
// System.Collections.ArrayList System.Runtime.Remoting.ChannelData::_serverProviders
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * ____serverProviders_4;
// System.Collections.ArrayList System.Runtime.Remoting.ChannelData::_clientProviders
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * ____clientProviders_5;
// System.Collections.Hashtable System.Runtime.Remoting.ChannelData::_customProperties
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ____customProperties_6;
public:
inline static int32_t get_offset_of_Ref_0() { return static_cast<int32_t>(offsetof(ChannelData_tEA64A2F1AEEC413430B61C6C7C4A1652EFDD9827, ___Ref_0)); }
inline String_t* get_Ref_0() const { return ___Ref_0; }
inline String_t** get_address_of_Ref_0() { return &___Ref_0; }
inline void set_Ref_0(String_t* value)
{
___Ref_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Ref_0), (void*)value);
}
inline static int32_t get_offset_of_Type_1() { return static_cast<int32_t>(offsetof(ChannelData_tEA64A2F1AEEC413430B61C6C7C4A1652EFDD9827, ___Type_1)); }
inline String_t* get_Type_1() const { return ___Type_1; }
inline String_t** get_address_of_Type_1() { return &___Type_1; }
inline void set_Type_1(String_t* value)
{
___Type_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Type_1), (void*)value);
}
inline static int32_t get_offset_of_Id_2() { return static_cast<int32_t>(offsetof(ChannelData_tEA64A2F1AEEC413430B61C6C7C4A1652EFDD9827, ___Id_2)); }
inline String_t* get_Id_2() const { return ___Id_2; }
inline String_t** get_address_of_Id_2() { return &___Id_2; }
inline void set_Id_2(String_t* value)
{
___Id_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Id_2), (void*)value);
}
inline static int32_t get_offset_of_DelayLoadAsClientChannel_3() { return static_cast<int32_t>(offsetof(ChannelData_tEA64A2F1AEEC413430B61C6C7C4A1652EFDD9827, ___DelayLoadAsClientChannel_3)); }
inline String_t* get_DelayLoadAsClientChannel_3() const { return ___DelayLoadAsClientChannel_3; }
inline String_t** get_address_of_DelayLoadAsClientChannel_3() { return &___DelayLoadAsClientChannel_3; }
inline void set_DelayLoadAsClientChannel_3(String_t* value)
{
___DelayLoadAsClientChannel_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DelayLoadAsClientChannel_3), (void*)value);
}
inline static int32_t get_offset_of__serverProviders_4() { return static_cast<int32_t>(offsetof(ChannelData_tEA64A2F1AEEC413430B61C6C7C4A1652EFDD9827, ____serverProviders_4)); }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * get__serverProviders_4() const { return ____serverProviders_4; }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 ** get_address_of__serverProviders_4() { return &____serverProviders_4; }
inline void set__serverProviders_4(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * value)
{
____serverProviders_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____serverProviders_4), (void*)value);
}
inline static int32_t get_offset_of__clientProviders_5() { return static_cast<int32_t>(offsetof(ChannelData_tEA64A2F1AEEC413430B61C6C7C4A1652EFDD9827, ____clientProviders_5)); }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * get__clientProviders_5() const { return ____clientProviders_5; }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 ** get_address_of__clientProviders_5() { return &____clientProviders_5; }
inline void set__clientProviders_5(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * value)
{
____clientProviders_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____clientProviders_5), (void*)value);
}
inline static int32_t get_offset_of__customProperties_6() { return static_cast<int32_t>(offsetof(ChannelData_tEA64A2F1AEEC413430B61C6C7C4A1652EFDD9827, ____customProperties_6)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get__customProperties_6() const { return ____customProperties_6; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of__customProperties_6() { return &____customProperties_6; }
inline void set__customProperties_6(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
____customProperties_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____customProperties_6), (void*)value);
}
};
// System.Runtime.Remoting.ChannelInfo
struct ChannelInfo_tBB8BB773743C20D696B007291EC5597F00703E79 : public RuntimeObject
{
public:
// System.Object[] System.Runtime.Remoting.ChannelInfo::channelData
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___channelData_0;
public:
inline static int32_t get_offset_of_channelData_0() { return static_cast<int32_t>(offsetof(ChannelInfo_tBB8BB773743C20D696B007291EC5597F00703E79, ___channelData_0)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_channelData_0() const { return ___channelData_0; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_channelData_0() { return &___channelData_0; }
inline void set_channelData_0(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___channelData_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___channelData_0), (void*)value);
}
};
// System.Runtime.Remoting.Channels.ChannelServices
struct ChannelServices_tE1834D9FC8B4A62937AEF20FF29A91B9D3A07B28 : public RuntimeObject
{
public:
public:
};
struct ChannelServices_tE1834D9FC8B4A62937AEF20FF29A91B9D3A07B28_StaticFields
{
public:
// System.Collections.ArrayList System.Runtime.Remoting.Channels.ChannelServices::registeredChannels
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * ___registeredChannels_0;
// System.Collections.ArrayList System.Runtime.Remoting.Channels.ChannelServices::delayedClientChannels
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * ___delayedClientChannels_1;
// System.Runtime.Remoting.Contexts.CrossContextChannel System.Runtime.Remoting.Channels.ChannelServices::_crossContextSink
CrossContextChannel_tF0389BFF59F875ADDC660EBAF4BA5267F13A88AD * ____crossContextSink_2;
// System.String System.Runtime.Remoting.Channels.ChannelServices::CrossContextUrl
String_t* ___CrossContextUrl_3;
// System.Collections.IList System.Runtime.Remoting.Channels.ChannelServices::oldStartModeTypes
RuntimeObject* ___oldStartModeTypes_4;
public:
inline static int32_t get_offset_of_registeredChannels_0() { return static_cast<int32_t>(offsetof(ChannelServices_tE1834D9FC8B4A62937AEF20FF29A91B9D3A07B28_StaticFields, ___registeredChannels_0)); }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * get_registeredChannels_0() const { return ___registeredChannels_0; }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 ** get_address_of_registeredChannels_0() { return &___registeredChannels_0; }
inline void set_registeredChannels_0(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * value)
{
___registeredChannels_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___registeredChannels_0), (void*)value);
}
inline static int32_t get_offset_of_delayedClientChannels_1() { return static_cast<int32_t>(offsetof(ChannelServices_tE1834D9FC8B4A62937AEF20FF29A91B9D3A07B28_StaticFields, ___delayedClientChannels_1)); }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * get_delayedClientChannels_1() const { return ___delayedClientChannels_1; }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 ** get_address_of_delayedClientChannels_1() { return &___delayedClientChannels_1; }
inline void set_delayedClientChannels_1(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * value)
{
___delayedClientChannels_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___delayedClientChannels_1), (void*)value);
}
inline static int32_t get_offset_of__crossContextSink_2() { return static_cast<int32_t>(offsetof(ChannelServices_tE1834D9FC8B4A62937AEF20FF29A91B9D3A07B28_StaticFields, ____crossContextSink_2)); }
inline CrossContextChannel_tF0389BFF59F875ADDC660EBAF4BA5267F13A88AD * get__crossContextSink_2() const { return ____crossContextSink_2; }
inline CrossContextChannel_tF0389BFF59F875ADDC660EBAF4BA5267F13A88AD ** get_address_of__crossContextSink_2() { return &____crossContextSink_2; }
inline void set__crossContextSink_2(CrossContextChannel_tF0389BFF59F875ADDC660EBAF4BA5267F13A88AD * value)
{
____crossContextSink_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____crossContextSink_2), (void*)value);
}
inline static int32_t get_offset_of_CrossContextUrl_3() { return static_cast<int32_t>(offsetof(ChannelServices_tE1834D9FC8B4A62937AEF20FF29A91B9D3A07B28_StaticFields, ___CrossContextUrl_3)); }
inline String_t* get_CrossContextUrl_3() const { return ___CrossContextUrl_3; }
inline String_t** get_address_of_CrossContextUrl_3() { return &___CrossContextUrl_3; }
inline void set_CrossContextUrl_3(String_t* value)
{
___CrossContextUrl_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___CrossContextUrl_3), (void*)value);
}
inline static int32_t get_offset_of_oldStartModeTypes_4() { return static_cast<int32_t>(offsetof(ChannelServices_tE1834D9FC8B4A62937AEF20FF29A91B9D3A07B28_StaticFields, ___oldStartModeTypes_4)); }
inline RuntimeObject* get_oldStartModeTypes_4() const { return ___oldStartModeTypes_4; }
inline RuntimeObject** get_address_of_oldStartModeTypes_4() { return &___oldStartModeTypes_4; }
inline void set_oldStartModeTypes_4(RuntimeObject* value)
{
___oldStartModeTypes_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___oldStartModeTypes_4), (void*)value);
}
};
// System.CharEnumerator
struct CharEnumerator_t307E02F1AF2C2C98EE2FFEEE3045A790F2140D75 : public RuntimeObject
{
public:
// System.String System.CharEnumerator::str
String_t* ___str_0;
// System.Int32 System.CharEnumerator::index
int32_t ___index_1;
// System.Char System.CharEnumerator::currentElement
Il2CppChar ___currentElement_2;
public:
inline static int32_t get_offset_of_str_0() { return static_cast<int32_t>(offsetof(CharEnumerator_t307E02F1AF2C2C98EE2FFEEE3045A790F2140D75, ___str_0)); }
inline String_t* get_str_0() const { return ___str_0; }
inline String_t** get_address_of_str_0() { return &___str_0; }
inline void set_str_0(String_t* value)
{
___str_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___str_0), (void*)value);
}
inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(CharEnumerator_t307E02F1AF2C2C98EE2FFEEE3045A790F2140D75, ___index_1)); }
inline int32_t get_index_1() const { return ___index_1; }
inline int32_t* get_address_of_index_1() { return &___index_1; }
inline void set_index_1(int32_t value)
{
___index_1 = value;
}
inline static int32_t get_offset_of_currentElement_2() { return static_cast<int32_t>(offsetof(CharEnumerator_t307E02F1AF2C2C98EE2FFEEE3045A790F2140D75, ___currentElement_2)); }
inline Il2CppChar get_currentElement_2() const { return ___currentElement_2; }
inline Il2CppChar* get_address_of_currentElement_2() { return &___currentElement_2; }
inline void set_currentElement_2(Il2CppChar value)
{
___currentElement_2 = value;
}
};
// System.Globalization.CharUnicodeInfo
struct CharUnicodeInfo_t9D4692B295E2A9DA68C289734E499AE3F4B41876 : public RuntimeObject
{
public:
public:
};
struct CharUnicodeInfo_t9D4692B295E2A9DA68C289734E499AE3F4B41876_StaticFields
{
public:
// System.UInt16[] System.Globalization.CharUnicodeInfo::s_pCategoryLevel1Index
UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67* ___s_pCategoryLevel1Index_0;
// System.Byte[] System.Globalization.CharUnicodeInfo::s_pCategoriesValue
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___s_pCategoriesValue_1;
// System.UInt16[] System.Globalization.CharUnicodeInfo::s_pNumericLevel1Index
UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67* ___s_pNumericLevel1Index_2;
// System.Byte[] System.Globalization.CharUnicodeInfo::s_pNumericValues
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___s_pNumericValues_3;
// System.UInt16[] System.Globalization.CharUnicodeInfo::s_pDigitValues
UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67* ___s_pDigitValues_4;
public:
inline static int32_t get_offset_of_s_pCategoryLevel1Index_0() { return static_cast<int32_t>(offsetof(CharUnicodeInfo_t9D4692B295E2A9DA68C289734E499AE3F4B41876_StaticFields, ___s_pCategoryLevel1Index_0)); }
inline UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67* get_s_pCategoryLevel1Index_0() const { return ___s_pCategoryLevel1Index_0; }
inline UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67** get_address_of_s_pCategoryLevel1Index_0() { return &___s_pCategoryLevel1Index_0; }
inline void set_s_pCategoryLevel1Index_0(UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67* value)
{
___s_pCategoryLevel1Index_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_pCategoryLevel1Index_0), (void*)value);
}
inline static int32_t get_offset_of_s_pCategoriesValue_1() { return static_cast<int32_t>(offsetof(CharUnicodeInfo_t9D4692B295E2A9DA68C289734E499AE3F4B41876_StaticFields, ___s_pCategoriesValue_1)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_s_pCategoriesValue_1() const { return ___s_pCategoriesValue_1; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_s_pCategoriesValue_1() { return &___s_pCategoriesValue_1; }
inline void set_s_pCategoriesValue_1(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___s_pCategoriesValue_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_pCategoriesValue_1), (void*)value);
}
inline static int32_t get_offset_of_s_pNumericLevel1Index_2() { return static_cast<int32_t>(offsetof(CharUnicodeInfo_t9D4692B295E2A9DA68C289734E499AE3F4B41876_StaticFields, ___s_pNumericLevel1Index_2)); }
inline UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67* get_s_pNumericLevel1Index_2() const { return ___s_pNumericLevel1Index_2; }
inline UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67** get_address_of_s_pNumericLevel1Index_2() { return &___s_pNumericLevel1Index_2; }
inline void set_s_pNumericLevel1Index_2(UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67* value)
{
___s_pNumericLevel1Index_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_pNumericLevel1Index_2), (void*)value);
}
inline static int32_t get_offset_of_s_pNumericValues_3() { return static_cast<int32_t>(offsetof(CharUnicodeInfo_t9D4692B295E2A9DA68C289734E499AE3F4B41876_StaticFields, ___s_pNumericValues_3)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_s_pNumericValues_3() const { return ___s_pNumericValues_3; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_s_pNumericValues_3() { return &___s_pNumericValues_3; }
inline void set_s_pNumericValues_3(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___s_pNumericValues_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_pNumericValues_3), (void*)value);
}
inline static int32_t get_offset_of_s_pDigitValues_4() { return static_cast<int32_t>(offsetof(CharUnicodeInfo_t9D4692B295E2A9DA68C289734E499AE3F4B41876_StaticFields, ___s_pDigitValues_4)); }
inline UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67* get_s_pDigitValues_4() const { return ___s_pDigitValues_4; }
inline UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67** get_address_of_s_pDigitValues_4() { return &___s_pDigitValues_4; }
inline void set_s_pDigitValues_4(UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67* value)
{
___s_pDigitValues_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_pDigitValues_4), (void*)value);
}
};
// UnityEngine.ClassLibraryInitializer
struct ClassLibraryInitializer_t83AAFF51291A71CB390A46C830BAA9F71088B58F : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.Messaging.ClientContextReplySink
struct ClientContextReplySink_tAB77283D5E284109DBA2762B990D89C2F2BE24C8 : public RuntimeObject
{
public:
// System.Runtime.Remoting.Messaging.IMessageSink System.Runtime.Remoting.Messaging.ClientContextReplySink::_replySink
RuntimeObject* ____replySink_0;
// System.Runtime.Remoting.Contexts.Context System.Runtime.Remoting.Messaging.ClientContextReplySink::_context
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 * ____context_1;
public:
inline static int32_t get_offset_of__replySink_0() { return static_cast<int32_t>(offsetof(ClientContextReplySink_tAB77283D5E284109DBA2762B990D89C2F2BE24C8, ____replySink_0)); }
inline RuntimeObject* get__replySink_0() const { return ____replySink_0; }
inline RuntimeObject** get_address_of__replySink_0() { return &____replySink_0; }
inline void set__replySink_0(RuntimeObject* value)
{
____replySink_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____replySink_0), (void*)value);
}
inline static int32_t get_offset_of__context_1() { return static_cast<int32_t>(offsetof(ClientContextReplySink_tAB77283D5E284109DBA2762B990D89C2F2BE24C8, ____context_1)); }
inline Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 * get__context_1() const { return ____context_1; }
inline Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 ** get_address_of__context_1() { return &____context_1; }
inline void set__context_1(Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 * value)
{
____context_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____context_1), (void*)value);
}
};
// System.Runtime.Remoting.Messaging.ClientContextTerminatorSink
struct ClientContextTerminatorSink_tA6083D944E104518F33798B16754D1BA236A3C20 : public RuntimeObject
{
public:
// System.Runtime.Remoting.Contexts.Context System.Runtime.Remoting.Messaging.ClientContextTerminatorSink::_context
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 * ____context_0;
public:
inline static int32_t get_offset_of__context_0() { return static_cast<int32_t>(offsetof(ClientContextTerminatorSink_tA6083D944E104518F33798B16754D1BA236A3C20, ____context_0)); }
inline Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 * get__context_0() const { return ____context_0; }
inline Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 ** get_address_of__context_0() { return &____context_0; }
inline void set__context_0(Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 * value)
{
____context_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____context_0), (void*)value);
}
};
// UnityEngine.UI.ClipperRegistry
struct ClipperRegistry_t9BC15A5BC2B100BD84917F6F6F9B158359F72760 : public RuntimeObject
{
public:
// UnityEngine.UI.Collections.IndexedSet`1<UnityEngine.UI.IClipper> UnityEngine.UI.ClipperRegistry::m_Clippers
IndexedSet_1_tC5E3C32B1EA4E463C08166084A43C27A7F97D0ED * ___m_Clippers_1;
public:
inline static int32_t get_offset_of_m_Clippers_1() { return static_cast<int32_t>(offsetof(ClipperRegistry_t9BC15A5BC2B100BD84917F6F6F9B158359F72760, ___m_Clippers_1)); }
inline IndexedSet_1_tC5E3C32B1EA4E463C08166084A43C27A7F97D0ED * get_m_Clippers_1() const { return ___m_Clippers_1; }
inline IndexedSet_1_tC5E3C32B1EA4E463C08166084A43C27A7F97D0ED ** get_address_of_m_Clippers_1() { return &___m_Clippers_1; }
inline void set_m_Clippers_1(IndexedSet_1_tC5E3C32B1EA4E463C08166084A43C27A7F97D0ED * value)
{
___m_Clippers_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Clippers_1), (void*)value);
}
};
struct ClipperRegistry_t9BC15A5BC2B100BD84917F6F6F9B158359F72760_StaticFields
{
public:
// UnityEngine.UI.ClipperRegistry UnityEngine.UI.ClipperRegistry::s_Instance
ClipperRegistry_t9BC15A5BC2B100BD84917F6F6F9B158359F72760 * ___s_Instance_0;
public:
inline static int32_t get_offset_of_s_Instance_0() { return static_cast<int32_t>(offsetof(ClipperRegistry_t9BC15A5BC2B100BD84917F6F6F9B158359F72760_StaticFields, ___s_Instance_0)); }
inline ClipperRegistry_t9BC15A5BC2B100BD84917F6F6F9B158359F72760 * get_s_Instance_0() const { return ___s_Instance_0; }
inline ClipperRegistry_t9BC15A5BC2B100BD84917F6F6F9B158359F72760 ** get_address_of_s_Instance_0() { return &___s_Instance_0; }
inline void set_s_Instance_0(ClipperRegistry_t9BC15A5BC2B100BD84917F6F6F9B158359F72760 * value)
{
___s_Instance_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Instance_0), (void*)value);
}
};
// UnityEngine.UI.Clipping
struct Clipping_t846B0326F00CD811B34672014182E234E82311BB : public RuntimeObject
{
public:
public:
};
// System.Globalization.CodePageDataItem
struct CodePageDataItem_t09A62F57142BF0456C8F414898A37E79BCC9F09E : public RuntimeObject
{
public:
// System.Int32 System.Globalization.CodePageDataItem::m_dataIndex
int32_t ___m_dataIndex_0;
// System.Int32 System.Globalization.CodePageDataItem::m_uiFamilyCodePage
int32_t ___m_uiFamilyCodePage_1;
// System.String System.Globalization.CodePageDataItem::m_webName
String_t* ___m_webName_2;
// System.UInt32 System.Globalization.CodePageDataItem::m_flags
uint32_t ___m_flags_3;
public:
inline static int32_t get_offset_of_m_dataIndex_0() { return static_cast<int32_t>(offsetof(CodePageDataItem_t09A62F57142BF0456C8F414898A37E79BCC9F09E, ___m_dataIndex_0)); }
inline int32_t get_m_dataIndex_0() const { return ___m_dataIndex_0; }
inline int32_t* get_address_of_m_dataIndex_0() { return &___m_dataIndex_0; }
inline void set_m_dataIndex_0(int32_t value)
{
___m_dataIndex_0 = value;
}
inline static int32_t get_offset_of_m_uiFamilyCodePage_1() { return static_cast<int32_t>(offsetof(CodePageDataItem_t09A62F57142BF0456C8F414898A37E79BCC9F09E, ___m_uiFamilyCodePage_1)); }
inline int32_t get_m_uiFamilyCodePage_1() const { return ___m_uiFamilyCodePage_1; }
inline int32_t* get_address_of_m_uiFamilyCodePage_1() { return &___m_uiFamilyCodePage_1; }
inline void set_m_uiFamilyCodePage_1(int32_t value)
{
___m_uiFamilyCodePage_1 = value;
}
inline static int32_t get_offset_of_m_webName_2() { return static_cast<int32_t>(offsetof(CodePageDataItem_t09A62F57142BF0456C8F414898A37E79BCC9F09E, ___m_webName_2)); }
inline String_t* get_m_webName_2() const { return ___m_webName_2; }
inline String_t** get_address_of_m_webName_2() { return &___m_webName_2; }
inline void set_m_webName_2(String_t* value)
{
___m_webName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_webName_2), (void*)value);
}
inline static int32_t get_offset_of_m_flags_3() { return static_cast<int32_t>(offsetof(CodePageDataItem_t09A62F57142BF0456C8F414898A37E79BCC9F09E, ___m_flags_3)); }
inline uint32_t get_m_flags_3() const { return ___m_flags_3; }
inline uint32_t* get_address_of_m_flags_3() { return &___m_flags_3; }
inline void set_m_flags_3(uint32_t value)
{
___m_flags_3 = value;
}
};
struct CodePageDataItem_t09A62F57142BF0456C8F414898A37E79BCC9F09E_StaticFields
{
public:
// System.Char[] System.Globalization.CodePageDataItem::sep
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___sep_4;
public:
inline static int32_t get_offset_of_sep_4() { return static_cast<int32_t>(offsetof(CodePageDataItem_t09A62F57142BF0456C8F414898A37E79BCC9F09E_StaticFields, ___sep_4)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_sep_4() const { return ___sep_4; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_sep_4() { return &___sep_4; }
inline void set_sep_4(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___sep_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sep_4), (void*)value);
}
};
// TMPro.CodePoint
struct CodePoint_t8A2C90A862B288F4D1162E15DC22BCE9B2AE912A : public RuntimeObject
{
public:
public:
};
// Mono.Globalization.Unicode.CodePointIndexer
struct CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 : public RuntimeObject
{
public:
// Mono.Globalization.Unicode.CodePointIndexer/TableRange[] Mono.Globalization.Unicode.CodePointIndexer::ranges
TableRangeU5BU5D_t529A3048AC157A0702514DB337164442AF1530C7* ___ranges_0;
// System.Int32 Mono.Globalization.Unicode.CodePointIndexer::TotalCount
int32_t ___TotalCount_1;
// System.Int32 Mono.Globalization.Unicode.CodePointIndexer::defaultIndex
int32_t ___defaultIndex_2;
// System.Int32 Mono.Globalization.Unicode.CodePointIndexer::defaultCP
int32_t ___defaultCP_3;
public:
inline static int32_t get_offset_of_ranges_0() { return static_cast<int32_t>(offsetof(CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81, ___ranges_0)); }
inline TableRangeU5BU5D_t529A3048AC157A0702514DB337164442AF1530C7* get_ranges_0() const { return ___ranges_0; }
inline TableRangeU5BU5D_t529A3048AC157A0702514DB337164442AF1530C7** get_address_of_ranges_0() { return &___ranges_0; }
inline void set_ranges_0(TableRangeU5BU5D_t529A3048AC157A0702514DB337164442AF1530C7* value)
{
___ranges_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ranges_0), (void*)value);
}
inline static int32_t get_offset_of_TotalCount_1() { return static_cast<int32_t>(offsetof(CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81, ___TotalCount_1)); }
inline int32_t get_TotalCount_1() const { return ___TotalCount_1; }
inline int32_t* get_address_of_TotalCount_1() { return &___TotalCount_1; }
inline void set_TotalCount_1(int32_t value)
{
___TotalCount_1 = value;
}
inline static int32_t get_offset_of_defaultIndex_2() { return static_cast<int32_t>(offsetof(CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81, ___defaultIndex_2)); }
inline int32_t get_defaultIndex_2() const { return ___defaultIndex_2; }
inline int32_t* get_address_of_defaultIndex_2() { return &___defaultIndex_2; }
inline void set_defaultIndex_2(int32_t value)
{
___defaultIndex_2 = value;
}
inline static int32_t get_offset_of_defaultCP_3() { return static_cast<int32_t>(offsetof(CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81, ___defaultCP_3)); }
inline int32_t get_defaultCP_3() const { return ___defaultCP_3; }
inline int32_t* get_address_of_defaultCP_3() { return &___defaultCP_3; }
inline void set_defaultCP_3(int32_t value)
{
___defaultCP_3 = value;
}
};
// System.Collections.Generic.CollectionExtensions
struct CollectionExtensions_t47FA6529A1BC12FBAFB36A7B40AD7CACCC7F37F2 : public RuntimeObject
{
public:
public:
};
// System.Dynamic.Utils.CollectionExtensions
struct CollectionExtensions_tB79C597B8EFDBE35078FA1E532389C9BB3A5903E : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.Settings.CommandLineLocaleSelector
struct CommandLineLocaleSelector_t5CF5E992409059DD9AE8BDA0A56459EB0BEFD557 : public RuntimeObject
{
public:
// System.String UnityEngine.Localization.Settings.CommandLineLocaleSelector::m_CommandLineArgument
String_t* ___m_CommandLineArgument_0;
public:
inline static int32_t get_offset_of_m_CommandLineArgument_0() { return static_cast<int32_t>(offsetof(CommandLineLocaleSelector_t5CF5E992409059DD9AE8BDA0A56459EB0BEFD557, ___m_CommandLineArgument_0)); }
inline String_t* get_m_CommandLineArgument_0() const { return ___m_CommandLineArgument_0; }
inline String_t** get_address_of_m_CommandLineArgument_0() { return &___m_CommandLineArgument_0; }
inline void set_m_CommandLineArgument_0(String_t* value)
{
___m_CommandLineArgument_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CommandLineArgument_0), (void*)value);
}
};
// UnityEngine.Localization.Metadata.Comment
struct Comment_tDC6F064B3B801338263B595A89F8A5CC7A26ED77 : public RuntimeObject
{
public:
// System.String UnityEngine.Localization.Metadata.Comment::m_CommentText
String_t* ___m_CommentText_0;
public:
inline static int32_t get_offset_of_m_CommentText_0() { return static_cast<int32_t>(offsetof(Comment_tDC6F064B3B801338263B595A89F8A5CC7A26ED77, ___m_CommentText_0)); }
inline String_t* get_m_CommentText_0() const { return ___m_CommentText_0; }
inline String_t** get_address_of_m_CommentText_0() { return &___m_CommentText_0; }
inline void set_m_CommentText_0(String_t* value)
{
___m_CommentText_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CommentText_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Utilities.CommonLanguagesTimeTextInfo
struct CommonLanguagesTimeTextInfo_t35C504866116A3D1E0017CF83E97A757B303C7B5 : public RuntimeObject
{
public:
public:
};
// System.Collections.Comparer
struct Comparer_tEDD9ACE3DE237FE0628C183D9DD66A8BE3182A57 : public RuntimeObject
{
public:
// System.Globalization.CompareInfo System.Collections.Comparer::m_compareInfo
CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * ___m_compareInfo_0;
public:
inline static int32_t get_offset_of_m_compareInfo_0() { return static_cast<int32_t>(offsetof(Comparer_tEDD9ACE3DE237FE0628C183D9DD66A8BE3182A57, ___m_compareInfo_0)); }
inline CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * get_m_compareInfo_0() const { return ___m_compareInfo_0; }
inline CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 ** get_address_of_m_compareInfo_0() { return &___m_compareInfo_0; }
inline void set_m_compareInfo_0(CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * value)
{
___m_compareInfo_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_compareInfo_0), (void*)value);
}
};
struct Comparer_tEDD9ACE3DE237FE0628C183D9DD66A8BE3182A57_StaticFields
{
public:
// System.Collections.Comparer System.Collections.Comparer::Default
Comparer_tEDD9ACE3DE237FE0628C183D9DD66A8BE3182A57 * ___Default_1;
// System.Collections.Comparer System.Collections.Comparer::DefaultInvariant
Comparer_tEDD9ACE3DE237FE0628C183D9DD66A8BE3182A57 * ___DefaultInvariant_2;
public:
inline static int32_t get_offset_of_Default_1() { return static_cast<int32_t>(offsetof(Comparer_tEDD9ACE3DE237FE0628C183D9DD66A8BE3182A57_StaticFields, ___Default_1)); }
inline Comparer_tEDD9ACE3DE237FE0628C183D9DD66A8BE3182A57 * get_Default_1() const { return ___Default_1; }
inline Comparer_tEDD9ACE3DE237FE0628C183D9DD66A8BE3182A57 ** get_address_of_Default_1() { return &___Default_1; }
inline void set_Default_1(Comparer_tEDD9ACE3DE237FE0628C183D9DD66A8BE3182A57 * value)
{
___Default_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Default_1), (void*)value);
}
inline static int32_t get_offset_of_DefaultInvariant_2() { return static_cast<int32_t>(offsetof(Comparer_tEDD9ACE3DE237FE0628C183D9DD66A8BE3182A57_StaticFields, ___DefaultInvariant_2)); }
inline Comparer_tEDD9ACE3DE237FE0628C183D9DD66A8BE3182A57 * get_DefaultInvariant_2() const { return ___DefaultInvariant_2; }
inline Comparer_tEDD9ACE3DE237FE0628C183D9DD66A8BE3182A57 ** get_address_of_DefaultInvariant_2() { return &___DefaultInvariant_2; }
inline void set_DefaultInvariant_2(Comparer_tEDD9ACE3DE237FE0628C183D9DD66A8BE3182A57 * value)
{
___DefaultInvariant_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DefaultInvariant_2), (void*)value);
}
};
// System.CompatibilitySwitches
struct CompatibilitySwitches_tC460ACEE669B13F7C9D2FEA284D77D8B4AF9616E : public RuntimeObject
{
public:
public:
};
struct CompatibilitySwitches_tC460ACEE669B13F7C9D2FEA284D77D8B4AF9616E_StaticFields
{
public:
// System.Boolean System.CompatibilitySwitches::IsAppEarlierThanSilverlight4
bool ___IsAppEarlierThanSilverlight4_0;
// System.Boolean System.CompatibilitySwitches::IsAppEarlierThanWindowsPhone8
bool ___IsAppEarlierThanWindowsPhone8_1;
public:
inline static int32_t get_offset_of_IsAppEarlierThanSilverlight4_0() { return static_cast<int32_t>(offsetof(CompatibilitySwitches_tC460ACEE669B13F7C9D2FEA284D77D8B4AF9616E_StaticFields, ___IsAppEarlierThanSilverlight4_0)); }
inline bool get_IsAppEarlierThanSilverlight4_0() const { return ___IsAppEarlierThanSilverlight4_0; }
inline bool* get_address_of_IsAppEarlierThanSilverlight4_0() { return &___IsAppEarlierThanSilverlight4_0; }
inline void set_IsAppEarlierThanSilverlight4_0(bool value)
{
___IsAppEarlierThanSilverlight4_0 = value;
}
inline static int32_t get_offset_of_IsAppEarlierThanWindowsPhone8_1() { return static_cast<int32_t>(offsetof(CompatibilitySwitches_tC460ACEE669B13F7C9D2FEA284D77D8B4AF9616E_StaticFields, ___IsAppEarlierThanWindowsPhone8_1)); }
inline bool get_IsAppEarlierThanWindowsPhone8_1() const { return ___IsAppEarlierThanWindowsPhone8_1; }
inline bool* get_address_of_IsAppEarlierThanWindowsPhone8_1() { return &___IsAppEarlierThanWindowsPhone8_1; }
inline void set_IsAppEarlierThanWindowsPhone8_1(bool value)
{
___IsAppEarlierThanWindowsPhone8_1 = value;
}
};
// System.Collections.CompatibleComparer
struct CompatibleComparer_t4BB781C29927336617069035AAC2BE8A84E20929 : public RuntimeObject
{
public:
// System.Collections.IComparer System.Collections.CompatibleComparer::_comparer
RuntimeObject* ____comparer_0;
// System.Collections.IHashCodeProvider System.Collections.CompatibleComparer::_hcp
RuntimeObject* ____hcp_1;
public:
inline static int32_t get_offset_of__comparer_0() { return static_cast<int32_t>(offsetof(CompatibleComparer_t4BB781C29927336617069035AAC2BE8A84E20929, ____comparer_0)); }
inline RuntimeObject* get__comparer_0() const { return ____comparer_0; }
inline RuntimeObject** get_address_of__comparer_0() { return &____comparer_0; }
inline void set__comparer_0(RuntimeObject* value)
{
____comparer_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____comparer_0), (void*)value);
}
inline static int32_t get_offset_of__hcp_1() { return static_cast<int32_t>(offsetof(CompatibleComparer_t4BB781C29927336617069035AAC2BE8A84E20929, ____hcp_1)); }
inline RuntimeObject* get__hcp_1() const { return ____hcp_1; }
inline RuntimeObject** get_address_of__hcp_1() { return &____hcp_1; }
inline void set__hcp_1(RuntimeObject* value)
{
____hcp_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____hcp_1), (void*)value);
}
};
// System.Threading.Tasks.CompletionActionInvoker
struct CompletionActionInvoker_t66AE143673E0FA80521F01E8FBF6651194AC1E9F : public RuntimeObject
{
public:
// System.Threading.Tasks.ITaskCompletionAction System.Threading.Tasks.CompletionActionInvoker::m_action
RuntimeObject* ___m_action_0;
// System.Threading.Tasks.Task System.Threading.Tasks.CompletionActionInvoker::m_completingTask
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * ___m_completingTask_1;
public:
inline static int32_t get_offset_of_m_action_0() { return static_cast<int32_t>(offsetof(CompletionActionInvoker_t66AE143673E0FA80521F01E8FBF6651194AC1E9F, ___m_action_0)); }
inline RuntimeObject* get_m_action_0() const { return ___m_action_0; }
inline RuntimeObject** get_address_of_m_action_0() { return &___m_action_0; }
inline void set_m_action_0(RuntimeObject* value)
{
___m_action_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_action_0), (void*)value);
}
inline static int32_t get_offset_of_m_completingTask_1() { return static_cast<int32_t>(offsetof(CompletionActionInvoker_t66AE143673E0FA80521F01E8FBF6651194AC1E9F, ___m_completingTask_1)); }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * get_m_completingTask_1() const { return ___m_completingTask_1; }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 ** get_address_of_m_completingTask_1() { return &___m_completingTask_1; }
inline void set_m_completingTask_1(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * value)
{
___m_completingTask_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_completingTask_1), (void*)value);
}
};
// System.Runtime.Remoting.ConfigHandler
struct ConfigHandler_t669F653CE4E8ABF2323F028523BEDFB5C56C3760 : public RuntimeObject
{
public:
// System.Collections.ArrayList System.Runtime.Remoting.ConfigHandler::typeEntries
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * ___typeEntries_0;
// System.Collections.ArrayList System.Runtime.Remoting.ConfigHandler::channelInstances
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * ___channelInstances_1;
// System.Runtime.Remoting.ChannelData System.Runtime.Remoting.ConfigHandler::currentChannel
ChannelData_tEA64A2F1AEEC413430B61C6C7C4A1652EFDD9827 * ___currentChannel_2;
// System.Collections.Stack System.Runtime.Remoting.ConfigHandler::currentProviderData
Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 * ___currentProviderData_3;
// System.String System.Runtime.Remoting.ConfigHandler::currentClientUrl
String_t* ___currentClientUrl_4;
// System.String System.Runtime.Remoting.ConfigHandler::appName
String_t* ___appName_5;
// System.String System.Runtime.Remoting.ConfigHandler::currentXmlPath
String_t* ___currentXmlPath_6;
// System.Boolean System.Runtime.Remoting.ConfigHandler::onlyDelayedChannels
bool ___onlyDelayedChannels_7;
public:
inline static int32_t get_offset_of_typeEntries_0() { return static_cast<int32_t>(offsetof(ConfigHandler_t669F653CE4E8ABF2323F028523BEDFB5C56C3760, ___typeEntries_0)); }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * get_typeEntries_0() const { return ___typeEntries_0; }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 ** get_address_of_typeEntries_0() { return &___typeEntries_0; }
inline void set_typeEntries_0(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * value)
{
___typeEntries_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeEntries_0), (void*)value);
}
inline static int32_t get_offset_of_channelInstances_1() { return static_cast<int32_t>(offsetof(ConfigHandler_t669F653CE4E8ABF2323F028523BEDFB5C56C3760, ___channelInstances_1)); }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * get_channelInstances_1() const { return ___channelInstances_1; }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 ** get_address_of_channelInstances_1() { return &___channelInstances_1; }
inline void set_channelInstances_1(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * value)
{
___channelInstances_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___channelInstances_1), (void*)value);
}
inline static int32_t get_offset_of_currentChannel_2() { return static_cast<int32_t>(offsetof(ConfigHandler_t669F653CE4E8ABF2323F028523BEDFB5C56C3760, ___currentChannel_2)); }
inline ChannelData_tEA64A2F1AEEC413430B61C6C7C4A1652EFDD9827 * get_currentChannel_2() const { return ___currentChannel_2; }
inline ChannelData_tEA64A2F1AEEC413430B61C6C7C4A1652EFDD9827 ** get_address_of_currentChannel_2() { return &___currentChannel_2; }
inline void set_currentChannel_2(ChannelData_tEA64A2F1AEEC413430B61C6C7C4A1652EFDD9827 * value)
{
___currentChannel_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currentChannel_2), (void*)value);
}
inline static int32_t get_offset_of_currentProviderData_3() { return static_cast<int32_t>(offsetof(ConfigHandler_t669F653CE4E8ABF2323F028523BEDFB5C56C3760, ___currentProviderData_3)); }
inline Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 * get_currentProviderData_3() const { return ___currentProviderData_3; }
inline Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 ** get_address_of_currentProviderData_3() { return &___currentProviderData_3; }
inline void set_currentProviderData_3(Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 * value)
{
___currentProviderData_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currentProviderData_3), (void*)value);
}
inline static int32_t get_offset_of_currentClientUrl_4() { return static_cast<int32_t>(offsetof(ConfigHandler_t669F653CE4E8ABF2323F028523BEDFB5C56C3760, ___currentClientUrl_4)); }
inline String_t* get_currentClientUrl_4() const { return ___currentClientUrl_4; }
inline String_t** get_address_of_currentClientUrl_4() { return &___currentClientUrl_4; }
inline void set_currentClientUrl_4(String_t* value)
{
___currentClientUrl_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currentClientUrl_4), (void*)value);
}
inline static int32_t get_offset_of_appName_5() { return static_cast<int32_t>(offsetof(ConfigHandler_t669F653CE4E8ABF2323F028523BEDFB5C56C3760, ___appName_5)); }
inline String_t* get_appName_5() const { return ___appName_5; }
inline String_t** get_address_of_appName_5() { return &___appName_5; }
inline void set_appName_5(String_t* value)
{
___appName_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___appName_5), (void*)value);
}
inline static int32_t get_offset_of_currentXmlPath_6() { return static_cast<int32_t>(offsetof(ConfigHandler_t669F653CE4E8ABF2323F028523BEDFB5C56C3760, ___currentXmlPath_6)); }
inline String_t* get_currentXmlPath_6() const { return ___currentXmlPath_6; }
inline String_t** get_address_of_currentXmlPath_6() { return &___currentXmlPath_6; }
inline void set_currentXmlPath_6(String_t* value)
{
___currentXmlPath_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currentXmlPath_6), (void*)value);
}
inline static int32_t get_offset_of_onlyDelayedChannels_7() { return static_cast<int32_t>(offsetof(ConfigHandler_t669F653CE4E8ABF2323F028523BEDFB5C56C3760, ___onlyDelayedChannels_7)); }
inline bool get_onlyDelayedChannels_7() const { return ___onlyDelayedChannels_7; }
inline bool* get_address_of_onlyDelayedChannels_7() { return &___onlyDelayedChannels_7; }
inline void set_onlyDelayedChannels_7(bool value)
{
___onlyDelayedChannels_7 = value;
}
};
// UnityEngine.XR.ARSubsystems.ConfigurationChooser
struct ConfigurationChooser_t0CCF856A226297A702F306A2217CF17D652E72C4 : public RuntimeObject
{
public:
public:
};
// System.Configuration.ConfigurationElement
struct ConfigurationElement_t571C446CFDFF39CF17130653C433786BEFF25DFA : public RuntimeObject
{
public:
public:
};
// System.Configuration.ConfigurationPropertyCollection
struct ConfigurationPropertyCollection_t8C098DB59DF7BA2C2A71369978F4225B92B2F59B : public RuntimeObject
{
public:
public:
};
// System.Configuration.ConfigurationSectionGroup
struct ConfigurationSectionGroup_t296AB4B6FC2E1B9BEDFEEAC3DB0E24AE061D32CF : public RuntimeObject
{
public:
public:
};
// System.Console
struct Console_t79987B1B5914E76054A8CBE506B9E11936A8BC07 : public RuntimeObject
{
public:
public:
};
struct Console_t79987B1B5914E76054A8CBE506B9E11936A8BC07_StaticFields
{
public:
// System.IO.TextWriter System.Console::stdout
TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 * ___stdout_0;
// System.IO.TextWriter System.Console::stderr
TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 * ___stderr_1;
// System.IO.TextReader System.Console::stdin
TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F * ___stdin_2;
// System.Text.Encoding System.Console::inputEncoding
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___inputEncoding_3;
// System.Text.Encoding System.Console::outputEncoding
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___outputEncoding_4;
// System.ConsoleCancelEventHandler System.Console::cancel_event
ConsoleCancelEventHandler_tACD32787946439D2453F9D9512471685521C006D * ___cancel_event_5;
// System.Console/InternalCancelHandler System.Console::cancel_handler
InternalCancelHandler_t7F0E9BBFE542C3B0E62620118961AC10E0DFB000 * ___cancel_handler_6;
public:
inline static int32_t get_offset_of_stdout_0() { return static_cast<int32_t>(offsetof(Console_t79987B1B5914E76054A8CBE506B9E11936A8BC07_StaticFields, ___stdout_0)); }
inline TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 * get_stdout_0() const { return ___stdout_0; }
inline TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 ** get_address_of_stdout_0() { return &___stdout_0; }
inline void set_stdout_0(TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 * value)
{
___stdout_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___stdout_0), (void*)value);
}
inline static int32_t get_offset_of_stderr_1() { return static_cast<int32_t>(offsetof(Console_t79987B1B5914E76054A8CBE506B9E11936A8BC07_StaticFields, ___stderr_1)); }
inline TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 * get_stderr_1() const { return ___stderr_1; }
inline TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 ** get_address_of_stderr_1() { return &___stderr_1; }
inline void set_stderr_1(TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 * value)
{
___stderr_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___stderr_1), (void*)value);
}
inline static int32_t get_offset_of_stdin_2() { return static_cast<int32_t>(offsetof(Console_t79987B1B5914E76054A8CBE506B9E11936A8BC07_StaticFields, ___stdin_2)); }
inline TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F * get_stdin_2() const { return ___stdin_2; }
inline TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F ** get_address_of_stdin_2() { return &___stdin_2; }
inline void set_stdin_2(TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F * value)
{
___stdin_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___stdin_2), (void*)value);
}
inline static int32_t get_offset_of_inputEncoding_3() { return static_cast<int32_t>(offsetof(Console_t79987B1B5914E76054A8CBE506B9E11936A8BC07_StaticFields, ___inputEncoding_3)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_inputEncoding_3() const { return ___inputEncoding_3; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_inputEncoding_3() { return &___inputEncoding_3; }
inline void set_inputEncoding_3(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___inputEncoding_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___inputEncoding_3), (void*)value);
}
inline static int32_t get_offset_of_outputEncoding_4() { return static_cast<int32_t>(offsetof(Console_t79987B1B5914E76054A8CBE506B9E11936A8BC07_StaticFields, ___outputEncoding_4)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_outputEncoding_4() const { return ___outputEncoding_4; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_outputEncoding_4() { return &___outputEncoding_4; }
inline void set_outputEncoding_4(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___outputEncoding_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___outputEncoding_4), (void*)value);
}
inline static int32_t get_offset_of_cancel_event_5() { return static_cast<int32_t>(offsetof(Console_t79987B1B5914E76054A8CBE506B9E11936A8BC07_StaticFields, ___cancel_event_5)); }
inline ConsoleCancelEventHandler_tACD32787946439D2453F9D9512471685521C006D * get_cancel_event_5() const { return ___cancel_event_5; }
inline ConsoleCancelEventHandler_tACD32787946439D2453F9D9512471685521C006D ** get_address_of_cancel_event_5() { return &___cancel_event_5; }
inline void set_cancel_event_5(ConsoleCancelEventHandler_tACD32787946439D2453F9D9512471685521C006D * value)
{
___cancel_event_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___cancel_event_5), (void*)value);
}
inline static int32_t get_offset_of_cancel_handler_6() { return static_cast<int32_t>(offsetof(Console_t79987B1B5914E76054A8CBE506B9E11936A8BC07_StaticFields, ___cancel_handler_6)); }
inline InternalCancelHandler_t7F0E9BBFE542C3B0E62620118961AC10E0DFB000 * get_cancel_handler_6() const { return ___cancel_handler_6; }
inline InternalCancelHandler_t7F0E9BBFE542C3B0E62620118961AC10E0DFB000 ** get_address_of_cancel_handler_6() { return &___cancel_handler_6; }
inline void set_cancel_handler_6(InternalCancelHandler_t7F0E9BBFE542C3B0E62620118961AC10E0DFB000 * value)
{
___cancel_handler_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___cancel_handler_6), (void*)value);
}
};
// System.ConsoleDriver
struct ConsoleDriver_tFC1E81F456E9440AB760A599AA5BB301BBD12B11 : public RuntimeObject
{
public:
public:
};
struct ConsoleDriver_tFC1E81F456E9440AB760A599AA5BB301BBD12B11_StaticFields
{
public:
// System.IConsoleDriver System.ConsoleDriver::driver
RuntimeObject* ___driver_0;
// System.Boolean System.ConsoleDriver::is_console
bool ___is_console_1;
// System.Boolean System.ConsoleDriver::called_isatty
bool ___called_isatty_2;
public:
inline static int32_t get_offset_of_driver_0() { return static_cast<int32_t>(offsetof(ConsoleDriver_tFC1E81F456E9440AB760A599AA5BB301BBD12B11_StaticFields, ___driver_0)); }
inline RuntimeObject* get_driver_0() const { return ___driver_0; }
inline RuntimeObject** get_address_of_driver_0() { return &___driver_0; }
inline void set_driver_0(RuntimeObject* value)
{
___driver_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___driver_0), (void*)value);
}
inline static int32_t get_offset_of_is_console_1() { return static_cast<int32_t>(offsetof(ConsoleDriver_tFC1E81F456E9440AB760A599AA5BB301BBD12B11_StaticFields, ___is_console_1)); }
inline bool get_is_console_1() const { return ___is_console_1; }
inline bool* get_address_of_is_console_1() { return &___is_console_1; }
inline void set_is_console_1(bool value)
{
___is_console_1 = value;
}
inline static int32_t get_offset_of_called_isatty_2() { return static_cast<int32_t>(offsetof(ConsoleDriver_tFC1E81F456E9440AB760A599AA5BB301BBD12B11_StaticFields, ___called_isatty_2)); }
inline bool get_called_isatty_2() const { return ___called_isatty_2; }
inline bool* get_address_of_called_isatty_2() { return &___called_isatty_2; }
inline void set_called_isatty_2(bool value)
{
___called_isatty_2 = value;
}
};
// System.Runtime.Remoting.Activation.ConstructionLevelActivator
struct ConstructionLevelActivator_tA51263438AB04316A63A52988F42C50A298A2934 : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.Activation.ContextLevelActivator
struct ContextLevelActivator_t920964197FEA88F1FBB53FEB891727A5BE0B2519 : public RuntimeObject
{
public:
// System.Runtime.Remoting.Activation.IActivator System.Runtime.Remoting.Activation.ContextLevelActivator::m_NextActivator
RuntimeObject* ___m_NextActivator_0;
public:
inline static int32_t get_offset_of_m_NextActivator_0() { return static_cast<int32_t>(offsetof(ContextLevelActivator_t920964197FEA88F1FBB53FEB891727A5BE0B2519, ___m_NextActivator_0)); }
inline RuntimeObject* get_m_NextActivator_0() const { return ___m_NextActivator_0; }
inline RuntimeObject** get_address_of_m_NextActivator_0() { return &___m_NextActivator_0; }
inline void set_m_NextActivator_0(RuntimeObject* value)
{
___m_NextActivator_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_NextActivator_0), (void*)value);
}
};
// System.Diagnostics.Contracts.Contract
struct Contract_tF27C83DC3B0BD78708EC82FB49ACD0C7D97E2466 : public RuntimeObject
{
public:
public:
};
// System.Dynamic.Utils.ContractUtils
struct ContractUtils_tFCAD1BFB06E05F1E13A43B506D397A70090980D1 : public RuntimeObject
{
public:
public:
};
// Mono.Globalization.Unicode.Contraction
struct Contraction_tF86B7E5A40F48611CB1245D2A9E7DD926F1E01FA : public RuntimeObject
{
public:
// System.Int32 Mono.Globalization.Unicode.Contraction::Index
int32_t ___Index_0;
// System.Char[] Mono.Globalization.Unicode.Contraction::Source
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___Source_1;
// System.String Mono.Globalization.Unicode.Contraction::Replacement
String_t* ___Replacement_2;
// System.Byte[] Mono.Globalization.Unicode.Contraction::SortKey
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___SortKey_3;
public:
inline static int32_t get_offset_of_Index_0() { return static_cast<int32_t>(offsetof(Contraction_tF86B7E5A40F48611CB1245D2A9E7DD926F1E01FA, ___Index_0)); }
inline int32_t get_Index_0() const { return ___Index_0; }
inline int32_t* get_address_of_Index_0() { return &___Index_0; }
inline void set_Index_0(int32_t value)
{
___Index_0 = value;
}
inline static int32_t get_offset_of_Source_1() { return static_cast<int32_t>(offsetof(Contraction_tF86B7E5A40F48611CB1245D2A9E7DD926F1E01FA, ___Source_1)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_Source_1() const { return ___Source_1; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_Source_1() { return &___Source_1; }
inline void set_Source_1(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___Source_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Source_1), (void*)value);
}
inline static int32_t get_offset_of_Replacement_2() { return static_cast<int32_t>(offsetof(Contraction_tF86B7E5A40F48611CB1245D2A9E7DD926F1E01FA, ___Replacement_2)); }
inline String_t* get_Replacement_2() const { return ___Replacement_2; }
inline String_t** get_address_of_Replacement_2() { return &___Replacement_2; }
inline void set_Replacement_2(String_t* value)
{
___Replacement_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Replacement_2), (void*)value);
}
inline static int32_t get_offset_of_SortKey_3() { return static_cast<int32_t>(offsetof(Contraction_tF86B7E5A40F48611CB1245D2A9E7DD926F1E01FA, ___SortKey_3)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_SortKey_3() const { return ___SortKey_3; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_SortKey_3() { return &___SortKey_3; }
inline void set_SortKey_3(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___SortKey_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___SortKey_3), (void*)value);
}
};
// Mono.Globalization.Unicode.ContractionComparer
struct ContractionComparer_t2065A7932E4721614DDC9CDC01C19267120F04D5 : public RuntimeObject
{
public:
public:
};
struct ContractionComparer_t2065A7932E4721614DDC9CDC01C19267120F04D5_StaticFields
{
public:
// Mono.Globalization.Unicode.ContractionComparer Mono.Globalization.Unicode.ContractionComparer::Instance
ContractionComparer_t2065A7932E4721614DDC9CDC01C19267120F04D5 * ___Instance_0;
public:
inline static int32_t get_offset_of_Instance_0() { return static_cast<int32_t>(offsetof(ContractionComparer_t2065A7932E4721614DDC9CDC01C19267120F04D5_StaticFields, ___Instance_0)); }
inline ContractionComparer_t2065A7932E4721614DDC9CDC01C19267120F04D5 * get_Instance_0() const { return ___Instance_0; }
inline ContractionComparer_t2065A7932E4721614DDC9CDC01C19267120F04D5 ** get_address_of_Instance_0() { return &___Instance_0; }
inline void set_Instance_0(ContractionComparer_t2065A7932E4721614DDC9CDC01C19267120F04D5 * value)
{
___Instance_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Instance_0), (void*)value);
}
};
// System.Convert
struct Convert_tDA947A979C1DAB4F09C461FAFD94FE194743A671 : public RuntimeObject
{
public:
public:
};
struct Convert_tDA947A979C1DAB4F09C461FAFD94FE194743A671_StaticFields
{
public:
// System.RuntimeType[] System.Convert::ConvertTypes
RuntimeTypeU5BU5D_t826186B59A32B687978751BFE46041623BCF4BA4* ___ConvertTypes_0;
// System.RuntimeType System.Convert::EnumType
RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * ___EnumType_1;
// System.Char[] System.Convert::base64Table
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___base64Table_2;
// System.Object System.Convert::DBNull
RuntimeObject * ___DBNull_3;
public:
inline static int32_t get_offset_of_ConvertTypes_0() { return static_cast<int32_t>(offsetof(Convert_tDA947A979C1DAB4F09C461FAFD94FE194743A671_StaticFields, ___ConvertTypes_0)); }
inline RuntimeTypeU5BU5D_t826186B59A32B687978751BFE46041623BCF4BA4* get_ConvertTypes_0() const { return ___ConvertTypes_0; }
inline RuntimeTypeU5BU5D_t826186B59A32B687978751BFE46041623BCF4BA4** get_address_of_ConvertTypes_0() { return &___ConvertTypes_0; }
inline void set_ConvertTypes_0(RuntimeTypeU5BU5D_t826186B59A32B687978751BFE46041623BCF4BA4* value)
{
___ConvertTypes_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ConvertTypes_0), (void*)value);
}
inline static int32_t get_offset_of_EnumType_1() { return static_cast<int32_t>(offsetof(Convert_tDA947A979C1DAB4F09C461FAFD94FE194743A671_StaticFields, ___EnumType_1)); }
inline RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * get_EnumType_1() const { return ___EnumType_1; }
inline RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 ** get_address_of_EnumType_1() { return &___EnumType_1; }
inline void set_EnumType_1(RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * value)
{
___EnumType_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___EnumType_1), (void*)value);
}
inline static int32_t get_offset_of_base64Table_2() { return static_cast<int32_t>(offsetof(Convert_tDA947A979C1DAB4F09C461FAFD94FE194743A671_StaticFields, ___base64Table_2)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_base64Table_2() const { return ___base64Table_2; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_base64Table_2() { return &___base64Table_2; }
inline void set_base64Table_2(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___base64Table_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___base64Table_2), (void*)value);
}
inline static int32_t get_offset_of_DBNull_3() { return static_cast<int32_t>(offsetof(Convert_tDA947A979C1DAB4F09C461FAFD94FE194743A671_StaticFields, ___DBNull_3)); }
inline RuntimeObject * get_DBNull_3() const { return ___DBNull_3; }
inline RuntimeObject ** get_address_of_DBNull_3() { return &___DBNull_3; }
inline void set_DBNull_3(RuntimeObject * value)
{
___DBNull_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DBNull_3), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.Binary.Converter
struct Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03 : public RuntimeObject
{
public:
public:
};
struct Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.Converter::primitiveTypeEnumLength
int32_t ___primitiveTypeEnumLength_0;
// System.Type[] modreq(System.Runtime.CompilerServices.IsVolatile) System.Runtime.Serialization.Formatters.Binary.Converter::typeA
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ___typeA_1;
// System.Type[] modreq(System.Runtime.CompilerServices.IsVolatile) System.Runtime.Serialization.Formatters.Binary.Converter::arrayTypeA
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ___arrayTypeA_2;
// System.String[] modreq(System.Runtime.CompilerServices.IsVolatile) System.Runtime.Serialization.Formatters.Binary.Converter::valueA
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___valueA_3;
// System.TypeCode[] modreq(System.Runtime.CompilerServices.IsVolatile) System.Runtime.Serialization.Formatters.Binary.Converter::typeCodeA
TypeCodeU5BU5D_t739FFE1DCDDA7CAB8776CF8717CD472E32DC59AE* ___typeCodeA_4;
// System.Runtime.Serialization.Formatters.Binary.InternalPrimitiveTypeE[] modreq(System.Runtime.CompilerServices.IsVolatile) System.Runtime.Serialization.Formatters.Binary.Converter::codeA
InternalPrimitiveTypeEU5BU5D_t7FC568579F0B1DA4D00DCF744E350FA25FA83CEC* ___codeA_5;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofISerializable
Type_t * ___typeofISerializable_6;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofString
Type_t * ___typeofString_7;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofConverter
Type_t * ___typeofConverter_8;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofBoolean
Type_t * ___typeofBoolean_9;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofByte
Type_t * ___typeofByte_10;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofChar
Type_t * ___typeofChar_11;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofDecimal
Type_t * ___typeofDecimal_12;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofDouble
Type_t * ___typeofDouble_13;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofInt16
Type_t * ___typeofInt16_14;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofInt32
Type_t * ___typeofInt32_15;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofInt64
Type_t * ___typeofInt64_16;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofSByte
Type_t * ___typeofSByte_17;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofSingle
Type_t * ___typeofSingle_18;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofTimeSpan
Type_t * ___typeofTimeSpan_19;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofDateTime
Type_t * ___typeofDateTime_20;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofUInt16
Type_t * ___typeofUInt16_21;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofUInt32
Type_t * ___typeofUInt32_22;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofUInt64
Type_t * ___typeofUInt64_23;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofObject
Type_t * ___typeofObject_24;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofSystemVoid
Type_t * ___typeofSystemVoid_25;
// System.Reflection.Assembly System.Runtime.Serialization.Formatters.Binary.Converter::urtAssembly
Assembly_t * ___urtAssembly_26;
// System.String System.Runtime.Serialization.Formatters.Binary.Converter::urtAssemblyString
String_t* ___urtAssemblyString_27;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofTypeArray
Type_t * ___typeofTypeArray_28;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofObjectArray
Type_t * ___typeofObjectArray_29;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofStringArray
Type_t * ___typeofStringArray_30;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofBooleanArray
Type_t * ___typeofBooleanArray_31;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofByteArray
Type_t * ___typeofByteArray_32;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofCharArray
Type_t * ___typeofCharArray_33;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofDecimalArray
Type_t * ___typeofDecimalArray_34;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofDoubleArray
Type_t * ___typeofDoubleArray_35;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofInt16Array
Type_t * ___typeofInt16Array_36;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofInt32Array
Type_t * ___typeofInt32Array_37;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofInt64Array
Type_t * ___typeofInt64Array_38;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofSByteArray
Type_t * ___typeofSByteArray_39;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofSingleArray
Type_t * ___typeofSingleArray_40;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofTimeSpanArray
Type_t * ___typeofTimeSpanArray_41;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofDateTimeArray
Type_t * ___typeofDateTimeArray_42;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofUInt16Array
Type_t * ___typeofUInt16Array_43;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofUInt32Array
Type_t * ___typeofUInt32Array_44;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofUInt64Array
Type_t * ___typeofUInt64Array_45;
// System.Type System.Runtime.Serialization.Formatters.Binary.Converter::typeofMarshalByRefObject
Type_t * ___typeofMarshalByRefObject_46;
public:
inline static int32_t get_offset_of_primitiveTypeEnumLength_0() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___primitiveTypeEnumLength_0)); }
inline int32_t get_primitiveTypeEnumLength_0() const { return ___primitiveTypeEnumLength_0; }
inline int32_t* get_address_of_primitiveTypeEnumLength_0() { return &___primitiveTypeEnumLength_0; }
inline void set_primitiveTypeEnumLength_0(int32_t value)
{
___primitiveTypeEnumLength_0 = value;
}
inline static int32_t get_offset_of_typeA_1() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeA_1)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get_typeA_1() const { return ___typeA_1; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of_typeA_1() { return &___typeA_1; }
inline void set_typeA_1(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
___typeA_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeA_1), (void*)value);
}
inline static int32_t get_offset_of_arrayTypeA_2() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___arrayTypeA_2)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get_arrayTypeA_2() const { return ___arrayTypeA_2; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of_arrayTypeA_2() { return &___arrayTypeA_2; }
inline void set_arrayTypeA_2(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
___arrayTypeA_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___arrayTypeA_2), (void*)value);
}
inline static int32_t get_offset_of_valueA_3() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___valueA_3)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_valueA_3() const { return ___valueA_3; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_valueA_3() { return &___valueA_3; }
inline void set_valueA_3(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___valueA_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___valueA_3), (void*)value);
}
inline static int32_t get_offset_of_typeCodeA_4() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeCodeA_4)); }
inline TypeCodeU5BU5D_t739FFE1DCDDA7CAB8776CF8717CD472E32DC59AE* get_typeCodeA_4() const { return ___typeCodeA_4; }
inline TypeCodeU5BU5D_t739FFE1DCDDA7CAB8776CF8717CD472E32DC59AE** get_address_of_typeCodeA_4() { return &___typeCodeA_4; }
inline void set_typeCodeA_4(TypeCodeU5BU5D_t739FFE1DCDDA7CAB8776CF8717CD472E32DC59AE* value)
{
___typeCodeA_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeCodeA_4), (void*)value);
}
inline static int32_t get_offset_of_codeA_5() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___codeA_5)); }
inline InternalPrimitiveTypeEU5BU5D_t7FC568579F0B1DA4D00DCF744E350FA25FA83CEC* get_codeA_5() const { return ___codeA_5; }
inline InternalPrimitiveTypeEU5BU5D_t7FC568579F0B1DA4D00DCF744E350FA25FA83CEC** get_address_of_codeA_5() { return &___codeA_5; }
inline void set_codeA_5(InternalPrimitiveTypeEU5BU5D_t7FC568579F0B1DA4D00DCF744E350FA25FA83CEC* value)
{
___codeA_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___codeA_5), (void*)value);
}
inline static int32_t get_offset_of_typeofISerializable_6() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofISerializable_6)); }
inline Type_t * get_typeofISerializable_6() const { return ___typeofISerializable_6; }
inline Type_t ** get_address_of_typeofISerializable_6() { return &___typeofISerializable_6; }
inline void set_typeofISerializable_6(Type_t * value)
{
___typeofISerializable_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofISerializable_6), (void*)value);
}
inline static int32_t get_offset_of_typeofString_7() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofString_7)); }
inline Type_t * get_typeofString_7() const { return ___typeofString_7; }
inline Type_t ** get_address_of_typeofString_7() { return &___typeofString_7; }
inline void set_typeofString_7(Type_t * value)
{
___typeofString_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofString_7), (void*)value);
}
inline static int32_t get_offset_of_typeofConverter_8() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofConverter_8)); }
inline Type_t * get_typeofConverter_8() const { return ___typeofConverter_8; }
inline Type_t ** get_address_of_typeofConverter_8() { return &___typeofConverter_8; }
inline void set_typeofConverter_8(Type_t * value)
{
___typeofConverter_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofConverter_8), (void*)value);
}
inline static int32_t get_offset_of_typeofBoolean_9() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofBoolean_9)); }
inline Type_t * get_typeofBoolean_9() const { return ___typeofBoolean_9; }
inline Type_t ** get_address_of_typeofBoolean_9() { return &___typeofBoolean_9; }
inline void set_typeofBoolean_9(Type_t * value)
{
___typeofBoolean_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofBoolean_9), (void*)value);
}
inline static int32_t get_offset_of_typeofByte_10() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofByte_10)); }
inline Type_t * get_typeofByte_10() const { return ___typeofByte_10; }
inline Type_t ** get_address_of_typeofByte_10() { return &___typeofByte_10; }
inline void set_typeofByte_10(Type_t * value)
{
___typeofByte_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofByte_10), (void*)value);
}
inline static int32_t get_offset_of_typeofChar_11() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofChar_11)); }
inline Type_t * get_typeofChar_11() const { return ___typeofChar_11; }
inline Type_t ** get_address_of_typeofChar_11() { return &___typeofChar_11; }
inline void set_typeofChar_11(Type_t * value)
{
___typeofChar_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofChar_11), (void*)value);
}
inline static int32_t get_offset_of_typeofDecimal_12() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofDecimal_12)); }
inline Type_t * get_typeofDecimal_12() const { return ___typeofDecimal_12; }
inline Type_t ** get_address_of_typeofDecimal_12() { return &___typeofDecimal_12; }
inline void set_typeofDecimal_12(Type_t * value)
{
___typeofDecimal_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofDecimal_12), (void*)value);
}
inline static int32_t get_offset_of_typeofDouble_13() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofDouble_13)); }
inline Type_t * get_typeofDouble_13() const { return ___typeofDouble_13; }
inline Type_t ** get_address_of_typeofDouble_13() { return &___typeofDouble_13; }
inline void set_typeofDouble_13(Type_t * value)
{
___typeofDouble_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofDouble_13), (void*)value);
}
inline static int32_t get_offset_of_typeofInt16_14() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofInt16_14)); }
inline Type_t * get_typeofInt16_14() const { return ___typeofInt16_14; }
inline Type_t ** get_address_of_typeofInt16_14() { return &___typeofInt16_14; }
inline void set_typeofInt16_14(Type_t * value)
{
___typeofInt16_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofInt16_14), (void*)value);
}
inline static int32_t get_offset_of_typeofInt32_15() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofInt32_15)); }
inline Type_t * get_typeofInt32_15() const { return ___typeofInt32_15; }
inline Type_t ** get_address_of_typeofInt32_15() { return &___typeofInt32_15; }
inline void set_typeofInt32_15(Type_t * value)
{
___typeofInt32_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofInt32_15), (void*)value);
}
inline static int32_t get_offset_of_typeofInt64_16() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofInt64_16)); }
inline Type_t * get_typeofInt64_16() const { return ___typeofInt64_16; }
inline Type_t ** get_address_of_typeofInt64_16() { return &___typeofInt64_16; }
inline void set_typeofInt64_16(Type_t * value)
{
___typeofInt64_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofInt64_16), (void*)value);
}
inline static int32_t get_offset_of_typeofSByte_17() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofSByte_17)); }
inline Type_t * get_typeofSByte_17() const { return ___typeofSByte_17; }
inline Type_t ** get_address_of_typeofSByte_17() { return &___typeofSByte_17; }
inline void set_typeofSByte_17(Type_t * value)
{
___typeofSByte_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofSByte_17), (void*)value);
}
inline static int32_t get_offset_of_typeofSingle_18() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofSingle_18)); }
inline Type_t * get_typeofSingle_18() const { return ___typeofSingle_18; }
inline Type_t ** get_address_of_typeofSingle_18() { return &___typeofSingle_18; }
inline void set_typeofSingle_18(Type_t * value)
{
___typeofSingle_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofSingle_18), (void*)value);
}
inline static int32_t get_offset_of_typeofTimeSpan_19() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofTimeSpan_19)); }
inline Type_t * get_typeofTimeSpan_19() const { return ___typeofTimeSpan_19; }
inline Type_t ** get_address_of_typeofTimeSpan_19() { return &___typeofTimeSpan_19; }
inline void set_typeofTimeSpan_19(Type_t * value)
{
___typeofTimeSpan_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofTimeSpan_19), (void*)value);
}
inline static int32_t get_offset_of_typeofDateTime_20() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofDateTime_20)); }
inline Type_t * get_typeofDateTime_20() const { return ___typeofDateTime_20; }
inline Type_t ** get_address_of_typeofDateTime_20() { return &___typeofDateTime_20; }
inline void set_typeofDateTime_20(Type_t * value)
{
___typeofDateTime_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofDateTime_20), (void*)value);
}
inline static int32_t get_offset_of_typeofUInt16_21() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofUInt16_21)); }
inline Type_t * get_typeofUInt16_21() const { return ___typeofUInt16_21; }
inline Type_t ** get_address_of_typeofUInt16_21() { return &___typeofUInt16_21; }
inline void set_typeofUInt16_21(Type_t * value)
{
___typeofUInt16_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofUInt16_21), (void*)value);
}
inline static int32_t get_offset_of_typeofUInt32_22() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofUInt32_22)); }
inline Type_t * get_typeofUInt32_22() const { return ___typeofUInt32_22; }
inline Type_t ** get_address_of_typeofUInt32_22() { return &___typeofUInt32_22; }
inline void set_typeofUInt32_22(Type_t * value)
{
___typeofUInt32_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofUInt32_22), (void*)value);
}
inline static int32_t get_offset_of_typeofUInt64_23() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofUInt64_23)); }
inline Type_t * get_typeofUInt64_23() const { return ___typeofUInt64_23; }
inline Type_t ** get_address_of_typeofUInt64_23() { return &___typeofUInt64_23; }
inline void set_typeofUInt64_23(Type_t * value)
{
___typeofUInt64_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofUInt64_23), (void*)value);
}
inline static int32_t get_offset_of_typeofObject_24() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofObject_24)); }
inline Type_t * get_typeofObject_24() const { return ___typeofObject_24; }
inline Type_t ** get_address_of_typeofObject_24() { return &___typeofObject_24; }
inline void set_typeofObject_24(Type_t * value)
{
___typeofObject_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofObject_24), (void*)value);
}
inline static int32_t get_offset_of_typeofSystemVoid_25() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofSystemVoid_25)); }
inline Type_t * get_typeofSystemVoid_25() const { return ___typeofSystemVoid_25; }
inline Type_t ** get_address_of_typeofSystemVoid_25() { return &___typeofSystemVoid_25; }
inline void set_typeofSystemVoid_25(Type_t * value)
{
___typeofSystemVoid_25 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofSystemVoid_25), (void*)value);
}
inline static int32_t get_offset_of_urtAssembly_26() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___urtAssembly_26)); }
inline Assembly_t * get_urtAssembly_26() const { return ___urtAssembly_26; }
inline Assembly_t ** get_address_of_urtAssembly_26() { return &___urtAssembly_26; }
inline void set_urtAssembly_26(Assembly_t * value)
{
___urtAssembly_26 = value;
Il2CppCodeGenWriteBarrier((void**)(&___urtAssembly_26), (void*)value);
}
inline static int32_t get_offset_of_urtAssemblyString_27() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___urtAssemblyString_27)); }
inline String_t* get_urtAssemblyString_27() const { return ___urtAssemblyString_27; }
inline String_t** get_address_of_urtAssemblyString_27() { return &___urtAssemblyString_27; }
inline void set_urtAssemblyString_27(String_t* value)
{
___urtAssemblyString_27 = value;
Il2CppCodeGenWriteBarrier((void**)(&___urtAssemblyString_27), (void*)value);
}
inline static int32_t get_offset_of_typeofTypeArray_28() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofTypeArray_28)); }
inline Type_t * get_typeofTypeArray_28() const { return ___typeofTypeArray_28; }
inline Type_t ** get_address_of_typeofTypeArray_28() { return &___typeofTypeArray_28; }
inline void set_typeofTypeArray_28(Type_t * value)
{
___typeofTypeArray_28 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofTypeArray_28), (void*)value);
}
inline static int32_t get_offset_of_typeofObjectArray_29() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofObjectArray_29)); }
inline Type_t * get_typeofObjectArray_29() const { return ___typeofObjectArray_29; }
inline Type_t ** get_address_of_typeofObjectArray_29() { return &___typeofObjectArray_29; }
inline void set_typeofObjectArray_29(Type_t * value)
{
___typeofObjectArray_29 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofObjectArray_29), (void*)value);
}
inline static int32_t get_offset_of_typeofStringArray_30() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofStringArray_30)); }
inline Type_t * get_typeofStringArray_30() const { return ___typeofStringArray_30; }
inline Type_t ** get_address_of_typeofStringArray_30() { return &___typeofStringArray_30; }
inline void set_typeofStringArray_30(Type_t * value)
{
___typeofStringArray_30 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofStringArray_30), (void*)value);
}
inline static int32_t get_offset_of_typeofBooleanArray_31() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofBooleanArray_31)); }
inline Type_t * get_typeofBooleanArray_31() const { return ___typeofBooleanArray_31; }
inline Type_t ** get_address_of_typeofBooleanArray_31() { return &___typeofBooleanArray_31; }
inline void set_typeofBooleanArray_31(Type_t * value)
{
___typeofBooleanArray_31 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofBooleanArray_31), (void*)value);
}
inline static int32_t get_offset_of_typeofByteArray_32() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofByteArray_32)); }
inline Type_t * get_typeofByteArray_32() const { return ___typeofByteArray_32; }
inline Type_t ** get_address_of_typeofByteArray_32() { return &___typeofByteArray_32; }
inline void set_typeofByteArray_32(Type_t * value)
{
___typeofByteArray_32 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofByteArray_32), (void*)value);
}
inline static int32_t get_offset_of_typeofCharArray_33() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofCharArray_33)); }
inline Type_t * get_typeofCharArray_33() const { return ___typeofCharArray_33; }
inline Type_t ** get_address_of_typeofCharArray_33() { return &___typeofCharArray_33; }
inline void set_typeofCharArray_33(Type_t * value)
{
___typeofCharArray_33 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofCharArray_33), (void*)value);
}
inline static int32_t get_offset_of_typeofDecimalArray_34() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofDecimalArray_34)); }
inline Type_t * get_typeofDecimalArray_34() const { return ___typeofDecimalArray_34; }
inline Type_t ** get_address_of_typeofDecimalArray_34() { return &___typeofDecimalArray_34; }
inline void set_typeofDecimalArray_34(Type_t * value)
{
___typeofDecimalArray_34 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofDecimalArray_34), (void*)value);
}
inline static int32_t get_offset_of_typeofDoubleArray_35() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofDoubleArray_35)); }
inline Type_t * get_typeofDoubleArray_35() const { return ___typeofDoubleArray_35; }
inline Type_t ** get_address_of_typeofDoubleArray_35() { return &___typeofDoubleArray_35; }
inline void set_typeofDoubleArray_35(Type_t * value)
{
___typeofDoubleArray_35 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofDoubleArray_35), (void*)value);
}
inline static int32_t get_offset_of_typeofInt16Array_36() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofInt16Array_36)); }
inline Type_t * get_typeofInt16Array_36() const { return ___typeofInt16Array_36; }
inline Type_t ** get_address_of_typeofInt16Array_36() { return &___typeofInt16Array_36; }
inline void set_typeofInt16Array_36(Type_t * value)
{
___typeofInt16Array_36 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofInt16Array_36), (void*)value);
}
inline static int32_t get_offset_of_typeofInt32Array_37() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofInt32Array_37)); }
inline Type_t * get_typeofInt32Array_37() const { return ___typeofInt32Array_37; }
inline Type_t ** get_address_of_typeofInt32Array_37() { return &___typeofInt32Array_37; }
inline void set_typeofInt32Array_37(Type_t * value)
{
___typeofInt32Array_37 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofInt32Array_37), (void*)value);
}
inline static int32_t get_offset_of_typeofInt64Array_38() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofInt64Array_38)); }
inline Type_t * get_typeofInt64Array_38() const { return ___typeofInt64Array_38; }
inline Type_t ** get_address_of_typeofInt64Array_38() { return &___typeofInt64Array_38; }
inline void set_typeofInt64Array_38(Type_t * value)
{
___typeofInt64Array_38 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofInt64Array_38), (void*)value);
}
inline static int32_t get_offset_of_typeofSByteArray_39() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofSByteArray_39)); }
inline Type_t * get_typeofSByteArray_39() const { return ___typeofSByteArray_39; }
inline Type_t ** get_address_of_typeofSByteArray_39() { return &___typeofSByteArray_39; }
inline void set_typeofSByteArray_39(Type_t * value)
{
___typeofSByteArray_39 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofSByteArray_39), (void*)value);
}
inline static int32_t get_offset_of_typeofSingleArray_40() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofSingleArray_40)); }
inline Type_t * get_typeofSingleArray_40() const { return ___typeofSingleArray_40; }
inline Type_t ** get_address_of_typeofSingleArray_40() { return &___typeofSingleArray_40; }
inline void set_typeofSingleArray_40(Type_t * value)
{
___typeofSingleArray_40 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofSingleArray_40), (void*)value);
}
inline static int32_t get_offset_of_typeofTimeSpanArray_41() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofTimeSpanArray_41)); }
inline Type_t * get_typeofTimeSpanArray_41() const { return ___typeofTimeSpanArray_41; }
inline Type_t ** get_address_of_typeofTimeSpanArray_41() { return &___typeofTimeSpanArray_41; }
inline void set_typeofTimeSpanArray_41(Type_t * value)
{
___typeofTimeSpanArray_41 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofTimeSpanArray_41), (void*)value);
}
inline static int32_t get_offset_of_typeofDateTimeArray_42() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofDateTimeArray_42)); }
inline Type_t * get_typeofDateTimeArray_42() const { return ___typeofDateTimeArray_42; }
inline Type_t ** get_address_of_typeofDateTimeArray_42() { return &___typeofDateTimeArray_42; }
inline void set_typeofDateTimeArray_42(Type_t * value)
{
___typeofDateTimeArray_42 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofDateTimeArray_42), (void*)value);
}
inline static int32_t get_offset_of_typeofUInt16Array_43() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofUInt16Array_43)); }
inline Type_t * get_typeofUInt16Array_43() const { return ___typeofUInt16Array_43; }
inline Type_t ** get_address_of_typeofUInt16Array_43() { return &___typeofUInt16Array_43; }
inline void set_typeofUInt16Array_43(Type_t * value)
{
___typeofUInt16Array_43 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofUInt16Array_43), (void*)value);
}
inline static int32_t get_offset_of_typeofUInt32Array_44() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofUInt32Array_44)); }
inline Type_t * get_typeofUInt32Array_44() const { return ___typeofUInt32Array_44; }
inline Type_t ** get_address_of_typeofUInt32Array_44() { return &___typeofUInt32Array_44; }
inline void set_typeofUInt32Array_44(Type_t * value)
{
___typeofUInt32Array_44 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofUInt32Array_44), (void*)value);
}
inline static int32_t get_offset_of_typeofUInt64Array_45() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofUInt64Array_45)); }
inline Type_t * get_typeofUInt64Array_45() const { return ___typeofUInt64Array_45; }
inline Type_t ** get_address_of_typeofUInt64Array_45() { return &___typeofUInt64Array_45; }
inline void set_typeofUInt64Array_45(Type_t * value)
{
___typeofUInt64Array_45 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofUInt64Array_45), (void*)value);
}
inline static int32_t get_offset_of_typeofMarshalByRefObject_46() { return static_cast<int32_t>(offsetof(Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields, ___typeofMarshalByRefObject_46)); }
inline Type_t * get_typeofMarshalByRefObject_46() const { return ___typeofMarshalByRefObject_46; }
inline Type_t ** get_address_of_typeofMarshalByRefObject_46() { return &___typeofMarshalByRefObject_46; }
inline void set_typeofMarshalByRefObject_46(Type_t * value)
{
___typeofMarshalByRefObject_46 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeofMarshalByRefObject_46), (void*)value);
}
};
// System.Runtime.ConstrainedExecution.CriticalFinalizerObject
struct CriticalFinalizerObject_tA3367C832FFE7434EB3C15C7136AF25524150997 : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.Channels.CrossAppDomainChannel
struct CrossAppDomainChannel_t18A2150DA7C305DE9982CD58065CA011A80E945A : public RuntimeObject
{
public:
public:
};
struct CrossAppDomainChannel_t18A2150DA7C305DE9982CD58065CA011A80E945A_StaticFields
{
public:
// System.Object System.Runtime.Remoting.Channels.CrossAppDomainChannel::s_lock
RuntimeObject * ___s_lock_0;
public:
inline static int32_t get_offset_of_s_lock_0() { return static_cast<int32_t>(offsetof(CrossAppDomainChannel_t18A2150DA7C305DE9982CD58065CA011A80E945A_StaticFields, ___s_lock_0)); }
inline RuntimeObject * get_s_lock_0() const { return ___s_lock_0; }
inline RuntimeObject ** get_address_of_s_lock_0() { return &___s_lock_0; }
inline void set_s_lock_0(RuntimeObject * value)
{
___s_lock_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_lock_0), (void*)value);
}
};
// System.Runtime.Remoting.Channels.CrossAppDomainData
struct CrossAppDomainData_t92D017A6163A5F7EFAB22F5441E9D63F42EC8B43 : public RuntimeObject
{
public:
// System.Object System.Runtime.Remoting.Channels.CrossAppDomainData::_ContextID
RuntimeObject * ____ContextID_0;
// System.Int32 System.Runtime.Remoting.Channels.CrossAppDomainData::_DomainID
int32_t ____DomainID_1;
// System.String System.Runtime.Remoting.Channels.CrossAppDomainData::_processGuid
String_t* ____processGuid_2;
public:
inline static int32_t get_offset_of__ContextID_0() { return static_cast<int32_t>(offsetof(CrossAppDomainData_t92D017A6163A5F7EFAB22F5441E9D63F42EC8B43, ____ContextID_0)); }
inline RuntimeObject * get__ContextID_0() const { return ____ContextID_0; }
inline RuntimeObject ** get_address_of__ContextID_0() { return &____ContextID_0; }
inline void set__ContextID_0(RuntimeObject * value)
{
____ContextID_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____ContextID_0), (void*)value);
}
inline static int32_t get_offset_of__DomainID_1() { return static_cast<int32_t>(offsetof(CrossAppDomainData_t92D017A6163A5F7EFAB22F5441E9D63F42EC8B43, ____DomainID_1)); }
inline int32_t get__DomainID_1() const { return ____DomainID_1; }
inline int32_t* get_address_of__DomainID_1() { return &____DomainID_1; }
inline void set__DomainID_1(int32_t value)
{
____DomainID_1 = value;
}
inline static int32_t get_offset_of__processGuid_2() { return static_cast<int32_t>(offsetof(CrossAppDomainData_t92D017A6163A5F7EFAB22F5441E9D63F42EC8B43, ____processGuid_2)); }
inline String_t* get__processGuid_2() const { return ____processGuid_2; }
inline String_t** get_address_of__processGuid_2() { return &____processGuid_2; }
inline void set__processGuid_2(String_t* value)
{
____processGuid_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____processGuid_2), (void*)value);
}
};
// System.Runtime.Remoting.Channels.CrossAppDomainSink
struct CrossAppDomainSink_tBEA91A71E284EA6DC5E930F703711FB7D7015586 : public RuntimeObject
{
public:
// System.Int32 System.Runtime.Remoting.Channels.CrossAppDomainSink::_domainID
int32_t ____domainID_2;
public:
inline static int32_t get_offset_of__domainID_2() { return static_cast<int32_t>(offsetof(CrossAppDomainSink_tBEA91A71E284EA6DC5E930F703711FB7D7015586, ____domainID_2)); }
inline int32_t get__domainID_2() const { return ____domainID_2; }
inline int32_t* get_address_of__domainID_2() { return &____domainID_2; }
inline void set__domainID_2(int32_t value)
{
____domainID_2 = value;
}
};
struct CrossAppDomainSink_tBEA91A71E284EA6DC5E930F703711FB7D7015586_StaticFields
{
public:
// System.Collections.Hashtable System.Runtime.Remoting.Channels.CrossAppDomainSink::s_sinks
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___s_sinks_0;
// System.Reflection.MethodInfo System.Runtime.Remoting.Channels.CrossAppDomainSink::processMessageMethod
MethodInfo_t * ___processMessageMethod_1;
public:
inline static int32_t get_offset_of_s_sinks_0() { return static_cast<int32_t>(offsetof(CrossAppDomainSink_tBEA91A71E284EA6DC5E930F703711FB7D7015586_StaticFields, ___s_sinks_0)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_s_sinks_0() const { return ___s_sinks_0; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_s_sinks_0() { return &___s_sinks_0; }
inline void set_s_sinks_0(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___s_sinks_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_sinks_0), (void*)value);
}
inline static int32_t get_offset_of_processMessageMethod_1() { return static_cast<int32_t>(offsetof(CrossAppDomainSink_tBEA91A71E284EA6DC5E930F703711FB7D7015586_StaticFields, ___processMessageMethod_1)); }
inline MethodInfo_t * get_processMessageMethod_1() const { return ___processMessageMethod_1; }
inline MethodInfo_t ** get_address_of_processMessageMethod_1() { return &___processMessageMethod_1; }
inline void set_processMessageMethod_1(MethodInfo_t * value)
{
___processMessageMethod_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___processMessageMethod_1), (void*)value);
}
};
// System.Runtime.Remoting.Contexts.CrossContextChannel
struct CrossContextChannel_tF0389BFF59F875ADDC660EBAF4BA5267F13A88AD : public RuntimeObject
{
public:
public:
};
// System.Security.Cryptography.CryptoConfig
struct CryptoConfig_t5297629E49F03FDF457B06824EB6271AC1E8AC57 : public RuntimeObject
{
public:
public:
};
// Mono.Security.Cryptography.CryptoConvert
struct CryptoConvert_tDE61C6770D9012EE476EC3F17E1A3FC5919CE04F : public RuntimeObject
{
public:
public:
};
// System.Globalization.CultureData
struct CultureData_t53CDF1C5F789A28897415891667799420D3C5529 : public RuntimeObject
{
public:
// System.String System.Globalization.CultureData::sAM1159
String_t* ___sAM1159_0;
// System.String System.Globalization.CultureData::sPM2359
String_t* ___sPM2359_1;
// System.String System.Globalization.CultureData::sTimeSeparator
String_t* ___sTimeSeparator_2;
// System.String[] modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureData::saLongTimes
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___saLongTimes_3;
// System.String[] modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureData::saShortTimes
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___saShortTimes_4;
// System.Int32 System.Globalization.CultureData::iFirstDayOfWeek
int32_t ___iFirstDayOfWeek_5;
// System.Int32 System.Globalization.CultureData::iFirstWeekOfYear
int32_t ___iFirstWeekOfYear_6;
// System.Int32[] modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureData::waCalendars
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___waCalendars_7;
// System.Globalization.CalendarData[] System.Globalization.CultureData::calendars
CalendarDataU5BU5D_t92EDE3986BAED27678B4F4140BC955434CFEACC7* ___calendars_8;
// System.String System.Globalization.CultureData::sISO639Language
String_t* ___sISO639Language_9;
// System.String System.Globalization.CultureData::sRealName
String_t* ___sRealName_10;
// System.Boolean System.Globalization.CultureData::bUseOverrides
bool ___bUseOverrides_11;
// System.Int32 System.Globalization.CultureData::calendarId
int32_t ___calendarId_12;
// System.Int32 System.Globalization.CultureData::numberIndex
int32_t ___numberIndex_13;
// System.Int32 System.Globalization.CultureData::iDefaultAnsiCodePage
int32_t ___iDefaultAnsiCodePage_14;
// System.Int32 System.Globalization.CultureData::iDefaultOemCodePage
int32_t ___iDefaultOemCodePage_15;
// System.Int32 System.Globalization.CultureData::iDefaultMacCodePage
int32_t ___iDefaultMacCodePage_16;
// System.Int32 System.Globalization.CultureData::iDefaultEbcdicCodePage
int32_t ___iDefaultEbcdicCodePage_17;
// System.Boolean System.Globalization.CultureData::isRightToLeft
bool ___isRightToLeft_18;
// System.String System.Globalization.CultureData::sListSeparator
String_t* ___sListSeparator_19;
public:
inline static int32_t get_offset_of_sAM1159_0() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529, ___sAM1159_0)); }
inline String_t* get_sAM1159_0() const { return ___sAM1159_0; }
inline String_t** get_address_of_sAM1159_0() { return &___sAM1159_0; }
inline void set_sAM1159_0(String_t* value)
{
___sAM1159_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sAM1159_0), (void*)value);
}
inline static int32_t get_offset_of_sPM2359_1() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529, ___sPM2359_1)); }
inline String_t* get_sPM2359_1() const { return ___sPM2359_1; }
inline String_t** get_address_of_sPM2359_1() { return &___sPM2359_1; }
inline void set_sPM2359_1(String_t* value)
{
___sPM2359_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sPM2359_1), (void*)value);
}
inline static int32_t get_offset_of_sTimeSeparator_2() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529, ___sTimeSeparator_2)); }
inline String_t* get_sTimeSeparator_2() const { return ___sTimeSeparator_2; }
inline String_t** get_address_of_sTimeSeparator_2() { return &___sTimeSeparator_2; }
inline void set_sTimeSeparator_2(String_t* value)
{
___sTimeSeparator_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sTimeSeparator_2), (void*)value);
}
inline static int32_t get_offset_of_saLongTimes_3() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529, ___saLongTimes_3)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_saLongTimes_3() const { return ___saLongTimes_3; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_saLongTimes_3() { return &___saLongTimes_3; }
inline void set_saLongTimes_3(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___saLongTimes_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___saLongTimes_3), (void*)value);
}
inline static int32_t get_offset_of_saShortTimes_4() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529, ___saShortTimes_4)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_saShortTimes_4() const { return ___saShortTimes_4; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_saShortTimes_4() { return &___saShortTimes_4; }
inline void set_saShortTimes_4(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___saShortTimes_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___saShortTimes_4), (void*)value);
}
inline static int32_t get_offset_of_iFirstDayOfWeek_5() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529, ___iFirstDayOfWeek_5)); }
inline int32_t get_iFirstDayOfWeek_5() const { return ___iFirstDayOfWeek_5; }
inline int32_t* get_address_of_iFirstDayOfWeek_5() { return &___iFirstDayOfWeek_5; }
inline void set_iFirstDayOfWeek_5(int32_t value)
{
___iFirstDayOfWeek_5 = value;
}
inline static int32_t get_offset_of_iFirstWeekOfYear_6() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529, ___iFirstWeekOfYear_6)); }
inline int32_t get_iFirstWeekOfYear_6() const { return ___iFirstWeekOfYear_6; }
inline int32_t* get_address_of_iFirstWeekOfYear_6() { return &___iFirstWeekOfYear_6; }
inline void set_iFirstWeekOfYear_6(int32_t value)
{
___iFirstWeekOfYear_6 = value;
}
inline static int32_t get_offset_of_waCalendars_7() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529, ___waCalendars_7)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_waCalendars_7() const { return ___waCalendars_7; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_waCalendars_7() { return &___waCalendars_7; }
inline void set_waCalendars_7(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___waCalendars_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___waCalendars_7), (void*)value);
}
inline static int32_t get_offset_of_calendars_8() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529, ___calendars_8)); }
inline CalendarDataU5BU5D_t92EDE3986BAED27678B4F4140BC955434CFEACC7* get_calendars_8() const { return ___calendars_8; }
inline CalendarDataU5BU5D_t92EDE3986BAED27678B4F4140BC955434CFEACC7** get_address_of_calendars_8() { return &___calendars_8; }
inline void set_calendars_8(CalendarDataU5BU5D_t92EDE3986BAED27678B4F4140BC955434CFEACC7* value)
{
___calendars_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___calendars_8), (void*)value);
}
inline static int32_t get_offset_of_sISO639Language_9() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529, ___sISO639Language_9)); }
inline String_t* get_sISO639Language_9() const { return ___sISO639Language_9; }
inline String_t** get_address_of_sISO639Language_9() { return &___sISO639Language_9; }
inline void set_sISO639Language_9(String_t* value)
{
___sISO639Language_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sISO639Language_9), (void*)value);
}
inline static int32_t get_offset_of_sRealName_10() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529, ___sRealName_10)); }
inline String_t* get_sRealName_10() const { return ___sRealName_10; }
inline String_t** get_address_of_sRealName_10() { return &___sRealName_10; }
inline void set_sRealName_10(String_t* value)
{
___sRealName_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sRealName_10), (void*)value);
}
inline static int32_t get_offset_of_bUseOverrides_11() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529, ___bUseOverrides_11)); }
inline bool get_bUseOverrides_11() const { return ___bUseOverrides_11; }
inline bool* get_address_of_bUseOverrides_11() { return &___bUseOverrides_11; }
inline void set_bUseOverrides_11(bool value)
{
___bUseOverrides_11 = value;
}
inline static int32_t get_offset_of_calendarId_12() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529, ___calendarId_12)); }
inline int32_t get_calendarId_12() const { return ___calendarId_12; }
inline int32_t* get_address_of_calendarId_12() { return &___calendarId_12; }
inline void set_calendarId_12(int32_t value)
{
___calendarId_12 = value;
}
inline static int32_t get_offset_of_numberIndex_13() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529, ___numberIndex_13)); }
inline int32_t get_numberIndex_13() const { return ___numberIndex_13; }
inline int32_t* get_address_of_numberIndex_13() { return &___numberIndex_13; }
inline void set_numberIndex_13(int32_t value)
{
___numberIndex_13 = value;
}
inline static int32_t get_offset_of_iDefaultAnsiCodePage_14() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529, ___iDefaultAnsiCodePage_14)); }
inline int32_t get_iDefaultAnsiCodePage_14() const { return ___iDefaultAnsiCodePage_14; }
inline int32_t* get_address_of_iDefaultAnsiCodePage_14() { return &___iDefaultAnsiCodePage_14; }
inline void set_iDefaultAnsiCodePage_14(int32_t value)
{
___iDefaultAnsiCodePage_14 = value;
}
inline static int32_t get_offset_of_iDefaultOemCodePage_15() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529, ___iDefaultOemCodePage_15)); }
inline int32_t get_iDefaultOemCodePage_15() const { return ___iDefaultOemCodePage_15; }
inline int32_t* get_address_of_iDefaultOemCodePage_15() { return &___iDefaultOemCodePage_15; }
inline void set_iDefaultOemCodePage_15(int32_t value)
{
___iDefaultOemCodePage_15 = value;
}
inline static int32_t get_offset_of_iDefaultMacCodePage_16() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529, ___iDefaultMacCodePage_16)); }
inline int32_t get_iDefaultMacCodePage_16() const { return ___iDefaultMacCodePage_16; }
inline int32_t* get_address_of_iDefaultMacCodePage_16() { return &___iDefaultMacCodePage_16; }
inline void set_iDefaultMacCodePage_16(int32_t value)
{
___iDefaultMacCodePage_16 = value;
}
inline static int32_t get_offset_of_iDefaultEbcdicCodePage_17() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529, ___iDefaultEbcdicCodePage_17)); }
inline int32_t get_iDefaultEbcdicCodePage_17() const { return ___iDefaultEbcdicCodePage_17; }
inline int32_t* get_address_of_iDefaultEbcdicCodePage_17() { return &___iDefaultEbcdicCodePage_17; }
inline void set_iDefaultEbcdicCodePage_17(int32_t value)
{
___iDefaultEbcdicCodePage_17 = value;
}
inline static int32_t get_offset_of_isRightToLeft_18() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529, ___isRightToLeft_18)); }
inline bool get_isRightToLeft_18() const { return ___isRightToLeft_18; }
inline bool* get_address_of_isRightToLeft_18() { return &___isRightToLeft_18; }
inline void set_isRightToLeft_18(bool value)
{
___isRightToLeft_18 = value;
}
inline static int32_t get_offset_of_sListSeparator_19() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529, ___sListSeparator_19)); }
inline String_t* get_sListSeparator_19() const { return ___sListSeparator_19; }
inline String_t** get_address_of_sListSeparator_19() { return &___sListSeparator_19; }
inline void set_sListSeparator_19(String_t* value)
{
___sListSeparator_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sListSeparator_19), (void*)value);
}
};
struct CultureData_t53CDF1C5F789A28897415891667799420D3C5529_StaticFields
{
public:
// System.Globalization.CultureData System.Globalization.CultureData::s_Invariant
CultureData_t53CDF1C5F789A28897415891667799420D3C5529 * ___s_Invariant_20;
public:
inline static int32_t get_offset_of_s_Invariant_20() { return static_cast<int32_t>(offsetof(CultureData_t53CDF1C5F789A28897415891667799420D3C5529_StaticFields, ___s_Invariant_20)); }
inline CultureData_t53CDF1C5F789A28897415891667799420D3C5529 * get_s_Invariant_20() const { return ___s_Invariant_20; }
inline CultureData_t53CDF1C5F789A28897415891667799420D3C5529 ** get_address_of_s_Invariant_20() { return &___s_Invariant_20; }
inline void set_s_Invariant_20(CultureData_t53CDF1C5F789A28897415891667799420D3C5529 * value)
{
___s_Invariant_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Invariant_20), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Globalization.CultureData
struct CultureData_t53CDF1C5F789A28897415891667799420D3C5529_marshaled_pinvoke
{
char* ___sAM1159_0;
char* ___sPM2359_1;
char* ___sTimeSeparator_2;
char** ___saLongTimes_3;
char** ___saShortTimes_4;
int32_t ___iFirstDayOfWeek_5;
int32_t ___iFirstWeekOfYear_6;
Il2CppSafeArray/*NONE*/* ___waCalendars_7;
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4_marshaled_pinvoke** ___calendars_8;
char* ___sISO639Language_9;
char* ___sRealName_10;
int32_t ___bUseOverrides_11;
int32_t ___calendarId_12;
int32_t ___numberIndex_13;
int32_t ___iDefaultAnsiCodePage_14;
int32_t ___iDefaultOemCodePage_15;
int32_t ___iDefaultMacCodePage_16;
int32_t ___iDefaultEbcdicCodePage_17;
int32_t ___isRightToLeft_18;
char* ___sListSeparator_19;
};
// Native definition for COM marshalling of System.Globalization.CultureData
struct CultureData_t53CDF1C5F789A28897415891667799420D3C5529_marshaled_com
{
Il2CppChar* ___sAM1159_0;
Il2CppChar* ___sPM2359_1;
Il2CppChar* ___sTimeSeparator_2;
Il2CppChar** ___saLongTimes_3;
Il2CppChar** ___saShortTimes_4;
int32_t ___iFirstDayOfWeek_5;
int32_t ___iFirstWeekOfYear_6;
Il2CppSafeArray/*NONE*/* ___waCalendars_7;
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4_marshaled_com** ___calendars_8;
Il2CppChar* ___sISO639Language_9;
Il2CppChar* ___sRealName_10;
int32_t ___bUseOverrides_11;
int32_t ___calendarId_12;
int32_t ___numberIndex_13;
int32_t ___iDefaultAnsiCodePage_14;
int32_t ___iDefaultOemCodePage_15;
int32_t ___iDefaultMacCodePage_16;
int32_t ___iDefaultEbcdicCodePage_17;
int32_t ___isRightToLeft_18;
Il2CppChar* ___sListSeparator_19;
};
// System.Globalization.CultureInfo
struct CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 : public RuntimeObject
{
public:
// System.Boolean System.Globalization.CultureInfo::m_isReadOnly
bool ___m_isReadOnly_3;
// System.Int32 System.Globalization.CultureInfo::cultureID
int32_t ___cultureID_4;
// System.Int32 System.Globalization.CultureInfo::parent_lcid
int32_t ___parent_lcid_5;
// System.Int32 System.Globalization.CultureInfo::datetime_index
int32_t ___datetime_index_6;
// System.Int32 System.Globalization.CultureInfo::number_index
int32_t ___number_index_7;
// System.Int32 System.Globalization.CultureInfo::default_calendar_type
int32_t ___default_calendar_type_8;
// System.Boolean System.Globalization.CultureInfo::m_useUserOverride
bool ___m_useUserOverride_9;
// System.Globalization.NumberFormatInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureInfo::numInfo
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D * ___numInfo_10;
// System.Globalization.DateTimeFormatInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureInfo::dateTimeInfo
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90 * ___dateTimeInfo_11;
// System.Globalization.TextInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureInfo::textInfo
TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C * ___textInfo_12;
// System.String System.Globalization.CultureInfo::m_name
String_t* ___m_name_13;
// System.String System.Globalization.CultureInfo::englishname
String_t* ___englishname_14;
// System.String System.Globalization.CultureInfo::nativename
String_t* ___nativename_15;
// System.String System.Globalization.CultureInfo::iso3lang
String_t* ___iso3lang_16;
// System.String System.Globalization.CultureInfo::iso2lang
String_t* ___iso2lang_17;
// System.String System.Globalization.CultureInfo::win3lang
String_t* ___win3lang_18;
// System.String System.Globalization.CultureInfo::territory
String_t* ___territory_19;
// System.String[] System.Globalization.CultureInfo::native_calendar_names
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___native_calendar_names_20;
// System.Globalization.CompareInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureInfo::compareInfo
CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * ___compareInfo_21;
// System.Void* System.Globalization.CultureInfo::textinfo_data
void* ___textinfo_data_22;
// System.Int32 System.Globalization.CultureInfo::m_dataItem
int32_t ___m_dataItem_23;
// System.Globalization.Calendar System.Globalization.CultureInfo::calendar
Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * ___calendar_24;
// System.Globalization.CultureInfo System.Globalization.CultureInfo::parent_culture
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * ___parent_culture_25;
// System.Boolean System.Globalization.CultureInfo::constructed
bool ___constructed_26;
// System.Byte[] System.Globalization.CultureInfo::cached_serialized_form
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___cached_serialized_form_27;
// System.Globalization.CultureData System.Globalization.CultureInfo::m_cultureData
CultureData_t53CDF1C5F789A28897415891667799420D3C5529 * ___m_cultureData_28;
// System.Boolean System.Globalization.CultureInfo::m_isInherited
bool ___m_isInherited_29;
public:
inline static int32_t get_offset_of_m_isReadOnly_3() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___m_isReadOnly_3)); }
inline bool get_m_isReadOnly_3() const { return ___m_isReadOnly_3; }
inline bool* get_address_of_m_isReadOnly_3() { return &___m_isReadOnly_3; }
inline void set_m_isReadOnly_3(bool value)
{
___m_isReadOnly_3 = value;
}
inline static int32_t get_offset_of_cultureID_4() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___cultureID_4)); }
inline int32_t get_cultureID_4() const { return ___cultureID_4; }
inline int32_t* get_address_of_cultureID_4() { return &___cultureID_4; }
inline void set_cultureID_4(int32_t value)
{
___cultureID_4 = value;
}
inline static int32_t get_offset_of_parent_lcid_5() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___parent_lcid_5)); }
inline int32_t get_parent_lcid_5() const { return ___parent_lcid_5; }
inline int32_t* get_address_of_parent_lcid_5() { return &___parent_lcid_5; }
inline void set_parent_lcid_5(int32_t value)
{
___parent_lcid_5 = value;
}
inline static int32_t get_offset_of_datetime_index_6() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___datetime_index_6)); }
inline int32_t get_datetime_index_6() const { return ___datetime_index_6; }
inline int32_t* get_address_of_datetime_index_6() { return &___datetime_index_6; }
inline void set_datetime_index_6(int32_t value)
{
___datetime_index_6 = value;
}
inline static int32_t get_offset_of_number_index_7() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___number_index_7)); }
inline int32_t get_number_index_7() const { return ___number_index_7; }
inline int32_t* get_address_of_number_index_7() { return &___number_index_7; }
inline void set_number_index_7(int32_t value)
{
___number_index_7 = value;
}
inline static int32_t get_offset_of_default_calendar_type_8() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___default_calendar_type_8)); }
inline int32_t get_default_calendar_type_8() const { return ___default_calendar_type_8; }
inline int32_t* get_address_of_default_calendar_type_8() { return &___default_calendar_type_8; }
inline void set_default_calendar_type_8(int32_t value)
{
___default_calendar_type_8 = value;
}
inline static int32_t get_offset_of_m_useUserOverride_9() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___m_useUserOverride_9)); }
inline bool get_m_useUserOverride_9() const { return ___m_useUserOverride_9; }
inline bool* get_address_of_m_useUserOverride_9() { return &___m_useUserOverride_9; }
inline void set_m_useUserOverride_9(bool value)
{
___m_useUserOverride_9 = value;
}
inline static int32_t get_offset_of_numInfo_10() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___numInfo_10)); }
inline NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D * get_numInfo_10() const { return ___numInfo_10; }
inline NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D ** get_address_of_numInfo_10() { return &___numInfo_10; }
inline void set_numInfo_10(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D * value)
{
___numInfo_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___numInfo_10), (void*)value);
}
inline static int32_t get_offset_of_dateTimeInfo_11() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___dateTimeInfo_11)); }
inline DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90 * get_dateTimeInfo_11() const { return ___dateTimeInfo_11; }
inline DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90 ** get_address_of_dateTimeInfo_11() { return &___dateTimeInfo_11; }
inline void set_dateTimeInfo_11(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90 * value)
{
___dateTimeInfo_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___dateTimeInfo_11), (void*)value);
}
inline static int32_t get_offset_of_textInfo_12() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___textInfo_12)); }
inline TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C * get_textInfo_12() const { return ___textInfo_12; }
inline TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C ** get_address_of_textInfo_12() { return &___textInfo_12; }
inline void set_textInfo_12(TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C * value)
{
___textInfo_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___textInfo_12), (void*)value);
}
inline static int32_t get_offset_of_m_name_13() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___m_name_13)); }
inline String_t* get_m_name_13() const { return ___m_name_13; }
inline String_t** get_address_of_m_name_13() { return &___m_name_13; }
inline void set_m_name_13(String_t* value)
{
___m_name_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_name_13), (void*)value);
}
inline static int32_t get_offset_of_englishname_14() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___englishname_14)); }
inline String_t* get_englishname_14() const { return ___englishname_14; }
inline String_t** get_address_of_englishname_14() { return &___englishname_14; }
inline void set_englishname_14(String_t* value)
{
___englishname_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___englishname_14), (void*)value);
}
inline static int32_t get_offset_of_nativename_15() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___nativename_15)); }
inline String_t* get_nativename_15() const { return ___nativename_15; }
inline String_t** get_address_of_nativename_15() { return &___nativename_15; }
inline void set_nativename_15(String_t* value)
{
___nativename_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___nativename_15), (void*)value);
}
inline static int32_t get_offset_of_iso3lang_16() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___iso3lang_16)); }
inline String_t* get_iso3lang_16() const { return ___iso3lang_16; }
inline String_t** get_address_of_iso3lang_16() { return &___iso3lang_16; }
inline void set_iso3lang_16(String_t* value)
{
___iso3lang_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___iso3lang_16), (void*)value);
}
inline static int32_t get_offset_of_iso2lang_17() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___iso2lang_17)); }
inline String_t* get_iso2lang_17() const { return ___iso2lang_17; }
inline String_t** get_address_of_iso2lang_17() { return &___iso2lang_17; }
inline void set_iso2lang_17(String_t* value)
{
___iso2lang_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___iso2lang_17), (void*)value);
}
inline static int32_t get_offset_of_win3lang_18() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___win3lang_18)); }
inline String_t* get_win3lang_18() const { return ___win3lang_18; }
inline String_t** get_address_of_win3lang_18() { return &___win3lang_18; }
inline void set_win3lang_18(String_t* value)
{
___win3lang_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___win3lang_18), (void*)value);
}
inline static int32_t get_offset_of_territory_19() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___territory_19)); }
inline String_t* get_territory_19() const { return ___territory_19; }
inline String_t** get_address_of_territory_19() { return &___territory_19; }
inline void set_territory_19(String_t* value)
{
___territory_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___territory_19), (void*)value);
}
inline static int32_t get_offset_of_native_calendar_names_20() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___native_calendar_names_20)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_native_calendar_names_20() const { return ___native_calendar_names_20; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_native_calendar_names_20() { return &___native_calendar_names_20; }
inline void set_native_calendar_names_20(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___native_calendar_names_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___native_calendar_names_20), (void*)value);
}
inline static int32_t get_offset_of_compareInfo_21() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___compareInfo_21)); }
inline CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * get_compareInfo_21() const { return ___compareInfo_21; }
inline CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 ** get_address_of_compareInfo_21() { return &___compareInfo_21; }
inline void set_compareInfo_21(CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * value)
{
___compareInfo_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___compareInfo_21), (void*)value);
}
inline static int32_t get_offset_of_textinfo_data_22() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___textinfo_data_22)); }
inline void* get_textinfo_data_22() const { return ___textinfo_data_22; }
inline void** get_address_of_textinfo_data_22() { return &___textinfo_data_22; }
inline void set_textinfo_data_22(void* value)
{
___textinfo_data_22 = value;
}
inline static int32_t get_offset_of_m_dataItem_23() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___m_dataItem_23)); }
inline int32_t get_m_dataItem_23() const { return ___m_dataItem_23; }
inline int32_t* get_address_of_m_dataItem_23() { return &___m_dataItem_23; }
inline void set_m_dataItem_23(int32_t value)
{
___m_dataItem_23 = value;
}
inline static int32_t get_offset_of_calendar_24() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___calendar_24)); }
inline Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * get_calendar_24() const { return ___calendar_24; }
inline Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A ** get_address_of_calendar_24() { return &___calendar_24; }
inline void set_calendar_24(Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * value)
{
___calendar_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___calendar_24), (void*)value);
}
inline static int32_t get_offset_of_parent_culture_25() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___parent_culture_25)); }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * get_parent_culture_25() const { return ___parent_culture_25; }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 ** get_address_of_parent_culture_25() { return &___parent_culture_25; }
inline void set_parent_culture_25(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * value)
{
___parent_culture_25 = value;
Il2CppCodeGenWriteBarrier((void**)(&___parent_culture_25), (void*)value);
}
inline static int32_t get_offset_of_constructed_26() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___constructed_26)); }
inline bool get_constructed_26() const { return ___constructed_26; }
inline bool* get_address_of_constructed_26() { return &___constructed_26; }
inline void set_constructed_26(bool value)
{
___constructed_26 = value;
}
inline static int32_t get_offset_of_cached_serialized_form_27() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___cached_serialized_form_27)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_cached_serialized_form_27() const { return ___cached_serialized_form_27; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_cached_serialized_form_27() { return &___cached_serialized_form_27; }
inline void set_cached_serialized_form_27(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___cached_serialized_form_27 = value;
Il2CppCodeGenWriteBarrier((void**)(&___cached_serialized_form_27), (void*)value);
}
inline static int32_t get_offset_of_m_cultureData_28() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___m_cultureData_28)); }
inline CultureData_t53CDF1C5F789A28897415891667799420D3C5529 * get_m_cultureData_28() const { return ___m_cultureData_28; }
inline CultureData_t53CDF1C5F789A28897415891667799420D3C5529 ** get_address_of_m_cultureData_28() { return &___m_cultureData_28; }
inline void set_m_cultureData_28(CultureData_t53CDF1C5F789A28897415891667799420D3C5529 * value)
{
___m_cultureData_28 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_cultureData_28), (void*)value);
}
inline static int32_t get_offset_of_m_isInherited_29() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98, ___m_isInherited_29)); }
inline bool get_m_isInherited_29() const { return ___m_isInherited_29; }
inline bool* get_address_of_m_isInherited_29() { return &___m_isInherited_29; }
inline void set_m_isInherited_29(bool value)
{
___m_isInherited_29 = value;
}
};
struct CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_StaticFields
{
public:
// System.Globalization.CultureInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureInfo::invariant_culture_info
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * ___invariant_culture_info_0;
// System.Object System.Globalization.CultureInfo::shared_table_lock
RuntimeObject * ___shared_table_lock_1;
// System.Globalization.CultureInfo System.Globalization.CultureInfo::default_current_culture
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * ___default_current_culture_2;
// System.Globalization.CultureInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureInfo::s_DefaultThreadCurrentUICulture
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * ___s_DefaultThreadCurrentUICulture_33;
// System.Globalization.CultureInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.CultureInfo::s_DefaultThreadCurrentCulture
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * ___s_DefaultThreadCurrentCulture_34;
// System.Collections.Generic.Dictionary`2<System.Int32,System.Globalization.CultureInfo> System.Globalization.CultureInfo::shared_by_number
Dictionary_2_t5B8303F2C9869A39ED3E03C0FBB09F817E479402 * ___shared_by_number_35;
// System.Collections.Generic.Dictionary`2<System.String,System.Globalization.CultureInfo> System.Globalization.CultureInfo::shared_by_name
Dictionary_2_t0015CBF964B0687CBB5ECFDDE06671A8F3DDE4BC * ___shared_by_name_36;
// System.Boolean System.Globalization.CultureInfo::IsTaiwanSku
bool ___IsTaiwanSku_37;
public:
inline static int32_t get_offset_of_invariant_culture_info_0() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_StaticFields, ___invariant_culture_info_0)); }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * get_invariant_culture_info_0() const { return ___invariant_culture_info_0; }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 ** get_address_of_invariant_culture_info_0() { return &___invariant_culture_info_0; }
inline void set_invariant_culture_info_0(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * value)
{
___invariant_culture_info_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___invariant_culture_info_0), (void*)value);
}
inline static int32_t get_offset_of_shared_table_lock_1() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_StaticFields, ___shared_table_lock_1)); }
inline RuntimeObject * get_shared_table_lock_1() const { return ___shared_table_lock_1; }
inline RuntimeObject ** get_address_of_shared_table_lock_1() { return &___shared_table_lock_1; }
inline void set_shared_table_lock_1(RuntimeObject * value)
{
___shared_table_lock_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___shared_table_lock_1), (void*)value);
}
inline static int32_t get_offset_of_default_current_culture_2() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_StaticFields, ___default_current_culture_2)); }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * get_default_current_culture_2() const { return ___default_current_culture_2; }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 ** get_address_of_default_current_culture_2() { return &___default_current_culture_2; }
inline void set_default_current_culture_2(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * value)
{
___default_current_culture_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___default_current_culture_2), (void*)value);
}
inline static int32_t get_offset_of_s_DefaultThreadCurrentUICulture_33() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_StaticFields, ___s_DefaultThreadCurrentUICulture_33)); }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * get_s_DefaultThreadCurrentUICulture_33() const { return ___s_DefaultThreadCurrentUICulture_33; }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 ** get_address_of_s_DefaultThreadCurrentUICulture_33() { return &___s_DefaultThreadCurrentUICulture_33; }
inline void set_s_DefaultThreadCurrentUICulture_33(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * value)
{
___s_DefaultThreadCurrentUICulture_33 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_DefaultThreadCurrentUICulture_33), (void*)value);
}
inline static int32_t get_offset_of_s_DefaultThreadCurrentCulture_34() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_StaticFields, ___s_DefaultThreadCurrentCulture_34)); }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * get_s_DefaultThreadCurrentCulture_34() const { return ___s_DefaultThreadCurrentCulture_34; }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 ** get_address_of_s_DefaultThreadCurrentCulture_34() { return &___s_DefaultThreadCurrentCulture_34; }
inline void set_s_DefaultThreadCurrentCulture_34(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * value)
{
___s_DefaultThreadCurrentCulture_34 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_DefaultThreadCurrentCulture_34), (void*)value);
}
inline static int32_t get_offset_of_shared_by_number_35() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_StaticFields, ___shared_by_number_35)); }
inline Dictionary_2_t5B8303F2C9869A39ED3E03C0FBB09F817E479402 * get_shared_by_number_35() const { return ___shared_by_number_35; }
inline Dictionary_2_t5B8303F2C9869A39ED3E03C0FBB09F817E479402 ** get_address_of_shared_by_number_35() { return &___shared_by_number_35; }
inline void set_shared_by_number_35(Dictionary_2_t5B8303F2C9869A39ED3E03C0FBB09F817E479402 * value)
{
___shared_by_number_35 = value;
Il2CppCodeGenWriteBarrier((void**)(&___shared_by_number_35), (void*)value);
}
inline static int32_t get_offset_of_shared_by_name_36() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_StaticFields, ___shared_by_name_36)); }
inline Dictionary_2_t0015CBF964B0687CBB5ECFDDE06671A8F3DDE4BC * get_shared_by_name_36() const { return ___shared_by_name_36; }
inline Dictionary_2_t0015CBF964B0687CBB5ECFDDE06671A8F3DDE4BC ** get_address_of_shared_by_name_36() { return &___shared_by_name_36; }
inline void set_shared_by_name_36(Dictionary_2_t0015CBF964B0687CBB5ECFDDE06671A8F3DDE4BC * value)
{
___shared_by_name_36 = value;
Il2CppCodeGenWriteBarrier((void**)(&___shared_by_name_36), (void*)value);
}
inline static int32_t get_offset_of_IsTaiwanSku_37() { return static_cast<int32_t>(offsetof(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_StaticFields, ___IsTaiwanSku_37)); }
inline bool get_IsTaiwanSku_37() const { return ___IsTaiwanSku_37; }
inline bool* get_address_of_IsTaiwanSku_37() { return &___IsTaiwanSku_37; }
inline void set_IsTaiwanSku_37(bool value)
{
___IsTaiwanSku_37 = value;
}
};
// Native definition for P/Invoke marshalling of System.Globalization.CultureInfo
struct CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_marshaled_pinvoke
{
int32_t ___m_isReadOnly_3;
int32_t ___cultureID_4;
int32_t ___parent_lcid_5;
int32_t ___datetime_index_6;
int32_t ___number_index_7;
int32_t ___default_calendar_type_8;
int32_t ___m_useUserOverride_9;
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D * ___numInfo_10;
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90 * ___dateTimeInfo_11;
TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C * ___textInfo_12;
char* ___m_name_13;
char* ___englishname_14;
char* ___nativename_15;
char* ___iso3lang_16;
char* ___iso2lang_17;
char* ___win3lang_18;
char* ___territory_19;
char** ___native_calendar_names_20;
CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * ___compareInfo_21;
void* ___textinfo_data_22;
int32_t ___m_dataItem_23;
Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * ___calendar_24;
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_marshaled_pinvoke* ___parent_culture_25;
int32_t ___constructed_26;
Il2CppSafeArray/*NONE*/* ___cached_serialized_form_27;
CultureData_t53CDF1C5F789A28897415891667799420D3C5529_marshaled_pinvoke* ___m_cultureData_28;
int32_t ___m_isInherited_29;
};
// Native definition for COM marshalling of System.Globalization.CultureInfo
struct CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_marshaled_com
{
int32_t ___m_isReadOnly_3;
int32_t ___cultureID_4;
int32_t ___parent_lcid_5;
int32_t ___datetime_index_6;
int32_t ___number_index_7;
int32_t ___default_calendar_type_8;
int32_t ___m_useUserOverride_9;
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D * ___numInfo_10;
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90 * ___dateTimeInfo_11;
TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C * ___textInfo_12;
Il2CppChar* ___m_name_13;
Il2CppChar* ___englishname_14;
Il2CppChar* ___nativename_15;
Il2CppChar* ___iso3lang_16;
Il2CppChar* ___iso2lang_17;
Il2CppChar* ___win3lang_18;
Il2CppChar* ___territory_19;
Il2CppChar** ___native_calendar_names_20;
CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * ___compareInfo_21;
void* ___textinfo_data_22;
int32_t ___m_dataItem_23;
Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * ___calendar_24;
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_marshaled_com* ___parent_culture_25;
int32_t ___constructed_26;
Il2CppSafeArray/*NONE*/* ___cached_serialized_form_27;
CultureData_t53CDF1C5F789A28897415891667799420D3C5529_marshaled_com* ___m_cultureData_28;
int32_t ___m_isInherited_29;
};
// UnityEngine.Cursor
struct Cursor_t6B950560065A4D66F66E37874A4E76487D71E641 : public RuntimeObject
{
public:
public:
};
// System.Reflection.Emit.CustomAttributeBuilder
struct CustomAttributeBuilder_t06D63EB7959009BF4829B90981B5195D6AC2FF3B : public RuntimeObject
{
public:
public:
};
// System.Reflection.CustomAttributeData
struct CustomAttributeData_t4F8D66DDB6D3F7E8C39AF85752A0CC9679A4CE85 : public RuntimeObject
{
public:
// System.Reflection.ConstructorInfo System.Reflection.CustomAttributeData::ctorInfo
ConstructorInfo_t449AEC508DCA508EE46784C4F2716545488ACD5B * ___ctorInfo_0;
// System.Collections.Generic.IList`1<System.Reflection.CustomAttributeTypedArgument> System.Reflection.CustomAttributeData::ctorArgs
RuntimeObject* ___ctorArgs_1;
// System.Collections.Generic.IList`1<System.Reflection.CustomAttributeNamedArgument> System.Reflection.CustomAttributeData::namedArgs
RuntimeObject* ___namedArgs_2;
// System.Reflection.CustomAttributeData/LazyCAttrData System.Reflection.CustomAttributeData::lazyData
LazyCAttrData_tD37F889F6B356AF76AB242D449CAEEFAE826F8C3 * ___lazyData_3;
public:
inline static int32_t get_offset_of_ctorInfo_0() { return static_cast<int32_t>(offsetof(CustomAttributeData_t4F8D66DDB6D3F7E8C39AF85752A0CC9679A4CE85, ___ctorInfo_0)); }
inline ConstructorInfo_t449AEC508DCA508EE46784C4F2716545488ACD5B * get_ctorInfo_0() const { return ___ctorInfo_0; }
inline ConstructorInfo_t449AEC508DCA508EE46784C4F2716545488ACD5B ** get_address_of_ctorInfo_0() { return &___ctorInfo_0; }
inline void set_ctorInfo_0(ConstructorInfo_t449AEC508DCA508EE46784C4F2716545488ACD5B * value)
{
___ctorInfo_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ctorInfo_0), (void*)value);
}
inline static int32_t get_offset_of_ctorArgs_1() { return static_cast<int32_t>(offsetof(CustomAttributeData_t4F8D66DDB6D3F7E8C39AF85752A0CC9679A4CE85, ___ctorArgs_1)); }
inline RuntimeObject* get_ctorArgs_1() const { return ___ctorArgs_1; }
inline RuntimeObject** get_address_of_ctorArgs_1() { return &___ctorArgs_1; }
inline void set_ctorArgs_1(RuntimeObject* value)
{
___ctorArgs_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ctorArgs_1), (void*)value);
}
inline static int32_t get_offset_of_namedArgs_2() { return static_cast<int32_t>(offsetof(CustomAttributeData_t4F8D66DDB6D3F7E8C39AF85752A0CC9679A4CE85, ___namedArgs_2)); }
inline RuntimeObject* get_namedArgs_2() const { return ___namedArgs_2; }
inline RuntimeObject** get_address_of_namedArgs_2() { return &___namedArgs_2; }
inline void set_namedArgs_2(RuntimeObject* value)
{
___namedArgs_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___namedArgs_2), (void*)value);
}
inline static int32_t get_offset_of_lazyData_3() { return static_cast<int32_t>(offsetof(CustomAttributeData_t4F8D66DDB6D3F7E8C39AF85752A0CC9679A4CE85, ___lazyData_3)); }
inline LazyCAttrData_tD37F889F6B356AF76AB242D449CAEEFAE826F8C3 * get_lazyData_3() const { return ___lazyData_3; }
inline LazyCAttrData_tD37F889F6B356AF76AB242D449CAEEFAE826F8C3 ** get_address_of_lazyData_3() { return &___lazyData_3; }
inline void set_lazyData_3(LazyCAttrData_tD37F889F6B356AF76AB242D449CAEEFAE826F8C3 * value)
{
___lazyData_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___lazyData_3), (void*)value);
}
};
// System.Reflection.CustomAttributeExtensions
struct CustomAttributeExtensions_t7EEBBA00B9C5B3009BA492F7EF9F8A758E3A2E40 : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.Extensions.CustomPluralRuleProvider
struct CustomPluralRuleProvider_t0B182C81324371AE53EF4AD628488125ADB6029A : public RuntimeObject
{
public:
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Extensions.CustomPluralRuleProvider::_pluralRule
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ____pluralRule_0;
public:
inline static int32_t get_offset_of__pluralRule_0() { return static_cast<int32_t>(offsetof(CustomPluralRuleProvider_t0B182C81324371AE53EF4AD628488125ADB6029A, ____pluralRule_0)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get__pluralRule_0() const { return ____pluralRule_0; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of__pluralRule_0() { return &____pluralRule_0; }
inline void set__pluralRule_0(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
____pluralRule_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____pluralRule_0), (void*)value);
}
};
// UnityEngine.CustomRenderTextureManager
struct CustomRenderTextureManager_t6F321AA7DF715767D74C5DFAA14C8D59F4FFC0F7 : public RuntimeObject
{
public:
public:
};
struct CustomRenderTextureManager_t6F321AA7DF715767D74C5DFAA14C8D59F4FFC0F7_StaticFields
{
public:
// System.Action`1<UnityEngine.CustomRenderTexture> UnityEngine.CustomRenderTextureManager::textureLoaded
Action_1_t35A8982F1F9CAB92233AC0C44F736ED38F0365C2 * ___textureLoaded_0;
// System.Action`1<UnityEngine.CustomRenderTexture> UnityEngine.CustomRenderTextureManager::textureUnloaded
Action_1_t35A8982F1F9CAB92233AC0C44F736ED38F0365C2 * ___textureUnloaded_1;
public:
inline static int32_t get_offset_of_textureLoaded_0() { return static_cast<int32_t>(offsetof(CustomRenderTextureManager_t6F321AA7DF715767D74C5DFAA14C8D59F4FFC0F7_StaticFields, ___textureLoaded_0)); }
inline Action_1_t35A8982F1F9CAB92233AC0C44F736ED38F0365C2 * get_textureLoaded_0() const { return ___textureLoaded_0; }
inline Action_1_t35A8982F1F9CAB92233AC0C44F736ED38F0365C2 ** get_address_of_textureLoaded_0() { return &___textureLoaded_0; }
inline void set_textureLoaded_0(Action_1_t35A8982F1F9CAB92233AC0C44F736ED38F0365C2 * value)
{
___textureLoaded_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___textureLoaded_0), (void*)value);
}
inline static int32_t get_offset_of_textureUnloaded_1() { return static_cast<int32_t>(offsetof(CustomRenderTextureManager_t6F321AA7DF715767D74C5DFAA14C8D59F4FFC0F7_StaticFields, ___textureUnloaded_1)); }
inline Action_1_t35A8982F1F9CAB92233AC0C44F736ED38F0365C2 * get_textureUnloaded_1() const { return ___textureUnloaded_1; }
inline Action_1_t35A8982F1F9CAB92233AC0C44F736ED38F0365C2 ** get_address_of_textureUnloaded_1() { return &___textureUnloaded_1; }
inline void set_textureUnloaded_1(Action_1_t35A8982F1F9CAB92233AC0C44F736ED38F0365C2 * value)
{
___textureUnloaded_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___textureUnloaded_1), (void*)value);
}
};
// UnityEngine.CustomYieldInstruction
struct CustomYieldInstruction_t4ED1543FBAA3143362854EB1867B42E5D190A5C7 : public RuntimeObject
{
public:
public:
};
// System.DBNull
struct DBNull_t0CFB3A03916C4AE0938C140E6A5487CEC8169C28 : public RuntimeObject
{
public:
public:
};
struct DBNull_t0CFB3A03916C4AE0938C140E6A5487CEC8169C28_StaticFields
{
public:
// System.DBNull System.DBNull::Value
DBNull_t0CFB3A03916C4AE0938C140E6A5487CEC8169C28 * ___Value_0;
public:
inline static int32_t get_offset_of_Value_0() { return static_cast<int32_t>(offsetof(DBNull_t0CFB3A03916C4AE0938C140E6A5487CEC8169C28_StaticFields, ___Value_0)); }
inline DBNull_t0CFB3A03916C4AE0938C140E6A5487CEC8169C28 * get_Value_0() const { return ___Value_0; }
inline DBNull_t0CFB3A03916C4AE0938C140E6A5487CEC8169C28 ** get_address_of_Value_0() { return &___Value_0; }
inline void set_Value_0(DBNull_t0CFB3A03916C4AE0938C140E6A5487CEC8169C28 * value)
{
___Value_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Value_0), (void*)value);
}
};
// UnityEngine.Sprites.DataUtility
struct DataUtility_tB56F8B83D649F4FE0573173B309992C0FA79E280 : public RuntimeObject
{
public:
public:
};
// System.DateTimeParse
struct DateTimeParse_t76510C36C2811C8A20E2A305B0368499793F714F : public RuntimeObject
{
public:
public:
};
struct DateTimeParse_t76510C36C2811C8A20E2A305B0368499793F714F_StaticFields
{
public:
// System.DateTimeParse/MatchNumberDelegate System.DateTimeParse::m_hebrewNumberParser
MatchNumberDelegate_t4EB7A242D7C0B4570F59DD93F38AB3422672B199 * ___m_hebrewNumberParser_0;
// System.DateTimeParse/DS[][] System.DateTimeParse::dateParsingStates
DSU5BU5DU5BU5D_t3E2ABAFEF3615342342FE8B4E783873194FA16BE* ___dateParsingStates_1;
public:
inline static int32_t get_offset_of_m_hebrewNumberParser_0() { return static_cast<int32_t>(offsetof(DateTimeParse_t76510C36C2811C8A20E2A305B0368499793F714F_StaticFields, ___m_hebrewNumberParser_0)); }
inline MatchNumberDelegate_t4EB7A242D7C0B4570F59DD93F38AB3422672B199 * get_m_hebrewNumberParser_0() const { return ___m_hebrewNumberParser_0; }
inline MatchNumberDelegate_t4EB7A242D7C0B4570F59DD93F38AB3422672B199 ** get_address_of_m_hebrewNumberParser_0() { return &___m_hebrewNumberParser_0; }
inline void set_m_hebrewNumberParser_0(MatchNumberDelegate_t4EB7A242D7C0B4570F59DD93F38AB3422672B199 * value)
{
___m_hebrewNumberParser_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_hebrewNumberParser_0), (void*)value);
}
inline static int32_t get_offset_of_dateParsingStates_1() { return static_cast<int32_t>(offsetof(DateTimeParse_t76510C36C2811C8A20E2A305B0368499793F714F_StaticFields, ___dateParsingStates_1)); }
inline DSU5BU5DU5BU5D_t3E2ABAFEF3615342342FE8B4E783873194FA16BE* get_dateParsingStates_1() const { return ___dateParsingStates_1; }
inline DSU5BU5DU5BU5D_t3E2ABAFEF3615342342FE8B4E783873194FA16BE** get_address_of_dateParsingStates_1() { return &___dateParsingStates_1; }
inline void set_dateParsingStates_1(DSU5BU5DU5BU5D_t3E2ABAFEF3615342342FE8B4E783873194FA16BE* value)
{
___dateParsingStates_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___dateParsingStates_1), (void*)value);
}
};
// UnityEngine.Debug
struct Debug_tEB68BCBEB8EFD60F8043C67146DC05E7F50F374B : public RuntimeObject
{
public:
public:
};
struct Debug_tEB68BCBEB8EFD60F8043C67146DC05E7F50F374B_StaticFields
{
public:
// UnityEngine.ILogger UnityEngine.Debug::s_DefaultLogger
RuntimeObject* ___s_DefaultLogger_0;
// UnityEngine.ILogger UnityEngine.Debug::s_Logger
RuntimeObject* ___s_Logger_1;
public:
inline static int32_t get_offset_of_s_DefaultLogger_0() { return static_cast<int32_t>(offsetof(Debug_tEB68BCBEB8EFD60F8043C67146DC05E7F50F374B_StaticFields, ___s_DefaultLogger_0)); }
inline RuntimeObject* get_s_DefaultLogger_0() const { return ___s_DefaultLogger_0; }
inline RuntimeObject** get_address_of_s_DefaultLogger_0() { return &___s_DefaultLogger_0; }
inline void set_s_DefaultLogger_0(RuntimeObject* value)
{
___s_DefaultLogger_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_DefaultLogger_0), (void*)value);
}
inline static int32_t get_offset_of_s_Logger_1() { return static_cast<int32_t>(offsetof(Debug_tEB68BCBEB8EFD60F8043C67146DC05E7F50F374B_StaticFields, ___s_Logger_1)); }
inline RuntimeObject* get_s_Logger_1() const { return ___s_Logger_1; }
inline RuntimeObject** get_address_of_s_Logger_1() { return &___s_Logger_1; }
inline void set_s_Logger_1(RuntimeObject* value)
{
___s_Logger_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Logger_1), (void*)value);
}
};
// UnityEngine.DebugLogHandler
struct DebugLogHandler_tC72BF7BB2942379BB0433E4CDEAAB09F25EEF402 : public RuntimeObject
{
public:
public:
};
// System.Diagnostics.Debugger
struct Debugger_tB9DDF100D6DE6EA38D21A1801D59BAA57631653A : public RuntimeObject
{
public:
public:
};
struct Debugger_tB9DDF100D6DE6EA38D21A1801D59BAA57631653A_StaticFields
{
public:
// System.String System.Diagnostics.Debugger::DefaultCategory
String_t* ___DefaultCategory_0;
public:
inline static int32_t get_offset_of_DefaultCategory_0() { return static_cast<int32_t>(offsetof(Debugger_tB9DDF100D6DE6EA38D21A1801D59BAA57631653A_StaticFields, ___DefaultCategory_0)); }
inline String_t* get_DefaultCategory_0() const { return ___DefaultCategory_0; }
inline String_t** get_address_of_DefaultCategory_0() { return &___DefaultCategory_0; }
inline void set_DefaultCategory_0(String_t* value)
{
___DefaultCategory_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DefaultCategory_0), (void*)value);
}
};
// System.Text.Decoder
struct Decoder_t91B2ED8AEC25AA24D23A00265203BE992B12C370 : public RuntimeObject
{
public:
// System.Text.DecoderFallback System.Text.Decoder::m_fallback
DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D * ___m_fallback_0;
// System.Text.DecoderFallbackBuffer System.Text.Decoder::m_fallbackBuffer
DecoderFallbackBuffer_t236B3D4172A9BAD1C2150ED78958227F8F20C94B * ___m_fallbackBuffer_1;
public:
inline static int32_t get_offset_of_m_fallback_0() { return static_cast<int32_t>(offsetof(Decoder_t91B2ED8AEC25AA24D23A00265203BE992B12C370, ___m_fallback_0)); }
inline DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D * get_m_fallback_0() const { return ___m_fallback_0; }
inline DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D ** get_address_of_m_fallback_0() { return &___m_fallback_0; }
inline void set_m_fallback_0(DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D * value)
{
___m_fallback_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fallback_0), (void*)value);
}
inline static int32_t get_offset_of_m_fallbackBuffer_1() { return static_cast<int32_t>(offsetof(Decoder_t91B2ED8AEC25AA24D23A00265203BE992B12C370, ___m_fallbackBuffer_1)); }
inline DecoderFallbackBuffer_t236B3D4172A9BAD1C2150ED78958227F8F20C94B * get_m_fallbackBuffer_1() const { return ___m_fallbackBuffer_1; }
inline DecoderFallbackBuffer_t236B3D4172A9BAD1C2150ED78958227F8F20C94B ** get_address_of_m_fallbackBuffer_1() { return &___m_fallbackBuffer_1; }
inline void set_m_fallbackBuffer_1(DecoderFallbackBuffer_t236B3D4172A9BAD1C2150ED78958227F8F20C94B * value)
{
___m_fallbackBuffer_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fallbackBuffer_1), (void*)value);
}
};
// System.Text.DecoderFallback
struct DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D : public RuntimeObject
{
public:
// System.Boolean System.Text.DecoderFallback::bIsMicrosoftBestFitFallback
bool ___bIsMicrosoftBestFitFallback_0;
public:
inline static int32_t get_offset_of_bIsMicrosoftBestFitFallback_0() { return static_cast<int32_t>(offsetof(DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D, ___bIsMicrosoftBestFitFallback_0)); }
inline bool get_bIsMicrosoftBestFitFallback_0() const { return ___bIsMicrosoftBestFitFallback_0; }
inline bool* get_address_of_bIsMicrosoftBestFitFallback_0() { return &___bIsMicrosoftBestFitFallback_0; }
inline void set_bIsMicrosoftBestFitFallback_0(bool value)
{
___bIsMicrosoftBestFitFallback_0 = value;
}
};
struct DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D_StaticFields
{
public:
// System.Text.DecoderFallback modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.DecoderFallback::replacementFallback
DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D * ___replacementFallback_1;
// System.Text.DecoderFallback modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.DecoderFallback::exceptionFallback
DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D * ___exceptionFallback_2;
// System.Object System.Text.DecoderFallback::s_InternalSyncObject
RuntimeObject * ___s_InternalSyncObject_3;
public:
inline static int32_t get_offset_of_replacementFallback_1() { return static_cast<int32_t>(offsetof(DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D_StaticFields, ___replacementFallback_1)); }
inline DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D * get_replacementFallback_1() const { return ___replacementFallback_1; }
inline DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D ** get_address_of_replacementFallback_1() { return &___replacementFallback_1; }
inline void set_replacementFallback_1(DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D * value)
{
___replacementFallback_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___replacementFallback_1), (void*)value);
}
inline static int32_t get_offset_of_exceptionFallback_2() { return static_cast<int32_t>(offsetof(DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D_StaticFields, ___exceptionFallback_2)); }
inline DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D * get_exceptionFallback_2() const { return ___exceptionFallback_2; }
inline DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D ** get_address_of_exceptionFallback_2() { return &___exceptionFallback_2; }
inline void set_exceptionFallback_2(DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D * value)
{
___exceptionFallback_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___exceptionFallback_2), (void*)value);
}
inline static int32_t get_offset_of_s_InternalSyncObject_3() { return static_cast<int32_t>(offsetof(DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D_StaticFields, ___s_InternalSyncObject_3)); }
inline RuntimeObject * get_s_InternalSyncObject_3() const { return ___s_InternalSyncObject_3; }
inline RuntimeObject ** get_address_of_s_InternalSyncObject_3() { return &___s_InternalSyncObject_3; }
inline void set_s_InternalSyncObject_3(RuntimeObject * value)
{
___s_InternalSyncObject_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_InternalSyncObject_3), (void*)value);
}
};
// System.Text.DecoderFallbackBuffer
struct DecoderFallbackBuffer_t236B3D4172A9BAD1C2150ED78958227F8F20C94B : public RuntimeObject
{
public:
// System.Byte* System.Text.DecoderFallbackBuffer::byteStart
uint8_t* ___byteStart_0;
// System.Char* System.Text.DecoderFallbackBuffer::charEnd
Il2CppChar* ___charEnd_1;
public:
inline static int32_t get_offset_of_byteStart_0() { return static_cast<int32_t>(offsetof(DecoderFallbackBuffer_t236B3D4172A9BAD1C2150ED78958227F8F20C94B, ___byteStart_0)); }
inline uint8_t* get_byteStart_0() const { return ___byteStart_0; }
inline uint8_t** get_address_of_byteStart_0() { return &___byteStart_0; }
inline void set_byteStart_0(uint8_t* value)
{
___byteStart_0 = value;
}
inline static int32_t get_offset_of_charEnd_1() { return static_cast<int32_t>(offsetof(DecoderFallbackBuffer_t236B3D4172A9BAD1C2150ED78958227F8F20C94B, ___charEnd_1)); }
inline Il2CppChar* get_charEnd_1() const { return ___charEnd_1; }
inline Il2CppChar** get_address_of_charEnd_1() { return &___charEnd_1; }
inline void set_charEnd_1(Il2CppChar* value)
{
___charEnd_1 = value;
}
};
// UnityEngine.ResourceManagement.Util.DefaultAllocationStrategy
struct DefaultAllocationStrategy_tF5DE9C13CA2E20C5BDAEE4BBECD637A09E634857 : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.Extensions.DefaultSource
struct DefaultSource_tF2ADAD9B1F7EF5C84A97A62F0AD06B87F70F125C : public RuntimeObject
{
public:
public:
};
// System.DelegateData
struct DelegateData_t17DD30660E330C49381DAA99F934BE75CB11F288 : public RuntimeObject
{
public:
// System.Type System.DelegateData::target_type
Type_t * ___target_type_0;
// System.String System.DelegateData::method_name
String_t* ___method_name_1;
// System.Boolean System.DelegateData::curried_first_arg
bool ___curried_first_arg_2;
public:
inline static int32_t get_offset_of_target_type_0() { return static_cast<int32_t>(offsetof(DelegateData_t17DD30660E330C49381DAA99F934BE75CB11F288, ___target_type_0)); }
inline Type_t * get_target_type_0() const { return ___target_type_0; }
inline Type_t ** get_address_of_target_type_0() { return &___target_type_0; }
inline void set_target_type_0(Type_t * value)
{
___target_type_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___target_type_0), (void*)value);
}
inline static int32_t get_offset_of_method_name_1() { return static_cast<int32_t>(offsetof(DelegateData_t17DD30660E330C49381DAA99F934BE75CB11F288, ___method_name_1)); }
inline String_t* get_method_name_1() const { return ___method_name_1; }
inline String_t** get_address_of_method_name_1() { return &___method_name_1; }
inline void set_method_name_1(String_t* value)
{
___method_name_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___method_name_1), (void*)value);
}
inline static int32_t get_offset_of_curried_first_arg_2() { return static_cast<int32_t>(offsetof(DelegateData_t17DD30660E330C49381DAA99F934BE75CB11F288, ___curried_first_arg_2)); }
inline bool get_curried_first_arg_2() const { return ___curried_first_arg_2; }
inline bool* get_address_of_curried_first_arg_2() { return &___curried_first_arg_2; }
inline void set_curried_first_arg_2(bool value)
{
___curried_first_arg_2 = value;
}
};
// System.DelegateSerializationHolder
struct DelegateSerializationHolder_tD460EC87221856DCEF7025E9F542510187365417 : public RuntimeObject
{
public:
// System.Delegate System.DelegateSerializationHolder::_delegate
Delegate_t * ____delegate_0;
public:
inline static int32_t get_offset_of__delegate_0() { return static_cast<int32_t>(offsetof(DelegateSerializationHolder_tD460EC87221856DCEF7025E9F542510187365417, ____delegate_0)); }
inline Delegate_t * get__delegate_0() const { return ____delegate_0; }
inline Delegate_t ** get_address_of__delegate_0() { return &____delegate_0; }
inline void set__delegate_0(Delegate_t * value)
{
____delegate_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____delegate_0), (void*)value);
}
};
// UnityEngine.AddressableAssets.Utility.DiagnosticInfo
struct DiagnosticInfo_tA6631B604BAA6DFABF2B912D8892728F7D74CD3C : public RuntimeObject
{
public:
// System.String UnityEngine.AddressableAssets.Utility.DiagnosticInfo::DisplayName
String_t* ___DisplayName_0;
// System.Int32 UnityEngine.AddressableAssets.Utility.DiagnosticInfo::ObjectId
int32_t ___ObjectId_1;
// System.Int32[] UnityEngine.AddressableAssets.Utility.DiagnosticInfo::Dependencies
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___Dependencies_2;
public:
inline static int32_t get_offset_of_DisplayName_0() { return static_cast<int32_t>(offsetof(DiagnosticInfo_tA6631B604BAA6DFABF2B912D8892728F7D74CD3C, ___DisplayName_0)); }
inline String_t* get_DisplayName_0() const { return ___DisplayName_0; }
inline String_t** get_address_of_DisplayName_0() { return &___DisplayName_0; }
inline void set_DisplayName_0(String_t* value)
{
___DisplayName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DisplayName_0), (void*)value);
}
inline static int32_t get_offset_of_ObjectId_1() { return static_cast<int32_t>(offsetof(DiagnosticInfo_tA6631B604BAA6DFABF2B912D8892728F7D74CD3C, ___ObjectId_1)); }
inline int32_t get_ObjectId_1() const { return ___ObjectId_1; }
inline int32_t* get_address_of_ObjectId_1() { return &___ObjectId_1; }
inline void set_ObjectId_1(int32_t value)
{
___ObjectId_1 = value;
}
inline static int32_t get_offset_of_Dependencies_2() { return static_cast<int32_t>(offsetof(DiagnosticInfo_tA6631B604BAA6DFABF2B912D8892728F7D74CD3C, ___Dependencies_2)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_Dependencies_2() const { return ___Dependencies_2; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_Dependencies_2() { return &___Dependencies_2; }
inline void set_Dependencies_2(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___Dependencies_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Dependencies_2), (void*)value);
}
};
// System.Diagnostics.DiagnosticsConfigurationHandler
struct DiagnosticsConfigurationHandler_t69F37E22D4A4FD977D51999CA94F8DE2BFF2B741 : public RuntimeObject
{
public:
public:
};
// System.Collections.Generic.DictionaryHashHelpers
struct DictionaryHashHelpers_tEF09A64281F3DF4301DEFFAC2B97BCCEDE109060 : public RuntimeObject
{
public:
public:
};
struct DictionaryHashHelpers_tEF09A64281F3DF4301DEFFAC2B97BCCEDE109060_StaticFields
{
public:
// System.Runtime.CompilerServices.ConditionalWeakTable`2<System.Object,System.Runtime.Serialization.SerializationInfo> System.Collections.Generic.DictionaryHashHelpers::<SerializationInfoTable>k__BackingField
ConditionalWeakTable_2_t5051815BADC99C4FE5D8F9293F92B3C7FD565B5E * ___U3CSerializationInfoTableU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CSerializationInfoTableU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(DictionaryHashHelpers_tEF09A64281F3DF4301DEFFAC2B97BCCEDE109060_StaticFields, ___U3CSerializationInfoTableU3Ek__BackingField_0)); }
inline ConditionalWeakTable_2_t5051815BADC99C4FE5D8F9293F92B3C7FD565B5E * get_U3CSerializationInfoTableU3Ek__BackingField_0() const { return ___U3CSerializationInfoTableU3Ek__BackingField_0; }
inline ConditionalWeakTable_2_t5051815BADC99C4FE5D8F9293F92B3C7FD565B5E ** get_address_of_U3CSerializationInfoTableU3Ek__BackingField_0() { return &___U3CSerializationInfoTableU3Ek__BackingField_0; }
inline void set_U3CSerializationInfoTableU3Ek__BackingField_0(ConditionalWeakTable_2_t5051815BADC99C4FE5D8F9293F92B3C7FD565B5E * value)
{
___U3CSerializationInfoTableU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CSerializationInfoTableU3Ek__BackingField_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Extensions.DictionarySource
struct DictionarySource_t187E819BDD6B3293E61050B4778EA4401DC1EA68 : public RuntimeObject
{
public:
public:
};
// System.IO.Directory
struct Directory_t2155D4F46360005BEF52FCFD2584D95A2752BB82 : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.DisposerReplySink
struct DisposerReplySink_t68F832E73EC99ECB9D42BCE956C7E33A4C3CDEE3 : public RuntimeObject
{
public:
// System.Runtime.Remoting.Messaging.IMessageSink System.Runtime.Remoting.DisposerReplySink::_next
RuntimeObject* ____next_0;
// System.IDisposable System.Runtime.Remoting.DisposerReplySink::_disposable
RuntimeObject* ____disposable_1;
public:
inline static int32_t get_offset_of__next_0() { return static_cast<int32_t>(offsetof(DisposerReplySink_t68F832E73EC99ECB9D42BCE956C7E33A4C3CDEE3, ____next_0)); }
inline RuntimeObject* get__next_0() const { return ____next_0; }
inline RuntimeObject** get_address_of__next_0() { return &____next_0; }
inline void set__next_0(RuntimeObject* value)
{
____next_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____next_0), (void*)value);
}
inline static int32_t get_offset_of__disposable_1() { return static_cast<int32_t>(offsetof(DisposerReplySink_t68F832E73EC99ECB9D42BCE956C7E33A4C3CDEE3, ____disposable_1)); }
inline RuntimeObject* get__disposable_1() const { return ____disposable_1; }
inline RuntimeObject** get_address_of__disposable_1() { return &____disposable_1; }
inline void set__disposable_1(RuntimeObject* value)
{
____disposable_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____disposable_1), (void*)value);
}
};
// UnityEngine.Localization.Tables.DistributedUIDGenerator
struct DistributedUIDGenerator_t574AB48BE7154EB2C8868CBD18B7546DA063646B : public RuntimeObject
{
public:
// System.Int64 UnityEngine.Localization.Tables.DistributedUIDGenerator::m_CustomEpoch
int64_t ___m_CustomEpoch_5;
// System.Int64 UnityEngine.Localization.Tables.DistributedUIDGenerator::m_LastTimestamp
int64_t ___m_LastTimestamp_6;
// System.Int64 UnityEngine.Localization.Tables.DistributedUIDGenerator::m_Sequence
int64_t ___m_Sequence_7;
// System.Int32 UnityEngine.Localization.Tables.DistributedUIDGenerator::m_MachineId
int32_t ___m_MachineId_8;
public:
inline static int32_t get_offset_of_m_CustomEpoch_5() { return static_cast<int32_t>(offsetof(DistributedUIDGenerator_t574AB48BE7154EB2C8868CBD18B7546DA063646B, ___m_CustomEpoch_5)); }
inline int64_t get_m_CustomEpoch_5() const { return ___m_CustomEpoch_5; }
inline int64_t* get_address_of_m_CustomEpoch_5() { return &___m_CustomEpoch_5; }
inline void set_m_CustomEpoch_5(int64_t value)
{
___m_CustomEpoch_5 = value;
}
inline static int32_t get_offset_of_m_LastTimestamp_6() { return static_cast<int32_t>(offsetof(DistributedUIDGenerator_t574AB48BE7154EB2C8868CBD18B7546DA063646B, ___m_LastTimestamp_6)); }
inline int64_t get_m_LastTimestamp_6() const { return ___m_LastTimestamp_6; }
inline int64_t* get_address_of_m_LastTimestamp_6() { return &___m_LastTimestamp_6; }
inline void set_m_LastTimestamp_6(int64_t value)
{
___m_LastTimestamp_6 = value;
}
inline static int32_t get_offset_of_m_Sequence_7() { return static_cast<int32_t>(offsetof(DistributedUIDGenerator_t574AB48BE7154EB2C8868CBD18B7546DA063646B, ___m_Sequence_7)); }
inline int64_t get_m_Sequence_7() const { return ___m_Sequence_7; }
inline int64_t* get_address_of_m_Sequence_7() { return &___m_Sequence_7; }
inline void set_m_Sequence_7(int64_t value)
{
___m_Sequence_7 = value;
}
inline static int32_t get_offset_of_m_MachineId_8() { return static_cast<int32_t>(offsetof(DistributedUIDGenerator_t574AB48BE7154EB2C8868CBD18B7546DA063646B, ___m_MachineId_8)); }
inline int32_t get_m_MachineId_8() const { return ___m_MachineId_8; }
inline int32_t* get_address_of_m_MachineId_8() { return &___m_MachineId_8; }
inline void set_m_MachineId_8(int32_t value)
{
___m_MachineId_8 = value;
}
};
struct DistributedUIDGenerator_t574AB48BE7154EB2C8868CBD18B7546DA063646B_StaticFields
{
public:
// System.Int32 UnityEngine.Localization.Tables.DistributedUIDGenerator::kMaxNodeId
int32_t ___kMaxNodeId_2;
// System.Int32 UnityEngine.Localization.Tables.DistributedUIDGenerator::kMaxSequence
int32_t ___kMaxSequence_3;
public:
inline static int32_t get_offset_of_kMaxNodeId_2() { return static_cast<int32_t>(offsetof(DistributedUIDGenerator_t574AB48BE7154EB2C8868CBD18B7546DA063646B_StaticFields, ___kMaxNodeId_2)); }
inline int32_t get_kMaxNodeId_2() const { return ___kMaxNodeId_2; }
inline int32_t* get_address_of_kMaxNodeId_2() { return &___kMaxNodeId_2; }
inline void set_kMaxNodeId_2(int32_t value)
{
___kMaxNodeId_2 = value;
}
inline static int32_t get_offset_of_kMaxSequence_3() { return static_cast<int32_t>(offsetof(DistributedUIDGenerator_t574AB48BE7154EB2C8868CBD18B7546DA063646B_StaticFields, ___kMaxSequence_3)); }
inline int32_t get_kMaxSequence_3() const { return ___kMaxSequence_3; }
inline int32_t* get_address_of_kMaxSequence_3() { return &___kMaxSequence_3; }
inline void set_kMaxSequence_3(int32_t value)
{
___kMaxSequence_3 = value;
}
};
// System.DomainNameHelper
struct DomainNameHelper_t8273D1DD24E7F17B0A36BEF3B2747F694A01E166 : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.Contexts.DynamicPropertyCollection
struct DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B : public RuntimeObject
{
public:
// System.Collections.ArrayList System.Runtime.Remoting.Contexts.DynamicPropertyCollection::_properties
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * ____properties_0;
public:
inline static int32_t get_offset_of__properties_0() { return static_cast<int32_t>(offsetof(DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B, ____properties_0)); }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * get__properties_0() const { return ____properties_0; }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 ** get_address_of__properties_0() { return &____properties_0; }
inline void set__properties_0(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * value)
{
____properties_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____properties_0), (void*)value);
}
};
// UnityEngine.AddressableAssets.DynamicResourceLocator
struct DynamicResourceLocator_tBBEA0EC3D1376ACEAD10BB5DDF124263FA5D28B3 : public RuntimeObject
{
public:
// UnityEngine.AddressableAssets.AddressablesImpl UnityEngine.AddressableAssets.DynamicResourceLocator::m_Addressables
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * ___m_Addressables_0;
// System.String UnityEngine.AddressableAssets.DynamicResourceLocator::m_AtlasSpriteProviderId
String_t* ___m_AtlasSpriteProviderId_1;
public:
inline static int32_t get_offset_of_m_Addressables_0() { return static_cast<int32_t>(offsetof(DynamicResourceLocator_tBBEA0EC3D1376ACEAD10BB5DDF124263FA5D28B3, ___m_Addressables_0)); }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * get_m_Addressables_0() const { return ___m_Addressables_0; }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 ** get_address_of_m_Addressables_0() { return &___m_Addressables_0; }
inline void set_m_Addressables_0(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * value)
{
___m_Addressables_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Addressables_0), (void*)value);
}
inline static int32_t get_offset_of_m_AtlasSpriteProviderId_1() { return static_cast<int32_t>(offsetof(DynamicResourceLocator_tBBEA0EC3D1376ACEAD10BB5DDF124263FA5D28B3, ___m_AtlasSpriteProviderId_1)); }
inline String_t* get_m_AtlasSpriteProviderId_1() const { return ___m_AtlasSpriteProviderId_1; }
inline String_t** get_address_of_m_AtlasSpriteProviderId_1() { return &___m_AtlasSpriteProviderId_1; }
inline void set_m_AtlasSpriteProviderId_1(String_t* value)
{
___m_AtlasSpriteProviderId_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_AtlasSpriteProviderId_1), (void*)value);
}
};
// UnityEngine.Localization.EditorPropertyDriver
struct EditorPropertyDriver_t98A8A7446ADA332E93C3D403B488C86BB3F1B6E1 : public RuntimeObject
{
public:
public:
};
// System.Empty
struct Empty_t728D155406C292550A3E2BBFEF2A5495A4A05303 : public RuntimeObject
{
public:
public:
};
struct Empty_t728D155406C292550A3E2BBFEF2A5495A4A05303_StaticFields
{
public:
// System.Empty System.Empty::Value
Empty_t728D155406C292550A3E2BBFEF2A5495A4A05303 * ___Value_0;
public:
inline static int32_t get_offset_of_Value_0() { return static_cast<int32_t>(offsetof(Empty_t728D155406C292550A3E2BBFEF2A5495A4A05303_StaticFields, ___Value_0)); }
inline Empty_t728D155406C292550A3E2BBFEF2A5495A4A05303 * get_Value_0() const { return ___Value_0; }
inline Empty_t728D155406C292550A3E2BBFEF2A5495A4A05303 ** get_address_of_Value_0() { return &___Value_0; }
inline void set_Value_0(Empty_t728D155406C292550A3E2BBFEF2A5495A4A05303 * value)
{
___Value_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Value_0), (void*)value);
}
};
// System.Collections.EmptyReadOnlyDictionaryInternal
struct EmptyReadOnlyDictionaryInternal_tB752D90C5B9AB161127D1F7FC87963B1DBB1F094 : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.Pseudo.Encapsulator
struct Encapsulator_t7DAB08EE7B1BD8AB98E4A8A8612824CF5F811B68 : public RuntimeObject
{
public:
// System.String UnityEngine.Localization.Pseudo.Encapsulator::m_Start
String_t* ___m_Start_0;
// System.String UnityEngine.Localization.Pseudo.Encapsulator::m_End
String_t* ___m_End_1;
public:
inline static int32_t get_offset_of_m_Start_0() { return static_cast<int32_t>(offsetof(Encapsulator_t7DAB08EE7B1BD8AB98E4A8A8612824CF5F811B68, ___m_Start_0)); }
inline String_t* get_m_Start_0() const { return ___m_Start_0; }
inline String_t** get_address_of_m_Start_0() { return &___m_Start_0; }
inline void set_m_Start_0(String_t* value)
{
___m_Start_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Start_0), (void*)value);
}
inline static int32_t get_offset_of_m_End_1() { return static_cast<int32_t>(offsetof(Encapsulator_t7DAB08EE7B1BD8AB98E4A8A8612824CF5F811B68, ___m_End_1)); }
inline String_t* get_m_End_1() const { return ___m_End_1; }
inline String_t** get_address_of_m_End_1() { return &___m_End_1; }
inline void set_m_End_1(String_t* value)
{
___m_End_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_End_1), (void*)value);
}
};
// System.Text.Encoder
struct Encoder_t5095F24D3B1D0F70D08762B980731B9F1ADEE56A : public RuntimeObject
{
public:
// System.Text.EncoderFallback System.Text.Encoder::m_fallback
EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4 * ___m_fallback_0;
// System.Text.EncoderFallbackBuffer System.Text.Encoder::m_fallbackBuffer
EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0 * ___m_fallbackBuffer_1;
public:
inline static int32_t get_offset_of_m_fallback_0() { return static_cast<int32_t>(offsetof(Encoder_t5095F24D3B1D0F70D08762B980731B9F1ADEE56A, ___m_fallback_0)); }
inline EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4 * get_m_fallback_0() const { return ___m_fallback_0; }
inline EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4 ** get_address_of_m_fallback_0() { return &___m_fallback_0; }
inline void set_m_fallback_0(EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4 * value)
{
___m_fallback_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fallback_0), (void*)value);
}
inline static int32_t get_offset_of_m_fallbackBuffer_1() { return static_cast<int32_t>(offsetof(Encoder_t5095F24D3B1D0F70D08762B980731B9F1ADEE56A, ___m_fallbackBuffer_1)); }
inline EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0 * get_m_fallbackBuffer_1() const { return ___m_fallbackBuffer_1; }
inline EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0 ** get_address_of_m_fallbackBuffer_1() { return &___m_fallbackBuffer_1; }
inline void set_m_fallbackBuffer_1(EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0 * value)
{
___m_fallbackBuffer_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fallbackBuffer_1), (void*)value);
}
};
// System.Text.EncoderFallback
struct EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4 : public RuntimeObject
{
public:
// System.Boolean System.Text.EncoderFallback::bIsMicrosoftBestFitFallback
bool ___bIsMicrosoftBestFitFallback_0;
public:
inline static int32_t get_offset_of_bIsMicrosoftBestFitFallback_0() { return static_cast<int32_t>(offsetof(EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4, ___bIsMicrosoftBestFitFallback_0)); }
inline bool get_bIsMicrosoftBestFitFallback_0() const { return ___bIsMicrosoftBestFitFallback_0; }
inline bool* get_address_of_bIsMicrosoftBestFitFallback_0() { return &___bIsMicrosoftBestFitFallback_0; }
inline void set_bIsMicrosoftBestFitFallback_0(bool value)
{
___bIsMicrosoftBestFitFallback_0 = value;
}
};
struct EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4_StaticFields
{
public:
// System.Text.EncoderFallback modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.EncoderFallback::replacementFallback
EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4 * ___replacementFallback_1;
// System.Text.EncoderFallback modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.EncoderFallback::exceptionFallback
EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4 * ___exceptionFallback_2;
// System.Object System.Text.EncoderFallback::s_InternalSyncObject
RuntimeObject * ___s_InternalSyncObject_3;
public:
inline static int32_t get_offset_of_replacementFallback_1() { return static_cast<int32_t>(offsetof(EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4_StaticFields, ___replacementFallback_1)); }
inline EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4 * get_replacementFallback_1() const { return ___replacementFallback_1; }
inline EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4 ** get_address_of_replacementFallback_1() { return &___replacementFallback_1; }
inline void set_replacementFallback_1(EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4 * value)
{
___replacementFallback_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___replacementFallback_1), (void*)value);
}
inline static int32_t get_offset_of_exceptionFallback_2() { return static_cast<int32_t>(offsetof(EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4_StaticFields, ___exceptionFallback_2)); }
inline EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4 * get_exceptionFallback_2() const { return ___exceptionFallback_2; }
inline EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4 ** get_address_of_exceptionFallback_2() { return &___exceptionFallback_2; }
inline void set_exceptionFallback_2(EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4 * value)
{
___exceptionFallback_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___exceptionFallback_2), (void*)value);
}
inline static int32_t get_offset_of_s_InternalSyncObject_3() { return static_cast<int32_t>(offsetof(EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4_StaticFields, ___s_InternalSyncObject_3)); }
inline RuntimeObject * get_s_InternalSyncObject_3() const { return ___s_InternalSyncObject_3; }
inline RuntimeObject ** get_address_of_s_InternalSyncObject_3() { return &___s_InternalSyncObject_3; }
inline void set_s_InternalSyncObject_3(RuntimeObject * value)
{
___s_InternalSyncObject_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_InternalSyncObject_3), (void*)value);
}
};
// System.Text.EncoderFallbackBuffer
struct EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0 : public RuntimeObject
{
public:
// System.Char* System.Text.EncoderFallbackBuffer::charStart
Il2CppChar* ___charStart_0;
// System.Char* System.Text.EncoderFallbackBuffer::charEnd
Il2CppChar* ___charEnd_1;
// System.Text.EncoderNLS System.Text.EncoderFallbackBuffer::encoder
EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712 * ___encoder_2;
// System.Boolean System.Text.EncoderFallbackBuffer::setEncoder
bool ___setEncoder_3;
// System.Boolean System.Text.EncoderFallbackBuffer::bUsedEncoder
bool ___bUsedEncoder_4;
// System.Boolean System.Text.EncoderFallbackBuffer::bFallingBack
bool ___bFallingBack_5;
// System.Int32 System.Text.EncoderFallbackBuffer::iRecursionCount
int32_t ___iRecursionCount_6;
public:
inline static int32_t get_offset_of_charStart_0() { return static_cast<int32_t>(offsetof(EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0, ___charStart_0)); }
inline Il2CppChar* get_charStart_0() const { return ___charStart_0; }
inline Il2CppChar** get_address_of_charStart_0() { return &___charStart_0; }
inline void set_charStart_0(Il2CppChar* value)
{
___charStart_0 = value;
}
inline static int32_t get_offset_of_charEnd_1() { return static_cast<int32_t>(offsetof(EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0, ___charEnd_1)); }
inline Il2CppChar* get_charEnd_1() const { return ___charEnd_1; }
inline Il2CppChar** get_address_of_charEnd_1() { return &___charEnd_1; }
inline void set_charEnd_1(Il2CppChar* value)
{
___charEnd_1 = value;
}
inline static int32_t get_offset_of_encoder_2() { return static_cast<int32_t>(offsetof(EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0, ___encoder_2)); }
inline EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712 * get_encoder_2() const { return ___encoder_2; }
inline EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712 ** get_address_of_encoder_2() { return &___encoder_2; }
inline void set_encoder_2(EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712 * value)
{
___encoder_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___encoder_2), (void*)value);
}
inline static int32_t get_offset_of_setEncoder_3() { return static_cast<int32_t>(offsetof(EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0, ___setEncoder_3)); }
inline bool get_setEncoder_3() const { return ___setEncoder_3; }
inline bool* get_address_of_setEncoder_3() { return &___setEncoder_3; }
inline void set_setEncoder_3(bool value)
{
___setEncoder_3 = value;
}
inline static int32_t get_offset_of_bUsedEncoder_4() { return static_cast<int32_t>(offsetof(EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0, ___bUsedEncoder_4)); }
inline bool get_bUsedEncoder_4() const { return ___bUsedEncoder_4; }
inline bool* get_address_of_bUsedEncoder_4() { return &___bUsedEncoder_4; }
inline void set_bUsedEncoder_4(bool value)
{
___bUsedEncoder_4 = value;
}
inline static int32_t get_offset_of_bFallingBack_5() { return static_cast<int32_t>(offsetof(EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0, ___bFallingBack_5)); }
inline bool get_bFallingBack_5() const { return ___bFallingBack_5; }
inline bool* get_address_of_bFallingBack_5() { return &___bFallingBack_5; }
inline void set_bFallingBack_5(bool value)
{
___bFallingBack_5 = value;
}
inline static int32_t get_offset_of_iRecursionCount_6() { return static_cast<int32_t>(offsetof(EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0, ___iRecursionCount_6)); }
inline int32_t get_iRecursionCount_6() const { return ___iRecursionCount_6; }
inline int32_t* get_address_of_iRecursionCount_6() { return &___iRecursionCount_6; }
inline void set_iRecursionCount_6(int32_t value)
{
___iRecursionCount_6 = value;
}
};
// System.Text.Encoding
struct Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 : public RuntimeObject
{
public:
// System.Int32 System.Text.Encoding::m_codePage
int32_t ___m_codePage_9;
// System.Globalization.CodePageDataItem System.Text.Encoding::dataItem
CodePageDataItem_t09A62F57142BF0456C8F414898A37E79BCC9F09E * ___dataItem_10;
// System.Boolean System.Text.Encoding::m_deserializedFromEverett
bool ___m_deserializedFromEverett_11;
// System.Boolean System.Text.Encoding::m_isReadOnly
bool ___m_isReadOnly_12;
// System.Text.EncoderFallback System.Text.Encoding::encoderFallback
EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4 * ___encoderFallback_13;
// System.Text.DecoderFallback System.Text.Encoding::decoderFallback
DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D * ___decoderFallback_14;
public:
inline static int32_t get_offset_of_m_codePage_9() { return static_cast<int32_t>(offsetof(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827, ___m_codePage_9)); }
inline int32_t get_m_codePage_9() const { return ___m_codePage_9; }
inline int32_t* get_address_of_m_codePage_9() { return &___m_codePage_9; }
inline void set_m_codePage_9(int32_t value)
{
___m_codePage_9 = value;
}
inline static int32_t get_offset_of_dataItem_10() { return static_cast<int32_t>(offsetof(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827, ___dataItem_10)); }
inline CodePageDataItem_t09A62F57142BF0456C8F414898A37E79BCC9F09E * get_dataItem_10() const { return ___dataItem_10; }
inline CodePageDataItem_t09A62F57142BF0456C8F414898A37E79BCC9F09E ** get_address_of_dataItem_10() { return &___dataItem_10; }
inline void set_dataItem_10(CodePageDataItem_t09A62F57142BF0456C8F414898A37E79BCC9F09E * value)
{
___dataItem_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___dataItem_10), (void*)value);
}
inline static int32_t get_offset_of_m_deserializedFromEverett_11() { return static_cast<int32_t>(offsetof(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827, ___m_deserializedFromEverett_11)); }
inline bool get_m_deserializedFromEverett_11() const { return ___m_deserializedFromEverett_11; }
inline bool* get_address_of_m_deserializedFromEverett_11() { return &___m_deserializedFromEverett_11; }
inline void set_m_deserializedFromEverett_11(bool value)
{
___m_deserializedFromEverett_11 = value;
}
inline static int32_t get_offset_of_m_isReadOnly_12() { return static_cast<int32_t>(offsetof(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827, ___m_isReadOnly_12)); }
inline bool get_m_isReadOnly_12() const { return ___m_isReadOnly_12; }
inline bool* get_address_of_m_isReadOnly_12() { return &___m_isReadOnly_12; }
inline void set_m_isReadOnly_12(bool value)
{
___m_isReadOnly_12 = value;
}
inline static int32_t get_offset_of_encoderFallback_13() { return static_cast<int32_t>(offsetof(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827, ___encoderFallback_13)); }
inline EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4 * get_encoderFallback_13() const { return ___encoderFallback_13; }
inline EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4 ** get_address_of_encoderFallback_13() { return &___encoderFallback_13; }
inline void set_encoderFallback_13(EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4 * value)
{
___encoderFallback_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___encoderFallback_13), (void*)value);
}
inline static int32_t get_offset_of_decoderFallback_14() { return static_cast<int32_t>(offsetof(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827, ___decoderFallback_14)); }
inline DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D * get_decoderFallback_14() const { return ___decoderFallback_14; }
inline DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D ** get_address_of_decoderFallback_14() { return &___decoderFallback_14; }
inline void set_decoderFallback_14(DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D * value)
{
___decoderFallback_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___decoderFallback_14), (void*)value);
}
};
struct Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields
{
public:
// System.Text.Encoding modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.Encoding::defaultEncoding
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___defaultEncoding_0;
// System.Text.Encoding modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.Encoding::unicodeEncoding
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___unicodeEncoding_1;
// System.Text.Encoding modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.Encoding::bigEndianUnicode
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___bigEndianUnicode_2;
// System.Text.Encoding modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.Encoding::utf7Encoding
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___utf7Encoding_3;
// System.Text.Encoding modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.Encoding::utf8Encoding
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___utf8Encoding_4;
// System.Text.Encoding modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.Encoding::utf32Encoding
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___utf32Encoding_5;
// System.Text.Encoding modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.Encoding::asciiEncoding
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___asciiEncoding_6;
// System.Text.Encoding modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.Encoding::latin1Encoding
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___latin1Encoding_7;
// System.Collections.Hashtable modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.Encoding::encodings
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___encodings_8;
// System.Object System.Text.Encoding::s_InternalSyncObject
RuntimeObject * ___s_InternalSyncObject_15;
public:
inline static int32_t get_offset_of_defaultEncoding_0() { return static_cast<int32_t>(offsetof(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields, ___defaultEncoding_0)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_defaultEncoding_0() const { return ___defaultEncoding_0; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_defaultEncoding_0() { return &___defaultEncoding_0; }
inline void set_defaultEncoding_0(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___defaultEncoding_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___defaultEncoding_0), (void*)value);
}
inline static int32_t get_offset_of_unicodeEncoding_1() { return static_cast<int32_t>(offsetof(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields, ___unicodeEncoding_1)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_unicodeEncoding_1() const { return ___unicodeEncoding_1; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_unicodeEncoding_1() { return &___unicodeEncoding_1; }
inline void set_unicodeEncoding_1(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___unicodeEncoding_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___unicodeEncoding_1), (void*)value);
}
inline static int32_t get_offset_of_bigEndianUnicode_2() { return static_cast<int32_t>(offsetof(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields, ___bigEndianUnicode_2)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_bigEndianUnicode_2() const { return ___bigEndianUnicode_2; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_bigEndianUnicode_2() { return &___bigEndianUnicode_2; }
inline void set_bigEndianUnicode_2(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___bigEndianUnicode_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___bigEndianUnicode_2), (void*)value);
}
inline static int32_t get_offset_of_utf7Encoding_3() { return static_cast<int32_t>(offsetof(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields, ___utf7Encoding_3)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_utf7Encoding_3() const { return ___utf7Encoding_3; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_utf7Encoding_3() { return &___utf7Encoding_3; }
inline void set_utf7Encoding_3(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___utf7Encoding_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___utf7Encoding_3), (void*)value);
}
inline static int32_t get_offset_of_utf8Encoding_4() { return static_cast<int32_t>(offsetof(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields, ___utf8Encoding_4)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_utf8Encoding_4() const { return ___utf8Encoding_4; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_utf8Encoding_4() { return &___utf8Encoding_4; }
inline void set_utf8Encoding_4(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___utf8Encoding_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___utf8Encoding_4), (void*)value);
}
inline static int32_t get_offset_of_utf32Encoding_5() { return static_cast<int32_t>(offsetof(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields, ___utf32Encoding_5)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_utf32Encoding_5() const { return ___utf32Encoding_5; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_utf32Encoding_5() { return &___utf32Encoding_5; }
inline void set_utf32Encoding_5(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___utf32Encoding_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___utf32Encoding_5), (void*)value);
}
inline static int32_t get_offset_of_asciiEncoding_6() { return static_cast<int32_t>(offsetof(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields, ___asciiEncoding_6)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_asciiEncoding_6() const { return ___asciiEncoding_6; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_asciiEncoding_6() { return &___asciiEncoding_6; }
inline void set_asciiEncoding_6(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___asciiEncoding_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___asciiEncoding_6), (void*)value);
}
inline static int32_t get_offset_of_latin1Encoding_7() { return static_cast<int32_t>(offsetof(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields, ___latin1Encoding_7)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_latin1Encoding_7() const { return ___latin1Encoding_7; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_latin1Encoding_7() { return &___latin1Encoding_7; }
inline void set_latin1Encoding_7(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___latin1Encoding_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___latin1Encoding_7), (void*)value);
}
inline static int32_t get_offset_of_encodings_8() { return static_cast<int32_t>(offsetof(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields, ___encodings_8)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_encodings_8() const { return ___encodings_8; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_encodings_8() { return &___encodings_8; }
inline void set_encodings_8(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___encodings_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___encodings_8), (void*)value);
}
inline static int32_t get_offset_of_s_InternalSyncObject_15() { return static_cast<int32_t>(offsetof(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields, ___s_InternalSyncObject_15)); }
inline RuntimeObject * get_s_InternalSyncObject_15() const { return ___s_InternalSyncObject_15; }
inline RuntimeObject ** get_address_of_s_InternalSyncObject_15() { return &___s_InternalSyncObject_15; }
inline void set_s_InternalSyncObject_15(RuntimeObject * value)
{
___s_InternalSyncObject_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_InternalSyncObject_15), (void*)value);
}
};
// System.Text.EncodingHelper
struct EncodingHelper_tC74BF8FA85B5E9051C84B21C3FE278233ED21A3E : public RuntimeObject
{
public:
public:
};
struct EncodingHelper_tC74BF8FA85B5E9051C84B21C3FE278233ED21A3E_StaticFields
{
public:
// System.Text.Encoding modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.EncodingHelper::utf8EncodingWithoutMarkers
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___utf8EncodingWithoutMarkers_0;
// System.Object System.Text.EncodingHelper::lockobj
RuntimeObject * ___lockobj_1;
// System.Reflection.Assembly System.Text.EncodingHelper::i18nAssembly
Assembly_t * ___i18nAssembly_2;
// System.Boolean System.Text.EncodingHelper::i18nDisabled
bool ___i18nDisabled_3;
public:
inline static int32_t get_offset_of_utf8EncodingWithoutMarkers_0() { return static_cast<int32_t>(offsetof(EncodingHelper_tC74BF8FA85B5E9051C84B21C3FE278233ED21A3E_StaticFields, ___utf8EncodingWithoutMarkers_0)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_utf8EncodingWithoutMarkers_0() const { return ___utf8EncodingWithoutMarkers_0; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_utf8EncodingWithoutMarkers_0() { return &___utf8EncodingWithoutMarkers_0; }
inline void set_utf8EncodingWithoutMarkers_0(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___utf8EncodingWithoutMarkers_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___utf8EncodingWithoutMarkers_0), (void*)value);
}
inline static int32_t get_offset_of_lockobj_1() { return static_cast<int32_t>(offsetof(EncodingHelper_tC74BF8FA85B5E9051C84B21C3FE278233ED21A3E_StaticFields, ___lockobj_1)); }
inline RuntimeObject * get_lockobj_1() const { return ___lockobj_1; }
inline RuntimeObject ** get_address_of_lockobj_1() { return &___lockobj_1; }
inline void set_lockobj_1(RuntimeObject * value)
{
___lockobj_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___lockobj_1), (void*)value);
}
inline static int32_t get_offset_of_i18nAssembly_2() { return static_cast<int32_t>(offsetof(EncodingHelper_tC74BF8FA85B5E9051C84B21C3FE278233ED21A3E_StaticFields, ___i18nAssembly_2)); }
inline Assembly_t * get_i18nAssembly_2() const { return ___i18nAssembly_2; }
inline Assembly_t ** get_address_of_i18nAssembly_2() { return &___i18nAssembly_2; }
inline void set_i18nAssembly_2(Assembly_t * value)
{
___i18nAssembly_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___i18nAssembly_2), (void*)value);
}
inline static int32_t get_offset_of_i18nDisabled_3() { return static_cast<int32_t>(offsetof(EncodingHelper_tC74BF8FA85B5E9051C84B21C3FE278233ED21A3E_StaticFields, ___i18nDisabled_3)); }
inline bool get_i18nDisabled_3() const { return ___i18nDisabled_3; }
inline bool* get_address_of_i18nDisabled_3() { return &___i18nDisabled_3; }
inline void set_i18nDisabled_3(bool value)
{
___i18nDisabled_3 = value;
}
};
// System.Text.EncodingProvider
struct EncodingProvider_t9032B68D7624B1164911D5084FA25EDE3DCC9DB9 : public RuntimeObject
{
public:
public:
};
struct EncodingProvider_t9032B68D7624B1164911D5084FA25EDE3DCC9DB9_StaticFields
{
public:
// System.Object System.Text.EncodingProvider::s_InternalSyncObject
RuntimeObject * ___s_InternalSyncObject_0;
// System.Text.EncodingProvider[] modreq(System.Runtime.CompilerServices.IsVolatile) System.Text.EncodingProvider::s_providers
EncodingProviderU5BU5D_tF496D04CC6ECFD0109E7943A2B9A38C6F7AA7AE7* ___s_providers_1;
public:
inline static int32_t get_offset_of_s_InternalSyncObject_0() { return static_cast<int32_t>(offsetof(EncodingProvider_t9032B68D7624B1164911D5084FA25EDE3DCC9DB9_StaticFields, ___s_InternalSyncObject_0)); }
inline RuntimeObject * get_s_InternalSyncObject_0() const { return ___s_InternalSyncObject_0; }
inline RuntimeObject ** get_address_of_s_InternalSyncObject_0() { return &___s_InternalSyncObject_0; }
inline void set_s_InternalSyncObject_0(RuntimeObject * value)
{
___s_InternalSyncObject_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_InternalSyncObject_0), (void*)value);
}
inline static int32_t get_offset_of_s_providers_1() { return static_cast<int32_t>(offsetof(EncodingProvider_t9032B68D7624B1164911D5084FA25EDE3DCC9DB9_StaticFields, ___s_providers_1)); }
inline EncodingProviderU5BU5D_tF496D04CC6ECFD0109E7943A2B9A38C6F7AA7AE7* get_s_providers_1() const { return ___s_providers_1; }
inline EncodingProviderU5BU5D_tF496D04CC6ECFD0109E7943A2B9A38C6F7AA7AE7** get_address_of_s_providers_1() { return &___s_providers_1; }
inline void set_s_providers_1(EncodingProviderU5BU5D_tF496D04CC6ECFD0109E7943A2B9A38C6F7AA7AE7* value)
{
___s_providers_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_providers_1), (void*)value);
}
};
// System.Globalization.EncodingTable
struct EncodingTable_t694F812B48CC2BA6D23BDF77EA7E71E330497529 : public RuntimeObject
{
public:
public:
};
struct EncodingTable_t694F812B48CC2BA6D23BDF77EA7E71E330497529_StaticFields
{
public:
// System.Globalization.InternalEncodingDataItem[] System.Globalization.EncodingTable::encodingDataPtr
InternalEncodingDataItemU5BU5D_t85637BE80FC2B1EAF08898A434D72E9CB7B5D87D* ___encodingDataPtr_0;
// System.Globalization.InternalCodePageDataItem[] System.Globalization.EncodingTable::codePageDataPtr
InternalCodePageDataItemU5BU5D_t14F50FF811A5CE312AAFE9726715A79B23230CA1* ___codePageDataPtr_1;
// System.Int32 System.Globalization.EncodingTable::lastEncodingItem
int32_t ___lastEncodingItem_2;
// System.Collections.Hashtable System.Globalization.EncodingTable::hashByName
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___hashByName_3;
// System.Collections.Hashtable System.Globalization.EncodingTable::hashByCodePage
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___hashByCodePage_4;
public:
inline static int32_t get_offset_of_encodingDataPtr_0() { return static_cast<int32_t>(offsetof(EncodingTable_t694F812B48CC2BA6D23BDF77EA7E71E330497529_StaticFields, ___encodingDataPtr_0)); }
inline InternalEncodingDataItemU5BU5D_t85637BE80FC2B1EAF08898A434D72E9CB7B5D87D* get_encodingDataPtr_0() const { return ___encodingDataPtr_0; }
inline InternalEncodingDataItemU5BU5D_t85637BE80FC2B1EAF08898A434D72E9CB7B5D87D** get_address_of_encodingDataPtr_0() { return &___encodingDataPtr_0; }
inline void set_encodingDataPtr_0(InternalEncodingDataItemU5BU5D_t85637BE80FC2B1EAF08898A434D72E9CB7B5D87D* value)
{
___encodingDataPtr_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___encodingDataPtr_0), (void*)value);
}
inline static int32_t get_offset_of_codePageDataPtr_1() { return static_cast<int32_t>(offsetof(EncodingTable_t694F812B48CC2BA6D23BDF77EA7E71E330497529_StaticFields, ___codePageDataPtr_1)); }
inline InternalCodePageDataItemU5BU5D_t14F50FF811A5CE312AAFE9726715A79B23230CA1* get_codePageDataPtr_1() const { return ___codePageDataPtr_1; }
inline InternalCodePageDataItemU5BU5D_t14F50FF811A5CE312AAFE9726715A79B23230CA1** get_address_of_codePageDataPtr_1() { return &___codePageDataPtr_1; }
inline void set_codePageDataPtr_1(InternalCodePageDataItemU5BU5D_t14F50FF811A5CE312AAFE9726715A79B23230CA1* value)
{
___codePageDataPtr_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___codePageDataPtr_1), (void*)value);
}
inline static int32_t get_offset_of_lastEncodingItem_2() { return static_cast<int32_t>(offsetof(EncodingTable_t694F812B48CC2BA6D23BDF77EA7E71E330497529_StaticFields, ___lastEncodingItem_2)); }
inline int32_t get_lastEncodingItem_2() const { return ___lastEncodingItem_2; }
inline int32_t* get_address_of_lastEncodingItem_2() { return &___lastEncodingItem_2; }
inline void set_lastEncodingItem_2(int32_t value)
{
___lastEncodingItem_2 = value;
}
inline static int32_t get_offset_of_hashByName_3() { return static_cast<int32_t>(offsetof(EncodingTable_t694F812B48CC2BA6D23BDF77EA7E71E330497529_StaticFields, ___hashByName_3)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_hashByName_3() const { return ___hashByName_3; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_hashByName_3() { return &___hashByName_3; }
inline void set_hashByName_3(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___hashByName_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___hashByName_3), (void*)value);
}
inline static int32_t get_offset_of_hashByCodePage_4() { return static_cast<int32_t>(offsetof(EncodingTable_t694F812B48CC2BA6D23BDF77EA7E71E330497529_StaticFields, ___hashByCodePage_4)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_hashByCodePage_4() const { return ___hashByCodePage_4; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_hashByCodePage_4() { return &___hashByCodePage_4; }
inline void set_hashByCodePage_4(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___hashByCodePage_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___hashByCodePage_4), (void*)value);
}
};
// System.Net.EndPoint
struct EndPoint_t18D4AE8D03090A2B262136E59F95CE61418C34DA : public RuntimeObject
{
public:
public:
};
// System.Linq.Enumerable
struct Enumerable_t928C505614FDD67F6D61FB58BED73235DF569B0E : public RuntimeObject
{
public:
public:
};
// System.Collections.Generic.EnumerableHelpers
struct EnumerableHelpers_tCE72DFD14980B3B6D4236A4032D0C37A6B55704B : public RuntimeObject
{
public:
public:
};
// System.Environment
struct Environment_tBCC20ED506D491BFC121CAEA0AAD63D421BDC32C : public RuntimeObject
{
public:
public:
};
struct Environment_tBCC20ED506D491BFC121CAEA0AAD63D421BDC32C_StaticFields
{
public:
// System.String System.Environment::nl
String_t* ___nl_1;
// System.OperatingSystem System.Environment::os
OperatingSystem_tBB911FE4834884FD79AF78F2B07C19B938491463 * ___os_2;
public:
inline static int32_t get_offset_of_nl_1() { return static_cast<int32_t>(offsetof(Environment_tBCC20ED506D491BFC121CAEA0AAD63D421BDC32C_StaticFields, ___nl_1)); }
inline String_t* get_nl_1() const { return ___nl_1; }
inline String_t** get_address_of_nl_1() { return &___nl_1; }
inline void set_nl_1(String_t* value)
{
___nl_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___nl_1), (void*)value);
}
inline static int32_t get_offset_of_os_2() { return static_cast<int32_t>(offsetof(Environment_tBCC20ED506D491BFC121CAEA0AAD63D421BDC32C_StaticFields, ___os_2)); }
inline OperatingSystem_tBB911FE4834884FD79AF78F2B07C19B938491463 * get_os_2() const { return ___os_2; }
inline OperatingSystem_tBB911FE4834884FD79AF78F2B07C19B938491463 ** get_address_of_os_2() { return &___os_2; }
inline void set_os_2(OperatingSystem_tBB911FE4834884FD79AF78F2B07C19B938491463 * value)
{
___os_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___os_2), (void*)value);
}
};
// UnityEngine.XR.ARSubsystems.EnvironmentDepthModeExtension
struct EnvironmentDepthModeExtension_t26B6BCCE5A882D9757276BC71D2E69545E5C9EB0 : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.EnvoyInfo
struct EnvoyInfo_t08D466663AC843177F6D13F924558D6519BF500E : public RuntimeObject
{
public:
// System.Runtime.Remoting.Messaging.IMessageSink System.Runtime.Remoting.EnvoyInfo::envoySinks
RuntimeObject* ___envoySinks_0;
public:
inline static int32_t get_offset_of_envoySinks_0() { return static_cast<int32_t>(offsetof(EnvoyInfo_t08D466663AC843177F6D13F924558D6519BF500E, ___envoySinks_0)); }
inline RuntimeObject* get_envoySinks_0() const { return ___envoySinks_0; }
inline RuntimeObject** get_address_of_envoySinks_0() { return &___envoySinks_0; }
inline void set_envoySinks_0(RuntimeObject* value)
{
___envoySinks_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___envoySinks_0), (void*)value);
}
};
// System.Runtime.Remoting.Messaging.EnvoyTerminatorSink
struct EnvoyTerminatorSink_t144F234143A6FE1754612AC4F426888602896FBC : public RuntimeObject
{
public:
public:
};
struct EnvoyTerminatorSink_t144F234143A6FE1754612AC4F426888602896FBC_StaticFields
{
public:
// System.Runtime.Remoting.Messaging.EnvoyTerminatorSink System.Runtime.Remoting.Messaging.EnvoyTerminatorSink::Instance
EnvoyTerminatorSink_t144F234143A6FE1754612AC4F426888602896FBC * ___Instance_0;
public:
inline static int32_t get_offset_of_Instance_0() { return static_cast<int32_t>(offsetof(EnvoyTerminatorSink_t144F234143A6FE1754612AC4F426888602896FBC_StaticFields, ___Instance_0)); }
inline EnvoyTerminatorSink_t144F234143A6FE1754612AC4F426888602896FBC * get_Instance_0() const { return ___Instance_0; }
inline EnvoyTerminatorSink_t144F234143A6FE1754612AC4F426888602896FBC ** get_address_of_Instance_0() { return &___Instance_0; }
inline void set_Instance_0(EnvoyTerminatorSink_t144F234143A6FE1754612AC4F426888602896FBC * value)
{
___Instance_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Instance_0), (void*)value);
}
};
// System.Globalization.EraInfo
struct EraInfo_t875FC9B7F74DFEE82FE0AF982944ED735FECA1FD : public RuntimeObject
{
public:
// System.Int32 System.Globalization.EraInfo::era
int32_t ___era_0;
// System.Int64 System.Globalization.EraInfo::ticks
int64_t ___ticks_1;
// System.Int32 System.Globalization.EraInfo::yearOffset
int32_t ___yearOffset_2;
// System.Int32 System.Globalization.EraInfo::minEraYear
int32_t ___minEraYear_3;
// System.Int32 System.Globalization.EraInfo::maxEraYear
int32_t ___maxEraYear_4;
// System.String System.Globalization.EraInfo::eraName
String_t* ___eraName_5;
// System.String System.Globalization.EraInfo::abbrevEraName
String_t* ___abbrevEraName_6;
// System.String System.Globalization.EraInfo::englishEraName
String_t* ___englishEraName_7;
public:
inline static int32_t get_offset_of_era_0() { return static_cast<int32_t>(offsetof(EraInfo_t875FC9B7F74DFEE82FE0AF982944ED735FECA1FD, ___era_0)); }
inline int32_t get_era_0() const { return ___era_0; }
inline int32_t* get_address_of_era_0() { return &___era_0; }
inline void set_era_0(int32_t value)
{
___era_0 = value;
}
inline static int32_t get_offset_of_ticks_1() { return static_cast<int32_t>(offsetof(EraInfo_t875FC9B7F74DFEE82FE0AF982944ED735FECA1FD, ___ticks_1)); }
inline int64_t get_ticks_1() const { return ___ticks_1; }
inline int64_t* get_address_of_ticks_1() { return &___ticks_1; }
inline void set_ticks_1(int64_t value)
{
___ticks_1 = value;
}
inline static int32_t get_offset_of_yearOffset_2() { return static_cast<int32_t>(offsetof(EraInfo_t875FC9B7F74DFEE82FE0AF982944ED735FECA1FD, ___yearOffset_2)); }
inline int32_t get_yearOffset_2() const { return ___yearOffset_2; }
inline int32_t* get_address_of_yearOffset_2() { return &___yearOffset_2; }
inline void set_yearOffset_2(int32_t value)
{
___yearOffset_2 = value;
}
inline static int32_t get_offset_of_minEraYear_3() { return static_cast<int32_t>(offsetof(EraInfo_t875FC9B7F74DFEE82FE0AF982944ED735FECA1FD, ___minEraYear_3)); }
inline int32_t get_minEraYear_3() const { return ___minEraYear_3; }
inline int32_t* get_address_of_minEraYear_3() { return &___minEraYear_3; }
inline void set_minEraYear_3(int32_t value)
{
___minEraYear_3 = value;
}
inline static int32_t get_offset_of_maxEraYear_4() { return static_cast<int32_t>(offsetof(EraInfo_t875FC9B7F74DFEE82FE0AF982944ED735FECA1FD, ___maxEraYear_4)); }
inline int32_t get_maxEraYear_4() const { return ___maxEraYear_4; }
inline int32_t* get_address_of_maxEraYear_4() { return &___maxEraYear_4; }
inline void set_maxEraYear_4(int32_t value)
{
___maxEraYear_4 = value;
}
inline static int32_t get_offset_of_eraName_5() { return static_cast<int32_t>(offsetof(EraInfo_t875FC9B7F74DFEE82FE0AF982944ED735FECA1FD, ___eraName_5)); }
inline String_t* get_eraName_5() const { return ___eraName_5; }
inline String_t** get_address_of_eraName_5() { return &___eraName_5; }
inline void set_eraName_5(String_t* value)
{
___eraName_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___eraName_5), (void*)value);
}
inline static int32_t get_offset_of_abbrevEraName_6() { return static_cast<int32_t>(offsetof(EraInfo_t875FC9B7F74DFEE82FE0AF982944ED735FECA1FD, ___abbrevEraName_6)); }
inline String_t* get_abbrevEraName_6() const { return ___abbrevEraName_6; }
inline String_t** get_address_of_abbrevEraName_6() { return &___abbrevEraName_6; }
inline void set_abbrevEraName_6(String_t* value)
{
___abbrevEraName_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___abbrevEraName_6), (void*)value);
}
inline static int32_t get_offset_of_englishEraName_7() { return static_cast<int32_t>(offsetof(EraInfo_t875FC9B7F74DFEE82FE0AF982944ED735FECA1FD, ___englishEraName_7)); }
inline String_t* get_englishEraName_7() const { return ___englishEraName_7; }
inline String_t** get_address_of_englishEraName_7() { return &___englishEraName_7; }
inline void set_englishEraName_7(String_t* value)
{
___englishEraName_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___englishEraName_7), (void*)value);
}
};
// System.Linq.Error
struct Error_t2D04CC8BAE165E534F2E8EDD93065E47E2C3405D : public RuntimeObject
{
public:
public:
};
// System.Linq.Expressions.Error
struct Error_t664FF1BC68C1CC58CDAD27ADFA76F11566491012 : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.Messaging.ErrorMessage
struct ErrorMessage_t4F3B0393902309E532B83B8AC9B45DD0A71BD8A4 : public RuntimeObject
{
public:
// System.String System.Runtime.Remoting.Messaging.ErrorMessage::_uri
String_t* ____uri_0;
public:
inline static int32_t get_offset_of__uri_0() { return static_cast<int32_t>(offsetof(ErrorMessage_t4F3B0393902309E532B83B8AC9B45DD0A71BD8A4, ____uri_0)); }
inline String_t* get__uri_0() const { return ____uri_0; }
inline String_t** get_address_of__uri_0() { return &____uri_0; }
inline void set__uri_0(String_t* value)
{
____uri_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____uri_0), (void*)value);
}
};
// System.Runtime.InteropServices.ErrorWrapper
struct ErrorWrapper_t30EB3ECE2233CD676432F16647AD685E79A89C90 : public RuntimeObject
{
public:
// System.Int32 System.Runtime.InteropServices.ErrorWrapper::m_ErrorCode
int32_t ___m_ErrorCode_0;
public:
inline static int32_t get_offset_of_m_ErrorCode_0() { return static_cast<int32_t>(offsetof(ErrorWrapper_t30EB3ECE2233CD676432F16647AD685E79A89C90, ___m_ErrorCode_0)); }
inline int32_t get_m_ErrorCode_0() const { return ___m_ErrorCode_0; }
inline int32_t* get_address_of_m_ErrorCode_0() { return &___m_ErrorCode_0; }
inline void set_m_ErrorCode_0(int32_t value)
{
___m_ErrorCode_0 = value;
}
};
// System.EventArgs
struct EventArgs_tBCAACA538A5195B6D6C8DFCC3524A2A4A67FD8BA : public RuntimeObject
{
public:
public:
};
struct EventArgs_tBCAACA538A5195B6D6C8DFCC3524A2A4A67FD8BA_StaticFields
{
public:
// System.EventArgs System.EventArgs::Empty
EventArgs_tBCAACA538A5195B6D6C8DFCC3524A2A4A67FD8BA * ___Empty_0;
public:
inline static int32_t get_offset_of_Empty_0() { return static_cast<int32_t>(offsetof(EventArgs_tBCAACA538A5195B6D6C8DFCC3524A2A4A67FD8BA_StaticFields, ___Empty_0)); }
inline EventArgs_tBCAACA538A5195B6D6C8DFCC3524A2A4A67FD8BA * get_Empty_0() const { return ___Empty_0; }
inline EventArgs_tBCAACA538A5195B6D6C8DFCC3524A2A4A67FD8BA ** get_address_of_Empty_0() { return &___Empty_0; }
inline void set_Empty_0(EventArgs_tBCAACA538A5195B6D6C8DFCC3524A2A4A67FD8BA * value)
{
___Empty_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Empty_0), (void*)value);
}
};
// System.Reflection.Emit.EventBuilder
struct EventBuilder_tB080EAD8254972F15C9C06F7AE3EBB0C4C093DBE : public RuntimeObject
{
public:
public:
};
// System.Security.Policy.Evidence
struct Evidence_t5512CE2EB76E95C5D4A88D1960CA0A56125E30DB : public RuntimeObject
{
public:
// System.Boolean System.Security.Policy.Evidence::_locked
bool ____locked_0;
// System.Collections.ArrayList System.Security.Policy.Evidence::hostEvidenceList
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * ___hostEvidenceList_1;
// System.Collections.ArrayList System.Security.Policy.Evidence::assemblyEvidenceList
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * ___assemblyEvidenceList_2;
public:
inline static int32_t get_offset_of__locked_0() { return static_cast<int32_t>(offsetof(Evidence_t5512CE2EB76E95C5D4A88D1960CA0A56125E30DB, ____locked_0)); }
inline bool get__locked_0() const { return ____locked_0; }
inline bool* get_address_of__locked_0() { return &____locked_0; }
inline void set__locked_0(bool value)
{
____locked_0 = value;
}
inline static int32_t get_offset_of_hostEvidenceList_1() { return static_cast<int32_t>(offsetof(Evidence_t5512CE2EB76E95C5D4A88D1960CA0A56125E30DB, ___hostEvidenceList_1)); }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * get_hostEvidenceList_1() const { return ___hostEvidenceList_1; }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 ** get_address_of_hostEvidenceList_1() { return &___hostEvidenceList_1; }
inline void set_hostEvidenceList_1(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * value)
{
___hostEvidenceList_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___hostEvidenceList_1), (void*)value);
}
inline static int32_t get_offset_of_assemblyEvidenceList_2() { return static_cast<int32_t>(offsetof(Evidence_t5512CE2EB76E95C5D4A88D1960CA0A56125E30DB, ___assemblyEvidenceList_2)); }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * get_assemblyEvidenceList_2() const { return ___assemblyEvidenceList_2; }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 ** get_address_of_assemblyEvidenceList_2() { return &___assemblyEvidenceList_2; }
inline void set_assemblyEvidenceList_2(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * value)
{
___assemblyEvidenceList_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assemblyEvidenceList_2), (void*)value);
}
};
// System.Runtime.ExceptionServices.ExceptionDispatchInfo
struct ExceptionDispatchInfo_t85442E41DA1485CFF22598AC362EE986DF3CDD09 : public RuntimeObject
{
public:
// System.Exception System.Runtime.ExceptionServices.ExceptionDispatchInfo::m_Exception
Exception_t * ___m_Exception_0;
// System.Object System.Runtime.ExceptionServices.ExceptionDispatchInfo::m_stackTrace
RuntimeObject * ___m_stackTrace_1;
public:
inline static int32_t get_offset_of_m_Exception_0() { return static_cast<int32_t>(offsetof(ExceptionDispatchInfo_t85442E41DA1485CFF22598AC362EE986DF3CDD09, ___m_Exception_0)); }
inline Exception_t * get_m_Exception_0() const { return ___m_Exception_0; }
inline Exception_t ** get_address_of_m_Exception_0() { return &___m_Exception_0; }
inline void set_m_Exception_0(Exception_t * value)
{
___m_Exception_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Exception_0), (void*)value);
}
inline static int32_t get_offset_of_m_stackTrace_1() { return static_cast<int32_t>(offsetof(ExceptionDispatchInfo_t85442E41DA1485CFF22598AC362EE986DF3CDD09, ___m_stackTrace_1)); }
inline RuntimeObject * get_m_stackTrace_1() const { return ___m_stackTrace_1; }
inline RuntimeObject ** get_address_of_m_stackTrace_1() { return &___m_stackTrace_1; }
inline void set_m_stackTrace_1(RuntimeObject * value)
{
___m_stackTrace_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_stackTrace_1), (void*)value);
}
};
// UnityEngine.Localization.Metadata.ExcludeEntryFromExport
struct ExcludeEntryFromExport_tDEEB8CE129146ADAD278790C181311A0762E0923 : public RuntimeObject
{
public:
public:
};
// System.Text.RegularExpressions.ExclusiveReference
struct ExclusiveReference_t7F4A5D2416EA34710F520BAD225E61BC1E98D1D8 : public RuntimeObject
{
public:
// System.Text.RegularExpressions.RegexRunner System.Text.RegularExpressions.ExclusiveReference::_ref
RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934 * ____ref_0;
// System.Object System.Text.RegularExpressions.ExclusiveReference::_obj
RuntimeObject * ____obj_1;
// System.Int32 System.Text.RegularExpressions.ExclusiveReference::_locked
int32_t ____locked_2;
public:
inline static int32_t get_offset_of__ref_0() { return static_cast<int32_t>(offsetof(ExclusiveReference_t7F4A5D2416EA34710F520BAD225E61BC1E98D1D8, ____ref_0)); }
inline RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934 * get__ref_0() const { return ____ref_0; }
inline RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934 ** get_address_of__ref_0() { return &____ref_0; }
inline void set__ref_0(RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934 * value)
{
____ref_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____ref_0), (void*)value);
}
inline static int32_t get_offset_of__obj_1() { return static_cast<int32_t>(offsetof(ExclusiveReference_t7F4A5D2416EA34710F520BAD225E61BC1E98D1D8, ____obj_1)); }
inline RuntimeObject * get__obj_1() const { return ____obj_1; }
inline RuntimeObject ** get_address_of__obj_1() { return &____obj_1; }
inline void set__obj_1(RuntimeObject * value)
{
____obj_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____obj_1), (void*)value);
}
inline static int32_t get_offset_of__locked_2() { return static_cast<int32_t>(offsetof(ExclusiveReference_t7F4A5D2416EA34710F520BAD225E61BC1E98D1D8, ____locked_2)); }
inline int32_t get__locked_2() const { return ____locked_2; }
inline int32_t* get_address_of__locked_2() { return &____locked_2; }
inline void set__locked_2(int32_t value)
{
____locked_2 = value;
}
};
// UnityEngine.EventSystems.ExecuteEvents
struct ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68 : public RuntimeObject
{
public:
public:
};
struct ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields
{
public:
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IPointerEnterHandler> UnityEngine.EventSystems.ExecuteEvents::s_PointerEnterHandler
EventFunction_1_tBAE9A2CDB8174D2A78A46C57B54E9D86245D3BC8 * ___s_PointerEnterHandler_0;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IPointerExitHandler> UnityEngine.EventSystems.ExecuteEvents::s_PointerExitHandler
EventFunction_1_t9E4CEC2DA9A249AE1B4E40E3D2B396741E347F60 * ___s_PointerExitHandler_1;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IPointerDownHandler> UnityEngine.EventSystems.ExecuteEvents::s_PointerDownHandler
EventFunction_1_t613569DE3BDA144DA5A8D56AFFCA0A1F03DCD96C * ___s_PointerDownHandler_2;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IPointerUpHandler> UnityEngine.EventSystems.ExecuteEvents::s_PointerUpHandler
EventFunction_1_t7FBE64714A4E50EF106796C42BB2493D33F6C7CA * ___s_PointerUpHandler_3;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IPointerClickHandler> UnityEngine.EventSystems.ExecuteEvents::s_PointerClickHandler
EventFunction_1_t4870461507D94C55EB84820C99AC6C495DCE4A53 * ___s_PointerClickHandler_4;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IInitializePotentialDragHandler> UnityEngine.EventSystems.ExecuteEvents::s_InitializePotentialDragHandler
EventFunction_1_t2890FC9B45E7B56EDFEC06B764D49D1EDB7E4ADA * ___s_InitializePotentialDragHandler_5;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IBeginDragHandler> UnityEngine.EventSystems.ExecuteEvents::s_BeginDragHandler
EventFunction_1_t2090386F6F1AD36902CC49C47D33DBC66C60B100 * ___s_BeginDragHandler_6;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IDragHandler> UnityEngine.EventSystems.ExecuteEvents::s_DragHandler
EventFunction_1_t092EF97BABC8AD77EFF4A451CB7124FD24E1E10E * ___s_DragHandler_7;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IEndDragHandler> UnityEngine.EventSystems.ExecuteEvents::s_EndDragHandler
EventFunction_1_tEAD99CB0B6FC23ECDE82646A3710D24E183A26C5 * ___s_EndDragHandler_8;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IDropHandler> UnityEngine.EventSystems.ExecuteEvents::s_DropHandler
EventFunction_1_t5660F2E7C674760C0F595E987D232818F4E0AA0A * ___s_DropHandler_9;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IScrollHandler> UnityEngine.EventSystems.ExecuteEvents::s_ScrollHandler
EventFunction_1_tA4599B6CC5BFC12FBD61E3E846515E4DEBA873EF * ___s_ScrollHandler_10;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IUpdateSelectedHandler> UnityEngine.EventSystems.ExecuteEvents::s_UpdateSelectedHandler
EventFunction_1_tB6C6DD6D13924F282523CD3468E286DA3742C74C * ___s_UpdateSelectedHandler_11;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.ISelectHandler> UnityEngine.EventSystems.ExecuteEvents::s_SelectHandler
EventFunction_1_tF2F90BDFC6B14457DE9485B3A5C065C31BE80AD0 * ___s_SelectHandler_12;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IDeselectHandler> UnityEngine.EventSystems.ExecuteEvents::s_DeselectHandler
EventFunction_1_tC96EF7224041A1435F414F0A974F5E415FFCC528 * ___s_DeselectHandler_13;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.IMoveHandler> UnityEngine.EventSystems.ExecuteEvents::s_MoveHandler
EventFunction_1_t5BDB9EBC3BFFC71A97904CD3E01ED89BEBEE00AD * ___s_MoveHandler_14;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.ISubmitHandler> UnityEngine.EventSystems.ExecuteEvents::s_SubmitHandler
EventFunction_1_tD45A9BFBDD99A872DA88945877EBDFD3542C9E23 * ___s_SubmitHandler_15;
// UnityEngine.EventSystems.ExecuteEvents/EventFunction`1<UnityEngine.EventSystems.ICancelHandler> UnityEngine.EventSystems.ExecuteEvents::s_CancelHandler
EventFunction_1_t62770D319A98A721900E1C08EC156D59926CDC42 * ___s_CancelHandler_16;
// UnityEngine.UI.ObjectPool`1<System.Collections.Generic.List`1<UnityEngine.EventSystems.IEventSystemHandler>> UnityEngine.EventSystems.ExecuteEvents::s_HandlerListPool
ObjectPool_1_t7DE371FC4173D0882831B9DD0945CA448A3BAB31 * ___s_HandlerListPool_17;
// System.Collections.Generic.List`1<UnityEngine.Transform> UnityEngine.EventSystems.ExecuteEvents::s_InternalTransformList
List_1_t27D7842CA3FD659C9BE64845F118C2590EE2D2C0 * ___s_InternalTransformList_18;
public:
inline static int32_t get_offset_of_s_PointerEnterHandler_0() { return static_cast<int32_t>(offsetof(ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields, ___s_PointerEnterHandler_0)); }
inline EventFunction_1_tBAE9A2CDB8174D2A78A46C57B54E9D86245D3BC8 * get_s_PointerEnterHandler_0() const { return ___s_PointerEnterHandler_0; }
inline EventFunction_1_tBAE9A2CDB8174D2A78A46C57B54E9D86245D3BC8 ** get_address_of_s_PointerEnterHandler_0() { return &___s_PointerEnterHandler_0; }
inline void set_s_PointerEnterHandler_0(EventFunction_1_tBAE9A2CDB8174D2A78A46C57B54E9D86245D3BC8 * value)
{
___s_PointerEnterHandler_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_PointerEnterHandler_0), (void*)value);
}
inline static int32_t get_offset_of_s_PointerExitHandler_1() { return static_cast<int32_t>(offsetof(ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields, ___s_PointerExitHandler_1)); }
inline EventFunction_1_t9E4CEC2DA9A249AE1B4E40E3D2B396741E347F60 * get_s_PointerExitHandler_1() const { return ___s_PointerExitHandler_1; }
inline EventFunction_1_t9E4CEC2DA9A249AE1B4E40E3D2B396741E347F60 ** get_address_of_s_PointerExitHandler_1() { return &___s_PointerExitHandler_1; }
inline void set_s_PointerExitHandler_1(EventFunction_1_t9E4CEC2DA9A249AE1B4E40E3D2B396741E347F60 * value)
{
___s_PointerExitHandler_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_PointerExitHandler_1), (void*)value);
}
inline static int32_t get_offset_of_s_PointerDownHandler_2() { return static_cast<int32_t>(offsetof(ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields, ___s_PointerDownHandler_2)); }
inline EventFunction_1_t613569DE3BDA144DA5A8D56AFFCA0A1F03DCD96C * get_s_PointerDownHandler_2() const { return ___s_PointerDownHandler_2; }
inline EventFunction_1_t613569DE3BDA144DA5A8D56AFFCA0A1F03DCD96C ** get_address_of_s_PointerDownHandler_2() { return &___s_PointerDownHandler_2; }
inline void set_s_PointerDownHandler_2(EventFunction_1_t613569DE3BDA144DA5A8D56AFFCA0A1F03DCD96C * value)
{
___s_PointerDownHandler_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_PointerDownHandler_2), (void*)value);
}
inline static int32_t get_offset_of_s_PointerUpHandler_3() { return static_cast<int32_t>(offsetof(ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields, ___s_PointerUpHandler_3)); }
inline EventFunction_1_t7FBE64714A4E50EF106796C42BB2493D33F6C7CA * get_s_PointerUpHandler_3() const { return ___s_PointerUpHandler_3; }
inline EventFunction_1_t7FBE64714A4E50EF106796C42BB2493D33F6C7CA ** get_address_of_s_PointerUpHandler_3() { return &___s_PointerUpHandler_3; }
inline void set_s_PointerUpHandler_3(EventFunction_1_t7FBE64714A4E50EF106796C42BB2493D33F6C7CA * value)
{
___s_PointerUpHandler_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_PointerUpHandler_3), (void*)value);
}
inline static int32_t get_offset_of_s_PointerClickHandler_4() { return static_cast<int32_t>(offsetof(ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields, ___s_PointerClickHandler_4)); }
inline EventFunction_1_t4870461507D94C55EB84820C99AC6C495DCE4A53 * get_s_PointerClickHandler_4() const { return ___s_PointerClickHandler_4; }
inline EventFunction_1_t4870461507D94C55EB84820C99AC6C495DCE4A53 ** get_address_of_s_PointerClickHandler_4() { return &___s_PointerClickHandler_4; }
inline void set_s_PointerClickHandler_4(EventFunction_1_t4870461507D94C55EB84820C99AC6C495DCE4A53 * value)
{
___s_PointerClickHandler_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_PointerClickHandler_4), (void*)value);
}
inline static int32_t get_offset_of_s_InitializePotentialDragHandler_5() { return static_cast<int32_t>(offsetof(ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields, ___s_InitializePotentialDragHandler_5)); }
inline EventFunction_1_t2890FC9B45E7B56EDFEC06B764D49D1EDB7E4ADA * get_s_InitializePotentialDragHandler_5() const { return ___s_InitializePotentialDragHandler_5; }
inline EventFunction_1_t2890FC9B45E7B56EDFEC06B764D49D1EDB7E4ADA ** get_address_of_s_InitializePotentialDragHandler_5() { return &___s_InitializePotentialDragHandler_5; }
inline void set_s_InitializePotentialDragHandler_5(EventFunction_1_t2890FC9B45E7B56EDFEC06B764D49D1EDB7E4ADA * value)
{
___s_InitializePotentialDragHandler_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_InitializePotentialDragHandler_5), (void*)value);
}
inline static int32_t get_offset_of_s_BeginDragHandler_6() { return static_cast<int32_t>(offsetof(ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields, ___s_BeginDragHandler_6)); }
inline EventFunction_1_t2090386F6F1AD36902CC49C47D33DBC66C60B100 * get_s_BeginDragHandler_6() const { return ___s_BeginDragHandler_6; }
inline EventFunction_1_t2090386F6F1AD36902CC49C47D33DBC66C60B100 ** get_address_of_s_BeginDragHandler_6() { return &___s_BeginDragHandler_6; }
inline void set_s_BeginDragHandler_6(EventFunction_1_t2090386F6F1AD36902CC49C47D33DBC66C60B100 * value)
{
___s_BeginDragHandler_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_BeginDragHandler_6), (void*)value);
}
inline static int32_t get_offset_of_s_DragHandler_7() { return static_cast<int32_t>(offsetof(ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields, ___s_DragHandler_7)); }
inline EventFunction_1_t092EF97BABC8AD77EFF4A451CB7124FD24E1E10E * get_s_DragHandler_7() const { return ___s_DragHandler_7; }
inline EventFunction_1_t092EF97BABC8AD77EFF4A451CB7124FD24E1E10E ** get_address_of_s_DragHandler_7() { return &___s_DragHandler_7; }
inline void set_s_DragHandler_7(EventFunction_1_t092EF97BABC8AD77EFF4A451CB7124FD24E1E10E * value)
{
___s_DragHandler_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_DragHandler_7), (void*)value);
}
inline static int32_t get_offset_of_s_EndDragHandler_8() { return static_cast<int32_t>(offsetof(ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields, ___s_EndDragHandler_8)); }
inline EventFunction_1_tEAD99CB0B6FC23ECDE82646A3710D24E183A26C5 * get_s_EndDragHandler_8() const { return ___s_EndDragHandler_8; }
inline EventFunction_1_tEAD99CB0B6FC23ECDE82646A3710D24E183A26C5 ** get_address_of_s_EndDragHandler_8() { return &___s_EndDragHandler_8; }
inline void set_s_EndDragHandler_8(EventFunction_1_tEAD99CB0B6FC23ECDE82646A3710D24E183A26C5 * value)
{
___s_EndDragHandler_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_EndDragHandler_8), (void*)value);
}
inline static int32_t get_offset_of_s_DropHandler_9() { return static_cast<int32_t>(offsetof(ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields, ___s_DropHandler_9)); }
inline EventFunction_1_t5660F2E7C674760C0F595E987D232818F4E0AA0A * get_s_DropHandler_9() const { return ___s_DropHandler_9; }
inline EventFunction_1_t5660F2E7C674760C0F595E987D232818F4E0AA0A ** get_address_of_s_DropHandler_9() { return &___s_DropHandler_9; }
inline void set_s_DropHandler_9(EventFunction_1_t5660F2E7C674760C0F595E987D232818F4E0AA0A * value)
{
___s_DropHandler_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_DropHandler_9), (void*)value);
}
inline static int32_t get_offset_of_s_ScrollHandler_10() { return static_cast<int32_t>(offsetof(ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields, ___s_ScrollHandler_10)); }
inline EventFunction_1_tA4599B6CC5BFC12FBD61E3E846515E4DEBA873EF * get_s_ScrollHandler_10() const { return ___s_ScrollHandler_10; }
inline EventFunction_1_tA4599B6CC5BFC12FBD61E3E846515E4DEBA873EF ** get_address_of_s_ScrollHandler_10() { return &___s_ScrollHandler_10; }
inline void set_s_ScrollHandler_10(EventFunction_1_tA4599B6CC5BFC12FBD61E3E846515E4DEBA873EF * value)
{
___s_ScrollHandler_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_ScrollHandler_10), (void*)value);
}
inline static int32_t get_offset_of_s_UpdateSelectedHandler_11() { return static_cast<int32_t>(offsetof(ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields, ___s_UpdateSelectedHandler_11)); }
inline EventFunction_1_tB6C6DD6D13924F282523CD3468E286DA3742C74C * get_s_UpdateSelectedHandler_11() const { return ___s_UpdateSelectedHandler_11; }
inline EventFunction_1_tB6C6DD6D13924F282523CD3468E286DA3742C74C ** get_address_of_s_UpdateSelectedHandler_11() { return &___s_UpdateSelectedHandler_11; }
inline void set_s_UpdateSelectedHandler_11(EventFunction_1_tB6C6DD6D13924F282523CD3468E286DA3742C74C * value)
{
___s_UpdateSelectedHandler_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_UpdateSelectedHandler_11), (void*)value);
}
inline static int32_t get_offset_of_s_SelectHandler_12() { return static_cast<int32_t>(offsetof(ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields, ___s_SelectHandler_12)); }
inline EventFunction_1_tF2F90BDFC6B14457DE9485B3A5C065C31BE80AD0 * get_s_SelectHandler_12() const { return ___s_SelectHandler_12; }
inline EventFunction_1_tF2F90BDFC6B14457DE9485B3A5C065C31BE80AD0 ** get_address_of_s_SelectHandler_12() { return &___s_SelectHandler_12; }
inline void set_s_SelectHandler_12(EventFunction_1_tF2F90BDFC6B14457DE9485B3A5C065C31BE80AD0 * value)
{
___s_SelectHandler_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SelectHandler_12), (void*)value);
}
inline static int32_t get_offset_of_s_DeselectHandler_13() { return static_cast<int32_t>(offsetof(ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields, ___s_DeselectHandler_13)); }
inline EventFunction_1_tC96EF7224041A1435F414F0A974F5E415FFCC528 * get_s_DeselectHandler_13() const { return ___s_DeselectHandler_13; }
inline EventFunction_1_tC96EF7224041A1435F414F0A974F5E415FFCC528 ** get_address_of_s_DeselectHandler_13() { return &___s_DeselectHandler_13; }
inline void set_s_DeselectHandler_13(EventFunction_1_tC96EF7224041A1435F414F0A974F5E415FFCC528 * value)
{
___s_DeselectHandler_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_DeselectHandler_13), (void*)value);
}
inline static int32_t get_offset_of_s_MoveHandler_14() { return static_cast<int32_t>(offsetof(ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields, ___s_MoveHandler_14)); }
inline EventFunction_1_t5BDB9EBC3BFFC71A97904CD3E01ED89BEBEE00AD * get_s_MoveHandler_14() const { return ___s_MoveHandler_14; }
inline EventFunction_1_t5BDB9EBC3BFFC71A97904CD3E01ED89BEBEE00AD ** get_address_of_s_MoveHandler_14() { return &___s_MoveHandler_14; }
inline void set_s_MoveHandler_14(EventFunction_1_t5BDB9EBC3BFFC71A97904CD3E01ED89BEBEE00AD * value)
{
___s_MoveHandler_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_MoveHandler_14), (void*)value);
}
inline static int32_t get_offset_of_s_SubmitHandler_15() { return static_cast<int32_t>(offsetof(ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields, ___s_SubmitHandler_15)); }
inline EventFunction_1_tD45A9BFBDD99A872DA88945877EBDFD3542C9E23 * get_s_SubmitHandler_15() const { return ___s_SubmitHandler_15; }
inline EventFunction_1_tD45A9BFBDD99A872DA88945877EBDFD3542C9E23 ** get_address_of_s_SubmitHandler_15() { return &___s_SubmitHandler_15; }
inline void set_s_SubmitHandler_15(EventFunction_1_tD45A9BFBDD99A872DA88945877EBDFD3542C9E23 * value)
{
___s_SubmitHandler_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubmitHandler_15), (void*)value);
}
inline static int32_t get_offset_of_s_CancelHandler_16() { return static_cast<int32_t>(offsetof(ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields, ___s_CancelHandler_16)); }
inline EventFunction_1_t62770D319A98A721900E1C08EC156D59926CDC42 * get_s_CancelHandler_16() const { return ___s_CancelHandler_16; }
inline EventFunction_1_t62770D319A98A721900E1C08EC156D59926CDC42 ** get_address_of_s_CancelHandler_16() { return &___s_CancelHandler_16; }
inline void set_s_CancelHandler_16(EventFunction_1_t62770D319A98A721900E1C08EC156D59926CDC42 * value)
{
___s_CancelHandler_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_CancelHandler_16), (void*)value);
}
inline static int32_t get_offset_of_s_HandlerListPool_17() { return static_cast<int32_t>(offsetof(ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields, ___s_HandlerListPool_17)); }
inline ObjectPool_1_t7DE371FC4173D0882831B9DD0945CA448A3BAB31 * get_s_HandlerListPool_17() const { return ___s_HandlerListPool_17; }
inline ObjectPool_1_t7DE371FC4173D0882831B9DD0945CA448A3BAB31 ** get_address_of_s_HandlerListPool_17() { return &___s_HandlerListPool_17; }
inline void set_s_HandlerListPool_17(ObjectPool_1_t7DE371FC4173D0882831B9DD0945CA448A3BAB31 * value)
{
___s_HandlerListPool_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_HandlerListPool_17), (void*)value);
}
inline static int32_t get_offset_of_s_InternalTransformList_18() { return static_cast<int32_t>(offsetof(ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields, ___s_InternalTransformList_18)); }
inline List_1_t27D7842CA3FD659C9BE64845F118C2590EE2D2C0 * get_s_InternalTransformList_18() const { return ___s_InternalTransformList_18; }
inline List_1_t27D7842CA3FD659C9BE64845F118C2590EE2D2C0 ** get_address_of_s_InternalTransformList_18() { return &___s_InternalTransformList_18; }
inline void set_s_InternalTransformList_18(List_1_t27D7842CA3FD659C9BE64845F118C2590EE2D2C0 * value)
{
___s_InternalTransformList_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_InternalTransformList_18), (void*)value);
}
};
// Microsoft.Win32.ExpandString
struct ExpandString_t9106B59E06E44175F3056DE2461ECAA5E4F95230 : public RuntimeObject
{
public:
// System.String Microsoft.Win32.ExpandString::value
String_t* ___value_0;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(ExpandString_t9106B59E06E44175F3056DE2461ECAA5E4F95230, ___value_0)); }
inline String_t* get_value_0() const { return ___value_0; }
inline String_t** get_address_of_value_0() { return &___value_0; }
inline void set_value_0(String_t* value)
{
___value_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___value_0), (void*)value);
}
};
// System.Linq.Expressions.Expression
struct Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 : public RuntimeObject
{
public:
public:
};
struct Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660_StaticFields
{
public:
// System.Dynamic.Utils.CacheDict`2<System.Type,System.Reflection.MethodInfo> System.Linq.Expressions.Expression::s_lambdaDelegateCache
CacheDict_2_t23833FEB97C42D87EBF4B5FE3B56AA1336D7B3CE * ___s_lambdaDelegateCache_0;
// System.Dynamic.Utils.CacheDict`2<System.Type,System.Func`5<System.Linq.Expressions.Expression,System.String,System.Boolean,System.Collections.ObjectModel.ReadOnlyCollection`1<System.Linq.Expressions.ParameterExpression>,System.Linq.Expressions.LambdaExpression>> modreq(System.Runtime.CompilerServices.IsVolatile) System.Linq.Expressions.Expression::s_lambdaFactories
CacheDict_2_t9FD97836EA998D29FFE492313652BD241E48F2C6 * ___s_lambdaFactories_1;
// System.Runtime.CompilerServices.ConditionalWeakTable`2<System.Linq.Expressions.Expression,System.Linq.Expressions.Expression/ExtensionInfo> System.Linq.Expressions.Expression::s_legacyCtorSupportTable
ConditionalWeakTable_2_t53315BD762B310982B9C8EEAA1BEB06E4E8D0815 * ___s_legacyCtorSupportTable_2;
public:
inline static int32_t get_offset_of_s_lambdaDelegateCache_0() { return static_cast<int32_t>(offsetof(Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660_StaticFields, ___s_lambdaDelegateCache_0)); }
inline CacheDict_2_t23833FEB97C42D87EBF4B5FE3B56AA1336D7B3CE * get_s_lambdaDelegateCache_0() const { return ___s_lambdaDelegateCache_0; }
inline CacheDict_2_t23833FEB97C42D87EBF4B5FE3B56AA1336D7B3CE ** get_address_of_s_lambdaDelegateCache_0() { return &___s_lambdaDelegateCache_0; }
inline void set_s_lambdaDelegateCache_0(CacheDict_2_t23833FEB97C42D87EBF4B5FE3B56AA1336D7B3CE * value)
{
___s_lambdaDelegateCache_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_lambdaDelegateCache_0), (void*)value);
}
inline static int32_t get_offset_of_s_lambdaFactories_1() { return static_cast<int32_t>(offsetof(Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660_StaticFields, ___s_lambdaFactories_1)); }
inline CacheDict_2_t9FD97836EA998D29FFE492313652BD241E48F2C6 * get_s_lambdaFactories_1() const { return ___s_lambdaFactories_1; }
inline CacheDict_2_t9FD97836EA998D29FFE492313652BD241E48F2C6 ** get_address_of_s_lambdaFactories_1() { return &___s_lambdaFactories_1; }
inline void set_s_lambdaFactories_1(CacheDict_2_t9FD97836EA998D29FFE492313652BD241E48F2C6 * value)
{
___s_lambdaFactories_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_lambdaFactories_1), (void*)value);
}
inline static int32_t get_offset_of_s_legacyCtorSupportTable_2() { return static_cast<int32_t>(offsetof(Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660_StaticFields, ___s_legacyCtorSupportTable_2)); }
inline ConditionalWeakTable_2_t53315BD762B310982B9C8EEAA1BEB06E4E8D0815 * get_s_legacyCtorSupportTable_2() const { return ___s_legacyCtorSupportTable_2; }
inline ConditionalWeakTable_2_t53315BD762B310982B9C8EEAA1BEB06E4E8D0815 ** get_address_of_s_legacyCtorSupportTable_2() { return &___s_legacyCtorSupportTable_2; }
inline void set_s_legacyCtorSupportTable_2(ConditionalWeakTable_2_t53315BD762B310982B9C8EEAA1BEB06E4E8D0815 * value)
{
___s_legacyCtorSupportTable_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_legacyCtorSupportTable_2), (void*)value);
}
};
// System.Dynamic.Utils.ExpressionUtils
struct ExpressionUtils_t4D880B9AEB0BAE2C547DA480FDB2407F2E7C7C82 : public RuntimeObject
{
public:
public:
};
// System.Linq.Expressions.ExpressionVisitor
struct ExpressionVisitor_tD098DE8A366FBBB58C498C4EFF8B003FCA726DF4 : public RuntimeObject
{
public:
public:
};
// System.Dynamic.Utils.ExpressionVisitorUtils
struct ExpressionVisitorUtils_t63EF3A3F892FABB6C82D243DA498BD800F2F0B8F : public RuntimeObject
{
public:
public:
};
// TMPro.FaceInfo_Legacy
struct FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F : public RuntimeObject
{
public:
// System.String TMPro.FaceInfo_Legacy::Name
String_t* ___Name_0;
// System.Single TMPro.FaceInfo_Legacy::PointSize
float ___PointSize_1;
// System.Single TMPro.FaceInfo_Legacy::Scale
float ___Scale_2;
// System.Int32 TMPro.FaceInfo_Legacy::CharacterCount
int32_t ___CharacterCount_3;
// System.Single TMPro.FaceInfo_Legacy::LineHeight
float ___LineHeight_4;
// System.Single TMPro.FaceInfo_Legacy::Baseline
float ___Baseline_5;
// System.Single TMPro.FaceInfo_Legacy::Ascender
float ___Ascender_6;
// System.Single TMPro.FaceInfo_Legacy::CapHeight
float ___CapHeight_7;
// System.Single TMPro.FaceInfo_Legacy::Descender
float ___Descender_8;
// System.Single TMPro.FaceInfo_Legacy::CenterLine
float ___CenterLine_9;
// System.Single TMPro.FaceInfo_Legacy::SuperscriptOffset
float ___SuperscriptOffset_10;
// System.Single TMPro.FaceInfo_Legacy::SubscriptOffset
float ___SubscriptOffset_11;
// System.Single TMPro.FaceInfo_Legacy::SubSize
float ___SubSize_12;
// System.Single TMPro.FaceInfo_Legacy::Underline
float ___Underline_13;
// System.Single TMPro.FaceInfo_Legacy::UnderlineThickness
float ___UnderlineThickness_14;
// System.Single TMPro.FaceInfo_Legacy::strikethrough
float ___strikethrough_15;
// System.Single TMPro.FaceInfo_Legacy::strikethroughThickness
float ___strikethroughThickness_16;
// System.Single TMPro.FaceInfo_Legacy::TabWidth
float ___TabWidth_17;
// System.Single TMPro.FaceInfo_Legacy::Padding
float ___Padding_18;
// System.Single TMPro.FaceInfo_Legacy::AtlasWidth
float ___AtlasWidth_19;
// System.Single TMPro.FaceInfo_Legacy::AtlasHeight
float ___AtlasHeight_20;
public:
inline static int32_t get_offset_of_Name_0() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___Name_0)); }
inline String_t* get_Name_0() const { return ___Name_0; }
inline String_t** get_address_of_Name_0() { return &___Name_0; }
inline void set_Name_0(String_t* value)
{
___Name_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Name_0), (void*)value);
}
inline static int32_t get_offset_of_PointSize_1() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___PointSize_1)); }
inline float get_PointSize_1() const { return ___PointSize_1; }
inline float* get_address_of_PointSize_1() { return &___PointSize_1; }
inline void set_PointSize_1(float value)
{
___PointSize_1 = value;
}
inline static int32_t get_offset_of_Scale_2() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___Scale_2)); }
inline float get_Scale_2() const { return ___Scale_2; }
inline float* get_address_of_Scale_2() { return &___Scale_2; }
inline void set_Scale_2(float value)
{
___Scale_2 = value;
}
inline static int32_t get_offset_of_CharacterCount_3() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___CharacterCount_3)); }
inline int32_t get_CharacterCount_3() const { return ___CharacterCount_3; }
inline int32_t* get_address_of_CharacterCount_3() { return &___CharacterCount_3; }
inline void set_CharacterCount_3(int32_t value)
{
___CharacterCount_3 = value;
}
inline static int32_t get_offset_of_LineHeight_4() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___LineHeight_4)); }
inline float get_LineHeight_4() const { return ___LineHeight_4; }
inline float* get_address_of_LineHeight_4() { return &___LineHeight_4; }
inline void set_LineHeight_4(float value)
{
___LineHeight_4 = value;
}
inline static int32_t get_offset_of_Baseline_5() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___Baseline_5)); }
inline float get_Baseline_5() const { return ___Baseline_5; }
inline float* get_address_of_Baseline_5() { return &___Baseline_5; }
inline void set_Baseline_5(float value)
{
___Baseline_5 = value;
}
inline static int32_t get_offset_of_Ascender_6() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___Ascender_6)); }
inline float get_Ascender_6() const { return ___Ascender_6; }
inline float* get_address_of_Ascender_6() { return &___Ascender_6; }
inline void set_Ascender_6(float value)
{
___Ascender_6 = value;
}
inline static int32_t get_offset_of_CapHeight_7() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___CapHeight_7)); }
inline float get_CapHeight_7() const { return ___CapHeight_7; }
inline float* get_address_of_CapHeight_7() { return &___CapHeight_7; }
inline void set_CapHeight_7(float value)
{
___CapHeight_7 = value;
}
inline static int32_t get_offset_of_Descender_8() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___Descender_8)); }
inline float get_Descender_8() const { return ___Descender_8; }
inline float* get_address_of_Descender_8() { return &___Descender_8; }
inline void set_Descender_8(float value)
{
___Descender_8 = value;
}
inline static int32_t get_offset_of_CenterLine_9() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___CenterLine_9)); }
inline float get_CenterLine_9() const { return ___CenterLine_9; }
inline float* get_address_of_CenterLine_9() { return &___CenterLine_9; }
inline void set_CenterLine_9(float value)
{
___CenterLine_9 = value;
}
inline static int32_t get_offset_of_SuperscriptOffset_10() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___SuperscriptOffset_10)); }
inline float get_SuperscriptOffset_10() const { return ___SuperscriptOffset_10; }
inline float* get_address_of_SuperscriptOffset_10() { return &___SuperscriptOffset_10; }
inline void set_SuperscriptOffset_10(float value)
{
___SuperscriptOffset_10 = value;
}
inline static int32_t get_offset_of_SubscriptOffset_11() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___SubscriptOffset_11)); }
inline float get_SubscriptOffset_11() const { return ___SubscriptOffset_11; }
inline float* get_address_of_SubscriptOffset_11() { return &___SubscriptOffset_11; }
inline void set_SubscriptOffset_11(float value)
{
___SubscriptOffset_11 = value;
}
inline static int32_t get_offset_of_SubSize_12() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___SubSize_12)); }
inline float get_SubSize_12() const { return ___SubSize_12; }
inline float* get_address_of_SubSize_12() { return &___SubSize_12; }
inline void set_SubSize_12(float value)
{
___SubSize_12 = value;
}
inline static int32_t get_offset_of_Underline_13() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___Underline_13)); }
inline float get_Underline_13() const { return ___Underline_13; }
inline float* get_address_of_Underline_13() { return &___Underline_13; }
inline void set_Underline_13(float value)
{
___Underline_13 = value;
}
inline static int32_t get_offset_of_UnderlineThickness_14() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___UnderlineThickness_14)); }
inline float get_UnderlineThickness_14() const { return ___UnderlineThickness_14; }
inline float* get_address_of_UnderlineThickness_14() { return &___UnderlineThickness_14; }
inline void set_UnderlineThickness_14(float value)
{
___UnderlineThickness_14 = value;
}
inline static int32_t get_offset_of_strikethrough_15() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___strikethrough_15)); }
inline float get_strikethrough_15() const { return ___strikethrough_15; }
inline float* get_address_of_strikethrough_15() { return &___strikethrough_15; }
inline void set_strikethrough_15(float value)
{
___strikethrough_15 = value;
}
inline static int32_t get_offset_of_strikethroughThickness_16() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___strikethroughThickness_16)); }
inline float get_strikethroughThickness_16() const { return ___strikethroughThickness_16; }
inline float* get_address_of_strikethroughThickness_16() { return &___strikethroughThickness_16; }
inline void set_strikethroughThickness_16(float value)
{
___strikethroughThickness_16 = value;
}
inline static int32_t get_offset_of_TabWidth_17() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___TabWidth_17)); }
inline float get_TabWidth_17() const { return ___TabWidth_17; }
inline float* get_address_of_TabWidth_17() { return &___TabWidth_17; }
inline void set_TabWidth_17(float value)
{
___TabWidth_17 = value;
}
inline static int32_t get_offset_of_Padding_18() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___Padding_18)); }
inline float get_Padding_18() const { return ___Padding_18; }
inline float* get_address_of_Padding_18() { return &___Padding_18; }
inline void set_Padding_18(float value)
{
___Padding_18 = value;
}
inline static int32_t get_offset_of_AtlasWidth_19() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___AtlasWidth_19)); }
inline float get_AtlasWidth_19() const { return ___AtlasWidth_19; }
inline float* get_address_of_AtlasWidth_19() { return &___AtlasWidth_19; }
inline void set_AtlasWidth_19(float value)
{
___AtlasWidth_19 = value;
}
inline static int32_t get_offset_of_AtlasHeight_20() { return static_cast<int32_t>(offsetof(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F, ___AtlasHeight_20)); }
inline float get_AtlasHeight_20() const { return ___AtlasHeight_20; }
inline float* get_address_of_AtlasHeight_20() { return &___AtlasHeight_20; }
inline void set_AtlasHeight_20(float value)
{
___AtlasHeight_20 = value;
}
};
// UnityEngine.Localization.Metadata.FallbackLocale
struct FallbackLocale_tBBD731D50E06BC5B150238D0F8A7B2F705125436 : public RuntimeObject
{
public:
// UnityEngine.Localization.Locale UnityEngine.Localization.Metadata.FallbackLocale::m_Locale
Locale_tD8F38559A470AB424FCEE52608573679917924AA * ___m_Locale_0;
public:
inline static int32_t get_offset_of_m_Locale_0() { return static_cast<int32_t>(offsetof(FallbackLocale_tBBD731D50E06BC5B150238D0F8A7B2F705125436, ___m_Locale_0)); }
inline Locale_tD8F38559A470AB424FCEE52608573679917924AA * get_m_Locale_0() const { return ___m_Locale_0; }
inline Locale_tD8F38559A470AB424FCEE52608573679917924AA ** get_address_of_m_Locale_0() { return &___m_Locale_0; }
inline void set_m_Locale_0(Locale_tD8F38559A470AB424FCEE52608573679917924AA * value)
{
___m_Locale_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Locale_0), (void*)value);
}
};
// TMPro.FastAction
struct FastAction_tE1E0598414A65086C904C55ED0DCB45F330C9EFC : public RuntimeObject
{
public:
// System.Collections.Generic.LinkedList`1<System.Action> TMPro.FastAction::delegates
LinkedList_1_t24F599F38B9214A06A4E11CA2CE1D50F5B255328 * ___delegates_0;
// System.Collections.Generic.Dictionary`2<System.Action,System.Collections.Generic.LinkedListNode`1<System.Action>> TMPro.FastAction::lookup
Dictionary_2_t050A987FF3F83046609B91544CA99C3F44CA394E * ___lookup_1;
public:
inline static int32_t get_offset_of_delegates_0() { return static_cast<int32_t>(offsetof(FastAction_tE1E0598414A65086C904C55ED0DCB45F330C9EFC, ___delegates_0)); }
inline LinkedList_1_t24F599F38B9214A06A4E11CA2CE1D50F5B255328 * get_delegates_0() const { return ___delegates_0; }
inline LinkedList_1_t24F599F38B9214A06A4E11CA2CE1D50F5B255328 ** get_address_of_delegates_0() { return &___delegates_0; }
inline void set_delegates_0(LinkedList_1_t24F599F38B9214A06A4E11CA2CE1D50F5B255328 * value)
{
___delegates_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___delegates_0), (void*)value);
}
inline static int32_t get_offset_of_lookup_1() { return static_cast<int32_t>(offsetof(FastAction_tE1E0598414A65086C904C55ED0DCB45F330C9EFC, ___lookup_1)); }
inline Dictionary_2_t050A987FF3F83046609B91544CA99C3F44CA394E * get_lookup_1() const { return ___lookup_1; }
inline Dictionary_2_t050A987FF3F83046609B91544CA99C3F44CA394E ** get_address_of_lookup_1() { return &___lookup_1; }
inline void set_lookup_1(Dictionary_2_t050A987FF3F83046609B91544CA99C3F44CA394E * value)
{
___lookup_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___lookup_1), (void*)value);
}
};
// System.Resources.FastResourceComparer
struct FastResourceComparer_tB7209D9F84211D726E260A068C0C6C82E290DD3D : public RuntimeObject
{
public:
public:
};
struct FastResourceComparer_tB7209D9F84211D726E260A068C0C6C82E290DD3D_StaticFields
{
public:
// System.Resources.FastResourceComparer System.Resources.FastResourceComparer::Default
FastResourceComparer_tB7209D9F84211D726E260A068C0C6C82E290DD3D * ___Default_0;
public:
inline static int32_t get_offset_of_Default_0() { return static_cast<int32_t>(offsetof(FastResourceComparer_tB7209D9F84211D726E260A068C0C6C82E290DD3D_StaticFields, ___Default_0)); }
inline FastResourceComparer_tB7209D9F84211D726E260A068C0C6C82E290DD3D * get_Default_0() const { return ___Default_0; }
inline FastResourceComparer_tB7209D9F84211D726E260A068C0C6C82E290DD3D ** get_address_of_Default_0() { return &___Default_0; }
inline void set_Default_0(FastResourceComparer_tB7209D9F84211D726E260A068C0C6C82E290DD3D * value)
{
___Default_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Default_0), (void*)value);
}
};
// UnityEngine.XR.ARSubsystems.FeatureExtensions
struct FeatureExtensions_t3AE82EEF9BA5B67267E4A8371D344F93AA983603 : public RuntimeObject
{
public:
public:
};
// System.IO.File
struct File_tC022B356A820721FB9BE727F19B1AA0E06E6E57A : public RuntimeObject
{
public:
public:
};
// System.Resources.FileBasedResourceGroveler
struct FileBasedResourceGroveler_t5B18F88DB937DAFCD0D1312FB1F52AC8CC28D805 : public RuntimeObject
{
public:
// System.Resources.ResourceManager/ResourceManagerMediator System.Resources.FileBasedResourceGroveler::_mediator
ResourceManagerMediator_t8562CDD205C5617282C599DB2E52D0440602903C * ____mediator_0;
public:
inline static int32_t get_offset_of__mediator_0() { return static_cast<int32_t>(offsetof(FileBasedResourceGroveler_t5B18F88DB937DAFCD0D1312FB1F52AC8CC28D805, ____mediator_0)); }
inline ResourceManagerMediator_t8562CDD205C5617282C599DB2E52D0440602903C * get__mediator_0() const { return ____mediator_0; }
inline ResourceManagerMediator_t8562CDD205C5617282C599DB2E52D0440602903C ** get_address_of__mediator_0() { return &____mediator_0; }
inline void set__mediator_0(ResourceManagerMediator_t8562CDD205C5617282C599DB2E52D0440602903C * value)
{
____mediator_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____mediator_0), (void*)value);
}
};
// System.IO.FileStreamAsyncResult
struct FileStreamAsyncResult_t7613F8A2E6E3FE326E6362BD9E1B143B66B02475 : public RuntimeObject
{
public:
// System.Object System.IO.FileStreamAsyncResult::state
RuntimeObject * ___state_0;
// System.Threading.ManualResetEvent System.IO.FileStreamAsyncResult::wh
ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * ___wh_1;
// System.AsyncCallback System.IO.FileStreamAsyncResult::cb
AsyncCallback_tA7921BEF974919C46FF8F9D9867C567B200BB0EA * ___cb_2;
// System.Int32 System.IO.FileStreamAsyncResult::Count
int32_t ___Count_3;
// System.Int32 System.IO.FileStreamAsyncResult::OriginalCount
int32_t ___OriginalCount_4;
// System.Int32 System.IO.FileStreamAsyncResult::BytesRead
int32_t ___BytesRead_5;
// System.AsyncCallback System.IO.FileStreamAsyncResult::realcb
AsyncCallback_tA7921BEF974919C46FF8F9D9867C567B200BB0EA * ___realcb_6;
public:
inline static int32_t get_offset_of_state_0() { return static_cast<int32_t>(offsetof(FileStreamAsyncResult_t7613F8A2E6E3FE326E6362BD9E1B143B66B02475, ___state_0)); }
inline RuntimeObject * get_state_0() const { return ___state_0; }
inline RuntimeObject ** get_address_of_state_0() { return &___state_0; }
inline void set_state_0(RuntimeObject * value)
{
___state_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___state_0), (void*)value);
}
inline static int32_t get_offset_of_wh_1() { return static_cast<int32_t>(offsetof(FileStreamAsyncResult_t7613F8A2E6E3FE326E6362BD9E1B143B66B02475, ___wh_1)); }
inline ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * get_wh_1() const { return ___wh_1; }
inline ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA ** get_address_of_wh_1() { return &___wh_1; }
inline void set_wh_1(ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * value)
{
___wh_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___wh_1), (void*)value);
}
inline static int32_t get_offset_of_cb_2() { return static_cast<int32_t>(offsetof(FileStreamAsyncResult_t7613F8A2E6E3FE326E6362BD9E1B143B66B02475, ___cb_2)); }
inline AsyncCallback_tA7921BEF974919C46FF8F9D9867C567B200BB0EA * get_cb_2() const { return ___cb_2; }
inline AsyncCallback_tA7921BEF974919C46FF8F9D9867C567B200BB0EA ** get_address_of_cb_2() { return &___cb_2; }
inline void set_cb_2(AsyncCallback_tA7921BEF974919C46FF8F9D9867C567B200BB0EA * value)
{
___cb_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___cb_2), (void*)value);
}
inline static int32_t get_offset_of_Count_3() { return static_cast<int32_t>(offsetof(FileStreamAsyncResult_t7613F8A2E6E3FE326E6362BD9E1B143B66B02475, ___Count_3)); }
inline int32_t get_Count_3() const { return ___Count_3; }
inline int32_t* get_address_of_Count_3() { return &___Count_3; }
inline void set_Count_3(int32_t value)
{
___Count_3 = value;
}
inline static int32_t get_offset_of_OriginalCount_4() { return static_cast<int32_t>(offsetof(FileStreamAsyncResult_t7613F8A2E6E3FE326E6362BD9E1B143B66B02475, ___OriginalCount_4)); }
inline int32_t get_OriginalCount_4() const { return ___OriginalCount_4; }
inline int32_t* get_address_of_OriginalCount_4() { return &___OriginalCount_4; }
inline void set_OriginalCount_4(int32_t value)
{
___OriginalCount_4 = value;
}
inline static int32_t get_offset_of_BytesRead_5() { return static_cast<int32_t>(offsetof(FileStreamAsyncResult_t7613F8A2E6E3FE326E6362BD9E1B143B66B02475, ___BytesRead_5)); }
inline int32_t get_BytesRead_5() const { return ___BytesRead_5; }
inline int32_t* get_address_of_BytesRead_5() { return &___BytesRead_5; }
inline void set_BytesRead_5(int32_t value)
{
___BytesRead_5 = value;
}
inline static int32_t get_offset_of_realcb_6() { return static_cast<int32_t>(offsetof(FileStreamAsyncResult_t7613F8A2E6E3FE326E6362BD9E1B143B66B02475, ___realcb_6)); }
inline AsyncCallback_tA7921BEF974919C46FF8F9D9867C567B200BB0EA * get_realcb_6() const { return ___realcb_6; }
inline AsyncCallback_tA7921BEF974919C46FF8F9D9867C567B200BB0EA ** get_address_of_realcb_6() { return &___realcb_6; }
inline void set_realcb_6(AsyncCallback_tA7921BEF974919C46FF8F9D9867C567B200BB0EA * value)
{
___realcb_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___realcb_6), (void*)value);
}
};
// System.IO.FileSystemEnumerableFactory
struct FileSystemEnumerableFactory_tB8A90CDB6CA9EF619A9A11DEA7FCCF44DF51F8CE : public RuntimeObject
{
public:
public:
};
// System.IO.FileSystemEnumerableHelpers
struct FileSystemEnumerableHelpers_t237749DD0CC6C4358DFF275415E2D419435C8B66 : public RuntimeObject
{
public:
public:
};
// System.Runtime.Serialization.FixupHolder
struct FixupHolder_tFC181D04F62B82B60F0CC8C3310C41625CD26201 : public RuntimeObject
{
public:
// System.Int64 System.Runtime.Serialization.FixupHolder::m_id
int64_t ___m_id_0;
// System.Object System.Runtime.Serialization.FixupHolder::m_fixupInfo
RuntimeObject * ___m_fixupInfo_1;
// System.Int32 System.Runtime.Serialization.FixupHolder::m_fixupType
int32_t ___m_fixupType_2;
public:
inline static int32_t get_offset_of_m_id_0() { return static_cast<int32_t>(offsetof(FixupHolder_tFC181D04F62B82B60F0CC8C3310C41625CD26201, ___m_id_0)); }
inline int64_t get_m_id_0() const { return ___m_id_0; }
inline int64_t* get_address_of_m_id_0() { return &___m_id_0; }
inline void set_m_id_0(int64_t value)
{
___m_id_0 = value;
}
inline static int32_t get_offset_of_m_fixupInfo_1() { return static_cast<int32_t>(offsetof(FixupHolder_tFC181D04F62B82B60F0CC8C3310C41625CD26201, ___m_fixupInfo_1)); }
inline RuntimeObject * get_m_fixupInfo_1() const { return ___m_fixupInfo_1; }
inline RuntimeObject ** get_address_of_m_fixupInfo_1() { return &___m_fixupInfo_1; }
inline void set_m_fixupInfo_1(RuntimeObject * value)
{
___m_fixupInfo_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fixupInfo_1), (void*)value);
}
inline static int32_t get_offset_of_m_fixupType_2() { return static_cast<int32_t>(offsetof(FixupHolder_tFC181D04F62B82B60F0CC8C3310C41625CD26201, ___m_fixupType_2)); }
inline int32_t get_m_fixupType_2() const { return ___m_fixupType_2; }
inline int32_t* get_address_of_m_fixupType_2() { return &___m_fixupType_2; }
inline void set_m_fixupType_2(int32_t value)
{
___m_fixupType_2 = value;
}
};
// System.Runtime.Serialization.FixupHolderList
struct FixupHolderList_t98FCFDD9352A87A246F7E475733C94C8A7F86BF8 : public RuntimeObject
{
public:
// System.Runtime.Serialization.FixupHolder[] System.Runtime.Serialization.FixupHolderList::m_values
FixupHolderU5BU5D_t19972B0CB8FD2FDF3D5F19739E3CFFD721812F24* ___m_values_0;
// System.Int32 System.Runtime.Serialization.FixupHolderList::m_count
int32_t ___m_count_1;
public:
inline static int32_t get_offset_of_m_values_0() { return static_cast<int32_t>(offsetof(FixupHolderList_t98FCFDD9352A87A246F7E475733C94C8A7F86BF8, ___m_values_0)); }
inline FixupHolderU5BU5D_t19972B0CB8FD2FDF3D5F19739E3CFFD721812F24* get_m_values_0() const { return ___m_values_0; }
inline FixupHolderU5BU5D_t19972B0CB8FD2FDF3D5F19739E3CFFD721812F24** get_address_of_m_values_0() { return &___m_values_0; }
inline void set_m_values_0(FixupHolderU5BU5D_t19972B0CB8FD2FDF3D5F19739E3CFFD721812F24* value)
{
___m_values_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_values_0), (void*)value);
}
inline static int32_t get_offset_of_m_count_1() { return static_cast<int32_t>(offsetof(FixupHolderList_t98FCFDD9352A87A246F7E475733C94C8A7F86BF8, ___m_count_1)); }
inline int32_t get_m_count_1() const { return ___m_count_1; }
inline int32_t* get_address_of_m_count_1() { return &___m_count_1; }
inline void set_m_count_1(int32_t value)
{
___m_count_1 = value;
}
};
// UnityEngine.TextCore.LowLevel.FontEngine
struct FontEngine_tB40C839EB1E69BEEA23F0D26EA1BCB883CC62AF5 : public RuntimeObject
{
public:
public:
};
struct FontEngine_tB40C839EB1E69BEEA23F0D26EA1BCB883CC62AF5_StaticFields
{
public:
// UnityEngine.TextCore.Glyph[] UnityEngine.TextCore.LowLevel.FontEngine::s_Glyphs
GlyphU5BU5D_tDC8ECA36264C4DC872F3D9429BD56E9B40300E4B* ___s_Glyphs_0;
// System.UInt32[] UnityEngine.TextCore.LowLevel.FontEngine::s_GlyphIndexes_MarshallingArray_A
UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* ___s_GlyphIndexes_MarshallingArray_A_1;
// UnityEngine.TextCore.LowLevel.GlyphMarshallingStruct[] UnityEngine.TextCore.LowLevel.FontEngine::s_GlyphMarshallingStruct_IN
GlyphMarshallingStructU5BU5D_t622C5D3F6563BEE95999E5D27EA9C4DC087C682D* ___s_GlyphMarshallingStruct_IN_2;
// UnityEngine.TextCore.LowLevel.GlyphMarshallingStruct[] UnityEngine.TextCore.LowLevel.FontEngine::s_GlyphMarshallingStruct_OUT
GlyphMarshallingStructU5BU5D_t622C5D3F6563BEE95999E5D27EA9C4DC087C682D* ___s_GlyphMarshallingStruct_OUT_3;
// UnityEngine.TextCore.GlyphRect[] UnityEngine.TextCore.LowLevel.FontEngine::s_FreeGlyphRects
GlyphRectU5BU5D_tD5D74BCDBD33C0E1CF2D67D5419C526C807D3BDA* ___s_FreeGlyphRects_4;
// UnityEngine.TextCore.GlyphRect[] UnityEngine.TextCore.LowLevel.FontEngine::s_UsedGlyphRects
GlyphRectU5BU5D_tD5D74BCDBD33C0E1CF2D67D5419C526C807D3BDA* ___s_UsedGlyphRects_5;
// UnityEngine.TextCore.LowLevel.GlyphPairAdjustmentRecord[] UnityEngine.TextCore.LowLevel.FontEngine::s_PairAdjustmentRecords_MarshallingArray
GlyphPairAdjustmentRecordU5BU5D_tC755C781D08A880F79F50795009CC0D0CA8AE609* ___s_PairAdjustmentRecords_MarshallingArray_6;
// System.Collections.Generic.Dictionary`2<System.UInt32,UnityEngine.TextCore.Glyph> UnityEngine.TextCore.LowLevel.FontEngine::s_GlyphLookupDictionary
Dictionary_2_tDA5C03A58B5E004C6D454EF31BF9C5307FE785BE * ___s_GlyphLookupDictionary_7;
public:
inline static int32_t get_offset_of_s_Glyphs_0() { return static_cast<int32_t>(offsetof(FontEngine_tB40C839EB1E69BEEA23F0D26EA1BCB883CC62AF5_StaticFields, ___s_Glyphs_0)); }
inline GlyphU5BU5D_tDC8ECA36264C4DC872F3D9429BD56E9B40300E4B* get_s_Glyphs_0() const { return ___s_Glyphs_0; }
inline GlyphU5BU5D_tDC8ECA36264C4DC872F3D9429BD56E9B40300E4B** get_address_of_s_Glyphs_0() { return &___s_Glyphs_0; }
inline void set_s_Glyphs_0(GlyphU5BU5D_tDC8ECA36264C4DC872F3D9429BD56E9B40300E4B* value)
{
___s_Glyphs_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Glyphs_0), (void*)value);
}
inline static int32_t get_offset_of_s_GlyphIndexes_MarshallingArray_A_1() { return static_cast<int32_t>(offsetof(FontEngine_tB40C839EB1E69BEEA23F0D26EA1BCB883CC62AF5_StaticFields, ___s_GlyphIndexes_MarshallingArray_A_1)); }
inline UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* get_s_GlyphIndexes_MarshallingArray_A_1() const { return ___s_GlyphIndexes_MarshallingArray_A_1; }
inline UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF** get_address_of_s_GlyphIndexes_MarshallingArray_A_1() { return &___s_GlyphIndexes_MarshallingArray_A_1; }
inline void set_s_GlyphIndexes_MarshallingArray_A_1(UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* value)
{
___s_GlyphIndexes_MarshallingArray_A_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_GlyphIndexes_MarshallingArray_A_1), (void*)value);
}
inline static int32_t get_offset_of_s_GlyphMarshallingStruct_IN_2() { return static_cast<int32_t>(offsetof(FontEngine_tB40C839EB1E69BEEA23F0D26EA1BCB883CC62AF5_StaticFields, ___s_GlyphMarshallingStruct_IN_2)); }
inline GlyphMarshallingStructU5BU5D_t622C5D3F6563BEE95999E5D27EA9C4DC087C682D* get_s_GlyphMarshallingStruct_IN_2() const { return ___s_GlyphMarshallingStruct_IN_2; }
inline GlyphMarshallingStructU5BU5D_t622C5D3F6563BEE95999E5D27EA9C4DC087C682D** get_address_of_s_GlyphMarshallingStruct_IN_2() { return &___s_GlyphMarshallingStruct_IN_2; }
inline void set_s_GlyphMarshallingStruct_IN_2(GlyphMarshallingStructU5BU5D_t622C5D3F6563BEE95999E5D27EA9C4DC087C682D* value)
{
___s_GlyphMarshallingStruct_IN_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_GlyphMarshallingStruct_IN_2), (void*)value);
}
inline static int32_t get_offset_of_s_GlyphMarshallingStruct_OUT_3() { return static_cast<int32_t>(offsetof(FontEngine_tB40C839EB1E69BEEA23F0D26EA1BCB883CC62AF5_StaticFields, ___s_GlyphMarshallingStruct_OUT_3)); }
inline GlyphMarshallingStructU5BU5D_t622C5D3F6563BEE95999E5D27EA9C4DC087C682D* get_s_GlyphMarshallingStruct_OUT_3() const { return ___s_GlyphMarshallingStruct_OUT_3; }
inline GlyphMarshallingStructU5BU5D_t622C5D3F6563BEE95999E5D27EA9C4DC087C682D** get_address_of_s_GlyphMarshallingStruct_OUT_3() { return &___s_GlyphMarshallingStruct_OUT_3; }
inline void set_s_GlyphMarshallingStruct_OUT_3(GlyphMarshallingStructU5BU5D_t622C5D3F6563BEE95999E5D27EA9C4DC087C682D* value)
{
___s_GlyphMarshallingStruct_OUT_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_GlyphMarshallingStruct_OUT_3), (void*)value);
}
inline static int32_t get_offset_of_s_FreeGlyphRects_4() { return static_cast<int32_t>(offsetof(FontEngine_tB40C839EB1E69BEEA23F0D26EA1BCB883CC62AF5_StaticFields, ___s_FreeGlyphRects_4)); }
inline GlyphRectU5BU5D_tD5D74BCDBD33C0E1CF2D67D5419C526C807D3BDA* get_s_FreeGlyphRects_4() const { return ___s_FreeGlyphRects_4; }
inline GlyphRectU5BU5D_tD5D74BCDBD33C0E1CF2D67D5419C526C807D3BDA** get_address_of_s_FreeGlyphRects_4() { return &___s_FreeGlyphRects_4; }
inline void set_s_FreeGlyphRects_4(GlyphRectU5BU5D_tD5D74BCDBD33C0E1CF2D67D5419C526C807D3BDA* value)
{
___s_FreeGlyphRects_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_FreeGlyphRects_4), (void*)value);
}
inline static int32_t get_offset_of_s_UsedGlyphRects_5() { return static_cast<int32_t>(offsetof(FontEngine_tB40C839EB1E69BEEA23F0D26EA1BCB883CC62AF5_StaticFields, ___s_UsedGlyphRects_5)); }
inline GlyphRectU5BU5D_tD5D74BCDBD33C0E1CF2D67D5419C526C807D3BDA* get_s_UsedGlyphRects_5() const { return ___s_UsedGlyphRects_5; }
inline GlyphRectU5BU5D_tD5D74BCDBD33C0E1CF2D67D5419C526C807D3BDA** get_address_of_s_UsedGlyphRects_5() { return &___s_UsedGlyphRects_5; }
inline void set_s_UsedGlyphRects_5(GlyphRectU5BU5D_tD5D74BCDBD33C0E1CF2D67D5419C526C807D3BDA* value)
{
___s_UsedGlyphRects_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_UsedGlyphRects_5), (void*)value);
}
inline static int32_t get_offset_of_s_PairAdjustmentRecords_MarshallingArray_6() { return static_cast<int32_t>(offsetof(FontEngine_tB40C839EB1E69BEEA23F0D26EA1BCB883CC62AF5_StaticFields, ___s_PairAdjustmentRecords_MarshallingArray_6)); }
inline GlyphPairAdjustmentRecordU5BU5D_tC755C781D08A880F79F50795009CC0D0CA8AE609* get_s_PairAdjustmentRecords_MarshallingArray_6() const { return ___s_PairAdjustmentRecords_MarshallingArray_6; }
inline GlyphPairAdjustmentRecordU5BU5D_tC755C781D08A880F79F50795009CC0D0CA8AE609** get_address_of_s_PairAdjustmentRecords_MarshallingArray_6() { return &___s_PairAdjustmentRecords_MarshallingArray_6; }
inline void set_s_PairAdjustmentRecords_MarshallingArray_6(GlyphPairAdjustmentRecordU5BU5D_tC755C781D08A880F79F50795009CC0D0CA8AE609* value)
{
___s_PairAdjustmentRecords_MarshallingArray_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_PairAdjustmentRecords_MarshallingArray_6), (void*)value);
}
inline static int32_t get_offset_of_s_GlyphLookupDictionary_7() { return static_cast<int32_t>(offsetof(FontEngine_tB40C839EB1E69BEEA23F0D26EA1BCB883CC62AF5_StaticFields, ___s_GlyphLookupDictionary_7)); }
inline Dictionary_2_tDA5C03A58B5E004C6D454EF31BF9C5307FE785BE * get_s_GlyphLookupDictionary_7() const { return ___s_GlyphLookupDictionary_7; }
inline Dictionary_2_tDA5C03A58B5E004C6D454EF31BF9C5307FE785BE ** get_address_of_s_GlyphLookupDictionary_7() { return &___s_GlyphLookupDictionary_7; }
inline void set_s_GlyphLookupDictionary_7(Dictionary_2_tDA5C03A58B5E004C6D454EF31BF9C5307FE785BE * value)
{
___s_GlyphLookupDictionary_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_GlyphLookupDictionary_7), (void*)value);
}
};
// UnityEngine.UI.FontUpdateTracker
struct FontUpdateTracker_t6CDAB2F65201DFA5C15166ED2318E076F58620CF : public RuntimeObject
{
public:
public:
};
struct FontUpdateTracker_t6CDAB2F65201DFA5C15166ED2318E076F58620CF_StaticFields
{
public:
// System.Collections.Generic.Dictionary`2<UnityEngine.Font,System.Collections.Generic.HashSet`1<UnityEngine.UI.Text>> UnityEngine.UI.FontUpdateTracker::m_Tracked
Dictionary_2_t4F42AAD6C75C36A4A9D4B0CD537DAF5D5F503079 * ___m_Tracked_0;
public:
inline static int32_t get_offset_of_m_Tracked_0() { return static_cast<int32_t>(offsetof(FontUpdateTracker_t6CDAB2F65201DFA5C15166ED2318E076F58620CF_StaticFields, ___m_Tracked_0)); }
inline Dictionary_2_t4F42AAD6C75C36A4A9D4B0CD537DAF5D5F503079 * get_m_Tracked_0() const { return ___m_Tracked_0; }
inline Dictionary_2_t4F42AAD6C75C36A4A9D4B0CD537DAF5D5F503079 ** get_address_of_m_Tracked_0() { return &___m_Tracked_0; }
inline void set_m_Tracked_0(Dictionary_2_t4F42AAD6C75C36A4A9D4B0CD537DAF5D5F503079 * value)
{
___m_Tracked_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Tracked_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Core.Formatting.FormatCache
struct FormatCache_t4F6B4586AEED86AD3934044A4661A92A6EB22812 : public RuntimeObject
{
public:
// UnityEngine.Localization.SmartFormat.Core.Parsing.Format UnityEngine.Localization.SmartFormat.Core.Formatting.FormatCache::<Format>k__BackingField
Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * ___U3CFormatU3Ek__BackingField_0;
// System.Collections.Generic.Dictionary`2<System.String,System.Object> UnityEngine.Localization.SmartFormat.Core.Formatting.FormatCache::<CachedObjects>k__BackingField
Dictionary_2_t692011309BA94F599C6042A381FC9F8B3CB08399 * ___U3CCachedObjectsU3Ek__BackingField_1;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.GlobalVariables.IGlobalVariableValueChanged> UnityEngine.Localization.SmartFormat.Core.Formatting.FormatCache::<GlobalVariableTriggers>k__BackingField
List_1_t91ED617532D9524BF9021795C9B9359F57AF3088 * ___U3CGlobalVariableTriggersU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CFormatU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(FormatCache_t4F6B4586AEED86AD3934044A4661A92A6EB22812, ___U3CFormatU3Ek__BackingField_0)); }
inline Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * get_U3CFormatU3Ek__BackingField_0() const { return ___U3CFormatU3Ek__BackingField_0; }
inline Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E ** get_address_of_U3CFormatU3Ek__BackingField_0() { return &___U3CFormatU3Ek__BackingField_0; }
inline void set_U3CFormatU3Ek__BackingField_0(Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * value)
{
___U3CFormatU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CFormatU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CCachedObjectsU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(FormatCache_t4F6B4586AEED86AD3934044A4661A92A6EB22812, ___U3CCachedObjectsU3Ek__BackingField_1)); }
inline Dictionary_2_t692011309BA94F599C6042A381FC9F8B3CB08399 * get_U3CCachedObjectsU3Ek__BackingField_1() const { return ___U3CCachedObjectsU3Ek__BackingField_1; }
inline Dictionary_2_t692011309BA94F599C6042A381FC9F8B3CB08399 ** get_address_of_U3CCachedObjectsU3Ek__BackingField_1() { return &___U3CCachedObjectsU3Ek__BackingField_1; }
inline void set_U3CCachedObjectsU3Ek__BackingField_1(Dictionary_2_t692011309BA94F599C6042A381FC9F8B3CB08399 * value)
{
___U3CCachedObjectsU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CCachedObjectsU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CGlobalVariableTriggersU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(FormatCache_t4F6B4586AEED86AD3934044A4661A92A6EB22812, ___U3CGlobalVariableTriggersU3Ek__BackingField_2)); }
inline List_1_t91ED617532D9524BF9021795C9B9359F57AF3088 * get_U3CGlobalVariableTriggersU3Ek__BackingField_2() const { return ___U3CGlobalVariableTriggersU3Ek__BackingField_2; }
inline List_1_t91ED617532D9524BF9021795C9B9359F57AF3088 ** get_address_of_U3CGlobalVariableTriggersU3Ek__BackingField_2() { return &___U3CGlobalVariableTriggersU3Ek__BackingField_2; }
inline void set_U3CGlobalVariableTriggersU3Ek__BackingField_2(List_1_t91ED617532D9524BF9021795C9B9359F57AF3088 * value)
{
___U3CGlobalVariableTriggersU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CGlobalVariableTriggersU3Ek__BackingField_2), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.FormatCachePool
struct FormatCachePool_t4452FF3391E54FB7C5991854CDADF6A6D8DA9896 : public RuntimeObject
{
public:
public:
};
struct FormatCachePool_t4452FF3391E54FB7C5991854CDADF6A6D8DA9896_StaticFields
{
public:
// UnityEngine.Pool.ObjectPool`1<UnityEngine.Localization.SmartFormat.Core.Formatting.FormatCache> UnityEngine.Localization.SmartFormat.FormatCachePool::s_Pool
ObjectPool_1_t7C2628AA8A891682CF94E26455BC72014BD51A88 * ___s_Pool_0;
public:
inline static int32_t get_offset_of_s_Pool_0() { return static_cast<int32_t>(offsetof(FormatCachePool_t4452FF3391E54FB7C5991854CDADF6A6D8DA9896_StaticFields, ___s_Pool_0)); }
inline ObjectPool_1_t7C2628AA8A891682CF94E26455BC72014BD51A88 * get_s_Pool_0() const { return ___s_Pool_0; }
inline ObjectPool_1_t7C2628AA8A891682CF94E26455BC72014BD51A88 ** get_address_of_s_Pool_0() { return &___s_Pool_0; }
inline void set_s_Pool_0(ObjectPool_1_t7C2628AA8A891682CF94E26455BC72014BD51A88 * value)
{
___s_Pool_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Pool_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Utilities.FormatDelegate
struct FormatDelegate_t2E6C86A294C7CDA50900B5203F3FB6FBD9AEFC4E : public RuntimeObject
{
public:
// System.Func`2<System.String,System.String> UnityEngine.Localization.SmartFormat.Utilities.FormatDelegate::getFormat1
Func_2_t5FF29EF71496B6AFA2C5B7FF601B0EFA1C47A41A * ___getFormat1_0;
// System.Func`3<System.String,System.IFormatProvider,System.String> UnityEngine.Localization.SmartFormat.Utilities.FormatDelegate::getFormat2
Func_3_t03B69788F4BCA36629E10C1C51143858EB1854A2 * ___getFormat2_1;
public:
inline static int32_t get_offset_of_getFormat1_0() { return static_cast<int32_t>(offsetof(FormatDelegate_t2E6C86A294C7CDA50900B5203F3FB6FBD9AEFC4E, ___getFormat1_0)); }
inline Func_2_t5FF29EF71496B6AFA2C5B7FF601B0EFA1C47A41A * get_getFormat1_0() const { return ___getFormat1_0; }
inline Func_2_t5FF29EF71496B6AFA2C5B7FF601B0EFA1C47A41A ** get_address_of_getFormat1_0() { return &___getFormat1_0; }
inline void set_getFormat1_0(Func_2_t5FF29EF71496B6AFA2C5B7FF601B0EFA1C47A41A * value)
{
___getFormat1_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___getFormat1_0), (void*)value);
}
inline static int32_t get_offset_of_getFormat2_1() { return static_cast<int32_t>(offsetof(FormatDelegate_t2E6C86A294C7CDA50900B5203F3FB6FBD9AEFC4E, ___getFormat2_1)); }
inline Func_3_t03B69788F4BCA36629E10C1C51143858EB1854A2 * get_getFormat2_1() const { return ___getFormat2_1; }
inline Func_3_t03B69788F4BCA36629E10C1C51143858EB1854A2 ** get_address_of_getFormat2_1() { return &___getFormat2_1; }
inline void set_getFormat2_1(Func_3_t03B69788F4BCA36629E10C1C51143858EB1854A2 * value)
{
___getFormat2_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___getFormat2_1), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Core.Formatting.FormatDetails
struct FormatDetails_t66E2407A10EBE2859C428830F49442618B0BB853 : public RuntimeObject
{
public:
// UnityEngine.Localization.SmartFormat.SmartFormatter UnityEngine.Localization.SmartFormat.Core.Formatting.FormatDetails::<Formatter>k__BackingField
SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 * ___U3CFormatterU3Ek__BackingField_0;
// UnityEngine.Localization.SmartFormat.Core.Parsing.Format UnityEngine.Localization.SmartFormat.Core.Formatting.FormatDetails::<OriginalFormat>k__BackingField
Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * ___U3COriginalFormatU3Ek__BackingField_1;
// System.Collections.Generic.IList`1<System.Object> UnityEngine.Localization.SmartFormat.Core.Formatting.FormatDetails::<OriginalArgs>k__BackingField
RuntimeObject* ___U3COriginalArgsU3Ek__BackingField_2;
// UnityEngine.Localization.SmartFormat.Core.Formatting.FormatCache UnityEngine.Localization.SmartFormat.Core.Formatting.FormatDetails::<FormatCache>k__BackingField
FormatCache_t4F6B4586AEED86AD3934044A4661A92A6EB22812 * ___U3CFormatCacheU3Ek__BackingField_3;
// System.IFormatProvider UnityEngine.Localization.SmartFormat.Core.Formatting.FormatDetails::<Provider>k__BackingField
RuntimeObject* ___U3CProviderU3Ek__BackingField_4;
// UnityEngine.Localization.SmartFormat.Core.Output.IOutput UnityEngine.Localization.SmartFormat.Core.Formatting.FormatDetails::<Output>k__BackingField
RuntimeObject* ___U3COutputU3Ek__BackingField_5;
// UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingException UnityEngine.Localization.SmartFormat.Core.Formatting.FormatDetails::<FormattingException>k__BackingField
FormattingException_t2367F6BB7974421C65FCE00BFA026F01CCE5849D * ___U3CFormattingExceptionU3Ek__BackingField_6;
public:
inline static int32_t get_offset_of_U3CFormatterU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(FormatDetails_t66E2407A10EBE2859C428830F49442618B0BB853, ___U3CFormatterU3Ek__BackingField_0)); }
inline SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 * get_U3CFormatterU3Ek__BackingField_0() const { return ___U3CFormatterU3Ek__BackingField_0; }
inline SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 ** get_address_of_U3CFormatterU3Ek__BackingField_0() { return &___U3CFormatterU3Ek__BackingField_0; }
inline void set_U3CFormatterU3Ek__BackingField_0(SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 * value)
{
___U3CFormatterU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CFormatterU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3COriginalFormatU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(FormatDetails_t66E2407A10EBE2859C428830F49442618B0BB853, ___U3COriginalFormatU3Ek__BackingField_1)); }
inline Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * get_U3COriginalFormatU3Ek__BackingField_1() const { return ___U3COriginalFormatU3Ek__BackingField_1; }
inline Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E ** get_address_of_U3COriginalFormatU3Ek__BackingField_1() { return &___U3COriginalFormatU3Ek__BackingField_1; }
inline void set_U3COriginalFormatU3Ek__BackingField_1(Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * value)
{
___U3COriginalFormatU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3COriginalFormatU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3COriginalArgsU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(FormatDetails_t66E2407A10EBE2859C428830F49442618B0BB853, ___U3COriginalArgsU3Ek__BackingField_2)); }
inline RuntimeObject* get_U3COriginalArgsU3Ek__BackingField_2() const { return ___U3COriginalArgsU3Ek__BackingField_2; }
inline RuntimeObject** get_address_of_U3COriginalArgsU3Ek__BackingField_2() { return &___U3COriginalArgsU3Ek__BackingField_2; }
inline void set_U3COriginalArgsU3Ek__BackingField_2(RuntimeObject* value)
{
___U3COriginalArgsU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3COriginalArgsU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CFormatCacheU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(FormatDetails_t66E2407A10EBE2859C428830F49442618B0BB853, ___U3CFormatCacheU3Ek__BackingField_3)); }
inline FormatCache_t4F6B4586AEED86AD3934044A4661A92A6EB22812 * get_U3CFormatCacheU3Ek__BackingField_3() const { return ___U3CFormatCacheU3Ek__BackingField_3; }
inline FormatCache_t4F6B4586AEED86AD3934044A4661A92A6EB22812 ** get_address_of_U3CFormatCacheU3Ek__BackingField_3() { return &___U3CFormatCacheU3Ek__BackingField_3; }
inline void set_U3CFormatCacheU3Ek__BackingField_3(FormatCache_t4F6B4586AEED86AD3934044A4661A92A6EB22812 * value)
{
___U3CFormatCacheU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CFormatCacheU3Ek__BackingField_3), (void*)value);
}
inline static int32_t get_offset_of_U3CProviderU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(FormatDetails_t66E2407A10EBE2859C428830F49442618B0BB853, ___U3CProviderU3Ek__BackingField_4)); }
inline RuntimeObject* get_U3CProviderU3Ek__BackingField_4() const { return ___U3CProviderU3Ek__BackingField_4; }
inline RuntimeObject** get_address_of_U3CProviderU3Ek__BackingField_4() { return &___U3CProviderU3Ek__BackingField_4; }
inline void set_U3CProviderU3Ek__BackingField_4(RuntimeObject* value)
{
___U3CProviderU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CProviderU3Ek__BackingField_4), (void*)value);
}
inline static int32_t get_offset_of_U3COutputU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(FormatDetails_t66E2407A10EBE2859C428830F49442618B0BB853, ___U3COutputU3Ek__BackingField_5)); }
inline RuntimeObject* get_U3COutputU3Ek__BackingField_5() const { return ___U3COutputU3Ek__BackingField_5; }
inline RuntimeObject** get_address_of_U3COutputU3Ek__BackingField_5() { return &___U3COutputU3Ek__BackingField_5; }
inline void set_U3COutputU3Ek__BackingField_5(RuntimeObject* value)
{
___U3COutputU3Ek__BackingField_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3COutputU3Ek__BackingField_5), (void*)value);
}
inline static int32_t get_offset_of_U3CFormattingExceptionU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(FormatDetails_t66E2407A10EBE2859C428830F49442618B0BB853, ___U3CFormattingExceptionU3Ek__BackingField_6)); }
inline FormattingException_t2367F6BB7974421C65FCE00BFA026F01CCE5849D * get_U3CFormattingExceptionU3Ek__BackingField_6() const { return ___U3CFormattingExceptionU3Ek__BackingField_6; }
inline FormattingException_t2367F6BB7974421C65FCE00BFA026F01CCE5849D ** get_address_of_U3CFormattingExceptionU3Ek__BackingField_6() { return &___U3CFormattingExceptionU3Ek__BackingField_6; }
inline void set_U3CFormattingExceptionU3Ek__BackingField_6(FormattingException_t2367F6BB7974421C65FCE00BFA026F01CCE5849D * value)
{
___U3CFormattingExceptionU3Ek__BackingField_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CFormattingExceptionU3Ek__BackingField_6), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.FormatDetailsPool
struct FormatDetailsPool_t32E71F44A027F9C828C9EA1203C7568F1A38E82A : public RuntimeObject
{
public:
public:
};
struct FormatDetailsPool_t32E71F44A027F9C828C9EA1203C7568F1A38E82A_StaticFields
{
public:
// UnityEngine.Pool.ObjectPool`1<UnityEngine.Localization.SmartFormat.Core.Formatting.FormatDetails> UnityEngine.Localization.SmartFormat.FormatDetailsPool::s_Pool
ObjectPool_1_t657A222A7C6E921BE02303623EDA0F3122B4DC63 * ___s_Pool_0;
public:
inline static int32_t get_offset_of_s_Pool_0() { return static_cast<int32_t>(offsetof(FormatDetailsPool_t32E71F44A027F9C828C9EA1203C7568F1A38E82A_StaticFields, ___s_Pool_0)); }
inline ObjectPool_1_t657A222A7C6E921BE02303623EDA0F3122B4DC63 * get_s_Pool_0() const { return ___s_Pool_0; }
inline ObjectPool_1_t657A222A7C6E921BE02303623EDA0F3122B4DC63 ** get_address_of_s_Pool_0() { return &___s_Pool_0; }
inline void set_s_Pool_0(ObjectPool_1_t657A222A7C6E921BE02303623EDA0F3122B4DC63 * value)
{
___s_Pool_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Pool_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem
struct FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843 : public RuntimeObject
{
public:
// System.String UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem::baseString
String_t* ___baseString_0;
// System.Int32 UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem::endIndex
int32_t ___endIndex_1;
// UnityEngine.Localization.SmartFormat.Core.Settings.SmartSettings UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem::SmartSettings
SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627 * ___SmartSettings_2;
// System.Int32 UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem::startIndex
int32_t ___startIndex_3;
// System.String UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem::m_RawText
String_t* ___m_RawText_4;
// UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem::<Parent>k__BackingField
FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843 * ___U3CParentU3Ek__BackingField_5;
public:
inline static int32_t get_offset_of_baseString_0() { return static_cast<int32_t>(offsetof(FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843, ___baseString_0)); }
inline String_t* get_baseString_0() const { return ___baseString_0; }
inline String_t** get_address_of_baseString_0() { return &___baseString_0; }
inline void set_baseString_0(String_t* value)
{
___baseString_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___baseString_0), (void*)value);
}
inline static int32_t get_offset_of_endIndex_1() { return static_cast<int32_t>(offsetof(FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843, ___endIndex_1)); }
inline int32_t get_endIndex_1() const { return ___endIndex_1; }
inline int32_t* get_address_of_endIndex_1() { return &___endIndex_1; }
inline void set_endIndex_1(int32_t value)
{
___endIndex_1 = value;
}
inline static int32_t get_offset_of_SmartSettings_2() { return static_cast<int32_t>(offsetof(FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843, ___SmartSettings_2)); }
inline SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627 * get_SmartSettings_2() const { return ___SmartSettings_2; }
inline SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627 ** get_address_of_SmartSettings_2() { return &___SmartSettings_2; }
inline void set_SmartSettings_2(SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627 * value)
{
___SmartSettings_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___SmartSettings_2), (void*)value);
}
inline static int32_t get_offset_of_startIndex_3() { return static_cast<int32_t>(offsetof(FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843, ___startIndex_3)); }
inline int32_t get_startIndex_3() const { return ___startIndex_3; }
inline int32_t* get_address_of_startIndex_3() { return &___startIndex_3; }
inline void set_startIndex_3(int32_t value)
{
___startIndex_3 = value;
}
inline static int32_t get_offset_of_m_RawText_4() { return static_cast<int32_t>(offsetof(FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843, ___m_RawText_4)); }
inline String_t* get_m_RawText_4() const { return ___m_RawText_4; }
inline String_t** get_address_of_m_RawText_4() { return &___m_RawText_4; }
inline void set_m_RawText_4(String_t* value)
{
___m_RawText_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RawText_4), (void*)value);
}
inline static int32_t get_offset_of_U3CParentU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843, ___U3CParentU3Ek__BackingField_5)); }
inline FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843 * get_U3CParentU3Ek__BackingField_5() const { return ___U3CParentU3Ek__BackingField_5; }
inline FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843 ** get_address_of_U3CParentU3Ek__BackingField_5() { return &___U3CParentU3Ek__BackingField_5; }
inline void set_U3CParentU3Ek__BackingField_5(FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843 * value)
{
___U3CParentU3Ek__BackingField_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CParentU3Ek__BackingField_5), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.FormatItemPool
struct FormatItemPool_t29F23EA24D8E05166B481C6693C1D7F1ECBB05B9 : public RuntimeObject
{
public:
public:
};
struct FormatItemPool_t29F23EA24D8E05166B481C6693C1D7F1ECBB05B9_StaticFields
{
public:
// UnityEngine.Pool.ObjectPool`1<UnityEngine.Localization.SmartFormat.Core.Parsing.LiteralText> UnityEngine.Localization.SmartFormat.FormatItemPool::s_LiteralTextPool
ObjectPool_1_tB6A6300DAAF783EA7CF66CCDE1199F5998C7514B * ___s_LiteralTextPool_0;
// UnityEngine.Pool.ObjectPool`1<UnityEngine.Localization.SmartFormat.Core.Parsing.Format> UnityEngine.Localization.SmartFormat.FormatItemPool::s_FormatPool
ObjectPool_1_t256AFFC85C019E1818BC2B7C142FB515EBB74383 * ___s_FormatPool_1;
// UnityEngine.Pool.ObjectPool`1<UnityEngine.Localization.SmartFormat.Core.Parsing.Placeholder> UnityEngine.Localization.SmartFormat.FormatItemPool::s_PlaceholderPool
ObjectPool_1_tA4F548145191D6C2296EB3226FAAD477D5B44706 * ___s_PlaceholderPool_2;
// UnityEngine.Pool.ObjectPool`1<UnityEngine.Localization.SmartFormat.Core.Parsing.Selector> UnityEngine.Localization.SmartFormat.FormatItemPool::s_SelectorPool
ObjectPool_1_tB26353B1BA97B5D92E1A299A7C06A293F732215F * ___s_SelectorPool_3;
public:
inline static int32_t get_offset_of_s_LiteralTextPool_0() { return static_cast<int32_t>(offsetof(FormatItemPool_t29F23EA24D8E05166B481C6693C1D7F1ECBB05B9_StaticFields, ___s_LiteralTextPool_0)); }
inline ObjectPool_1_tB6A6300DAAF783EA7CF66CCDE1199F5998C7514B * get_s_LiteralTextPool_0() const { return ___s_LiteralTextPool_0; }
inline ObjectPool_1_tB6A6300DAAF783EA7CF66CCDE1199F5998C7514B ** get_address_of_s_LiteralTextPool_0() { return &___s_LiteralTextPool_0; }
inline void set_s_LiteralTextPool_0(ObjectPool_1_tB6A6300DAAF783EA7CF66CCDE1199F5998C7514B * value)
{
___s_LiteralTextPool_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_LiteralTextPool_0), (void*)value);
}
inline static int32_t get_offset_of_s_FormatPool_1() { return static_cast<int32_t>(offsetof(FormatItemPool_t29F23EA24D8E05166B481C6693C1D7F1ECBB05B9_StaticFields, ___s_FormatPool_1)); }
inline ObjectPool_1_t256AFFC85C019E1818BC2B7C142FB515EBB74383 * get_s_FormatPool_1() const { return ___s_FormatPool_1; }
inline ObjectPool_1_t256AFFC85C019E1818BC2B7C142FB515EBB74383 ** get_address_of_s_FormatPool_1() { return &___s_FormatPool_1; }
inline void set_s_FormatPool_1(ObjectPool_1_t256AFFC85C019E1818BC2B7C142FB515EBB74383 * value)
{
___s_FormatPool_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_FormatPool_1), (void*)value);
}
inline static int32_t get_offset_of_s_PlaceholderPool_2() { return static_cast<int32_t>(offsetof(FormatItemPool_t29F23EA24D8E05166B481C6693C1D7F1ECBB05B9_StaticFields, ___s_PlaceholderPool_2)); }
inline ObjectPool_1_tA4F548145191D6C2296EB3226FAAD477D5B44706 * get_s_PlaceholderPool_2() const { return ___s_PlaceholderPool_2; }
inline ObjectPool_1_tA4F548145191D6C2296EB3226FAAD477D5B44706 ** get_address_of_s_PlaceholderPool_2() { return &___s_PlaceholderPool_2; }
inline void set_s_PlaceholderPool_2(ObjectPool_1_tA4F548145191D6C2296EB3226FAAD477D5B44706 * value)
{
___s_PlaceholderPool_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_PlaceholderPool_2), (void*)value);
}
inline static int32_t get_offset_of_s_SelectorPool_3() { return static_cast<int32_t>(offsetof(FormatItemPool_t29F23EA24D8E05166B481C6693C1D7F1ECBB05B9_StaticFields, ___s_SelectorPool_3)); }
inline ObjectPool_1_tB26353B1BA97B5D92E1A299A7C06A293F732215F * get_s_SelectorPool_3() const { return ___s_SelectorPool_3; }
inline ObjectPool_1_tB26353B1BA97B5D92E1A299A7C06A293F732215F ** get_address_of_s_SelectorPool_3() { return &___s_SelectorPool_3; }
inline void set_s_SelectorPool_3(ObjectPool_1_tB26353B1BA97B5D92E1A299A7C06A293F732215F * value)
{
___s_SelectorPool_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SelectorPool_3), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Core.Extensions.FormatterBase
struct FormatterBase_t9C41952D199D3C96A9F94A46395C8E387B42FC0C : public RuntimeObject
{
public:
// System.String[] UnityEngine.Localization.SmartFormat.Core.Extensions.FormatterBase::m_Names
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___m_Names_0;
public:
inline static int32_t get_offset_of_m_Names_0() { return static_cast<int32_t>(offsetof(FormatterBase_t9C41952D199D3C96A9F94A46395C8E387B42FC0C, ___m_Names_0)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_m_Names_0() const { return ___m_Names_0; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_m_Names_0() { return &___m_Names_0; }
inline void set_m_Names_0(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___m_Names_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Names_0), (void*)value);
}
};
// System.Runtime.Serialization.FormatterConverter
struct FormatterConverter_t686E6D4D930FFC3B40A8016E0D046E9189895C21 : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingInfo
struct FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB : public RuntimeObject
{
public:
// UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingInfo UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingInfo::<Parent>k__BackingField
FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB * ___U3CParentU3Ek__BackingField_0;
// UnityEngine.Localization.SmartFormat.Core.Parsing.Selector UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingInfo::<Selector>k__BackingField
Selector_tF6C7CE90C0DF83DB6EA881F4C8E38FC33D35FB6B * ___U3CSelectorU3Ek__BackingField_1;
// UnityEngine.Localization.SmartFormat.Core.Formatting.FormatDetails UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingInfo::<FormatDetails>k__BackingField
FormatDetails_t66E2407A10EBE2859C428830F49442618B0BB853 * ___U3CFormatDetailsU3Ek__BackingField_2;
// System.Object UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingInfo::<CurrentValue>k__BackingField
RuntimeObject * ___U3CCurrentValueU3Ek__BackingField_3;
// UnityEngine.Localization.SmartFormat.Core.Parsing.Placeholder UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingInfo::<Placeholder>k__BackingField
Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE * ___U3CPlaceholderU3Ek__BackingField_4;
// UnityEngine.Localization.SmartFormat.Core.Parsing.Format UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingInfo::<Format>k__BackingField
Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * ___U3CFormatU3Ek__BackingField_5;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingInfo> UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingInfo::<Children>k__BackingField
List_1_t7FE17033C920BDE851378462173FF91FA5FF5424 * ___U3CChildrenU3Ek__BackingField_6;
// System.Object UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingInfo::<Result>k__BackingField
RuntimeObject * ___U3CResultU3Ek__BackingField_7;
public:
inline static int32_t get_offset_of_U3CParentU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB, ___U3CParentU3Ek__BackingField_0)); }
inline FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB * get_U3CParentU3Ek__BackingField_0() const { return ___U3CParentU3Ek__BackingField_0; }
inline FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB ** get_address_of_U3CParentU3Ek__BackingField_0() { return &___U3CParentU3Ek__BackingField_0; }
inline void set_U3CParentU3Ek__BackingField_0(FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB * value)
{
___U3CParentU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CParentU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CSelectorU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB, ___U3CSelectorU3Ek__BackingField_1)); }
inline Selector_tF6C7CE90C0DF83DB6EA881F4C8E38FC33D35FB6B * get_U3CSelectorU3Ek__BackingField_1() const { return ___U3CSelectorU3Ek__BackingField_1; }
inline Selector_tF6C7CE90C0DF83DB6EA881F4C8E38FC33D35FB6B ** get_address_of_U3CSelectorU3Ek__BackingField_1() { return &___U3CSelectorU3Ek__BackingField_1; }
inline void set_U3CSelectorU3Ek__BackingField_1(Selector_tF6C7CE90C0DF83DB6EA881F4C8E38FC33D35FB6B * value)
{
___U3CSelectorU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CSelectorU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CFormatDetailsU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB, ___U3CFormatDetailsU3Ek__BackingField_2)); }
inline FormatDetails_t66E2407A10EBE2859C428830F49442618B0BB853 * get_U3CFormatDetailsU3Ek__BackingField_2() const { return ___U3CFormatDetailsU3Ek__BackingField_2; }
inline FormatDetails_t66E2407A10EBE2859C428830F49442618B0BB853 ** get_address_of_U3CFormatDetailsU3Ek__BackingField_2() { return &___U3CFormatDetailsU3Ek__BackingField_2; }
inline void set_U3CFormatDetailsU3Ek__BackingField_2(FormatDetails_t66E2407A10EBE2859C428830F49442618B0BB853 * value)
{
___U3CFormatDetailsU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CFormatDetailsU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CCurrentValueU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB, ___U3CCurrentValueU3Ek__BackingField_3)); }
inline RuntimeObject * get_U3CCurrentValueU3Ek__BackingField_3() const { return ___U3CCurrentValueU3Ek__BackingField_3; }
inline RuntimeObject ** get_address_of_U3CCurrentValueU3Ek__BackingField_3() { return &___U3CCurrentValueU3Ek__BackingField_3; }
inline void set_U3CCurrentValueU3Ek__BackingField_3(RuntimeObject * value)
{
___U3CCurrentValueU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CCurrentValueU3Ek__BackingField_3), (void*)value);
}
inline static int32_t get_offset_of_U3CPlaceholderU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB, ___U3CPlaceholderU3Ek__BackingField_4)); }
inline Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE * get_U3CPlaceholderU3Ek__BackingField_4() const { return ___U3CPlaceholderU3Ek__BackingField_4; }
inline Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE ** get_address_of_U3CPlaceholderU3Ek__BackingField_4() { return &___U3CPlaceholderU3Ek__BackingField_4; }
inline void set_U3CPlaceholderU3Ek__BackingField_4(Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE * value)
{
___U3CPlaceholderU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CPlaceholderU3Ek__BackingField_4), (void*)value);
}
inline static int32_t get_offset_of_U3CFormatU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB, ___U3CFormatU3Ek__BackingField_5)); }
inline Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * get_U3CFormatU3Ek__BackingField_5() const { return ___U3CFormatU3Ek__BackingField_5; }
inline Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E ** get_address_of_U3CFormatU3Ek__BackingField_5() { return &___U3CFormatU3Ek__BackingField_5; }
inline void set_U3CFormatU3Ek__BackingField_5(Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * value)
{
___U3CFormatU3Ek__BackingField_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CFormatU3Ek__BackingField_5), (void*)value);
}
inline static int32_t get_offset_of_U3CChildrenU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB, ___U3CChildrenU3Ek__BackingField_6)); }
inline List_1_t7FE17033C920BDE851378462173FF91FA5FF5424 * get_U3CChildrenU3Ek__BackingField_6() const { return ___U3CChildrenU3Ek__BackingField_6; }
inline List_1_t7FE17033C920BDE851378462173FF91FA5FF5424 ** get_address_of_U3CChildrenU3Ek__BackingField_6() { return &___U3CChildrenU3Ek__BackingField_6; }
inline void set_U3CChildrenU3Ek__BackingField_6(List_1_t7FE17033C920BDE851378462173FF91FA5FF5424 * value)
{
___U3CChildrenU3Ek__BackingField_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CChildrenU3Ek__BackingField_6), (void*)value);
}
inline static int32_t get_offset_of_U3CResultU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB, ___U3CResultU3Ek__BackingField_7)); }
inline RuntimeObject * get_U3CResultU3Ek__BackingField_7() const { return ___U3CResultU3Ek__BackingField_7; }
inline RuntimeObject ** get_address_of_U3CResultU3Ek__BackingField_7() { return &___U3CResultU3Ek__BackingField_7; }
inline void set_U3CResultU3Ek__BackingField_7(RuntimeObject * value)
{
___U3CResultU3Ek__BackingField_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CResultU3Ek__BackingField_7), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.FormattingInfoPool
struct FormattingInfoPool_tB5DE57EC3888FDE1731DBCE54240BE759435136F : public RuntimeObject
{
public:
public:
};
struct FormattingInfoPool_tB5DE57EC3888FDE1731DBCE54240BE759435136F_StaticFields
{
public:
// UnityEngine.Pool.ObjectPool`1<UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingInfo> UnityEngine.Localization.SmartFormat.FormattingInfoPool::s_Pool
ObjectPool_1_tE6CA514554EAF5C27DE2E027801577D7E5224139 * ___s_Pool_0;
public:
inline static int32_t get_offset_of_s_Pool_0() { return static_cast<int32_t>(offsetof(FormattingInfoPool_tB5DE57EC3888FDE1731DBCE54240BE759435136F_StaticFields, ___s_Pool_0)); }
inline ObjectPool_1_tE6CA514554EAF5C27DE2E027801577D7E5224139 * get_s_Pool_0() const { return ___s_Pool_0; }
inline ObjectPool_1_tE6CA514554EAF5C27DE2E027801577D7E5224139 ** get_address_of_s_Pool_0() { return &___s_Pool_0; }
inline void set_s_Pool_0(ObjectPool_1_tE6CA514554EAF5C27DE2E027801577D7E5224139 * value)
{
___s_Pool_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Pool_0), (void*)value);
}
};
// System.GC
struct GC_tD6F0377620BF01385965FD29272CF088A4309C0D : public RuntimeObject
{
public:
public:
};
struct GC_tD6F0377620BF01385965FD29272CF088A4309C0D_StaticFields
{
public:
// System.Object System.GC::EPHEMERON_TOMBSTONE
RuntimeObject * ___EPHEMERON_TOMBSTONE_0;
public:
inline static int32_t get_offset_of_EPHEMERON_TOMBSTONE_0() { return static_cast<int32_t>(offsetof(GC_tD6F0377620BF01385965FD29272CF088A4309C0D_StaticFields, ___EPHEMERON_TOMBSTONE_0)); }
inline RuntimeObject * get_EPHEMERON_TOMBSTONE_0() const { return ___EPHEMERON_TOMBSTONE_0; }
inline RuntimeObject ** get_address_of_EPHEMERON_TOMBSTONE_0() { return &___EPHEMERON_TOMBSTONE_0; }
inline void set_EPHEMERON_TOMBSTONE_0(RuntimeObject * value)
{
___EPHEMERON_TOMBSTONE_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___EPHEMERON_TOMBSTONE_0), (void*)value);
}
};
// UnityEngine.GUIContent
struct GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E : public RuntimeObject
{
public:
// System.String UnityEngine.GUIContent::m_Text
String_t* ___m_Text_0;
// UnityEngine.Texture UnityEngine.GUIContent::m_Image
Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * ___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_t39256993BF4A33F76E073488D6A2F13D678DF60E, ___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((void**)(&___m_Text_0), (void*)value);
}
inline static int32_t get_offset_of_m_Image_1() { return static_cast<int32_t>(offsetof(GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E, ___m_Image_1)); }
inline Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * get_m_Image_1() const { return ___m_Image_1; }
inline Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE ** get_address_of_m_Image_1() { return &___m_Image_1; }
inline void set_m_Image_1(Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * value)
{
___m_Image_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Image_1), (void*)value);
}
inline static int32_t get_offset_of_m_Tooltip_2() { return static_cast<int32_t>(offsetof(GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E, ___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((void**)(&___m_Tooltip_2), (void*)value);
}
};
struct GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E_StaticFields
{
public:
// UnityEngine.GUIContent UnityEngine.GUIContent::s_Text
GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E * ___s_Text_3;
// UnityEngine.GUIContent UnityEngine.GUIContent::s_Image
GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E * ___s_Image_4;
// UnityEngine.GUIContent UnityEngine.GUIContent::s_TextImage
GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E * ___s_TextImage_5;
// UnityEngine.GUIContent UnityEngine.GUIContent::none
GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E * ___none_6;
public:
inline static int32_t get_offset_of_s_Text_3() { return static_cast<int32_t>(offsetof(GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E_StaticFields, ___s_Text_3)); }
inline GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E * get_s_Text_3() const { return ___s_Text_3; }
inline GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E ** get_address_of_s_Text_3() { return &___s_Text_3; }
inline void set_s_Text_3(GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E * value)
{
___s_Text_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Text_3), (void*)value);
}
inline static int32_t get_offset_of_s_Image_4() { return static_cast<int32_t>(offsetof(GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E_StaticFields, ___s_Image_4)); }
inline GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E * get_s_Image_4() const { return ___s_Image_4; }
inline GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E ** get_address_of_s_Image_4() { return &___s_Image_4; }
inline void set_s_Image_4(GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E * value)
{
___s_Image_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Image_4), (void*)value);
}
inline static int32_t get_offset_of_s_TextImage_5() { return static_cast<int32_t>(offsetof(GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E_StaticFields, ___s_TextImage_5)); }
inline GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E * get_s_TextImage_5() const { return ___s_TextImage_5; }
inline GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E ** get_address_of_s_TextImage_5() { return &___s_TextImage_5; }
inline void set_s_TextImage_5(GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E * value)
{
___s_TextImage_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_TextImage_5), (void*)value);
}
inline static int32_t get_offset_of_none_6() { return static_cast<int32_t>(offsetof(GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E_StaticFields, ___none_6)); }
inline GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E * get_none_6() const { return ___none_6; }
inline GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E ** get_address_of_none_6() { return &___none_6; }
inline void set_none_6(GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E * value)
{
___none_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___none_6), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.GUIContent
struct GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E_marshaled_pinvoke
{
char* ___m_Text_0;
Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * ___m_Image_1;
char* ___m_Tooltip_2;
};
// Native definition for COM marshalling of UnityEngine.GUIContent
struct GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E_marshaled_com
{
Il2CppChar* ___m_Text_0;
Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * ___m_Image_1;
Il2CppChar* ___m_Tooltip_2;
};
// UnityEngine.GUILayout
struct GUILayout_tE6ECB58801719BC9339344B37D62007A728C02B8 : public RuntimeObject
{
public:
public:
};
// UnityEngine.GUIUtility
struct GUIUtility_t0730B6D76CF479611ACF80504321B06286D12DE5 : public RuntimeObject
{
public:
public:
};
struct GUIUtility_t0730B6D76CF479611ACF80504321B06286D12DE5_StaticFields
{
public:
// System.Int32 UnityEngine.GUIUtility::s_SkinMode
int32_t ___s_SkinMode_0;
// System.Int32 UnityEngine.GUIUtility::s_OriginalID
int32_t ___s_OriginalID_1;
// System.Action UnityEngine.GUIUtility::takeCapture
Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * ___takeCapture_2;
// System.Action UnityEngine.GUIUtility::releaseCapture
Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * ___releaseCapture_3;
// System.Func`3<System.Int32,System.IntPtr,System.Boolean> UnityEngine.GUIUtility::processEvent
Func_3_tC53D1EA39D16EE63C9C8B6C2EC9769A630644CE0 * ___processEvent_4;
// System.Func`2<System.Exception,System.Boolean> UnityEngine.GUIUtility::endContainerGUIFromException
Func_2_t6283F9D1F2A6C8BB45F72CDAD5856BC3FDF29C3F * ___endContainerGUIFromException_5;
// System.Action UnityEngine.GUIUtility::guiChanged
Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * ___guiChanged_6;
// System.Boolean UnityEngine.GUIUtility::<guiIsExiting>k__BackingField
bool ___U3CguiIsExitingU3Ek__BackingField_7;
public:
inline static int32_t get_offset_of_s_SkinMode_0() { return static_cast<int32_t>(offsetof(GUIUtility_t0730B6D76CF479611ACF80504321B06286D12DE5_StaticFields, ___s_SkinMode_0)); }
inline int32_t get_s_SkinMode_0() const { return ___s_SkinMode_0; }
inline int32_t* get_address_of_s_SkinMode_0() { return &___s_SkinMode_0; }
inline void set_s_SkinMode_0(int32_t value)
{
___s_SkinMode_0 = value;
}
inline static int32_t get_offset_of_s_OriginalID_1() { return static_cast<int32_t>(offsetof(GUIUtility_t0730B6D76CF479611ACF80504321B06286D12DE5_StaticFields, ___s_OriginalID_1)); }
inline int32_t get_s_OriginalID_1() const { return ___s_OriginalID_1; }
inline int32_t* get_address_of_s_OriginalID_1() { return &___s_OriginalID_1; }
inline void set_s_OriginalID_1(int32_t value)
{
___s_OriginalID_1 = value;
}
inline static int32_t get_offset_of_takeCapture_2() { return static_cast<int32_t>(offsetof(GUIUtility_t0730B6D76CF479611ACF80504321B06286D12DE5_StaticFields, ___takeCapture_2)); }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * get_takeCapture_2() const { return ___takeCapture_2; }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 ** get_address_of_takeCapture_2() { return &___takeCapture_2; }
inline void set_takeCapture_2(Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * value)
{
___takeCapture_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___takeCapture_2), (void*)value);
}
inline static int32_t get_offset_of_releaseCapture_3() { return static_cast<int32_t>(offsetof(GUIUtility_t0730B6D76CF479611ACF80504321B06286D12DE5_StaticFields, ___releaseCapture_3)); }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * get_releaseCapture_3() const { return ___releaseCapture_3; }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 ** get_address_of_releaseCapture_3() { return &___releaseCapture_3; }
inline void set_releaseCapture_3(Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * value)
{
___releaseCapture_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___releaseCapture_3), (void*)value);
}
inline static int32_t get_offset_of_processEvent_4() { return static_cast<int32_t>(offsetof(GUIUtility_t0730B6D76CF479611ACF80504321B06286D12DE5_StaticFields, ___processEvent_4)); }
inline Func_3_tC53D1EA39D16EE63C9C8B6C2EC9769A630644CE0 * get_processEvent_4() const { return ___processEvent_4; }
inline Func_3_tC53D1EA39D16EE63C9C8B6C2EC9769A630644CE0 ** get_address_of_processEvent_4() { return &___processEvent_4; }
inline void set_processEvent_4(Func_3_tC53D1EA39D16EE63C9C8B6C2EC9769A630644CE0 * value)
{
___processEvent_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___processEvent_4), (void*)value);
}
inline static int32_t get_offset_of_endContainerGUIFromException_5() { return static_cast<int32_t>(offsetof(GUIUtility_t0730B6D76CF479611ACF80504321B06286D12DE5_StaticFields, ___endContainerGUIFromException_5)); }
inline Func_2_t6283F9D1F2A6C8BB45F72CDAD5856BC3FDF29C3F * get_endContainerGUIFromException_5() const { return ___endContainerGUIFromException_5; }
inline Func_2_t6283F9D1F2A6C8BB45F72CDAD5856BC3FDF29C3F ** get_address_of_endContainerGUIFromException_5() { return &___endContainerGUIFromException_5; }
inline void set_endContainerGUIFromException_5(Func_2_t6283F9D1F2A6C8BB45F72CDAD5856BC3FDF29C3F * value)
{
___endContainerGUIFromException_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___endContainerGUIFromException_5), (void*)value);
}
inline static int32_t get_offset_of_guiChanged_6() { return static_cast<int32_t>(offsetof(GUIUtility_t0730B6D76CF479611ACF80504321B06286D12DE5_StaticFields, ___guiChanged_6)); }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * get_guiChanged_6() const { return ___guiChanged_6; }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 ** get_address_of_guiChanged_6() { return &___guiChanged_6; }
inline void set_guiChanged_6(Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * value)
{
___guiChanged_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___guiChanged_6), (void*)value);
}
inline static int32_t get_offset_of_U3CguiIsExitingU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(GUIUtility_t0730B6D76CF479611ACF80504321B06286D12DE5_StaticFields, ___U3CguiIsExitingU3Ek__BackingField_7)); }
inline bool get_U3CguiIsExitingU3Ek__BackingField_7() const { return ___U3CguiIsExitingU3Ek__BackingField_7; }
inline bool* get_address_of_U3CguiIsExitingU3Ek__BackingField_7() { return &___U3CguiIsExitingU3Ek__BackingField_7; }
inline void set_U3CguiIsExitingU3Ek__BackingField_7(bool value)
{
___U3CguiIsExitingU3Ek__BackingField_7 = value;
}
};
// UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform
struct GameCenterPlatform_t358F709563A6FC9DFBF500151EDAEC05EBBA6F72 : public RuntimeObject
{
public:
public:
};
struct GameCenterPlatform_t358F709563A6FC9DFBF500151EDAEC05EBBA6F72_StaticFields
{
public:
// System.Action`2<System.Boolean,System.String> UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::s_AuthenticateCallback
Action_2_t88E033566C44CCAAB72BD2C7604420B260FD3BF3 * ___s_AuthenticateCallback_0;
// UnityEngine.SocialPlatforms.Impl.AchievementDescription[] UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::s_adCache
AchievementDescriptionU5BU5D_t954BACD501480D95EDB68166CB1F6DD9F07EB8D2* ___s_adCache_1;
// UnityEngine.SocialPlatforms.Impl.UserProfile[] UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::s_friends
UserProfileU5BU5D_tAED4B41D0866F8A4C6D403C2074ACEC812A78769* ___s_friends_2;
// UnityEngine.SocialPlatforms.Impl.UserProfile[] UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::s_users
UserProfileU5BU5D_tAED4B41D0866F8A4C6D403C2074ACEC812A78769* ___s_users_3;
// System.Action`1<System.Boolean> UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::s_ResetAchievements
Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83 * ___s_ResetAchievements_4;
// UnityEngine.SocialPlatforms.Impl.LocalUser UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::m_LocalUser
LocalUser_t1719BEA57FDD71F6C7B280049E94071CD22D985D * ___m_LocalUser_5;
// System.Collections.Generic.List`1<UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard> UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform::m_GcBoards
List_1_t627B55426F2D664F47826CDA6CB351B3B8D8F400 * ___m_GcBoards_6;
public:
inline static int32_t get_offset_of_s_AuthenticateCallback_0() { return static_cast<int32_t>(offsetof(GameCenterPlatform_t358F709563A6FC9DFBF500151EDAEC05EBBA6F72_StaticFields, ___s_AuthenticateCallback_0)); }
inline Action_2_t88E033566C44CCAAB72BD2C7604420B260FD3BF3 * get_s_AuthenticateCallback_0() const { return ___s_AuthenticateCallback_0; }
inline Action_2_t88E033566C44CCAAB72BD2C7604420B260FD3BF3 ** get_address_of_s_AuthenticateCallback_0() { return &___s_AuthenticateCallback_0; }
inline void set_s_AuthenticateCallback_0(Action_2_t88E033566C44CCAAB72BD2C7604420B260FD3BF3 * value)
{
___s_AuthenticateCallback_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_AuthenticateCallback_0), (void*)value);
}
inline static int32_t get_offset_of_s_adCache_1() { return static_cast<int32_t>(offsetof(GameCenterPlatform_t358F709563A6FC9DFBF500151EDAEC05EBBA6F72_StaticFields, ___s_adCache_1)); }
inline AchievementDescriptionU5BU5D_t954BACD501480D95EDB68166CB1F6DD9F07EB8D2* get_s_adCache_1() const { return ___s_adCache_1; }
inline AchievementDescriptionU5BU5D_t954BACD501480D95EDB68166CB1F6DD9F07EB8D2** get_address_of_s_adCache_1() { return &___s_adCache_1; }
inline void set_s_adCache_1(AchievementDescriptionU5BU5D_t954BACD501480D95EDB68166CB1F6DD9F07EB8D2* value)
{
___s_adCache_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_adCache_1), (void*)value);
}
inline static int32_t get_offset_of_s_friends_2() { return static_cast<int32_t>(offsetof(GameCenterPlatform_t358F709563A6FC9DFBF500151EDAEC05EBBA6F72_StaticFields, ___s_friends_2)); }
inline UserProfileU5BU5D_tAED4B41D0866F8A4C6D403C2074ACEC812A78769* get_s_friends_2() const { return ___s_friends_2; }
inline UserProfileU5BU5D_tAED4B41D0866F8A4C6D403C2074ACEC812A78769** get_address_of_s_friends_2() { return &___s_friends_2; }
inline void set_s_friends_2(UserProfileU5BU5D_tAED4B41D0866F8A4C6D403C2074ACEC812A78769* value)
{
___s_friends_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_friends_2), (void*)value);
}
inline static int32_t get_offset_of_s_users_3() { return static_cast<int32_t>(offsetof(GameCenterPlatform_t358F709563A6FC9DFBF500151EDAEC05EBBA6F72_StaticFields, ___s_users_3)); }
inline UserProfileU5BU5D_tAED4B41D0866F8A4C6D403C2074ACEC812A78769* get_s_users_3() const { return ___s_users_3; }
inline UserProfileU5BU5D_tAED4B41D0866F8A4C6D403C2074ACEC812A78769** get_address_of_s_users_3() { return &___s_users_3; }
inline void set_s_users_3(UserProfileU5BU5D_tAED4B41D0866F8A4C6D403C2074ACEC812A78769* value)
{
___s_users_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_users_3), (void*)value);
}
inline static int32_t get_offset_of_s_ResetAchievements_4() { return static_cast<int32_t>(offsetof(GameCenterPlatform_t358F709563A6FC9DFBF500151EDAEC05EBBA6F72_StaticFields, ___s_ResetAchievements_4)); }
inline Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83 * get_s_ResetAchievements_4() const { return ___s_ResetAchievements_4; }
inline Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83 ** get_address_of_s_ResetAchievements_4() { return &___s_ResetAchievements_4; }
inline void set_s_ResetAchievements_4(Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83 * value)
{
___s_ResetAchievements_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_ResetAchievements_4), (void*)value);
}
inline static int32_t get_offset_of_m_LocalUser_5() { return static_cast<int32_t>(offsetof(GameCenterPlatform_t358F709563A6FC9DFBF500151EDAEC05EBBA6F72_StaticFields, ___m_LocalUser_5)); }
inline LocalUser_t1719BEA57FDD71F6C7B280049E94071CD22D985D * get_m_LocalUser_5() const { return ___m_LocalUser_5; }
inline LocalUser_t1719BEA57FDD71F6C7B280049E94071CD22D985D ** get_address_of_m_LocalUser_5() { return &___m_LocalUser_5; }
inline void set_m_LocalUser_5(LocalUser_t1719BEA57FDD71F6C7B280049E94071CD22D985D * value)
{
___m_LocalUser_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocalUser_5), (void*)value);
}
inline static int32_t get_offset_of_m_GcBoards_6() { return static_cast<int32_t>(offsetof(GameCenterPlatform_t358F709563A6FC9DFBF500151EDAEC05EBBA6F72_StaticFields, ___m_GcBoards_6)); }
inline List_1_t627B55426F2D664F47826CDA6CB351B3B8D8F400 * get_m_GcBoards_6() const { return ___m_GcBoards_6; }
inline List_1_t627B55426F2D664F47826CDA6CB351B3B8D8F400 ** get_address_of_m_GcBoards_6() { return &___m_GcBoards_6; }
inline void set_m_GcBoards_6(List_1_t627B55426F2D664F47826CDA6CB351B3B8D8F400 * value)
{
___m_GcBoards_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GcBoards_6), (void*)value);
}
};
// UnityEngine.Gizmos
struct Gizmos_t3B1C6D2CF08526249F6D399D2FEF3885EC411644 : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource
struct GlobalVariablesSource_t63C3E81001CC79BCD3A55CD9C9BF266E89243D5A : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/NameValuePair> UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource::m_Groups
List_1_tB356312388C29BC6521DAF2560262451F89CEC4D * ___m_Groups_0;
// System.Collections.Generic.Dictionary`2<System.String,UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/NameValuePair> UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource::m_GroupLookup
Dictionary_2_t2836702BFF606608EF802428EEC23FFC205F165B * ___m_GroupLookup_1;
public:
inline static int32_t get_offset_of_m_Groups_0() { return static_cast<int32_t>(offsetof(GlobalVariablesSource_t63C3E81001CC79BCD3A55CD9C9BF266E89243D5A, ___m_Groups_0)); }
inline List_1_tB356312388C29BC6521DAF2560262451F89CEC4D * get_m_Groups_0() const { return ___m_Groups_0; }
inline List_1_tB356312388C29BC6521DAF2560262451F89CEC4D ** get_address_of_m_Groups_0() { return &___m_Groups_0; }
inline void set_m_Groups_0(List_1_tB356312388C29BC6521DAF2560262451F89CEC4D * value)
{
___m_Groups_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Groups_0), (void*)value);
}
inline static int32_t get_offset_of_m_GroupLookup_1() { return static_cast<int32_t>(offsetof(GlobalVariablesSource_t63C3E81001CC79BCD3A55CD9C9BF266E89243D5A, ___m_GroupLookup_1)); }
inline Dictionary_2_t2836702BFF606608EF802428EEC23FFC205F165B * get_m_GroupLookup_1() const { return ___m_GroupLookup_1; }
inline Dictionary_2_t2836702BFF606608EF802428EEC23FFC205F165B ** get_address_of_m_GroupLookup_1() { return &___m_GroupLookup_1; }
inline void set_m_GroupLookup_1(Dictionary_2_t2836702BFF606608EF802428EEC23FFC205F165B * value)
{
___m_GroupLookup_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GroupLookup_1), (void*)value);
}
};
struct GlobalVariablesSource_t63C3E81001CC79BCD3A55CD9C9BF266E89243D5A_StaticFields
{
public:
// System.Int32 UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource::s_IsUpdating
int32_t ___s_IsUpdating_2;
// System.Action UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource::EndUpdate
Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * ___EndUpdate_3;
public:
inline static int32_t get_offset_of_s_IsUpdating_2() { return static_cast<int32_t>(offsetof(GlobalVariablesSource_t63C3E81001CC79BCD3A55CD9C9BF266E89243D5A_StaticFields, ___s_IsUpdating_2)); }
inline int32_t get_s_IsUpdating_2() const { return ___s_IsUpdating_2; }
inline int32_t* get_address_of_s_IsUpdating_2() { return &___s_IsUpdating_2; }
inline void set_s_IsUpdating_2(int32_t value)
{
___s_IsUpdating_2 = value;
}
inline static int32_t get_offset_of_EndUpdate_3() { return static_cast<int32_t>(offsetof(GlobalVariablesSource_t63C3E81001CC79BCD3A55CD9C9BF266E89243D5A_StaticFields, ___EndUpdate_3)); }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * get_EndUpdate_3() const { return ___EndUpdate_3; }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 ** get_address_of_EndUpdate_3() { return &___EndUpdate_3; }
inline void set_EndUpdate_3(Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * value)
{
___EndUpdate_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___EndUpdate_3), (void*)value);
}
};
// UnityEngine.UI.GraphicRegistry
struct GraphicRegistry_t3993D13217A68FC7F6FF5A74B3AD46BFD7DFA4B3 : public RuntimeObject
{
public:
// System.Collections.Generic.Dictionary`2<UnityEngine.Canvas,UnityEngine.UI.Collections.IndexedSet`1<UnityEngine.UI.Graphic>> UnityEngine.UI.GraphicRegistry::m_Graphics
Dictionary_2_t79A0FFC8A9EA909E2397C10AFBD9F64EC0154963 * ___m_Graphics_1;
// System.Collections.Generic.Dictionary`2<UnityEngine.Canvas,UnityEngine.UI.Collections.IndexedSet`1<UnityEngine.UI.Graphic>> UnityEngine.UI.GraphicRegistry::m_RaycastableGraphics
Dictionary_2_t79A0FFC8A9EA909E2397C10AFBD9F64EC0154963 * ___m_RaycastableGraphics_2;
public:
inline static int32_t get_offset_of_m_Graphics_1() { return static_cast<int32_t>(offsetof(GraphicRegistry_t3993D13217A68FC7F6FF5A74B3AD46BFD7DFA4B3, ___m_Graphics_1)); }
inline Dictionary_2_t79A0FFC8A9EA909E2397C10AFBD9F64EC0154963 * get_m_Graphics_1() const { return ___m_Graphics_1; }
inline Dictionary_2_t79A0FFC8A9EA909E2397C10AFBD9F64EC0154963 ** get_address_of_m_Graphics_1() { return &___m_Graphics_1; }
inline void set_m_Graphics_1(Dictionary_2_t79A0FFC8A9EA909E2397C10AFBD9F64EC0154963 * value)
{
___m_Graphics_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Graphics_1), (void*)value);
}
inline static int32_t get_offset_of_m_RaycastableGraphics_2() { return static_cast<int32_t>(offsetof(GraphicRegistry_t3993D13217A68FC7F6FF5A74B3AD46BFD7DFA4B3, ___m_RaycastableGraphics_2)); }
inline Dictionary_2_t79A0FFC8A9EA909E2397C10AFBD9F64EC0154963 * get_m_RaycastableGraphics_2() const { return ___m_RaycastableGraphics_2; }
inline Dictionary_2_t79A0FFC8A9EA909E2397C10AFBD9F64EC0154963 ** get_address_of_m_RaycastableGraphics_2() { return &___m_RaycastableGraphics_2; }
inline void set_m_RaycastableGraphics_2(Dictionary_2_t79A0FFC8A9EA909E2397C10AFBD9F64EC0154963 * value)
{
___m_RaycastableGraphics_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RaycastableGraphics_2), (void*)value);
}
};
struct GraphicRegistry_t3993D13217A68FC7F6FF5A74B3AD46BFD7DFA4B3_StaticFields
{
public:
// UnityEngine.UI.GraphicRegistry UnityEngine.UI.GraphicRegistry::s_Instance
GraphicRegistry_t3993D13217A68FC7F6FF5A74B3AD46BFD7DFA4B3 * ___s_Instance_0;
// System.Collections.Generic.List`1<UnityEngine.UI.Graphic> UnityEngine.UI.GraphicRegistry::s_EmptyList
List_1_t2B519B7CD269238D4C71A96E4B005CF88488FACA * ___s_EmptyList_3;
public:
inline static int32_t get_offset_of_s_Instance_0() { return static_cast<int32_t>(offsetof(GraphicRegistry_t3993D13217A68FC7F6FF5A74B3AD46BFD7DFA4B3_StaticFields, ___s_Instance_0)); }
inline GraphicRegistry_t3993D13217A68FC7F6FF5A74B3AD46BFD7DFA4B3 * get_s_Instance_0() const { return ___s_Instance_0; }
inline GraphicRegistry_t3993D13217A68FC7F6FF5A74B3AD46BFD7DFA4B3 ** get_address_of_s_Instance_0() { return &___s_Instance_0; }
inline void set_s_Instance_0(GraphicRegistry_t3993D13217A68FC7F6FF5A74B3AD46BFD7DFA4B3 * value)
{
___s_Instance_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Instance_0), (void*)value);
}
inline static int32_t get_offset_of_s_EmptyList_3() { return static_cast<int32_t>(offsetof(GraphicRegistry_t3993D13217A68FC7F6FF5A74B3AD46BFD7DFA4B3_StaticFields, ___s_EmptyList_3)); }
inline List_1_t2B519B7CD269238D4C71A96E4B005CF88488FACA * get_s_EmptyList_3() const { return ___s_EmptyList_3; }
inline List_1_t2B519B7CD269238D4C71A96E4B005CF88488FACA ** get_address_of_s_EmptyList_3() { return &___s_EmptyList_3; }
inline void set_s_EmptyList_3(List_1_t2B519B7CD269238D4C71A96E4B005CF88488FACA * value)
{
___s_EmptyList_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_EmptyList_3), (void*)value);
}
};
// UnityEngine.Graphics
struct Graphics_t97FAEBE964F3F622D4865E7EC62717FE94D1F56D : public RuntimeObject
{
public:
public:
};
struct Graphics_t97FAEBE964F3F622D4865E7EC62717FE94D1F56D_StaticFields
{
public:
// System.Int32 UnityEngine.Graphics::kMaxDrawMeshInstanceCount
int32_t ___kMaxDrawMeshInstanceCount_0;
public:
inline static int32_t get_offset_of_kMaxDrawMeshInstanceCount_0() { return static_cast<int32_t>(offsetof(Graphics_t97FAEBE964F3F622D4865E7EC62717FE94D1F56D_StaticFields, ___kMaxDrawMeshInstanceCount_0)); }
inline int32_t get_kMaxDrawMeshInstanceCount_0() const { return ___kMaxDrawMeshInstanceCount_0; }
inline int32_t* get_address_of_kMaxDrawMeshInstanceCount_0() { return &___kMaxDrawMeshInstanceCount_0; }
inline void set_kMaxDrawMeshInstanceCount_0(int32_t value)
{
___kMaxDrawMeshInstanceCount_0 = value;
}
};
// UnityEngine.Experimental.Rendering.GraphicsFormatUtility
struct GraphicsFormatUtility_t9CCE50F849BC338ECDCC33C48758A0ACDEC2D969 : public RuntimeObject
{
public:
public:
};
// System.Text.RegularExpressions.GroupCollection
struct GroupCollection_tAA9CA4E93B1A9D6B7199EE25AEB32922E72AA556 : public RuntimeObject
{
public:
// System.Text.RegularExpressions.Match System.Text.RegularExpressions.GroupCollection::_match
Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B * ____match_0;
// System.Collections.Hashtable System.Text.RegularExpressions.GroupCollection::_captureMap
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ____captureMap_1;
// System.Text.RegularExpressions.Group[] System.Text.RegularExpressions.GroupCollection::_groups
GroupU5BU5D_tE125DBFFA979634FDDAEDF77F5EC47134D764AB5* ____groups_2;
public:
inline static int32_t get_offset_of__match_0() { return static_cast<int32_t>(offsetof(GroupCollection_tAA9CA4E93B1A9D6B7199EE25AEB32922E72AA556, ____match_0)); }
inline Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B * get__match_0() const { return ____match_0; }
inline Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B ** get_address_of__match_0() { return &____match_0; }
inline void set__match_0(Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B * value)
{
____match_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____match_0), (void*)value);
}
inline static int32_t get_offset_of__captureMap_1() { return static_cast<int32_t>(offsetof(GroupCollection_tAA9CA4E93B1A9D6B7199EE25AEB32922E72AA556, ____captureMap_1)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get__captureMap_1() const { return ____captureMap_1; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of__captureMap_1() { return &____captureMap_1; }
inline void set__captureMap_1(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
____captureMap_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____captureMap_1), (void*)value);
}
inline static int32_t get_offset_of__groups_2() { return static_cast<int32_t>(offsetof(GroupCollection_tAA9CA4E93B1A9D6B7199EE25AEB32922E72AA556, ____groups_2)); }
inline GroupU5BU5D_tE125DBFFA979634FDDAEDF77F5EC47134D764AB5* get__groups_2() const { return ____groups_2; }
inline GroupU5BU5D_tE125DBFFA979634FDDAEDF77F5EC47134D764AB5** get_address_of__groups_2() { return &____groups_2; }
inline void set__groups_2(GroupU5BU5D_tE125DBFFA979634FDDAEDF77F5EC47134D764AB5* value)
{
____groups_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____groups_2), (void*)value);
}
};
// System.Text.RegularExpressions.GroupEnumerator
struct GroupEnumerator_t99051268604236D2D3064D0BDF2D358B42D884CB : public RuntimeObject
{
public:
// System.Text.RegularExpressions.GroupCollection System.Text.RegularExpressions.GroupEnumerator::_rgc
GroupCollection_tAA9CA4E93B1A9D6B7199EE25AEB32922E72AA556 * ____rgc_0;
// System.Int32 System.Text.RegularExpressions.GroupEnumerator::_curindex
int32_t ____curindex_1;
public:
inline static int32_t get_offset_of__rgc_0() { return static_cast<int32_t>(offsetof(GroupEnumerator_t99051268604236D2D3064D0BDF2D358B42D884CB, ____rgc_0)); }
inline GroupCollection_tAA9CA4E93B1A9D6B7199EE25AEB32922E72AA556 * get__rgc_0() const { return ____rgc_0; }
inline GroupCollection_tAA9CA4E93B1A9D6B7199EE25AEB32922E72AA556 ** get_address_of__rgc_0() { return &____rgc_0; }
inline void set__rgc_0(GroupCollection_tAA9CA4E93B1A9D6B7199EE25AEB32922E72AA556 * value)
{
____rgc_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____rgc_0), (void*)value);
}
inline static int32_t get_offset_of__curindex_1() { return static_cast<int32_t>(offsetof(GroupEnumerator_t99051268604236D2D3064D0BDF2D358B42D884CB, ____curindex_1)); }
inline int32_t get__curindex_1() const { return ____curindex_1; }
inline int32_t* get_address_of__curindex_1() { return &____curindex_1; }
inline void set__curindex_1(int32_t value)
{
____curindex_1 = value;
}
};
// UnityEngine.XR.ARSubsystems.GuidUtil
struct GuidUtil_t210FF80E02722FD6681CFBB3BF50329E1DD388CD : public RuntimeObject
{
public:
public:
};
// System.Security.Cryptography.HashAlgorithm
struct HashAlgorithm_t7F831BEF35F9D0AF5016FFB0E474AF9F93908F31 : public RuntimeObject
{
public:
// System.Int32 System.Security.Cryptography.HashAlgorithm::HashSizeValue
int32_t ___HashSizeValue_0;
// System.Byte[] System.Security.Cryptography.HashAlgorithm::HashValue
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___HashValue_1;
// System.Int32 System.Security.Cryptography.HashAlgorithm::State
int32_t ___State_2;
// System.Boolean System.Security.Cryptography.HashAlgorithm::m_bDisposed
bool ___m_bDisposed_3;
public:
inline static int32_t get_offset_of_HashSizeValue_0() { return static_cast<int32_t>(offsetof(HashAlgorithm_t7F831BEF35F9D0AF5016FFB0E474AF9F93908F31, ___HashSizeValue_0)); }
inline int32_t get_HashSizeValue_0() const { return ___HashSizeValue_0; }
inline int32_t* get_address_of_HashSizeValue_0() { return &___HashSizeValue_0; }
inline void set_HashSizeValue_0(int32_t value)
{
___HashSizeValue_0 = value;
}
inline static int32_t get_offset_of_HashValue_1() { return static_cast<int32_t>(offsetof(HashAlgorithm_t7F831BEF35F9D0AF5016FFB0E474AF9F93908F31, ___HashValue_1)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_HashValue_1() const { return ___HashValue_1; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_HashValue_1() { return &___HashValue_1; }
inline void set_HashValue_1(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___HashValue_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___HashValue_1), (void*)value);
}
inline static int32_t get_offset_of_State_2() { return static_cast<int32_t>(offsetof(HashAlgorithm_t7F831BEF35F9D0AF5016FFB0E474AF9F93908F31, ___State_2)); }
inline int32_t get_State_2() const { return ___State_2; }
inline int32_t* get_address_of_State_2() { return &___State_2; }
inline void set_State_2(int32_t value)
{
___State_2 = value;
}
inline static int32_t get_offset_of_m_bDisposed_3() { return static_cast<int32_t>(offsetof(HashAlgorithm_t7F831BEF35F9D0AF5016FFB0E474AF9F93908F31, ___m_bDisposed_3)); }
inline bool get_m_bDisposed_3() const { return ___m_bDisposed_3; }
inline bool* get_address_of_m_bDisposed_3() { return &___m_bDisposed_3; }
inline void set_m_bDisposed_3(bool value)
{
___m_bDisposed_3 = value;
}
};
// UnityEngine.XR.ARSubsystems.HashCode
struct HashCode_t04F499E8E1D225853C1B731BE6D80A44C9DD1800 : public RuntimeObject
{
public:
public:
};
// UnityEngine.XR.HashCodeHelper
struct HashCodeHelper_t55705027308438F4124A7ABBE1F3A2E503C9200B : public RuntimeObject
{
public:
public:
};
// System.Collections.HashHelpers
struct HashHelpers_t001D7D03DA7A3C3426744B45509316917E7A90F9 : public RuntimeObject
{
public:
public:
};
struct HashHelpers_t001D7D03DA7A3C3426744B45509316917E7A90F9_StaticFields
{
public:
// System.Int32[] System.Collections.HashHelpers::primes
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___primes_0;
// System.Runtime.CompilerServices.ConditionalWeakTable`2<System.Object,System.Runtime.Serialization.SerializationInfo> System.Collections.HashHelpers::s_SerializationInfoTable
ConditionalWeakTable_2_t5051815BADC99C4FE5D8F9293F92B3C7FD565B5E * ___s_SerializationInfoTable_1;
public:
inline static int32_t get_offset_of_primes_0() { return static_cast<int32_t>(offsetof(HashHelpers_t001D7D03DA7A3C3426744B45509316917E7A90F9_StaticFields, ___primes_0)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_primes_0() const { return ___primes_0; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_primes_0() { return &___primes_0; }
inline void set_primes_0(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___primes_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___primes_0), (void*)value);
}
inline static int32_t get_offset_of_s_SerializationInfoTable_1() { return static_cast<int32_t>(offsetof(HashHelpers_t001D7D03DA7A3C3426744B45509316917E7A90F9_StaticFields, ___s_SerializationInfoTable_1)); }
inline ConditionalWeakTable_2_t5051815BADC99C4FE5D8F9293F92B3C7FD565B5E * get_s_SerializationInfoTable_1() const { return ___s_SerializationInfoTable_1; }
inline ConditionalWeakTable_2_t5051815BADC99C4FE5D8F9293F92B3C7FD565B5E ** get_address_of_s_SerializationInfoTable_1() { return &___s_SerializationInfoTable_1; }
inline void set_s_SerializationInfoTable_1(ConditionalWeakTable_2_t5051815BADC99C4FE5D8F9293F92B3C7FD565B5E * value)
{
___s_SerializationInfoTable_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SerializationInfoTable_1), (void*)value);
}
};
// System.Numerics.Hashing.HashHelpers
struct HashHelpers_tEA03E030A3F934CC05FC15577E6B61BBE8282501 : public RuntimeObject
{
public:
public:
};
struct HashHelpers_tEA03E030A3F934CC05FC15577E6B61BBE8282501_StaticFields
{
public:
// System.Int32 System.Numerics.Hashing.HashHelpers::RandomSeed
int32_t ___RandomSeed_0;
public:
inline static int32_t get_offset_of_RandomSeed_0() { return static_cast<int32_t>(offsetof(HashHelpers_tEA03E030A3F934CC05FC15577E6B61BBE8282501_StaticFields, ___RandomSeed_0)); }
inline int32_t get_RandomSeed_0() const { return ___RandomSeed_0; }
inline int32_t* get_address_of_RandomSeed_0() { return &___RandomSeed_0; }
inline void set_RandomSeed_0(int32_t value)
{
___RandomSeed_0 = value;
}
};
// System.Runtime.Remoting.Messaging.Header
struct Header_tB3EEE0CBE8792FB3CAC719E5BCB60BA7718E14CE : public RuntimeObject
{
public:
public:
};
// System.Globalization.HebrewNumber
struct HebrewNumber_t8F0EF59F99E80D016D6750CD37AD68B8B252900C : public RuntimeObject
{
public:
public:
};
struct HebrewNumber_t8F0EF59F99E80D016D6750CD37AD68B8B252900C_StaticFields
{
public:
// System.Globalization.HebrewNumber/HebrewValue[] System.Globalization.HebrewNumber::HebrewValues
HebrewValueU5BU5D_t6DFE1944D8D91C12D31F55511D342D6497DF8A4F* ___HebrewValues_0;
// System.Char System.Globalization.HebrewNumber::maxHebrewNumberCh
Il2CppChar ___maxHebrewNumberCh_1;
// System.Globalization.HebrewNumber/HS[][] System.Globalization.HebrewNumber::NumberPasingState
HSU5BU5DU5BU5D_tA85FEB8A012936EB034BE68704AB2A6A717DD458* ___NumberPasingState_2;
public:
inline static int32_t get_offset_of_HebrewValues_0() { return static_cast<int32_t>(offsetof(HebrewNumber_t8F0EF59F99E80D016D6750CD37AD68B8B252900C_StaticFields, ___HebrewValues_0)); }
inline HebrewValueU5BU5D_t6DFE1944D8D91C12D31F55511D342D6497DF8A4F* get_HebrewValues_0() const { return ___HebrewValues_0; }
inline HebrewValueU5BU5D_t6DFE1944D8D91C12D31F55511D342D6497DF8A4F** get_address_of_HebrewValues_0() { return &___HebrewValues_0; }
inline void set_HebrewValues_0(HebrewValueU5BU5D_t6DFE1944D8D91C12D31F55511D342D6497DF8A4F* value)
{
___HebrewValues_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___HebrewValues_0), (void*)value);
}
inline static int32_t get_offset_of_maxHebrewNumberCh_1() { return static_cast<int32_t>(offsetof(HebrewNumber_t8F0EF59F99E80D016D6750CD37AD68B8B252900C_StaticFields, ___maxHebrewNumberCh_1)); }
inline Il2CppChar get_maxHebrewNumberCh_1() const { return ___maxHebrewNumberCh_1; }
inline Il2CppChar* get_address_of_maxHebrewNumberCh_1() { return &___maxHebrewNumberCh_1; }
inline void set_maxHebrewNumberCh_1(Il2CppChar value)
{
___maxHebrewNumberCh_1 = value;
}
inline static int32_t get_offset_of_NumberPasingState_2() { return static_cast<int32_t>(offsetof(HebrewNumber_t8F0EF59F99E80D016D6750CD37AD68B8B252900C_StaticFields, ___NumberPasingState_2)); }
inline HSU5BU5DU5BU5D_tA85FEB8A012936EB034BE68704AB2A6A717DD458* get_NumberPasingState_2() const { return ___NumberPasingState_2; }
inline HSU5BU5DU5BU5D_tA85FEB8A012936EB034BE68704AB2A6A717DD458** get_address_of_NumberPasingState_2() { return &___NumberPasingState_2; }
inline void set_NumberPasingState_2(HSU5BU5DU5BU5D_tA85FEB8A012936EB034BE68704AB2A6A717DD458* value)
{
___NumberPasingState_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___NumberPasingState_2), (void*)value);
}
};
// UnityEngine.XR.ARSubsystems.HelpUrls
struct HelpUrls_t78B66FF876580FB58F6A3AD9E0BF9327D309BA78 : public RuntimeObject
{
public:
public:
};
// Unity.Jobs.IJobExtensions
struct IJobExtensions_tE4B1B40EA02725E43303122F344905B29307D369 : public RuntimeObject
{
public:
public:
};
// Unity.Jobs.IJobParallelForExtensions
struct IJobParallelForExtensions_tEE41C3C65F4FA253097BC86F5CDB2A7CB4C11404 : public RuntimeObject
{
public:
public:
};
// System.Reflection.Emit.ILGenerator
struct ILGenerator_tCB47F61B7259CF97E8239F921A474B2BEEF84F8F : public RuntimeObject
{
public:
public:
};
// System.IOAsyncResult
struct IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9 : public RuntimeObject
{
public:
// System.AsyncCallback System.IOAsyncResult::async_callback
AsyncCallback_tA7921BEF974919C46FF8F9D9867C567B200BB0EA * ___async_callback_0;
// System.Object System.IOAsyncResult::async_state
RuntimeObject * ___async_state_1;
// System.Threading.ManualResetEvent System.IOAsyncResult::wait_handle
ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * ___wait_handle_2;
// System.Boolean System.IOAsyncResult::completed_synchronously
bool ___completed_synchronously_3;
// System.Boolean System.IOAsyncResult::completed
bool ___completed_4;
public:
inline static int32_t get_offset_of_async_callback_0() { return static_cast<int32_t>(offsetof(IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9, ___async_callback_0)); }
inline AsyncCallback_tA7921BEF974919C46FF8F9D9867C567B200BB0EA * get_async_callback_0() const { return ___async_callback_0; }
inline AsyncCallback_tA7921BEF974919C46FF8F9D9867C567B200BB0EA ** get_address_of_async_callback_0() { return &___async_callback_0; }
inline void set_async_callback_0(AsyncCallback_tA7921BEF974919C46FF8F9D9867C567B200BB0EA * value)
{
___async_callback_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___async_callback_0), (void*)value);
}
inline static int32_t get_offset_of_async_state_1() { return static_cast<int32_t>(offsetof(IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9, ___async_state_1)); }
inline RuntimeObject * get_async_state_1() const { return ___async_state_1; }
inline RuntimeObject ** get_address_of_async_state_1() { return &___async_state_1; }
inline void set_async_state_1(RuntimeObject * value)
{
___async_state_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___async_state_1), (void*)value);
}
inline static int32_t get_offset_of_wait_handle_2() { return static_cast<int32_t>(offsetof(IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9, ___wait_handle_2)); }
inline ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * get_wait_handle_2() const { return ___wait_handle_2; }
inline ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA ** get_address_of_wait_handle_2() { return &___wait_handle_2; }
inline void set_wait_handle_2(ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * value)
{
___wait_handle_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___wait_handle_2), (void*)value);
}
inline static int32_t get_offset_of_completed_synchronously_3() { return static_cast<int32_t>(offsetof(IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9, ___completed_synchronously_3)); }
inline bool get_completed_synchronously_3() const { return ___completed_synchronously_3; }
inline bool* get_address_of_completed_synchronously_3() { return &___completed_synchronously_3; }
inline void set_completed_synchronously_3(bool value)
{
___completed_synchronously_3 = value;
}
inline static int32_t get_offset_of_completed_4() { return static_cast<int32_t>(offsetof(IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9, ___completed_4)); }
inline bool get_completed_4() const { return ___completed_4; }
inline bool* get_address_of_completed_4() { return &___completed_4; }
inline void set_completed_4(bool value)
{
___completed_4 = value;
}
};
// Native definition for P/Invoke marshalling of System.IOAsyncResult
struct IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9_marshaled_pinvoke
{
Il2CppMethodPointer ___async_callback_0;
Il2CppIUnknown* ___async_state_1;
ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * ___wait_handle_2;
int32_t ___completed_synchronously_3;
int32_t ___completed_4;
};
// Native definition for COM marshalling of System.IOAsyncResult
struct IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9_marshaled_com
{
Il2CppMethodPointer ___async_callback_0;
Il2CppIUnknown* ___async_state_1;
ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * ___wait_handle_2;
int32_t ___completed_synchronously_3;
int32_t ___completed_4;
};
// System.Runtime.Serialization.Formatters.Binary.IOUtil
struct IOUtil_t0FCFBA52463B197270A9028F637C951A517E047C : public RuntimeObject
{
public:
public:
};
// System.IPv4AddressHelper
struct IPv4AddressHelper_t4B938CAAC41403B8BD51FC7748C59B08F87F10A3 : public RuntimeObject
{
public:
public:
};
// System.IPv6AddressHelper
struct IPv6AddressHelper_t244F54FD493D7448D3B860F972A6E81DE9FDB33D : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.Identity
struct Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 : public RuntimeObject
{
public:
// System.String System.Runtime.Remoting.Identity::_objectUri
String_t* ____objectUri_0;
// System.Runtime.Remoting.Messaging.IMessageSink System.Runtime.Remoting.Identity::_channelSink
RuntimeObject* ____channelSink_1;
// System.Runtime.Remoting.Messaging.IMessageSink System.Runtime.Remoting.Identity::_envoySink
RuntimeObject* ____envoySink_2;
// System.Runtime.Remoting.Contexts.DynamicPropertyCollection System.Runtime.Remoting.Identity::_clientDynamicProperties
DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B * ____clientDynamicProperties_3;
// System.Runtime.Remoting.Contexts.DynamicPropertyCollection System.Runtime.Remoting.Identity::_serverDynamicProperties
DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B * ____serverDynamicProperties_4;
// System.Runtime.Remoting.ObjRef System.Runtime.Remoting.Identity::_objRef
ObjRef_t10D53E2178851535F38935DC53B48634063C84D3 * ____objRef_5;
// System.Boolean System.Runtime.Remoting.Identity::_disposed
bool ____disposed_6;
public:
inline static int32_t get_offset_of__objectUri_0() { return static_cast<int32_t>(offsetof(Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5, ____objectUri_0)); }
inline String_t* get__objectUri_0() const { return ____objectUri_0; }
inline String_t** get_address_of__objectUri_0() { return &____objectUri_0; }
inline void set__objectUri_0(String_t* value)
{
____objectUri_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____objectUri_0), (void*)value);
}
inline static int32_t get_offset_of__channelSink_1() { return static_cast<int32_t>(offsetof(Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5, ____channelSink_1)); }
inline RuntimeObject* get__channelSink_1() const { return ____channelSink_1; }
inline RuntimeObject** get_address_of__channelSink_1() { return &____channelSink_1; }
inline void set__channelSink_1(RuntimeObject* value)
{
____channelSink_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____channelSink_1), (void*)value);
}
inline static int32_t get_offset_of__envoySink_2() { return static_cast<int32_t>(offsetof(Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5, ____envoySink_2)); }
inline RuntimeObject* get__envoySink_2() const { return ____envoySink_2; }
inline RuntimeObject** get_address_of__envoySink_2() { return &____envoySink_2; }
inline void set__envoySink_2(RuntimeObject* value)
{
____envoySink_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____envoySink_2), (void*)value);
}
inline static int32_t get_offset_of__clientDynamicProperties_3() { return static_cast<int32_t>(offsetof(Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5, ____clientDynamicProperties_3)); }
inline DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B * get__clientDynamicProperties_3() const { return ____clientDynamicProperties_3; }
inline DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B ** get_address_of__clientDynamicProperties_3() { return &____clientDynamicProperties_3; }
inline void set__clientDynamicProperties_3(DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B * value)
{
____clientDynamicProperties_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____clientDynamicProperties_3), (void*)value);
}
inline static int32_t get_offset_of__serverDynamicProperties_4() { return static_cast<int32_t>(offsetof(Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5, ____serverDynamicProperties_4)); }
inline DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B * get__serverDynamicProperties_4() const { return ____serverDynamicProperties_4; }
inline DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B ** get_address_of__serverDynamicProperties_4() { return &____serverDynamicProperties_4; }
inline void set__serverDynamicProperties_4(DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B * value)
{
____serverDynamicProperties_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____serverDynamicProperties_4), (void*)value);
}
inline static int32_t get_offset_of__objRef_5() { return static_cast<int32_t>(offsetof(Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5, ____objRef_5)); }
inline ObjRef_t10D53E2178851535F38935DC53B48634063C84D3 * get__objRef_5() const { return ____objRef_5; }
inline ObjRef_t10D53E2178851535F38935DC53B48634063C84D3 ** get_address_of__objRef_5() { return &____objRef_5; }
inline void set__objRef_5(ObjRef_t10D53E2178851535F38935DC53B48634063C84D3 * value)
{
____objRef_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____objRef_5), (void*)value);
}
inline static int32_t get_offset_of__disposed_6() { return static_cast<int32_t>(offsetof(Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5, ____disposed_6)); }
inline bool get__disposed_6() const { return ____disposed_6; }
inline bool* get_address_of__disposed_6() { return &____disposed_6; }
inline void set__disposed_6(bool value)
{
____disposed_6 = value;
}
};
// System.Globalization.IdnMapping
struct IdnMapping_t67B9D8097DD4884E92E705C8D3099C26CA660E1C : public RuntimeObject
{
public:
// System.Boolean System.Globalization.IdnMapping::allow_unassigned
bool ___allow_unassigned_0;
// System.Boolean System.Globalization.IdnMapping::use_std3
bool ___use_std3_1;
// System.Globalization.Punycode System.Globalization.IdnMapping::puny
Punycode_t4BDEEA3305A31302CBC618070AB085F7E3ABB513 * ___puny_2;
public:
inline static int32_t get_offset_of_allow_unassigned_0() { return static_cast<int32_t>(offsetof(IdnMapping_t67B9D8097DD4884E92E705C8D3099C26CA660E1C, ___allow_unassigned_0)); }
inline bool get_allow_unassigned_0() const { return ___allow_unassigned_0; }
inline bool* get_address_of_allow_unassigned_0() { return &___allow_unassigned_0; }
inline void set_allow_unassigned_0(bool value)
{
___allow_unassigned_0 = value;
}
inline static int32_t get_offset_of_use_std3_1() { return static_cast<int32_t>(offsetof(IdnMapping_t67B9D8097DD4884E92E705C8D3099C26CA660E1C, ___use_std3_1)); }
inline bool get_use_std3_1() const { return ___use_std3_1; }
inline bool* get_address_of_use_std3_1() { return &___use_std3_1; }
inline void set_use_std3_1(bool value)
{
___use_std3_1 = value;
}
inline static int32_t get_offset_of_puny_2() { return static_cast<int32_t>(offsetof(IdnMapping_t67B9D8097DD4884E92E705C8D3099C26CA660E1C, ___puny_2)); }
inline Punycode_t4BDEEA3305A31302CBC618070AB085F7E3ABB513 * get_puny_2() const { return ___puny_2; }
inline Punycode_t4BDEEA3305A31302CBC618070AB085F7E3ABB513 ** get_address_of_puny_2() { return &___puny_2; }
inline void set_puny_2(Punycode_t4BDEEA3305A31302CBC618070AB085F7E3ABB513 * value)
{
___puny_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___puny_2), (void*)value);
}
};
// System.Runtime.Remoting.Messaging.IllogicalCallContext
struct IllogicalCallContext_tFC01A2B688E85D44897206E4ACD81E050D25846E : public RuntimeObject
{
public:
// System.Collections.Hashtable System.Runtime.Remoting.Messaging.IllogicalCallContext::m_Datastore
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___m_Datastore_0;
// System.Object System.Runtime.Remoting.Messaging.IllogicalCallContext::m_HostContext
RuntimeObject * ___m_HostContext_1;
public:
inline static int32_t get_offset_of_m_Datastore_0() { return static_cast<int32_t>(offsetof(IllogicalCallContext_tFC01A2B688E85D44897206E4ACD81E050D25846E, ___m_Datastore_0)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_m_Datastore_0() const { return ___m_Datastore_0; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_m_Datastore_0() { return &___m_Datastore_0; }
inline void set_m_Datastore_0(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___m_Datastore_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Datastore_0), (void*)value);
}
inline static int32_t get_offset_of_m_HostContext_1() { return static_cast<int32_t>(offsetof(IllogicalCallContext_tFC01A2B688E85D44897206E4ACD81E050D25846E, ___m_HostContext_1)); }
inline RuntimeObject * get_m_HostContext_1() const { return ___m_HostContext_1; }
inline RuntimeObject ** get_address_of_m_HostContext_1() { return &___m_HostContext_1; }
inline void set_m_HostContext_1(RuntimeObject * value)
{
___m_HostContext_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_HostContext_1), (void*)value);
}
};
// UnityEngine.Input
struct Input_t763D9CAB93E5035D6CE4D185D9B64D7F3F47202A : public RuntimeObject
{
public:
public:
};
// UnityEngine.XR.InputDevices
struct InputDevices_t50F530D78AE16C2F160416FBAE9BC04024C448CC : public RuntimeObject
{
public:
public:
};
struct InputDevices_t50F530D78AE16C2F160416FBAE9BC04024C448CC_StaticFields
{
public:
// System.Collections.Generic.List`1<UnityEngine.XR.InputDevice> UnityEngine.XR.InputDevices::s_InputDeviceList
List_1_t476C8CC2E74FC5F7DE5B5CFE6830822665402F1F * ___s_InputDeviceList_0;
// System.Action`1<UnityEngine.XR.InputDevice> UnityEngine.XR.InputDevices::deviceConnected
Action_1_tD14DA73DE0FBEFB24671F37EB0148705E00E11E8 * ___deviceConnected_1;
// System.Action`1<UnityEngine.XR.InputDevice> UnityEngine.XR.InputDevices::deviceDisconnected
Action_1_tD14DA73DE0FBEFB24671F37EB0148705E00E11E8 * ___deviceDisconnected_2;
// System.Action`1<UnityEngine.XR.InputDevice> UnityEngine.XR.InputDevices::deviceConfigChanged
Action_1_tD14DA73DE0FBEFB24671F37EB0148705E00E11E8 * ___deviceConfigChanged_3;
public:
inline static int32_t get_offset_of_s_InputDeviceList_0() { return static_cast<int32_t>(offsetof(InputDevices_t50F530D78AE16C2F160416FBAE9BC04024C448CC_StaticFields, ___s_InputDeviceList_0)); }
inline List_1_t476C8CC2E74FC5F7DE5B5CFE6830822665402F1F * get_s_InputDeviceList_0() const { return ___s_InputDeviceList_0; }
inline List_1_t476C8CC2E74FC5F7DE5B5CFE6830822665402F1F ** get_address_of_s_InputDeviceList_0() { return &___s_InputDeviceList_0; }
inline void set_s_InputDeviceList_0(List_1_t476C8CC2E74FC5F7DE5B5CFE6830822665402F1F * value)
{
___s_InputDeviceList_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_InputDeviceList_0), (void*)value);
}
inline static int32_t get_offset_of_deviceConnected_1() { return static_cast<int32_t>(offsetof(InputDevices_t50F530D78AE16C2F160416FBAE9BC04024C448CC_StaticFields, ___deviceConnected_1)); }
inline Action_1_tD14DA73DE0FBEFB24671F37EB0148705E00E11E8 * get_deviceConnected_1() const { return ___deviceConnected_1; }
inline Action_1_tD14DA73DE0FBEFB24671F37EB0148705E00E11E8 ** get_address_of_deviceConnected_1() { return &___deviceConnected_1; }
inline void set_deviceConnected_1(Action_1_tD14DA73DE0FBEFB24671F37EB0148705E00E11E8 * value)
{
___deviceConnected_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___deviceConnected_1), (void*)value);
}
inline static int32_t get_offset_of_deviceDisconnected_2() { return static_cast<int32_t>(offsetof(InputDevices_t50F530D78AE16C2F160416FBAE9BC04024C448CC_StaticFields, ___deviceDisconnected_2)); }
inline Action_1_tD14DA73DE0FBEFB24671F37EB0148705E00E11E8 * get_deviceDisconnected_2() const { return ___deviceDisconnected_2; }
inline Action_1_tD14DA73DE0FBEFB24671F37EB0148705E00E11E8 ** get_address_of_deviceDisconnected_2() { return &___deviceDisconnected_2; }
inline void set_deviceDisconnected_2(Action_1_tD14DA73DE0FBEFB24671F37EB0148705E00E11E8 * value)
{
___deviceDisconnected_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___deviceDisconnected_2), (void*)value);
}
inline static int32_t get_offset_of_deviceConfigChanged_3() { return static_cast<int32_t>(offsetof(InputDevices_t50F530D78AE16C2F160416FBAE9BC04024C448CC_StaticFields, ___deviceConfigChanged_3)); }
inline Action_1_tD14DA73DE0FBEFB24671F37EB0148705E00E11E8 * get_deviceConfigChanged_3() const { return ___deviceConfigChanged_3; }
inline Action_1_tD14DA73DE0FBEFB24671F37EB0148705E00E11E8 ** get_address_of_deviceConfigChanged_3() { return &___deviceConfigChanged_3; }
inline void set_deviceConfigChanged_3(Action_1_tD14DA73DE0FBEFB24671F37EB0148705E00E11E8 * value)
{
___deviceConfigChanged_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___deviceConfigChanged_3), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.InputDevices
struct InputDevices_t50F530D78AE16C2F160416FBAE9BC04024C448CC_marshaled_pinvoke
{
};
// Native definition for COM marshalling of UnityEngine.XR.InputDevices
struct InputDevices_t50F530D78AE16C2F160416FBAE9BC04024C448CC_marshaled_com
{
};
// UnityEngine.XR.InputTracking
struct InputTracking_t2CCE92D4A5FE0AEBC14996566D93ED4B08F4CB6D : public RuntimeObject
{
public:
public:
};
struct InputTracking_t2CCE92D4A5FE0AEBC14996566D93ED4B08F4CB6D_StaticFields
{
public:
// System.Action`1<UnityEngine.XR.XRNodeState> UnityEngine.XR.InputTracking::trackingAcquired
Action_1_t016EBE9560F0A12616F6E8C2FB15578C134D1603 * ___trackingAcquired_0;
// System.Action`1<UnityEngine.XR.XRNodeState> UnityEngine.XR.InputTracking::trackingLost
Action_1_t016EBE9560F0A12616F6E8C2FB15578C134D1603 * ___trackingLost_1;
// System.Action`1<UnityEngine.XR.XRNodeState> UnityEngine.XR.InputTracking::nodeAdded
Action_1_t016EBE9560F0A12616F6E8C2FB15578C134D1603 * ___nodeAdded_2;
// System.Action`1<UnityEngine.XR.XRNodeState> UnityEngine.XR.InputTracking::nodeRemoved
Action_1_t016EBE9560F0A12616F6E8C2FB15578C134D1603 * ___nodeRemoved_3;
public:
inline static int32_t get_offset_of_trackingAcquired_0() { return static_cast<int32_t>(offsetof(InputTracking_t2CCE92D4A5FE0AEBC14996566D93ED4B08F4CB6D_StaticFields, ___trackingAcquired_0)); }
inline Action_1_t016EBE9560F0A12616F6E8C2FB15578C134D1603 * get_trackingAcquired_0() const { return ___trackingAcquired_0; }
inline Action_1_t016EBE9560F0A12616F6E8C2FB15578C134D1603 ** get_address_of_trackingAcquired_0() { return &___trackingAcquired_0; }
inline void set_trackingAcquired_0(Action_1_t016EBE9560F0A12616F6E8C2FB15578C134D1603 * value)
{
___trackingAcquired_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___trackingAcquired_0), (void*)value);
}
inline static int32_t get_offset_of_trackingLost_1() { return static_cast<int32_t>(offsetof(InputTracking_t2CCE92D4A5FE0AEBC14996566D93ED4B08F4CB6D_StaticFields, ___trackingLost_1)); }
inline Action_1_t016EBE9560F0A12616F6E8C2FB15578C134D1603 * get_trackingLost_1() const { return ___trackingLost_1; }
inline Action_1_t016EBE9560F0A12616F6E8C2FB15578C134D1603 ** get_address_of_trackingLost_1() { return &___trackingLost_1; }
inline void set_trackingLost_1(Action_1_t016EBE9560F0A12616F6E8C2FB15578C134D1603 * value)
{
___trackingLost_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___trackingLost_1), (void*)value);
}
inline static int32_t get_offset_of_nodeAdded_2() { return static_cast<int32_t>(offsetof(InputTracking_t2CCE92D4A5FE0AEBC14996566D93ED4B08F4CB6D_StaticFields, ___nodeAdded_2)); }
inline Action_1_t016EBE9560F0A12616F6E8C2FB15578C134D1603 * get_nodeAdded_2() const { return ___nodeAdded_2; }
inline Action_1_t016EBE9560F0A12616F6E8C2FB15578C134D1603 ** get_address_of_nodeAdded_2() { return &___nodeAdded_2; }
inline void set_nodeAdded_2(Action_1_t016EBE9560F0A12616F6E8C2FB15578C134D1603 * value)
{
___nodeAdded_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___nodeAdded_2), (void*)value);
}
inline static int32_t get_offset_of_nodeRemoved_3() { return static_cast<int32_t>(offsetof(InputTracking_t2CCE92D4A5FE0AEBC14996566D93ED4B08F4CB6D_StaticFields, ___nodeRemoved_3)); }
inline Action_1_t016EBE9560F0A12616F6E8C2FB15578C134D1603 * get_nodeRemoved_3() const { return ___nodeRemoved_3; }
inline Action_1_t016EBE9560F0A12616F6E8C2FB15578C134D1603 ** get_address_of_nodeRemoved_3() { return &___nodeRemoved_3; }
inline void set_nodeRemoved_3(Action_1_t016EBE9560F0A12616F6E8C2FB15578C134D1603 * value)
{
___nodeRemoved_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___nodeRemoved_3), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.Binary.IntSizedArray
struct IntSizedArray_tD2630F08CAA7E2687372DAF56A5BE4215643A04A : public RuntimeObject
{
public:
// System.Int32[] System.Runtime.Serialization.Formatters.Binary.IntSizedArray::objects
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___objects_0;
// System.Int32[] System.Runtime.Serialization.Formatters.Binary.IntSizedArray::negObjects
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___negObjects_1;
public:
inline static int32_t get_offset_of_objects_0() { return static_cast<int32_t>(offsetof(IntSizedArray_tD2630F08CAA7E2687372DAF56A5BE4215643A04A, ___objects_0)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_objects_0() const { return ___objects_0; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_objects_0() { return &___objects_0; }
inline void set_objects_0(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___objects_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objects_0), (void*)value);
}
inline static int32_t get_offset_of_negObjects_1() { return static_cast<int32_t>(offsetof(IntSizedArray_tD2630F08CAA7E2687372DAF56A5BE4215643A04A, ___negObjects_1)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_negObjects_1() const { return ___negObjects_1; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_negObjects_1() { return &___negObjects_1; }
inline void set_negObjects_1(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___negObjects_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___negObjects_1), (void*)value);
}
};
// System.Threading.Interlocked
struct Interlocked_t84BB23BED1AFE2EBBCBDD070F241EA497C68FB64 : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.InternalRemotingServices
struct InternalRemotingServices_t4428085A701668E194DD35BA911B404771FC2232 : public RuntimeObject
{
public:
public:
};
struct InternalRemotingServices_t4428085A701668E194DD35BA911B404771FC2232_StaticFields
{
public:
// System.Collections.Hashtable System.Runtime.Remoting.InternalRemotingServices::_soapAttributes
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ____soapAttributes_0;
public:
inline static int32_t get_offset_of__soapAttributes_0() { return static_cast<int32_t>(offsetof(InternalRemotingServices_t4428085A701668E194DD35BA911B404771FC2232_StaticFields, ____soapAttributes_0)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get__soapAttributes_0() const { return ____soapAttributes_0; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of__soapAttributes_0() { return &____soapAttributes_0; }
inline void set__soapAttributes_0(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
____soapAttributes_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____soapAttributes_0), (void*)value);
}
};
// UnityEngine.Internal_SubsystemDescriptors
struct Internal_SubsystemDescriptors_tE02B181DE901DC42D96F1726BD97F696190A08B5 : public RuntimeObject
{
public:
public:
};
// System.Reflection.IntrospectionExtensions
struct IntrospectionExtensions_t8D1B62331118C9856D8D7BEE32F433CD422851C8 : public RuntimeObject
{
public:
public:
};
// System.Collections.Generic.IntrospectiveSortUtilities
struct IntrospectiveSortUtilities_t7E5D1DEE0C9DA39D2DAFA3B5C74893630F8E16E9 : public RuntimeObject
{
public:
public:
};
// UnityEngine.Events.InvokableCallList
struct InvokableCallList_tB7C66AA0C00F9C102C8BDC17A144E569AC7527A9 : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<UnityEngine.Events.BaseInvokableCall> UnityEngine.Events.InvokableCallList::m_PersistentCalls
List_1_tE59E678A3E54798EF83514F25BE9C5E3AAC595BD * ___m_PersistentCalls_0;
// System.Collections.Generic.List`1<UnityEngine.Events.BaseInvokableCall> UnityEngine.Events.InvokableCallList::m_RuntimeCalls
List_1_tE59E678A3E54798EF83514F25BE9C5E3AAC595BD * ___m_RuntimeCalls_1;
// System.Collections.Generic.List`1<UnityEngine.Events.BaseInvokableCall> UnityEngine.Events.InvokableCallList::m_ExecutingCalls
List_1_tE59E678A3E54798EF83514F25BE9C5E3AAC595BD * ___m_ExecutingCalls_2;
// System.Boolean UnityEngine.Events.InvokableCallList::m_NeedsUpdate
bool ___m_NeedsUpdate_3;
public:
inline static int32_t get_offset_of_m_PersistentCalls_0() { return static_cast<int32_t>(offsetof(InvokableCallList_tB7C66AA0C00F9C102C8BDC17A144E569AC7527A9, ___m_PersistentCalls_0)); }
inline List_1_tE59E678A3E54798EF83514F25BE9C5E3AAC595BD * get_m_PersistentCalls_0() const { return ___m_PersistentCalls_0; }
inline List_1_tE59E678A3E54798EF83514F25BE9C5E3AAC595BD ** get_address_of_m_PersistentCalls_0() { return &___m_PersistentCalls_0; }
inline void set_m_PersistentCalls_0(List_1_tE59E678A3E54798EF83514F25BE9C5E3AAC595BD * value)
{
___m_PersistentCalls_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PersistentCalls_0), (void*)value);
}
inline static int32_t get_offset_of_m_RuntimeCalls_1() { return static_cast<int32_t>(offsetof(InvokableCallList_tB7C66AA0C00F9C102C8BDC17A144E569AC7527A9, ___m_RuntimeCalls_1)); }
inline List_1_tE59E678A3E54798EF83514F25BE9C5E3AAC595BD * get_m_RuntimeCalls_1() const { return ___m_RuntimeCalls_1; }
inline List_1_tE59E678A3E54798EF83514F25BE9C5E3AAC595BD ** get_address_of_m_RuntimeCalls_1() { return &___m_RuntimeCalls_1; }
inline void set_m_RuntimeCalls_1(List_1_tE59E678A3E54798EF83514F25BE9C5E3AAC595BD * value)
{
___m_RuntimeCalls_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RuntimeCalls_1), (void*)value);
}
inline static int32_t get_offset_of_m_ExecutingCalls_2() { return static_cast<int32_t>(offsetof(InvokableCallList_tB7C66AA0C00F9C102C8BDC17A144E569AC7527A9, ___m_ExecutingCalls_2)); }
inline List_1_tE59E678A3E54798EF83514F25BE9C5E3AAC595BD * get_m_ExecutingCalls_2() const { return ___m_ExecutingCalls_2; }
inline List_1_tE59E678A3E54798EF83514F25BE9C5E3AAC595BD ** get_address_of_m_ExecutingCalls_2() { return &___m_ExecutingCalls_2; }
inline void set_m_ExecutingCalls_2(List_1_tE59E678A3E54798EF83514F25BE9C5E3AAC595BD * value)
{
___m_ExecutingCalls_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ExecutingCalls_2), (void*)value);
}
inline static int32_t get_offset_of_m_NeedsUpdate_3() { return static_cast<int32_t>(offsetof(InvokableCallList_tB7C66AA0C00F9C102C8BDC17A144E569AC7527A9, ___m_NeedsUpdate_3)); }
inline bool get_m_NeedsUpdate_3() const { return ___m_NeedsUpdate_3; }
inline bool* get_address_of_m_NeedsUpdate_3() { return &___m_NeedsUpdate_3; }
inline void set_m_NeedsUpdate_3(bool value)
{
___m_NeedsUpdate_3 = value;
}
};
// System.IriHelper
struct IriHelper_t2C0194D72F3C5A4360E2433426D08654618E09CC : public RuntimeObject
{
public:
public:
};
// System.Runtime.CompilerServices.IsVolatile
struct IsVolatile_t6ED2D0439DEC9CD9E03E7F707E4836CCB5C34DC4 : public RuntimeObject
{
public:
public:
};
// System.Runtime.CompilerServices.JitHelpers
struct JitHelpers_t6DC124FF04E77C7EDE891400F7F01460DB8807E9 : public RuntimeObject
{
public:
public:
};
// Unity.Jobs.LowLevel.Unsafe.JobsUtility
struct JobsUtility_t3739CC93A2B1630A645FE0B10F3D24B8088AE12B : public RuntimeObject
{
public:
public:
};
// UnityEngine.JsonUtility
struct JsonUtility_tEC8D90B8D7161F0966D0B8E7303206C18AAB0BD0 : public RuntimeObject
{
public:
public:
};
// TMPro.KerningTable
struct KerningTable_t820628F74178B0781DBFFB55BF1277247047617D : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<TMPro.KerningPair> TMPro.KerningTable::kerningPairs
List_1_t1B6EFE288A2DE26C71B859C4288B12EBAD811679 * ___kerningPairs_0;
public:
inline static int32_t get_offset_of_kerningPairs_0() { return static_cast<int32_t>(offsetof(KerningTable_t820628F74178B0781DBFFB55BF1277247047617D, ___kerningPairs_0)); }
inline List_1_t1B6EFE288A2DE26C71B859C4288B12EBAD811679 * get_kerningPairs_0() const { return ___kerningPairs_0; }
inline List_1_t1B6EFE288A2DE26C71B859C4288B12EBAD811679 ** get_address_of_kerningPairs_0() { return &___kerningPairs_0; }
inline void set_kerningPairs_0(List_1_t1B6EFE288A2DE26C71B859C4288B12EBAD811679 * value)
{
___kerningPairs_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___kerningPairs_0), (void*)value);
}
};
// Microsoft.Win32.KeyHandler
struct KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF : public RuntimeObject
{
public:
// System.String Microsoft.Win32.KeyHandler::Dir
String_t* ___Dir_2;
// System.String Microsoft.Win32.KeyHandler::ActualDir
String_t* ___ActualDir_3;
// System.Boolean Microsoft.Win32.KeyHandler::IsVolatile
bool ___IsVolatile_4;
// System.Collections.Hashtable Microsoft.Win32.KeyHandler::values
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___values_5;
// System.String Microsoft.Win32.KeyHandler::file
String_t* ___file_6;
// System.Boolean Microsoft.Win32.KeyHandler::dirty
bool ___dirty_7;
public:
inline static int32_t get_offset_of_Dir_2() { return static_cast<int32_t>(offsetof(KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF, ___Dir_2)); }
inline String_t* get_Dir_2() const { return ___Dir_2; }
inline String_t** get_address_of_Dir_2() { return &___Dir_2; }
inline void set_Dir_2(String_t* value)
{
___Dir_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Dir_2), (void*)value);
}
inline static int32_t get_offset_of_ActualDir_3() { return static_cast<int32_t>(offsetof(KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF, ___ActualDir_3)); }
inline String_t* get_ActualDir_3() const { return ___ActualDir_3; }
inline String_t** get_address_of_ActualDir_3() { return &___ActualDir_3; }
inline void set_ActualDir_3(String_t* value)
{
___ActualDir_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ActualDir_3), (void*)value);
}
inline static int32_t get_offset_of_IsVolatile_4() { return static_cast<int32_t>(offsetof(KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF, ___IsVolatile_4)); }
inline bool get_IsVolatile_4() const { return ___IsVolatile_4; }
inline bool* get_address_of_IsVolatile_4() { return &___IsVolatile_4; }
inline void set_IsVolatile_4(bool value)
{
___IsVolatile_4 = value;
}
inline static int32_t get_offset_of_values_5() { return static_cast<int32_t>(offsetof(KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF, ___values_5)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_values_5() const { return ___values_5; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_values_5() { return &___values_5; }
inline void set_values_5(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___values_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___values_5), (void*)value);
}
inline static int32_t get_offset_of_file_6() { return static_cast<int32_t>(offsetof(KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF, ___file_6)); }
inline String_t* get_file_6() const { return ___file_6; }
inline String_t** get_address_of_file_6() { return &___file_6; }
inline void set_file_6(String_t* value)
{
___file_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___file_6), (void*)value);
}
inline static int32_t get_offset_of_dirty_7() { return static_cast<int32_t>(offsetof(KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF, ___dirty_7)); }
inline bool get_dirty_7() const { return ___dirty_7; }
inline bool* get_address_of_dirty_7() { return &___dirty_7; }
inline void set_dirty_7(bool value)
{
___dirty_7 = value;
}
};
struct KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF_StaticFields
{
public:
// System.Collections.Hashtable Microsoft.Win32.KeyHandler::key_to_handler
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___key_to_handler_0;
// System.Collections.Hashtable Microsoft.Win32.KeyHandler::dir_to_handler
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___dir_to_handler_1;
// System.String Microsoft.Win32.KeyHandler::user_store
String_t* ___user_store_8;
// System.String Microsoft.Win32.KeyHandler::machine_store
String_t* ___machine_store_9;
public:
inline static int32_t get_offset_of_key_to_handler_0() { return static_cast<int32_t>(offsetof(KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF_StaticFields, ___key_to_handler_0)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_key_to_handler_0() const { return ___key_to_handler_0; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_key_to_handler_0() { return &___key_to_handler_0; }
inline void set_key_to_handler_0(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___key_to_handler_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___key_to_handler_0), (void*)value);
}
inline static int32_t get_offset_of_dir_to_handler_1() { return static_cast<int32_t>(offsetof(KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF_StaticFields, ___dir_to_handler_1)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_dir_to_handler_1() const { return ___dir_to_handler_1; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_dir_to_handler_1() { return &___dir_to_handler_1; }
inline void set_dir_to_handler_1(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___dir_to_handler_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___dir_to_handler_1), (void*)value);
}
inline static int32_t get_offset_of_user_store_8() { return static_cast<int32_t>(offsetof(KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF_StaticFields, ___user_store_8)); }
inline String_t* get_user_store_8() const { return ___user_store_8; }
inline String_t** get_address_of_user_store_8() { return &___user_store_8; }
inline void set_user_store_8(String_t* value)
{
___user_store_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___user_store_8), (void*)value);
}
inline static int32_t get_offset_of_machine_store_9() { return static_cast<int32_t>(offsetof(KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF_StaticFields, ___machine_store_9)); }
inline String_t* get_machine_store_9() const { return ___machine_store_9; }
inline String_t** get_address_of_machine_store_9() { return &___machine_store_9; }
inline void set_machine_store_9(String_t* value)
{
___machine_store_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___machine_store_9), (void*)value);
}
};
// System.Collections.Generic.KeyValuePair
struct KeyValuePair_t142F43549F77CB44E82D74227434E1CE049EE37C : public RuntimeObject
{
public:
public:
};
// System.KnownTerminals
struct KnownTerminals_tADE399A49DA8B9DC4C28532B56B2FAF668CE3ABF : public RuntimeObject
{
public:
public:
};
// UnityEngine.ResourceManagement.Util.LRUCacheAllocationStrategy
struct LRUCacheAllocationStrategy_t0AB40452BEB8D7C750CE77492085A0A52D8979EC : public RuntimeObject
{
public:
// System.Int32 UnityEngine.ResourceManagement.Util.LRUCacheAllocationStrategy::m_poolMaxSize
int32_t ___m_poolMaxSize_0;
// System.Int32 UnityEngine.ResourceManagement.Util.LRUCacheAllocationStrategy::m_poolInitialCapacity
int32_t ___m_poolInitialCapacity_1;
// System.Int32 UnityEngine.ResourceManagement.Util.LRUCacheAllocationStrategy::m_poolCacheMaxSize
int32_t ___m_poolCacheMaxSize_2;
// System.Collections.Generic.List`1<System.Collections.Generic.List`1<System.Object>> UnityEngine.ResourceManagement.Util.LRUCacheAllocationStrategy::m_poolCache
List_1_t8B882C35A043F4E77C7B67F67E531D1CBA978AFC * ___m_poolCache_3;
// System.Collections.Generic.Dictionary`2<System.Int32,System.Collections.Generic.List`1<System.Object>> UnityEngine.ResourceManagement.Util.LRUCacheAllocationStrategy::m_cache
Dictionary_2_t105FF7824240354B82616D121D7FF93B6882DEDE * ___m_cache_4;
public:
inline static int32_t get_offset_of_m_poolMaxSize_0() { return static_cast<int32_t>(offsetof(LRUCacheAllocationStrategy_t0AB40452BEB8D7C750CE77492085A0A52D8979EC, ___m_poolMaxSize_0)); }
inline int32_t get_m_poolMaxSize_0() const { return ___m_poolMaxSize_0; }
inline int32_t* get_address_of_m_poolMaxSize_0() { return &___m_poolMaxSize_0; }
inline void set_m_poolMaxSize_0(int32_t value)
{
___m_poolMaxSize_0 = value;
}
inline static int32_t get_offset_of_m_poolInitialCapacity_1() { return static_cast<int32_t>(offsetof(LRUCacheAllocationStrategy_t0AB40452BEB8D7C750CE77492085A0A52D8979EC, ___m_poolInitialCapacity_1)); }
inline int32_t get_m_poolInitialCapacity_1() const { return ___m_poolInitialCapacity_1; }
inline int32_t* get_address_of_m_poolInitialCapacity_1() { return &___m_poolInitialCapacity_1; }
inline void set_m_poolInitialCapacity_1(int32_t value)
{
___m_poolInitialCapacity_1 = value;
}
inline static int32_t get_offset_of_m_poolCacheMaxSize_2() { return static_cast<int32_t>(offsetof(LRUCacheAllocationStrategy_t0AB40452BEB8D7C750CE77492085A0A52D8979EC, ___m_poolCacheMaxSize_2)); }
inline int32_t get_m_poolCacheMaxSize_2() const { return ___m_poolCacheMaxSize_2; }
inline int32_t* get_address_of_m_poolCacheMaxSize_2() { return &___m_poolCacheMaxSize_2; }
inline void set_m_poolCacheMaxSize_2(int32_t value)
{
___m_poolCacheMaxSize_2 = value;
}
inline static int32_t get_offset_of_m_poolCache_3() { return static_cast<int32_t>(offsetof(LRUCacheAllocationStrategy_t0AB40452BEB8D7C750CE77492085A0A52D8979EC, ___m_poolCache_3)); }
inline List_1_t8B882C35A043F4E77C7B67F67E531D1CBA978AFC * get_m_poolCache_3() const { return ___m_poolCache_3; }
inline List_1_t8B882C35A043F4E77C7B67F67E531D1CBA978AFC ** get_address_of_m_poolCache_3() { return &___m_poolCache_3; }
inline void set_m_poolCache_3(List_1_t8B882C35A043F4E77C7B67F67E531D1CBA978AFC * value)
{
___m_poolCache_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_poolCache_3), (void*)value);
}
inline static int32_t get_offset_of_m_cache_4() { return static_cast<int32_t>(offsetof(LRUCacheAllocationStrategy_t0AB40452BEB8D7C750CE77492085A0A52D8979EC, ___m_cache_4)); }
inline Dictionary_2_t105FF7824240354B82616D121D7FF93B6882DEDE * get_m_cache_4() const { return ___m_cache_4; }
inline Dictionary_2_t105FF7824240354B82616D121D7FF93B6882DEDE ** get_address_of_m_cache_4() { return &___m_cache_4; }
inline void set_m_cache_4(Dictionary_2_t105FF7824240354B82616D121D7FF93B6882DEDE * value)
{
___m_cache_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_cache_4), (void*)value);
}
};
// UnityEngine.UI.LayoutRebuilder
struct LayoutRebuilder_tE88B8B9EA50644E438123BDCE2BC2A3287E07585 : public RuntimeObject
{
public:
// UnityEngine.RectTransform UnityEngine.UI.LayoutRebuilder::m_ToRebuild
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_ToRebuild_0;
// System.Int32 UnityEngine.UI.LayoutRebuilder::m_CachedHashFromTransform
int32_t ___m_CachedHashFromTransform_1;
public:
inline static int32_t get_offset_of_m_ToRebuild_0() { return static_cast<int32_t>(offsetof(LayoutRebuilder_tE88B8B9EA50644E438123BDCE2BC2A3287E07585, ___m_ToRebuild_0)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_ToRebuild_0() const { return ___m_ToRebuild_0; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_ToRebuild_0() { return &___m_ToRebuild_0; }
inline void set_m_ToRebuild_0(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_ToRebuild_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ToRebuild_0), (void*)value);
}
inline static int32_t get_offset_of_m_CachedHashFromTransform_1() { return static_cast<int32_t>(offsetof(LayoutRebuilder_tE88B8B9EA50644E438123BDCE2BC2A3287E07585, ___m_CachedHashFromTransform_1)); }
inline int32_t get_m_CachedHashFromTransform_1() const { return ___m_CachedHashFromTransform_1; }
inline int32_t* get_address_of_m_CachedHashFromTransform_1() { return &___m_CachedHashFromTransform_1; }
inline void set_m_CachedHashFromTransform_1(int32_t value)
{
___m_CachedHashFromTransform_1 = value;
}
};
struct LayoutRebuilder_tE88B8B9EA50644E438123BDCE2BC2A3287E07585_StaticFields
{
public:
// UnityEngine.UI.ObjectPool`1<UnityEngine.UI.LayoutRebuilder> UnityEngine.UI.LayoutRebuilder::s_Rebuilders
ObjectPool_1_tF882C230AD45CD9C4E4B57E68D8A55D84F30583E * ___s_Rebuilders_2;
public:
inline static int32_t get_offset_of_s_Rebuilders_2() { return static_cast<int32_t>(offsetof(LayoutRebuilder_tE88B8B9EA50644E438123BDCE2BC2A3287E07585_StaticFields, ___s_Rebuilders_2)); }
inline ObjectPool_1_tF882C230AD45CD9C4E4B57E68D8A55D84F30583E * get_s_Rebuilders_2() const { return ___s_Rebuilders_2; }
inline ObjectPool_1_tF882C230AD45CD9C4E4B57E68D8A55D84F30583E ** get_address_of_s_Rebuilders_2() { return &___s_Rebuilders_2; }
inline void set_s_Rebuilders_2(ObjectPool_1_tF882C230AD45CD9C4E4B57E68D8A55D84F30583E * value)
{
___s_Rebuilders_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Rebuilders_2), (void*)value);
}
};
// UnityEngine.UI.LayoutUtility
struct LayoutUtility_t3D168B387D64DE29C79003731AD5ECE2EA3D9355 : public RuntimeObject
{
public:
public:
};
// System.Threading.LazyInitializer
struct LazyInitializer_t68D740FE95C1E311CA598F6427FAFBF1F6EA9A3E : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.Lifetime.LeaseManager
struct LeaseManager_tCB2B24D3B1EB0083B9FF0BA2D4E5E8B84EE94DD1 : public RuntimeObject
{
public:
// System.Collections.ArrayList System.Runtime.Remoting.Lifetime.LeaseManager::_objects
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * ____objects_0;
// System.Threading.Timer System.Runtime.Remoting.Lifetime.LeaseManager::_timer
Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB * ____timer_1;
public:
inline static int32_t get_offset_of__objects_0() { return static_cast<int32_t>(offsetof(LeaseManager_tCB2B24D3B1EB0083B9FF0BA2D4E5E8B84EE94DD1, ____objects_0)); }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * get__objects_0() const { return ____objects_0; }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 ** get_address_of__objects_0() { return &____objects_0; }
inline void set__objects_0(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * value)
{
____objects_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____objects_0), (void*)value);
}
inline static int32_t get_offset_of__timer_1() { return static_cast<int32_t>(offsetof(LeaseManager_tCB2B24D3B1EB0083B9FF0BA2D4E5E8B84EE94DD1, ____timer_1)); }
inline Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB * get__timer_1() const { return ____timer_1; }
inline Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB ** get_address_of__timer_1() { return &____timer_1; }
inline void set__timer_1(Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB * value)
{
____timer_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____timer_1), (void*)value);
}
};
// System.Runtime.Remoting.Lifetime.LeaseSink
struct LeaseSink_t102D9ED005D8D3BF39D7D7012058E2C02FB5F92D : public RuntimeObject
{
public:
// System.Runtime.Remoting.Messaging.IMessageSink System.Runtime.Remoting.Lifetime.LeaseSink::_nextSink
RuntimeObject* ____nextSink_0;
public:
inline static int32_t get_offset_of__nextSink_0() { return static_cast<int32_t>(offsetof(LeaseSink_t102D9ED005D8D3BF39D7D7012058E2C02FB5F92D, ____nextSink_0)); }
inline RuntimeObject* get__nextSink_0() const { return ____nextSink_0; }
inline RuntimeObject** get_address_of__nextSink_0() { return &____nextSink_0; }
inline void set__nextSink_0(RuntimeObject* value)
{
____nextSink_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____nextSink_0), (void*)value);
}
};
// UnityEngine.Localization.Platform.Android.LegacyIconsInfo
struct LegacyIconsInfo_tB00BAC053DCCA152CCD88B3C05A496BAE7B11C99 : public RuntimeObject
{
public:
// UnityEngine.Localization.LocalizedTexture UnityEngine.Localization.Platform.Android.LegacyIconsInfo::m_Legacy_hdpi
LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * ___m_Legacy_hdpi_0;
// UnityEngine.Localization.LocalizedTexture UnityEngine.Localization.Platform.Android.LegacyIconsInfo::m_Legacy_idpi
LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * ___m_Legacy_idpi_1;
// UnityEngine.Localization.LocalizedTexture UnityEngine.Localization.Platform.Android.LegacyIconsInfo::m_Legacy_mdpi
LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * ___m_Legacy_mdpi_2;
// UnityEngine.Localization.LocalizedTexture UnityEngine.Localization.Platform.Android.LegacyIconsInfo::m_Legacy_xhdpi
LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * ___m_Legacy_xhdpi_3;
// UnityEngine.Localization.LocalizedTexture UnityEngine.Localization.Platform.Android.LegacyIconsInfo::m_Legacy_xxhdpi
LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * ___m_Legacy_xxhdpi_4;
// UnityEngine.Localization.LocalizedTexture UnityEngine.Localization.Platform.Android.LegacyIconsInfo::m_Legacy_xxxhdpi
LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * ___m_Legacy_xxxhdpi_5;
public:
inline static int32_t get_offset_of_m_Legacy_hdpi_0() { return static_cast<int32_t>(offsetof(LegacyIconsInfo_tB00BAC053DCCA152CCD88B3C05A496BAE7B11C99, ___m_Legacy_hdpi_0)); }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * get_m_Legacy_hdpi_0() const { return ___m_Legacy_hdpi_0; }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F ** get_address_of_m_Legacy_hdpi_0() { return &___m_Legacy_hdpi_0; }
inline void set_m_Legacy_hdpi_0(LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * value)
{
___m_Legacy_hdpi_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Legacy_hdpi_0), (void*)value);
}
inline static int32_t get_offset_of_m_Legacy_idpi_1() { return static_cast<int32_t>(offsetof(LegacyIconsInfo_tB00BAC053DCCA152CCD88B3C05A496BAE7B11C99, ___m_Legacy_idpi_1)); }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * get_m_Legacy_idpi_1() const { return ___m_Legacy_idpi_1; }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F ** get_address_of_m_Legacy_idpi_1() { return &___m_Legacy_idpi_1; }
inline void set_m_Legacy_idpi_1(LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * value)
{
___m_Legacy_idpi_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Legacy_idpi_1), (void*)value);
}
inline static int32_t get_offset_of_m_Legacy_mdpi_2() { return static_cast<int32_t>(offsetof(LegacyIconsInfo_tB00BAC053DCCA152CCD88B3C05A496BAE7B11C99, ___m_Legacy_mdpi_2)); }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * get_m_Legacy_mdpi_2() const { return ___m_Legacy_mdpi_2; }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F ** get_address_of_m_Legacy_mdpi_2() { return &___m_Legacy_mdpi_2; }
inline void set_m_Legacy_mdpi_2(LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * value)
{
___m_Legacy_mdpi_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Legacy_mdpi_2), (void*)value);
}
inline static int32_t get_offset_of_m_Legacy_xhdpi_3() { return static_cast<int32_t>(offsetof(LegacyIconsInfo_tB00BAC053DCCA152CCD88B3C05A496BAE7B11C99, ___m_Legacy_xhdpi_3)); }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * get_m_Legacy_xhdpi_3() const { return ___m_Legacy_xhdpi_3; }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F ** get_address_of_m_Legacy_xhdpi_3() { return &___m_Legacy_xhdpi_3; }
inline void set_m_Legacy_xhdpi_3(LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * value)
{
___m_Legacy_xhdpi_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Legacy_xhdpi_3), (void*)value);
}
inline static int32_t get_offset_of_m_Legacy_xxhdpi_4() { return static_cast<int32_t>(offsetof(LegacyIconsInfo_tB00BAC053DCCA152CCD88B3C05A496BAE7B11C99, ___m_Legacy_xxhdpi_4)); }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * get_m_Legacy_xxhdpi_4() const { return ___m_Legacy_xxhdpi_4; }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F ** get_address_of_m_Legacy_xxhdpi_4() { return &___m_Legacy_xxhdpi_4; }
inline void set_m_Legacy_xxhdpi_4(LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * value)
{
___m_Legacy_xxhdpi_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Legacy_xxhdpi_4), (void*)value);
}
inline static int32_t get_offset_of_m_Legacy_xxxhdpi_5() { return static_cast<int32_t>(offsetof(LegacyIconsInfo_tB00BAC053DCCA152CCD88B3C05A496BAE7B11C99, ___m_Legacy_xxxhdpi_5)); }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * get_m_Legacy_xxxhdpi_5() const { return ___m_Legacy_xxxhdpi_5; }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F ** get_address_of_m_Legacy_xxxhdpi_5() { return &___m_Legacy_xxxhdpi_5; }
inline void set_m_Legacy_xxxhdpi_5(LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * value)
{
___m_Legacy_xxxhdpi_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Legacy_xxxhdpi_5), (void*)value);
}
};
// Mono.Globalization.Unicode.Level2Map
struct Level2Map_t26846E0D6A6A0C5990567628ECE6CAAE22BAAB6C : public RuntimeObject
{
public:
// System.Byte Mono.Globalization.Unicode.Level2Map::Source
uint8_t ___Source_0;
// System.Byte Mono.Globalization.Unicode.Level2Map::Replace
uint8_t ___Replace_1;
public:
inline static int32_t get_offset_of_Source_0() { return static_cast<int32_t>(offsetof(Level2Map_t26846E0D6A6A0C5990567628ECE6CAAE22BAAB6C, ___Source_0)); }
inline uint8_t get_Source_0() const { return ___Source_0; }
inline uint8_t* get_address_of_Source_0() { return &___Source_0; }
inline void set_Source_0(uint8_t value)
{
___Source_0 = value;
}
inline static int32_t get_offset_of_Replace_1() { return static_cast<int32_t>(offsetof(Level2Map_t26846E0D6A6A0C5990567628ECE6CAAE22BAAB6C, ___Replace_1)); }
inline uint8_t get_Replace_1() const { return ___Replace_1; }
inline uint8_t* get_address_of_Replace_1() { return &___Replace_1; }
inline void set_Replace_1(uint8_t value)
{
___Replace_1 = value;
}
};
// UnityEngine.Experimental.GlobalIllumination.LightmapperUtils
struct LightmapperUtils_t19C9935ABB53B1CC2172A00DF2383D03929CFCB5 : public RuntimeObject
{
public:
public:
};
// UnityEngine.Experimental.GlobalIllumination.Lightmapping
struct Lightmapping_tE0E9E68769E4D87E92C8EBAAE98A5EB328F5903E : public RuntimeObject
{
public:
public:
};
struct Lightmapping_tE0E9E68769E4D87E92C8EBAAE98A5EB328F5903E_StaticFields
{
public:
// UnityEngine.Experimental.GlobalIllumination.Lightmapping/RequestLightsDelegate UnityEngine.Experimental.GlobalIllumination.Lightmapping::s_DefaultDelegate
RequestLightsDelegate_t48C36AFA6015405AE4069BB1F3623AF3BC51FDA0 * ___s_DefaultDelegate_0;
// UnityEngine.Experimental.GlobalIllumination.Lightmapping/RequestLightsDelegate UnityEngine.Experimental.GlobalIllumination.Lightmapping::s_RequestLightsDelegate
RequestLightsDelegate_t48C36AFA6015405AE4069BB1F3623AF3BC51FDA0 * ___s_RequestLightsDelegate_1;
public:
inline static int32_t get_offset_of_s_DefaultDelegate_0() { return static_cast<int32_t>(offsetof(Lightmapping_tE0E9E68769E4D87E92C8EBAAE98A5EB328F5903E_StaticFields, ___s_DefaultDelegate_0)); }
inline RequestLightsDelegate_t48C36AFA6015405AE4069BB1F3623AF3BC51FDA0 * get_s_DefaultDelegate_0() const { return ___s_DefaultDelegate_0; }
inline RequestLightsDelegate_t48C36AFA6015405AE4069BB1F3623AF3BC51FDA0 ** get_address_of_s_DefaultDelegate_0() { return &___s_DefaultDelegate_0; }
inline void set_s_DefaultDelegate_0(RequestLightsDelegate_t48C36AFA6015405AE4069BB1F3623AF3BC51FDA0 * value)
{
___s_DefaultDelegate_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_DefaultDelegate_0), (void*)value);
}
inline static int32_t get_offset_of_s_RequestLightsDelegate_1() { return static_cast<int32_t>(offsetof(Lightmapping_tE0E9E68769E4D87E92C8EBAAE98A5EB328F5903E_StaticFields, ___s_RequestLightsDelegate_1)); }
inline RequestLightsDelegate_t48C36AFA6015405AE4069BB1F3623AF3BC51FDA0 * get_s_RequestLightsDelegate_1() const { return ___s_RequestLightsDelegate_1; }
inline RequestLightsDelegate_t48C36AFA6015405AE4069BB1F3623AF3BC51FDA0 ** get_address_of_s_RequestLightsDelegate_1() { return &___s_RequestLightsDelegate_1; }
inline void set_s_RequestLightsDelegate_1(RequestLightsDelegate_t48C36AFA6015405AE4069BB1F3623AF3BC51FDA0 * value)
{
___s_RequestLightsDelegate_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_RequestLightsDelegate_1), (void*)value);
}
};
// System.Collections.ListDictionaryInternal
struct ListDictionaryInternal_t41BC521E191A070D69C4D98B996314424BBFDA8A : public RuntimeObject
{
public:
// System.Collections.ListDictionaryInternal/DictionaryNode System.Collections.ListDictionaryInternal::head
DictionaryNode_t9A01FA01782F6D162BA158736A5FB81CB893A33C * ___head_0;
// System.Int32 System.Collections.ListDictionaryInternal::version
int32_t ___version_1;
// System.Int32 System.Collections.ListDictionaryInternal::count
int32_t ___count_2;
public:
inline static int32_t get_offset_of_head_0() { return static_cast<int32_t>(offsetof(ListDictionaryInternal_t41BC521E191A070D69C4D98B996314424BBFDA8A, ___head_0)); }
inline DictionaryNode_t9A01FA01782F6D162BA158736A5FB81CB893A33C * get_head_0() const { return ___head_0; }
inline DictionaryNode_t9A01FA01782F6D162BA158736A5FB81CB893A33C ** get_address_of_head_0() { return &___head_0; }
inline void set_head_0(DictionaryNode_t9A01FA01782F6D162BA158736A5FB81CB893A33C * value)
{
___head_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___head_0), (void*)value);
}
inline static int32_t get_offset_of_version_1() { return static_cast<int32_t>(offsetof(ListDictionaryInternal_t41BC521E191A070D69C4D98B996314424BBFDA8A, ___version_1)); }
inline int32_t get_version_1() const { return ___version_1; }
inline int32_t* get_address_of_version_1() { return &___version_1; }
inline void set_version_1(int32_t value)
{
___version_1 = value;
}
inline static int32_t get_offset_of_count_2() { return static_cast<int32_t>(offsetof(ListDictionaryInternal_t41BC521E191A070D69C4D98B996314424BBFDA8A, ___count_2)); }
inline int32_t get_count_2() const { return ___count_2; }
inline int32_t* get_address_of_count_2() { return &___count_2; }
inline void set_count_2(int32_t value)
{
___count_2 = value;
}
};
// System.LocalDataStore
struct LocalDataStore_t0E725C41DF754333CDF1E6FA151711B6E88FEF65 : public RuntimeObject
{
public:
// System.LocalDataStoreElement[] System.LocalDataStore::m_DataTable
LocalDataStoreElementU5BU5D_t0FFE400A2F344919D2883737974989D792D79AAF* ___m_DataTable_0;
// System.LocalDataStoreMgr System.LocalDataStore::m_Manager
LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A * ___m_Manager_1;
public:
inline static int32_t get_offset_of_m_DataTable_0() { return static_cast<int32_t>(offsetof(LocalDataStore_t0E725C41DF754333CDF1E6FA151711B6E88FEF65, ___m_DataTable_0)); }
inline LocalDataStoreElementU5BU5D_t0FFE400A2F344919D2883737974989D792D79AAF* get_m_DataTable_0() const { return ___m_DataTable_0; }
inline LocalDataStoreElementU5BU5D_t0FFE400A2F344919D2883737974989D792D79AAF** get_address_of_m_DataTable_0() { return &___m_DataTable_0; }
inline void set_m_DataTable_0(LocalDataStoreElementU5BU5D_t0FFE400A2F344919D2883737974989D792D79AAF* value)
{
___m_DataTable_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DataTable_0), (void*)value);
}
inline static int32_t get_offset_of_m_Manager_1() { return static_cast<int32_t>(offsetof(LocalDataStore_t0E725C41DF754333CDF1E6FA151711B6E88FEF65, ___m_Manager_1)); }
inline LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A * get_m_Manager_1() const { return ___m_Manager_1; }
inline LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A ** get_address_of_m_Manager_1() { return &___m_Manager_1; }
inline void set_m_Manager_1(LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A * value)
{
___m_Manager_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Manager_1), (void*)value);
}
};
// System.LocalDataStoreElement
struct LocalDataStoreElement_t3274C5FC8B3A921FC6D9F45A6B992ED73AD06BE7 : public RuntimeObject
{
public:
// System.Object System.LocalDataStoreElement::m_value
RuntimeObject * ___m_value_0;
// System.Int64 System.LocalDataStoreElement::m_cookie
int64_t ___m_cookie_1;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(LocalDataStoreElement_t3274C5FC8B3A921FC6D9F45A6B992ED73AD06BE7, ___m_value_0)); }
inline RuntimeObject * get_m_value_0() const { return ___m_value_0; }
inline RuntimeObject ** get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(RuntimeObject * value)
{
___m_value_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_value_0), (void*)value);
}
inline static int32_t get_offset_of_m_cookie_1() { return static_cast<int32_t>(offsetof(LocalDataStoreElement_t3274C5FC8B3A921FC6D9F45A6B992ED73AD06BE7, ___m_cookie_1)); }
inline int64_t get_m_cookie_1() const { return ___m_cookie_1; }
inline int64_t* get_address_of_m_cookie_1() { return &___m_cookie_1; }
inline void set_m_cookie_1(int64_t value)
{
___m_cookie_1 = value;
}
};
// System.LocalDataStoreHolder
struct LocalDataStoreHolder_tF51C9DD735A89132114AE47E3EB51C11D0FED146 : public RuntimeObject
{
public:
// System.LocalDataStore System.LocalDataStoreHolder::m_Store
LocalDataStore_t0E725C41DF754333CDF1E6FA151711B6E88FEF65 * ___m_Store_0;
public:
inline static int32_t get_offset_of_m_Store_0() { return static_cast<int32_t>(offsetof(LocalDataStoreHolder_tF51C9DD735A89132114AE47E3EB51C11D0FED146, ___m_Store_0)); }
inline LocalDataStore_t0E725C41DF754333CDF1E6FA151711B6E88FEF65 * get_m_Store_0() const { return ___m_Store_0; }
inline LocalDataStore_t0E725C41DF754333CDF1E6FA151711B6E88FEF65 ** get_address_of_m_Store_0() { return &___m_Store_0; }
inline void set_m_Store_0(LocalDataStore_t0E725C41DF754333CDF1E6FA151711B6E88FEF65 * value)
{
___m_Store_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Store_0), (void*)value);
}
};
// System.LocalDataStoreMgr
struct LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A : public RuntimeObject
{
public:
// System.Boolean[] System.LocalDataStoreMgr::m_SlotInfoTable
BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C* ___m_SlotInfoTable_0;
// System.Int32 System.LocalDataStoreMgr::m_FirstAvailableSlot
int32_t ___m_FirstAvailableSlot_1;
// System.Collections.Generic.List`1<System.LocalDataStore> System.LocalDataStoreMgr::m_ManagedLocalDataStores
List_1_t470880A334542833BF98F3272A5E266DD818EA86 * ___m_ManagedLocalDataStores_2;
// System.Collections.Generic.Dictionary`2<System.String,System.LocalDataStoreSlot> System.LocalDataStoreMgr::m_KeyToSlotMap
Dictionary_2_tBB3B761B5CD370C29795A985E92637E6653997E5 * ___m_KeyToSlotMap_3;
// System.Int64 System.LocalDataStoreMgr::m_CookieGenerator
int64_t ___m_CookieGenerator_4;
public:
inline static int32_t get_offset_of_m_SlotInfoTable_0() { return static_cast<int32_t>(offsetof(LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A, ___m_SlotInfoTable_0)); }
inline BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C* get_m_SlotInfoTable_0() const { return ___m_SlotInfoTable_0; }
inline BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C** get_address_of_m_SlotInfoTable_0() { return &___m_SlotInfoTable_0; }
inline void set_m_SlotInfoTable_0(BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C* value)
{
___m_SlotInfoTable_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SlotInfoTable_0), (void*)value);
}
inline static int32_t get_offset_of_m_FirstAvailableSlot_1() { return static_cast<int32_t>(offsetof(LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A, ___m_FirstAvailableSlot_1)); }
inline int32_t get_m_FirstAvailableSlot_1() const { return ___m_FirstAvailableSlot_1; }
inline int32_t* get_address_of_m_FirstAvailableSlot_1() { return &___m_FirstAvailableSlot_1; }
inline void set_m_FirstAvailableSlot_1(int32_t value)
{
___m_FirstAvailableSlot_1 = value;
}
inline static int32_t get_offset_of_m_ManagedLocalDataStores_2() { return static_cast<int32_t>(offsetof(LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A, ___m_ManagedLocalDataStores_2)); }
inline List_1_t470880A334542833BF98F3272A5E266DD818EA86 * get_m_ManagedLocalDataStores_2() const { return ___m_ManagedLocalDataStores_2; }
inline List_1_t470880A334542833BF98F3272A5E266DD818EA86 ** get_address_of_m_ManagedLocalDataStores_2() { return &___m_ManagedLocalDataStores_2; }
inline void set_m_ManagedLocalDataStores_2(List_1_t470880A334542833BF98F3272A5E266DD818EA86 * value)
{
___m_ManagedLocalDataStores_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ManagedLocalDataStores_2), (void*)value);
}
inline static int32_t get_offset_of_m_KeyToSlotMap_3() { return static_cast<int32_t>(offsetof(LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A, ___m_KeyToSlotMap_3)); }
inline Dictionary_2_tBB3B761B5CD370C29795A985E92637E6653997E5 * get_m_KeyToSlotMap_3() const { return ___m_KeyToSlotMap_3; }
inline Dictionary_2_tBB3B761B5CD370C29795A985E92637E6653997E5 ** get_address_of_m_KeyToSlotMap_3() { return &___m_KeyToSlotMap_3; }
inline void set_m_KeyToSlotMap_3(Dictionary_2_tBB3B761B5CD370C29795A985E92637E6653997E5 * value)
{
___m_KeyToSlotMap_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_KeyToSlotMap_3), (void*)value);
}
inline static int32_t get_offset_of_m_CookieGenerator_4() { return static_cast<int32_t>(offsetof(LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A, ___m_CookieGenerator_4)); }
inline int64_t get_m_CookieGenerator_4() const { return ___m_CookieGenerator_4; }
inline int64_t* get_address_of_m_CookieGenerator_4() { return &___m_CookieGenerator_4; }
inline void set_m_CookieGenerator_4(int64_t value)
{
___m_CookieGenerator_4 = value;
}
};
// System.LocalDataStoreSlot
struct LocalDataStoreSlot_t89250F25A06E480B8052287EEB620C6C64AAF2D5 : public RuntimeObject
{
public:
// System.LocalDataStoreMgr System.LocalDataStoreSlot::m_mgr
LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A * ___m_mgr_0;
// System.Int32 System.LocalDataStoreSlot::m_slot
int32_t ___m_slot_1;
// System.Int64 System.LocalDataStoreSlot::m_cookie
int64_t ___m_cookie_2;
public:
inline static int32_t get_offset_of_m_mgr_0() { return static_cast<int32_t>(offsetof(LocalDataStoreSlot_t89250F25A06E480B8052287EEB620C6C64AAF2D5, ___m_mgr_0)); }
inline LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A * get_m_mgr_0() const { return ___m_mgr_0; }
inline LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A ** get_address_of_m_mgr_0() { return &___m_mgr_0; }
inline void set_m_mgr_0(LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A * value)
{
___m_mgr_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_mgr_0), (void*)value);
}
inline static int32_t get_offset_of_m_slot_1() { return static_cast<int32_t>(offsetof(LocalDataStoreSlot_t89250F25A06E480B8052287EEB620C6C64AAF2D5, ___m_slot_1)); }
inline int32_t get_m_slot_1() const { return ___m_slot_1; }
inline int32_t* get_address_of_m_slot_1() { return &___m_slot_1; }
inline void set_m_slot_1(int32_t value)
{
___m_slot_1 = value;
}
inline static int32_t get_offset_of_m_cookie_2() { return static_cast<int32_t>(offsetof(LocalDataStoreSlot_t89250F25A06E480B8052287EEB620C6C64AAF2D5, ___m_cookie_2)); }
inline int64_t get_m_cookie_2() const { return ___m_cookie_2; }
inline int64_t* get_address_of_m_cookie_2() { return &___m_cookie_2; }
inline void set_m_cookie_2(int64_t value)
{
___m_cookie_2 = value;
}
};
// System.Reflection.LocalVariableInfo
struct LocalVariableInfo_t886B53D36BA0B4BA37FEEB6DB4834A6933FDAF61 : public RuntimeObject
{
public:
// System.Type System.Reflection.LocalVariableInfo::type
Type_t * ___type_0;
// System.Boolean System.Reflection.LocalVariableInfo::is_pinned
bool ___is_pinned_1;
// System.UInt16 System.Reflection.LocalVariableInfo::position
uint16_t ___position_2;
public:
inline static int32_t get_offset_of_type_0() { return static_cast<int32_t>(offsetof(LocalVariableInfo_t886B53D36BA0B4BA37FEEB6DB4834A6933FDAF61, ___type_0)); }
inline Type_t * get_type_0() const { return ___type_0; }
inline Type_t ** get_address_of_type_0() { return &___type_0; }
inline void set_type_0(Type_t * value)
{
___type_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___type_0), (void*)value);
}
inline static int32_t get_offset_of_is_pinned_1() { return static_cast<int32_t>(offsetof(LocalVariableInfo_t886B53D36BA0B4BA37FEEB6DB4834A6933FDAF61, ___is_pinned_1)); }
inline bool get_is_pinned_1() const { return ___is_pinned_1; }
inline bool* get_address_of_is_pinned_1() { return &___is_pinned_1; }
inline void set_is_pinned_1(bool value)
{
___is_pinned_1 = value;
}
inline static int32_t get_offset_of_position_2() { return static_cast<int32_t>(offsetof(LocalVariableInfo_t886B53D36BA0B4BA37FEEB6DB4834A6933FDAF61, ___position_2)); }
inline uint16_t get_position_2() const { return ___position_2; }
inline uint16_t* get_address_of_position_2() { return &___position_2; }
inline void set_position_2(uint16_t value)
{
___position_2 = value;
}
};
// Native definition for P/Invoke marshalling of System.Reflection.LocalVariableInfo
struct LocalVariableInfo_t886B53D36BA0B4BA37FEEB6DB4834A6933FDAF61_marshaled_pinvoke
{
Type_t * ___type_0;
int32_t ___is_pinned_1;
uint16_t ___position_2;
};
// Native definition for COM marshalling of System.Reflection.LocalVariableInfo
struct LocalVariableInfo_t886B53D36BA0B4BA37FEEB6DB4834A6933FDAF61_marshaled_com
{
Type_t * ___type_0;
int32_t ___is_pinned_1;
uint16_t ___position_2;
};
// Locale
struct Locale_t1E6F03093A6B2CFE1C02ACFFF3E469779762D748 : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.Messaging.LogicalCallContext
struct LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 : public RuntimeObject
{
public:
// System.Collections.Hashtable System.Runtime.Remoting.Messaging.LogicalCallContext::m_Datastore
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___m_Datastore_1;
// System.Runtime.Remoting.Messaging.CallContextRemotingData System.Runtime.Remoting.Messaging.LogicalCallContext::m_RemotingData
CallContextRemotingData_t91D21A898FED729F67E6899F29076D9CF39E419E * ___m_RemotingData_2;
// System.Runtime.Remoting.Messaging.CallContextSecurityData System.Runtime.Remoting.Messaging.LogicalCallContext::m_SecurityData
CallContextSecurityData_t57A7D75CA887E871D0AF1E3AF1AB9624AB99B431 * ___m_SecurityData_3;
// System.Object System.Runtime.Remoting.Messaging.LogicalCallContext::m_HostContext
RuntimeObject * ___m_HostContext_4;
// System.Boolean System.Runtime.Remoting.Messaging.LogicalCallContext::m_IsCorrelationMgr
bool ___m_IsCorrelationMgr_5;
public:
inline static int32_t get_offset_of_m_Datastore_1() { return static_cast<int32_t>(offsetof(LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3, ___m_Datastore_1)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_m_Datastore_1() const { return ___m_Datastore_1; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_m_Datastore_1() { return &___m_Datastore_1; }
inline void set_m_Datastore_1(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___m_Datastore_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Datastore_1), (void*)value);
}
inline static int32_t get_offset_of_m_RemotingData_2() { return static_cast<int32_t>(offsetof(LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3, ___m_RemotingData_2)); }
inline CallContextRemotingData_t91D21A898FED729F67E6899F29076D9CF39E419E * get_m_RemotingData_2() const { return ___m_RemotingData_2; }
inline CallContextRemotingData_t91D21A898FED729F67E6899F29076D9CF39E419E ** get_address_of_m_RemotingData_2() { return &___m_RemotingData_2; }
inline void set_m_RemotingData_2(CallContextRemotingData_t91D21A898FED729F67E6899F29076D9CF39E419E * value)
{
___m_RemotingData_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RemotingData_2), (void*)value);
}
inline static int32_t get_offset_of_m_SecurityData_3() { return static_cast<int32_t>(offsetof(LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3, ___m_SecurityData_3)); }
inline CallContextSecurityData_t57A7D75CA887E871D0AF1E3AF1AB9624AB99B431 * get_m_SecurityData_3() const { return ___m_SecurityData_3; }
inline CallContextSecurityData_t57A7D75CA887E871D0AF1E3AF1AB9624AB99B431 ** get_address_of_m_SecurityData_3() { return &___m_SecurityData_3; }
inline void set_m_SecurityData_3(CallContextSecurityData_t57A7D75CA887E871D0AF1E3AF1AB9624AB99B431 * value)
{
___m_SecurityData_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SecurityData_3), (void*)value);
}
inline static int32_t get_offset_of_m_HostContext_4() { return static_cast<int32_t>(offsetof(LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3, ___m_HostContext_4)); }
inline RuntimeObject * get_m_HostContext_4() const { return ___m_HostContext_4; }
inline RuntimeObject ** get_address_of_m_HostContext_4() { return &___m_HostContext_4; }
inline void set_m_HostContext_4(RuntimeObject * value)
{
___m_HostContext_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_HostContext_4), (void*)value);
}
inline static int32_t get_offset_of_m_IsCorrelationMgr_5() { return static_cast<int32_t>(offsetof(LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3, ___m_IsCorrelationMgr_5)); }
inline bool get_m_IsCorrelationMgr_5() const { return ___m_IsCorrelationMgr_5; }
inline bool* get_address_of_m_IsCorrelationMgr_5() { return &___m_IsCorrelationMgr_5; }
inline void set_m_IsCorrelationMgr_5(bool value)
{
___m_IsCorrelationMgr_5 = value;
}
};
struct LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3_StaticFields
{
public:
// System.Type System.Runtime.Remoting.Messaging.LogicalCallContext::s_callContextType
Type_t * ___s_callContextType_0;
public:
inline static int32_t get_offset_of_s_callContextType_0() { return static_cast<int32_t>(offsetof(LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3_StaticFields, ___s_callContextType_0)); }
inline Type_t * get_s_callContextType_0() const { return ___s_callContextType_0; }
inline Type_t ** get_address_of_s_callContextType_0() { return &___s_callContextType_0; }
inline void set_s_callContextType_0(Type_t * value)
{
___s_callContextType_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_callContextType_0), (void*)value);
}
};
// System.Runtime.Serialization.LongList
struct LongList_tB13F421A6BB4E3BB28AEAA7B91E9A937EB7A7D23 : public RuntimeObject
{
public:
// System.Int64[] System.Runtime.Serialization.LongList::m_values
Int64U5BU5D_tCA61E42872C63A4286B24EEE6E0650143B43DCE6* ___m_values_0;
// System.Int32 System.Runtime.Serialization.LongList::m_count
int32_t ___m_count_1;
// System.Int32 System.Runtime.Serialization.LongList::m_totalItems
int32_t ___m_totalItems_2;
// System.Int32 System.Runtime.Serialization.LongList::m_currentItem
int32_t ___m_currentItem_3;
public:
inline static int32_t get_offset_of_m_values_0() { return static_cast<int32_t>(offsetof(LongList_tB13F421A6BB4E3BB28AEAA7B91E9A937EB7A7D23, ___m_values_0)); }
inline Int64U5BU5D_tCA61E42872C63A4286B24EEE6E0650143B43DCE6* get_m_values_0() const { return ___m_values_0; }
inline Int64U5BU5D_tCA61E42872C63A4286B24EEE6E0650143B43DCE6** get_address_of_m_values_0() { return &___m_values_0; }
inline void set_m_values_0(Int64U5BU5D_tCA61E42872C63A4286B24EEE6E0650143B43DCE6* value)
{
___m_values_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_values_0), (void*)value);
}
inline static int32_t get_offset_of_m_count_1() { return static_cast<int32_t>(offsetof(LongList_tB13F421A6BB4E3BB28AEAA7B91E9A937EB7A7D23, ___m_count_1)); }
inline int32_t get_m_count_1() const { return ___m_count_1; }
inline int32_t* get_address_of_m_count_1() { return &___m_count_1; }
inline void set_m_count_1(int32_t value)
{
___m_count_1 = value;
}
inline static int32_t get_offset_of_m_totalItems_2() { return static_cast<int32_t>(offsetof(LongList_tB13F421A6BB4E3BB28AEAA7B91E9A937EB7A7D23, ___m_totalItems_2)); }
inline int32_t get_m_totalItems_2() const { return ___m_totalItems_2; }
inline int32_t* get_address_of_m_totalItems_2() { return &___m_totalItems_2; }
inline void set_m_totalItems_2(int32_t value)
{
___m_totalItems_2 = value;
}
inline static int32_t get_offset_of_m_currentItem_3() { return static_cast<int32_t>(offsetof(LongList_tB13F421A6BB4E3BB28AEAA7B91E9A937EB7A7D23, ___m_currentItem_3)); }
inline int32_t get_m_currentItem_3() const { return ___m_currentItem_3; }
inline int32_t* get_address_of_m_currentItem_3() { return &___m_currentItem_3; }
inline void set_m_currentItem_3(int32_t value)
{
___m_currentItem_3 = value;
}
};
// System.Collections.LowLevelComparer
struct LowLevelComparer_tE1AAB0112F35E5629CBBA2032E4B98AD63745673 : public RuntimeObject
{
public:
public:
};
struct LowLevelComparer_tE1AAB0112F35E5629CBBA2032E4B98AD63745673_StaticFields
{
public:
// System.Collections.LowLevelComparer System.Collections.LowLevelComparer::Default
LowLevelComparer_tE1AAB0112F35E5629CBBA2032E4B98AD63745673 * ___Default_0;
public:
inline static int32_t get_offset_of_Default_0() { return static_cast<int32_t>(offsetof(LowLevelComparer_tE1AAB0112F35E5629CBBA2032E4B98AD63745673_StaticFields, ___Default_0)); }
inline LowLevelComparer_tE1AAB0112F35E5629CBBA2032E4B98AD63745673 * get_Default_0() const { return ___Default_0; }
inline LowLevelComparer_tE1AAB0112F35E5629CBBA2032E4B98AD63745673 ** get_address_of_Default_0() { return &___Default_0; }
inline void set_Default_0(LowLevelComparer_tE1AAB0112F35E5629CBBA2032E4B98AD63745673 * value)
{
___Default_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Default_0), (void*)value);
}
};
// Mono.Globalization.Unicode.MSCompatUnicodeTable
struct MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5 : public RuntimeObject
{
public:
public:
};
struct MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields
{
public:
// System.Int32 Mono.Globalization.Unicode.MSCompatUnicodeTable::MaxExpansionLength
int32_t ___MaxExpansionLength_0;
// System.Byte* Mono.Globalization.Unicode.MSCompatUnicodeTable::ignorableFlags
uint8_t* ___ignorableFlags_1;
// System.Byte* Mono.Globalization.Unicode.MSCompatUnicodeTable::categories
uint8_t* ___categories_2;
// System.Byte* Mono.Globalization.Unicode.MSCompatUnicodeTable::level1
uint8_t* ___level1_3;
// System.Byte* Mono.Globalization.Unicode.MSCompatUnicodeTable::level2
uint8_t* ___level2_4;
// System.Byte* Mono.Globalization.Unicode.MSCompatUnicodeTable::level3
uint8_t* ___level3_5;
// System.Byte* Mono.Globalization.Unicode.MSCompatUnicodeTable::cjkCHScategory
uint8_t* ___cjkCHScategory_6;
// System.Byte* Mono.Globalization.Unicode.MSCompatUnicodeTable::cjkCHTcategory
uint8_t* ___cjkCHTcategory_7;
// System.Byte* Mono.Globalization.Unicode.MSCompatUnicodeTable::cjkJAcategory
uint8_t* ___cjkJAcategory_8;
// System.Byte* Mono.Globalization.Unicode.MSCompatUnicodeTable::cjkKOcategory
uint8_t* ___cjkKOcategory_9;
// System.Byte* Mono.Globalization.Unicode.MSCompatUnicodeTable::cjkCHSlv1
uint8_t* ___cjkCHSlv1_10;
// System.Byte* Mono.Globalization.Unicode.MSCompatUnicodeTable::cjkCHTlv1
uint8_t* ___cjkCHTlv1_11;
// System.Byte* Mono.Globalization.Unicode.MSCompatUnicodeTable::cjkJAlv1
uint8_t* ___cjkJAlv1_12;
// System.Byte* Mono.Globalization.Unicode.MSCompatUnicodeTable::cjkKOlv1
uint8_t* ___cjkKOlv1_13;
// System.Byte* Mono.Globalization.Unicode.MSCompatUnicodeTable::cjkKOlv2
uint8_t* ___cjkKOlv2_14;
// System.Char[] Mono.Globalization.Unicode.MSCompatUnicodeTable::tailoringArr
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___tailoringArr_15;
// Mono.Globalization.Unicode.TailoringInfo[] Mono.Globalization.Unicode.MSCompatUnicodeTable::tailoringInfos
TailoringInfoU5BU5D_tE558BFC8FBB51482ACC5F18EB713B8AE8B77FB99* ___tailoringInfos_16;
// System.Object Mono.Globalization.Unicode.MSCompatUnicodeTable::forLock
RuntimeObject * ___forLock_17;
// System.Boolean Mono.Globalization.Unicode.MSCompatUnicodeTable::isReady
bool ___isReady_18;
public:
inline static int32_t get_offset_of_MaxExpansionLength_0() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields, ___MaxExpansionLength_0)); }
inline int32_t get_MaxExpansionLength_0() const { return ___MaxExpansionLength_0; }
inline int32_t* get_address_of_MaxExpansionLength_0() { return &___MaxExpansionLength_0; }
inline void set_MaxExpansionLength_0(int32_t value)
{
___MaxExpansionLength_0 = value;
}
inline static int32_t get_offset_of_ignorableFlags_1() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields, ___ignorableFlags_1)); }
inline uint8_t* get_ignorableFlags_1() const { return ___ignorableFlags_1; }
inline uint8_t** get_address_of_ignorableFlags_1() { return &___ignorableFlags_1; }
inline void set_ignorableFlags_1(uint8_t* value)
{
___ignorableFlags_1 = value;
}
inline static int32_t get_offset_of_categories_2() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields, ___categories_2)); }
inline uint8_t* get_categories_2() const { return ___categories_2; }
inline uint8_t** get_address_of_categories_2() { return &___categories_2; }
inline void set_categories_2(uint8_t* value)
{
___categories_2 = value;
}
inline static int32_t get_offset_of_level1_3() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields, ___level1_3)); }
inline uint8_t* get_level1_3() const { return ___level1_3; }
inline uint8_t** get_address_of_level1_3() { return &___level1_3; }
inline void set_level1_3(uint8_t* value)
{
___level1_3 = value;
}
inline static int32_t get_offset_of_level2_4() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields, ___level2_4)); }
inline uint8_t* get_level2_4() const { return ___level2_4; }
inline uint8_t** get_address_of_level2_4() { return &___level2_4; }
inline void set_level2_4(uint8_t* value)
{
___level2_4 = value;
}
inline static int32_t get_offset_of_level3_5() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields, ___level3_5)); }
inline uint8_t* get_level3_5() const { return ___level3_5; }
inline uint8_t** get_address_of_level3_5() { return &___level3_5; }
inline void set_level3_5(uint8_t* value)
{
___level3_5 = value;
}
inline static int32_t get_offset_of_cjkCHScategory_6() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields, ___cjkCHScategory_6)); }
inline uint8_t* get_cjkCHScategory_6() const { return ___cjkCHScategory_6; }
inline uint8_t** get_address_of_cjkCHScategory_6() { return &___cjkCHScategory_6; }
inline void set_cjkCHScategory_6(uint8_t* value)
{
___cjkCHScategory_6 = value;
}
inline static int32_t get_offset_of_cjkCHTcategory_7() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields, ___cjkCHTcategory_7)); }
inline uint8_t* get_cjkCHTcategory_7() const { return ___cjkCHTcategory_7; }
inline uint8_t** get_address_of_cjkCHTcategory_7() { return &___cjkCHTcategory_7; }
inline void set_cjkCHTcategory_7(uint8_t* value)
{
___cjkCHTcategory_7 = value;
}
inline static int32_t get_offset_of_cjkJAcategory_8() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields, ___cjkJAcategory_8)); }
inline uint8_t* get_cjkJAcategory_8() const { return ___cjkJAcategory_8; }
inline uint8_t** get_address_of_cjkJAcategory_8() { return &___cjkJAcategory_8; }
inline void set_cjkJAcategory_8(uint8_t* value)
{
___cjkJAcategory_8 = value;
}
inline static int32_t get_offset_of_cjkKOcategory_9() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields, ___cjkKOcategory_9)); }
inline uint8_t* get_cjkKOcategory_9() const { return ___cjkKOcategory_9; }
inline uint8_t** get_address_of_cjkKOcategory_9() { return &___cjkKOcategory_9; }
inline void set_cjkKOcategory_9(uint8_t* value)
{
___cjkKOcategory_9 = value;
}
inline static int32_t get_offset_of_cjkCHSlv1_10() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields, ___cjkCHSlv1_10)); }
inline uint8_t* get_cjkCHSlv1_10() const { return ___cjkCHSlv1_10; }
inline uint8_t** get_address_of_cjkCHSlv1_10() { return &___cjkCHSlv1_10; }
inline void set_cjkCHSlv1_10(uint8_t* value)
{
___cjkCHSlv1_10 = value;
}
inline static int32_t get_offset_of_cjkCHTlv1_11() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields, ___cjkCHTlv1_11)); }
inline uint8_t* get_cjkCHTlv1_11() const { return ___cjkCHTlv1_11; }
inline uint8_t** get_address_of_cjkCHTlv1_11() { return &___cjkCHTlv1_11; }
inline void set_cjkCHTlv1_11(uint8_t* value)
{
___cjkCHTlv1_11 = value;
}
inline static int32_t get_offset_of_cjkJAlv1_12() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields, ___cjkJAlv1_12)); }
inline uint8_t* get_cjkJAlv1_12() const { return ___cjkJAlv1_12; }
inline uint8_t** get_address_of_cjkJAlv1_12() { return &___cjkJAlv1_12; }
inline void set_cjkJAlv1_12(uint8_t* value)
{
___cjkJAlv1_12 = value;
}
inline static int32_t get_offset_of_cjkKOlv1_13() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields, ___cjkKOlv1_13)); }
inline uint8_t* get_cjkKOlv1_13() const { return ___cjkKOlv1_13; }
inline uint8_t** get_address_of_cjkKOlv1_13() { return &___cjkKOlv1_13; }
inline void set_cjkKOlv1_13(uint8_t* value)
{
___cjkKOlv1_13 = value;
}
inline static int32_t get_offset_of_cjkKOlv2_14() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields, ___cjkKOlv2_14)); }
inline uint8_t* get_cjkKOlv2_14() const { return ___cjkKOlv2_14; }
inline uint8_t** get_address_of_cjkKOlv2_14() { return &___cjkKOlv2_14; }
inline void set_cjkKOlv2_14(uint8_t* value)
{
___cjkKOlv2_14 = value;
}
inline static int32_t get_offset_of_tailoringArr_15() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields, ___tailoringArr_15)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_tailoringArr_15() const { return ___tailoringArr_15; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_tailoringArr_15() { return &___tailoringArr_15; }
inline void set_tailoringArr_15(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___tailoringArr_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___tailoringArr_15), (void*)value);
}
inline static int32_t get_offset_of_tailoringInfos_16() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields, ___tailoringInfos_16)); }
inline TailoringInfoU5BU5D_tE558BFC8FBB51482ACC5F18EB713B8AE8B77FB99* get_tailoringInfos_16() const { return ___tailoringInfos_16; }
inline TailoringInfoU5BU5D_tE558BFC8FBB51482ACC5F18EB713B8AE8B77FB99** get_address_of_tailoringInfos_16() { return &___tailoringInfos_16; }
inline void set_tailoringInfos_16(TailoringInfoU5BU5D_tE558BFC8FBB51482ACC5F18EB713B8AE8B77FB99* value)
{
___tailoringInfos_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___tailoringInfos_16), (void*)value);
}
inline static int32_t get_offset_of_forLock_17() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields, ___forLock_17)); }
inline RuntimeObject * get_forLock_17() const { return ___forLock_17; }
inline RuntimeObject ** get_address_of_forLock_17() { return &___forLock_17; }
inline void set_forLock_17(RuntimeObject * value)
{
___forLock_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___forLock_17), (void*)value);
}
inline static int32_t get_offset_of_isReady_18() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields, ___isReady_18)); }
inline bool get_isReady_18() const { return ___isReady_18; }
inline bool* get_address_of_isReady_18() { return &___isReady_18; }
inline void set_isReady_18(bool value)
{
___isReady_18 = value;
}
};
// Mono.Globalization.Unicode.MSCompatUnicodeTableUtil
struct MSCompatUnicodeTableUtil_t52325CB7A2FB0EAA73F5A8F026A9DE49305EB1F2 : public RuntimeObject
{
public:
public:
};
struct MSCompatUnicodeTableUtil_t52325CB7A2FB0EAA73F5A8F026A9DE49305EB1F2_StaticFields
{
public:
// Mono.Globalization.Unicode.CodePointIndexer Mono.Globalization.Unicode.MSCompatUnicodeTableUtil::Ignorable
CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * ___Ignorable_0;
// Mono.Globalization.Unicode.CodePointIndexer Mono.Globalization.Unicode.MSCompatUnicodeTableUtil::Category
CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * ___Category_1;
// Mono.Globalization.Unicode.CodePointIndexer Mono.Globalization.Unicode.MSCompatUnicodeTableUtil::Level1
CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * ___Level1_2;
// Mono.Globalization.Unicode.CodePointIndexer Mono.Globalization.Unicode.MSCompatUnicodeTableUtil::Level2
CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * ___Level2_3;
// Mono.Globalization.Unicode.CodePointIndexer Mono.Globalization.Unicode.MSCompatUnicodeTableUtil::Level3
CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * ___Level3_4;
// Mono.Globalization.Unicode.CodePointIndexer Mono.Globalization.Unicode.MSCompatUnicodeTableUtil::CjkCHS
CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * ___CjkCHS_5;
// Mono.Globalization.Unicode.CodePointIndexer Mono.Globalization.Unicode.MSCompatUnicodeTableUtil::Cjk
CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * ___Cjk_6;
public:
inline static int32_t get_offset_of_Ignorable_0() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTableUtil_t52325CB7A2FB0EAA73F5A8F026A9DE49305EB1F2_StaticFields, ___Ignorable_0)); }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * get_Ignorable_0() const { return ___Ignorable_0; }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 ** get_address_of_Ignorable_0() { return &___Ignorable_0; }
inline void set_Ignorable_0(CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * value)
{
___Ignorable_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Ignorable_0), (void*)value);
}
inline static int32_t get_offset_of_Category_1() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTableUtil_t52325CB7A2FB0EAA73F5A8F026A9DE49305EB1F2_StaticFields, ___Category_1)); }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * get_Category_1() const { return ___Category_1; }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 ** get_address_of_Category_1() { return &___Category_1; }
inline void set_Category_1(CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * value)
{
___Category_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Category_1), (void*)value);
}
inline static int32_t get_offset_of_Level1_2() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTableUtil_t52325CB7A2FB0EAA73F5A8F026A9DE49305EB1F2_StaticFields, ___Level1_2)); }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * get_Level1_2() const { return ___Level1_2; }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 ** get_address_of_Level1_2() { return &___Level1_2; }
inline void set_Level1_2(CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * value)
{
___Level1_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Level1_2), (void*)value);
}
inline static int32_t get_offset_of_Level2_3() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTableUtil_t52325CB7A2FB0EAA73F5A8F026A9DE49305EB1F2_StaticFields, ___Level2_3)); }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * get_Level2_3() const { return ___Level2_3; }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 ** get_address_of_Level2_3() { return &___Level2_3; }
inline void set_Level2_3(CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * value)
{
___Level2_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Level2_3), (void*)value);
}
inline static int32_t get_offset_of_Level3_4() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTableUtil_t52325CB7A2FB0EAA73F5A8F026A9DE49305EB1F2_StaticFields, ___Level3_4)); }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * get_Level3_4() const { return ___Level3_4; }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 ** get_address_of_Level3_4() { return &___Level3_4; }
inline void set_Level3_4(CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * value)
{
___Level3_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Level3_4), (void*)value);
}
inline static int32_t get_offset_of_CjkCHS_5() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTableUtil_t52325CB7A2FB0EAA73F5A8F026A9DE49305EB1F2_StaticFields, ___CjkCHS_5)); }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * get_CjkCHS_5() const { return ___CjkCHS_5; }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 ** get_address_of_CjkCHS_5() { return &___CjkCHS_5; }
inline void set_CjkCHS_5(CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * value)
{
___CjkCHS_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___CjkCHS_5), (void*)value);
}
inline static int32_t get_offset_of_Cjk_6() { return static_cast<int32_t>(offsetof(MSCompatUnicodeTableUtil_t52325CB7A2FB0EAA73F5A8F026A9DE49305EB1F2_StaticFields, ___Cjk_6)); }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * get_Cjk_6() const { return ___Cjk_6; }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 ** get_address_of_Cjk_6() { return &___Cjk_6; }
inline void set_Cjk_6(CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * value)
{
___Cjk_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Cjk_6), (void*)value);
}
};
// UnityEngine.ManagedStreamHelpers
struct ManagedStreamHelpers_tD05B79EDB519018DFCA3C0A9071AC3F7FEEB6FFD : public RuntimeObject
{
public:
public:
};
// System.Resources.ManifestBasedResourceGroveler
struct ManifestBasedResourceGroveler_t9C99FB753107EC7B31BC4B0564545A3B0F912483 : public RuntimeObject
{
public:
// System.Resources.ResourceManager/ResourceManagerMediator System.Resources.ManifestBasedResourceGroveler::_mediator
ResourceManagerMediator_t8562CDD205C5617282C599DB2E52D0440602903C * ____mediator_0;
public:
inline static int32_t get_offset_of__mediator_0() { return static_cast<int32_t>(offsetof(ManifestBasedResourceGroveler_t9C99FB753107EC7B31BC4B0564545A3B0F912483, ____mediator_0)); }
inline ResourceManagerMediator_t8562CDD205C5617282C599DB2E52D0440602903C * get__mediator_0() const { return ____mediator_0; }
inline ResourceManagerMediator_t8562CDD205C5617282C599DB2E52D0440602903C ** get_address_of__mediator_0() { return &____mediator_0; }
inline void set__mediator_0(ResourceManagerMediator_t8562CDD205C5617282C599DB2E52D0440602903C * value)
{
____mediator_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____mediator_0), (void*)value);
}
};
// System.Runtime.InteropServices.Marshal
struct Marshal_tEBAFAE20369FCB1B38C49C4E27A8D8C2C4B55058 : public RuntimeObject
{
public:
public:
};
struct Marshal_tEBAFAE20369FCB1B38C49C4E27A8D8C2C4B55058_StaticFields
{
public:
// System.Int32 System.Runtime.InteropServices.Marshal::SystemMaxDBCSCharSize
int32_t ___SystemMaxDBCSCharSize_0;
// System.Int32 System.Runtime.InteropServices.Marshal::SystemDefaultCharSize
int32_t ___SystemDefaultCharSize_1;
public:
inline static int32_t get_offset_of_SystemMaxDBCSCharSize_0() { return static_cast<int32_t>(offsetof(Marshal_tEBAFAE20369FCB1B38C49C4E27A8D8C2C4B55058_StaticFields, ___SystemMaxDBCSCharSize_0)); }
inline int32_t get_SystemMaxDBCSCharSize_0() const { return ___SystemMaxDBCSCharSize_0; }
inline int32_t* get_address_of_SystemMaxDBCSCharSize_0() { return &___SystemMaxDBCSCharSize_0; }
inline void set_SystemMaxDBCSCharSize_0(int32_t value)
{
___SystemMaxDBCSCharSize_0 = value;
}
inline static int32_t get_offset_of_SystemDefaultCharSize_1() { return static_cast<int32_t>(offsetof(Marshal_tEBAFAE20369FCB1B38C49C4E27A8D8C2C4B55058_StaticFields, ___SystemDefaultCharSize_1)); }
inline int32_t get_SystemDefaultCharSize_1() const { return ___SystemDefaultCharSize_1; }
inline int32_t* get_address_of_SystemDefaultCharSize_1() { return &___SystemDefaultCharSize_1; }
inline void set_SystemDefaultCharSize_1(int32_t value)
{
___SystemDefaultCharSize_1 = value;
}
};
// System.MarshalByRefObject
struct MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8 : public RuntimeObject
{
public:
// System.Object System.MarshalByRefObject::_identity
RuntimeObject * ____identity_0;
public:
inline static int32_t get_offset_of__identity_0() { return static_cast<int32_t>(offsetof(MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8, ____identity_0)); }
inline RuntimeObject * get__identity_0() const { return ____identity_0; }
inline RuntimeObject ** get_address_of__identity_0() { return &____identity_0; }
inline void set__identity_0(RuntimeObject * value)
{
____identity_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____identity_0), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.MarshalByRefObject
struct MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8_marshaled_pinvoke
{
Il2CppIUnknown* ____identity_0;
};
// Native definition for COM marshalling of System.MarshalByRefObject
struct MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8_marshaled_com
{
Il2CppIUnknown* ____identity_0;
};
// UnityEngine.UI.MaskUtilities
struct MaskUtilities_tFBE38EB0E9CADACFFB7F1F9160EF3A367F95581E : public RuntimeObject
{
public:
public:
};
// System.Text.RegularExpressions.MatchCollection
struct MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E : public RuntimeObject
{
public:
// System.Text.RegularExpressions.Regex System.Text.RegularExpressions.MatchCollection::_regex
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * ____regex_0;
// System.Collections.ArrayList System.Text.RegularExpressions.MatchCollection::_matches
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * ____matches_1;
// System.Boolean System.Text.RegularExpressions.MatchCollection::_done
bool ____done_2;
// System.String System.Text.RegularExpressions.MatchCollection::_input
String_t* ____input_3;
// System.Int32 System.Text.RegularExpressions.MatchCollection::_beginning
int32_t ____beginning_4;
// System.Int32 System.Text.RegularExpressions.MatchCollection::_length
int32_t ____length_5;
// System.Int32 System.Text.RegularExpressions.MatchCollection::_startat
int32_t ____startat_6;
// System.Int32 System.Text.RegularExpressions.MatchCollection::_prevlen
int32_t ____prevlen_7;
public:
inline static int32_t get_offset_of__regex_0() { return static_cast<int32_t>(offsetof(MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E, ____regex_0)); }
inline Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * get__regex_0() const { return ____regex_0; }
inline Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F ** get_address_of__regex_0() { return &____regex_0; }
inline void set__regex_0(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * value)
{
____regex_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____regex_0), (void*)value);
}
inline static int32_t get_offset_of__matches_1() { return static_cast<int32_t>(offsetof(MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E, ____matches_1)); }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * get__matches_1() const { return ____matches_1; }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 ** get_address_of__matches_1() { return &____matches_1; }
inline void set__matches_1(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * value)
{
____matches_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____matches_1), (void*)value);
}
inline static int32_t get_offset_of__done_2() { return static_cast<int32_t>(offsetof(MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E, ____done_2)); }
inline bool get__done_2() const { return ____done_2; }
inline bool* get_address_of__done_2() { return &____done_2; }
inline void set__done_2(bool value)
{
____done_2 = value;
}
inline static int32_t get_offset_of__input_3() { return static_cast<int32_t>(offsetof(MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E, ____input_3)); }
inline String_t* get__input_3() const { return ____input_3; }
inline String_t** get_address_of__input_3() { return &____input_3; }
inline void set__input_3(String_t* value)
{
____input_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____input_3), (void*)value);
}
inline static int32_t get_offset_of__beginning_4() { return static_cast<int32_t>(offsetof(MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E, ____beginning_4)); }
inline int32_t get__beginning_4() const { return ____beginning_4; }
inline int32_t* get_address_of__beginning_4() { return &____beginning_4; }
inline void set__beginning_4(int32_t value)
{
____beginning_4 = value;
}
inline static int32_t get_offset_of__length_5() { return static_cast<int32_t>(offsetof(MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E, ____length_5)); }
inline int32_t get__length_5() const { return ____length_5; }
inline int32_t* get_address_of__length_5() { return &____length_5; }
inline void set__length_5(int32_t value)
{
____length_5 = value;
}
inline static int32_t get_offset_of__startat_6() { return static_cast<int32_t>(offsetof(MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E, ____startat_6)); }
inline int32_t get__startat_6() const { return ____startat_6; }
inline int32_t* get_address_of__startat_6() { return &____startat_6; }
inline void set__startat_6(int32_t value)
{
____startat_6 = value;
}
inline static int32_t get_offset_of__prevlen_7() { return static_cast<int32_t>(offsetof(MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E, ____prevlen_7)); }
inline int32_t get__prevlen_7() const { return ____prevlen_7; }
inline int32_t* get_address_of__prevlen_7() { return &____prevlen_7; }
inline void set__prevlen_7(int32_t value)
{
____prevlen_7 = value;
}
};
struct MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E_StaticFields
{
public:
// System.Int32 System.Text.RegularExpressions.MatchCollection::infinite
int32_t ___infinite_8;
public:
inline static int32_t get_offset_of_infinite_8() { return static_cast<int32_t>(offsetof(MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E_StaticFields, ___infinite_8)); }
inline int32_t get_infinite_8() const { return ___infinite_8; }
inline int32_t* get_address_of_infinite_8() { return &___infinite_8; }
inline void set_infinite_8(int32_t value)
{
___infinite_8 = value;
}
};
// System.Text.RegularExpressions.MatchEnumerator
struct MatchEnumerator_tEB47660DB3F5DD6857ECAF73B79066F82B77F735 : public RuntimeObject
{
public:
// System.Text.RegularExpressions.MatchCollection System.Text.RegularExpressions.MatchEnumerator::_matchcoll
MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E * ____matchcoll_0;
// System.Text.RegularExpressions.Match System.Text.RegularExpressions.MatchEnumerator::_match
Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B * ____match_1;
// System.Int32 System.Text.RegularExpressions.MatchEnumerator::_curindex
int32_t ____curindex_2;
// System.Boolean System.Text.RegularExpressions.MatchEnumerator::_done
bool ____done_3;
public:
inline static int32_t get_offset_of__matchcoll_0() { return static_cast<int32_t>(offsetof(MatchEnumerator_tEB47660DB3F5DD6857ECAF73B79066F82B77F735, ____matchcoll_0)); }
inline MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E * get__matchcoll_0() const { return ____matchcoll_0; }
inline MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E ** get_address_of__matchcoll_0() { return &____matchcoll_0; }
inline void set__matchcoll_0(MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E * value)
{
____matchcoll_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____matchcoll_0), (void*)value);
}
inline static int32_t get_offset_of__match_1() { return static_cast<int32_t>(offsetof(MatchEnumerator_tEB47660DB3F5DD6857ECAF73B79066F82B77F735, ____match_1)); }
inline Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B * get__match_1() const { return ____match_1; }
inline Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B ** get_address_of__match_1() { return &____match_1; }
inline void set__match_1(Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B * value)
{
____match_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____match_1), (void*)value);
}
inline static int32_t get_offset_of__curindex_2() { return static_cast<int32_t>(offsetof(MatchEnumerator_tEB47660DB3F5DD6857ECAF73B79066F82B77F735, ____curindex_2)); }
inline int32_t get__curindex_2() const { return ____curindex_2; }
inline int32_t* get_address_of__curindex_2() { return &____curindex_2; }
inline void set__curindex_2(int32_t value)
{
____curindex_2 = value;
}
inline static int32_t get_offset_of__done_3() { return static_cast<int32_t>(offsetof(MatchEnumerator_tEB47660DB3F5DD6857ECAF73B79066F82B77F735, ____done_3)); }
inline bool get__done_3() const { return ____done_3; }
inline bool* get_address_of__done_3() { return &____done_3; }
inline void set__done_3(bool value)
{
____done_3 = value;
}
};
// TMPro.MaterialReferenceManager
struct MaterialReferenceManager_t52FF6BEA7BD21A51D0C0A96D591DDE6461C492EF : public RuntimeObject
{
public:
// System.Collections.Generic.Dictionary`2<System.Int32,UnityEngine.Material> TMPro.MaterialReferenceManager::m_FontMaterialReferenceLookup
Dictionary_2_tE3F17FC57643708975DF2782661AFB9CB1687991 * ___m_FontMaterialReferenceLookup_1;
// System.Collections.Generic.Dictionary`2<System.Int32,TMPro.TMP_FontAsset> TMPro.MaterialReferenceManager::m_FontAssetReferenceLookup
Dictionary_2_tAB557C4BCEBDF7E2339209187287588CF6C63579 * ___m_FontAssetReferenceLookup_2;
// System.Collections.Generic.Dictionary`2<System.Int32,TMPro.TMP_SpriteAsset> TMPro.MaterialReferenceManager::m_SpriteAssetReferenceLookup
Dictionary_2_t6A406AC36627118EE2E0E5BBCE5CF76FC9C5CE1F * ___m_SpriteAssetReferenceLookup_3;
// System.Collections.Generic.Dictionary`2<System.Int32,TMPro.TMP_ColorGradient> TMPro.MaterialReferenceManager::m_ColorGradientReferenceLookup
Dictionary_2_t83EDCEFCBB12C89A61745514957F522FEF34EAE1 * ___m_ColorGradientReferenceLookup_4;
public:
inline static int32_t get_offset_of_m_FontMaterialReferenceLookup_1() { return static_cast<int32_t>(offsetof(MaterialReferenceManager_t52FF6BEA7BD21A51D0C0A96D591DDE6461C492EF, ___m_FontMaterialReferenceLookup_1)); }
inline Dictionary_2_tE3F17FC57643708975DF2782661AFB9CB1687991 * get_m_FontMaterialReferenceLookup_1() const { return ___m_FontMaterialReferenceLookup_1; }
inline Dictionary_2_tE3F17FC57643708975DF2782661AFB9CB1687991 ** get_address_of_m_FontMaterialReferenceLookup_1() { return &___m_FontMaterialReferenceLookup_1; }
inline void set_m_FontMaterialReferenceLookup_1(Dictionary_2_tE3F17FC57643708975DF2782661AFB9CB1687991 * value)
{
___m_FontMaterialReferenceLookup_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_FontMaterialReferenceLookup_1), (void*)value);
}
inline static int32_t get_offset_of_m_FontAssetReferenceLookup_2() { return static_cast<int32_t>(offsetof(MaterialReferenceManager_t52FF6BEA7BD21A51D0C0A96D591DDE6461C492EF, ___m_FontAssetReferenceLookup_2)); }
inline Dictionary_2_tAB557C4BCEBDF7E2339209187287588CF6C63579 * get_m_FontAssetReferenceLookup_2() const { return ___m_FontAssetReferenceLookup_2; }
inline Dictionary_2_tAB557C4BCEBDF7E2339209187287588CF6C63579 ** get_address_of_m_FontAssetReferenceLookup_2() { return &___m_FontAssetReferenceLookup_2; }
inline void set_m_FontAssetReferenceLookup_2(Dictionary_2_tAB557C4BCEBDF7E2339209187287588CF6C63579 * value)
{
___m_FontAssetReferenceLookup_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_FontAssetReferenceLookup_2), (void*)value);
}
inline static int32_t get_offset_of_m_SpriteAssetReferenceLookup_3() { return static_cast<int32_t>(offsetof(MaterialReferenceManager_t52FF6BEA7BD21A51D0C0A96D591DDE6461C492EF, ___m_SpriteAssetReferenceLookup_3)); }
inline Dictionary_2_t6A406AC36627118EE2E0E5BBCE5CF76FC9C5CE1F * get_m_SpriteAssetReferenceLookup_3() const { return ___m_SpriteAssetReferenceLookup_3; }
inline Dictionary_2_t6A406AC36627118EE2E0E5BBCE5CF76FC9C5CE1F ** get_address_of_m_SpriteAssetReferenceLookup_3() { return &___m_SpriteAssetReferenceLookup_3; }
inline void set_m_SpriteAssetReferenceLookup_3(Dictionary_2_t6A406AC36627118EE2E0E5BBCE5CF76FC9C5CE1F * value)
{
___m_SpriteAssetReferenceLookup_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SpriteAssetReferenceLookup_3), (void*)value);
}
inline static int32_t get_offset_of_m_ColorGradientReferenceLookup_4() { return static_cast<int32_t>(offsetof(MaterialReferenceManager_t52FF6BEA7BD21A51D0C0A96D591DDE6461C492EF, ___m_ColorGradientReferenceLookup_4)); }
inline Dictionary_2_t83EDCEFCBB12C89A61745514957F522FEF34EAE1 * get_m_ColorGradientReferenceLookup_4() const { return ___m_ColorGradientReferenceLookup_4; }
inline Dictionary_2_t83EDCEFCBB12C89A61745514957F522FEF34EAE1 ** get_address_of_m_ColorGradientReferenceLookup_4() { return &___m_ColorGradientReferenceLookup_4; }
inline void set_m_ColorGradientReferenceLookup_4(Dictionary_2_t83EDCEFCBB12C89A61745514957F522FEF34EAE1 * value)
{
___m_ColorGradientReferenceLookup_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ColorGradientReferenceLookup_4), (void*)value);
}
};
struct MaterialReferenceManager_t52FF6BEA7BD21A51D0C0A96D591DDE6461C492EF_StaticFields
{
public:
// TMPro.MaterialReferenceManager TMPro.MaterialReferenceManager::s_Instance
MaterialReferenceManager_t52FF6BEA7BD21A51D0C0A96D591DDE6461C492EF * ___s_Instance_0;
public:
inline static int32_t get_offset_of_s_Instance_0() { return static_cast<int32_t>(offsetof(MaterialReferenceManager_t52FF6BEA7BD21A51D0C0A96D591DDE6461C492EF_StaticFields, ___s_Instance_0)); }
inline MaterialReferenceManager_t52FF6BEA7BD21A51D0C0A96D591DDE6461C492EF * get_s_Instance_0() const { return ___s_Instance_0; }
inline MaterialReferenceManager_t52FF6BEA7BD21A51D0C0A96D591DDE6461C492EF ** get_address_of_s_Instance_0() { return &___s_Instance_0; }
inline void set_s_Instance_0(MaterialReferenceManager_t52FF6BEA7BD21A51D0C0A96D591DDE6461C492EF * value)
{
___s_Instance_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Instance_0), (void*)value);
}
};
// System.Math
struct Math_tA269614262430118C9FC5C4D9EF4F61C812568F0 : public RuntimeObject
{
public:
public:
};
struct Math_tA269614262430118C9FC5C4D9EF4F61C812568F0_StaticFields
{
public:
// System.Double System.Math::doubleRoundLimit
double ___doubleRoundLimit_0;
// System.Double[] System.Math::roundPower10Double
DoubleU5BU5D_t8E1B42EB2ABB79FBD193A6B8C8D97A7CDE44A4FB* ___roundPower10Double_2;
public:
inline static int32_t get_offset_of_doubleRoundLimit_0() { return static_cast<int32_t>(offsetof(Math_tA269614262430118C9FC5C4D9EF4F61C812568F0_StaticFields, ___doubleRoundLimit_0)); }
inline double get_doubleRoundLimit_0() const { return ___doubleRoundLimit_0; }
inline double* get_address_of_doubleRoundLimit_0() { return &___doubleRoundLimit_0; }
inline void set_doubleRoundLimit_0(double value)
{
___doubleRoundLimit_0 = value;
}
inline static int32_t get_offset_of_roundPower10Double_2() { return static_cast<int32_t>(offsetof(Math_tA269614262430118C9FC5C4D9EF4F61C812568F0_StaticFields, ___roundPower10Double_2)); }
inline DoubleU5BU5D_t8E1B42EB2ABB79FBD193A6B8C8D97A7CDE44A4FB* get_roundPower10Double_2() const { return ___roundPower10Double_2; }
inline DoubleU5BU5D_t8E1B42EB2ABB79FBD193A6B8C8D97A7CDE44A4FB** get_address_of_roundPower10Double_2() { return &___roundPower10Double_2; }
inline void set_roundPower10Double_2(DoubleU5BU5D_t8E1B42EB2ABB79FBD193A6B8C8D97A7CDE44A4FB* value)
{
___roundPower10Double_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___roundPower10Double_2), (void*)value);
}
};
// System.Reflection.MemberInfo
struct MemberInfo_t : public RuntimeObject
{
public:
public:
};
// System.Runtime.Serialization.Formatters.Binary.MemberReference
struct MemberReference_t444F997A7AB1565CAD1EBBC32FF38C07198E202B : public RuntimeObject
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.MemberReference::idRef
int32_t ___idRef_0;
public:
inline static int32_t get_offset_of_idRef_0() { return static_cast<int32_t>(offsetof(MemberReference_t444F997A7AB1565CAD1EBBC32FF38C07198E202B, ___idRef_0)); }
inline int32_t get_idRef_0() const { return ___idRef_0; }
inline int32_t* get_address_of_idRef_0() { return &___idRef_0; }
inline void set_idRef_0(int32_t value)
{
___idRef_0 = value;
}
};
// UnityEngine.Profiling.Memory.Experimental.MemoryProfiler
struct MemoryProfiler_tA9B2B0C63FB9B28D735A664EB3857D38DAE4DCE6 : public RuntimeObject
{
public:
public:
};
struct MemoryProfiler_tA9B2B0C63FB9B28D735A664EB3857D38DAE4DCE6_StaticFields
{
public:
// System.Action`2<System.String,System.Boolean> UnityEngine.Profiling.Memory.Experimental.MemoryProfiler::m_SnapshotFinished
Action_2_t8FC3CF6A24FB4EA34536D08E810B50E7D41F53D4 * ___m_SnapshotFinished_0;
// System.Action`3<System.String,System.Boolean,UnityEngine.Profiling.Experimental.DebugScreenCapture> UnityEngine.Profiling.Memory.Experimental.MemoryProfiler::m_SaveScreenshotToDisk
Action_3_t4CF22767AF14E0CCEB1592922756B7BBD9008E40 * ___m_SaveScreenshotToDisk_1;
// System.Action`1<UnityEngine.Profiling.Memory.Experimental.MetaData> UnityEngine.Profiling.Memory.Experimental.MemoryProfiler::createMetaData
Action_1_t724B39F7ADC58A3ACA419106F8E59F5FFC4DDDA6 * ___createMetaData_2;
public:
inline static int32_t get_offset_of_m_SnapshotFinished_0() { return static_cast<int32_t>(offsetof(MemoryProfiler_tA9B2B0C63FB9B28D735A664EB3857D38DAE4DCE6_StaticFields, ___m_SnapshotFinished_0)); }
inline Action_2_t8FC3CF6A24FB4EA34536D08E810B50E7D41F53D4 * get_m_SnapshotFinished_0() const { return ___m_SnapshotFinished_0; }
inline Action_2_t8FC3CF6A24FB4EA34536D08E810B50E7D41F53D4 ** get_address_of_m_SnapshotFinished_0() { return &___m_SnapshotFinished_0; }
inline void set_m_SnapshotFinished_0(Action_2_t8FC3CF6A24FB4EA34536D08E810B50E7D41F53D4 * value)
{
___m_SnapshotFinished_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SnapshotFinished_0), (void*)value);
}
inline static int32_t get_offset_of_m_SaveScreenshotToDisk_1() { return static_cast<int32_t>(offsetof(MemoryProfiler_tA9B2B0C63FB9B28D735A664EB3857D38DAE4DCE6_StaticFields, ___m_SaveScreenshotToDisk_1)); }
inline Action_3_t4CF22767AF14E0CCEB1592922756B7BBD9008E40 * get_m_SaveScreenshotToDisk_1() const { return ___m_SaveScreenshotToDisk_1; }
inline Action_3_t4CF22767AF14E0CCEB1592922756B7BBD9008E40 ** get_address_of_m_SaveScreenshotToDisk_1() { return &___m_SaveScreenshotToDisk_1; }
inline void set_m_SaveScreenshotToDisk_1(Action_3_t4CF22767AF14E0CCEB1592922756B7BBD9008E40 * value)
{
___m_SaveScreenshotToDisk_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SaveScreenshotToDisk_1), (void*)value);
}
inline static int32_t get_offset_of_createMetaData_2() { return static_cast<int32_t>(offsetof(MemoryProfiler_tA9B2B0C63FB9B28D735A664EB3857D38DAE4DCE6_StaticFields, ___createMetaData_2)); }
inline Action_1_t724B39F7ADC58A3ACA419106F8E59F5FFC4DDDA6 * get_createMetaData_2() const { return ___createMetaData_2; }
inline Action_1_t724B39F7ADC58A3ACA419106F8E59F5FFC4DDDA6 ** get_address_of_createMetaData_2() { return &___createMetaData_2; }
inline void set_createMetaData_2(Action_1_t724B39F7ADC58A3ACA419106F8E59F5FFC4DDDA6 * value)
{
___createMetaData_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___createMetaData_2), (void*)value);
}
};
// UnityEngine.Localization.Pseudo.Message
struct Message_t812E39857F3919C74FAB178F2A9DDD4B90ADA3F3 : public RuntimeObject
{
public:
// System.String UnityEngine.Localization.Pseudo.Message::<Original>k__BackingField
String_t* ___U3COriginalU3Ek__BackingField_0;
// System.Collections.Generic.List`1<UnityEngine.Localization.Pseudo.MessageFragment> UnityEngine.Localization.Pseudo.Message::<Fragments>k__BackingField
List_1_t892DE65A1BA377695AC6B44B5313352BC1A285E0 * ___U3CFragmentsU3Ek__BackingField_1;
public:
inline static int32_t get_offset_of_U3COriginalU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(Message_t812E39857F3919C74FAB178F2A9DDD4B90ADA3F3, ___U3COriginalU3Ek__BackingField_0)); }
inline String_t* get_U3COriginalU3Ek__BackingField_0() const { return ___U3COriginalU3Ek__BackingField_0; }
inline String_t** get_address_of_U3COriginalU3Ek__BackingField_0() { return &___U3COriginalU3Ek__BackingField_0; }
inline void set_U3COriginalU3Ek__BackingField_0(String_t* value)
{
___U3COriginalU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3COriginalU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CFragmentsU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(Message_t812E39857F3919C74FAB178F2A9DDD4B90ADA3F3, ___U3CFragmentsU3Ek__BackingField_1)); }
inline List_1_t892DE65A1BA377695AC6B44B5313352BC1A285E0 * get_U3CFragmentsU3Ek__BackingField_1() const { return ___U3CFragmentsU3Ek__BackingField_1; }
inline List_1_t892DE65A1BA377695AC6B44B5313352BC1A285E0 ** get_address_of_U3CFragmentsU3Ek__BackingField_1() { return &___U3CFragmentsU3Ek__BackingField_1; }
inline void set_U3CFragmentsU3Ek__BackingField_1(List_1_t892DE65A1BA377695AC6B44B5313352BC1A285E0 * value)
{
___U3CFragmentsU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CFragmentsU3Ek__BackingField_1), (void*)value);
}
};
// System.Runtime.Remoting.Messaging.MessageDictionary
struct MessageDictionary_tF87E1D8408337642172945A13C9C116D7F9336BE : public RuntimeObject
{
public:
// System.Collections.IDictionary System.Runtime.Remoting.Messaging.MessageDictionary::_internalProperties
RuntimeObject* ____internalProperties_0;
// System.Runtime.Remoting.Messaging.IMethodMessage System.Runtime.Remoting.Messaging.MessageDictionary::_message
RuntimeObject* ____message_1;
// System.String[] System.Runtime.Remoting.Messaging.MessageDictionary::_methodKeys
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ____methodKeys_2;
// System.Boolean System.Runtime.Remoting.Messaging.MessageDictionary::_ownProperties
bool ____ownProperties_3;
public:
inline static int32_t get_offset_of__internalProperties_0() { return static_cast<int32_t>(offsetof(MessageDictionary_tF87E1D8408337642172945A13C9C116D7F9336BE, ____internalProperties_0)); }
inline RuntimeObject* get__internalProperties_0() const { return ____internalProperties_0; }
inline RuntimeObject** get_address_of__internalProperties_0() { return &____internalProperties_0; }
inline void set__internalProperties_0(RuntimeObject* value)
{
____internalProperties_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____internalProperties_0), (void*)value);
}
inline static int32_t get_offset_of__message_1() { return static_cast<int32_t>(offsetof(MessageDictionary_tF87E1D8408337642172945A13C9C116D7F9336BE, ____message_1)); }
inline RuntimeObject* get__message_1() const { return ____message_1; }
inline RuntimeObject** get_address_of__message_1() { return &____message_1; }
inline void set__message_1(RuntimeObject* value)
{
____message_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____message_1), (void*)value);
}
inline static int32_t get_offset_of__methodKeys_2() { return static_cast<int32_t>(offsetof(MessageDictionary_tF87E1D8408337642172945A13C9C116D7F9336BE, ____methodKeys_2)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get__methodKeys_2() const { return ____methodKeys_2; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of__methodKeys_2() { return &____methodKeys_2; }
inline void set__methodKeys_2(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
____methodKeys_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____methodKeys_2), (void*)value);
}
inline static int32_t get_offset_of__ownProperties_3() { return static_cast<int32_t>(offsetof(MessageDictionary_tF87E1D8408337642172945A13C9C116D7F9336BE, ____ownProperties_3)); }
inline bool get__ownProperties_3() const { return ____ownProperties_3; }
inline bool* get_address_of__ownProperties_3() { return &____ownProperties_3; }
inline void set__ownProperties_3(bool value)
{
____ownProperties_3 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.MessageEnd
struct MessageEnd_t5ABEBF8373F2611EE966CE6F17A1145D4DDEB9CB : public RuntimeObject
{
public:
public:
};
// UnityEngine.Networking.PlayerConnection.MessageEventArgs
struct MessageEventArgs_t6905F6AA12A37C5A38BBCB907E9215622364DCCA : public RuntimeObject
{
public:
// System.Int32 UnityEngine.Networking.PlayerConnection.MessageEventArgs::playerId
int32_t ___playerId_0;
// System.Byte[] UnityEngine.Networking.PlayerConnection.MessageEventArgs::data
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___data_1;
public:
inline static int32_t get_offset_of_playerId_0() { return static_cast<int32_t>(offsetof(MessageEventArgs_t6905F6AA12A37C5A38BBCB907E9215622364DCCA, ___playerId_0)); }
inline int32_t get_playerId_0() const { return ___playerId_0; }
inline int32_t* get_address_of_playerId_0() { return &___playerId_0; }
inline void set_playerId_0(int32_t value)
{
___playerId_0 = value;
}
inline static int32_t get_offset_of_data_1() { return static_cast<int32_t>(offsetof(MessageEventArgs_t6905F6AA12A37C5A38BBCB907E9215622364DCCA, ___data_1)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_data_1() const { return ___data_1; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_data_1() { return &___data_1; }
inline void set_data_1(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___data_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___data_1), (void*)value);
}
};
// UnityEngine.Localization.Pseudo.MessageFragment
struct MessageFragment_tEF32B022F0C14D888AFD1536C631977DB5E0D513 : public RuntimeObject
{
public:
// System.String UnityEngine.Localization.Pseudo.MessageFragment::m_OriginalString
String_t* ___m_OriginalString_0;
// System.Int32 UnityEngine.Localization.Pseudo.MessageFragment::m_StartIndex
int32_t ___m_StartIndex_1;
// System.Int32 UnityEngine.Localization.Pseudo.MessageFragment::m_EndIndex
int32_t ___m_EndIndex_2;
// System.String UnityEngine.Localization.Pseudo.MessageFragment::m_CachedToString
String_t* ___m_CachedToString_3;
// UnityEngine.Localization.Pseudo.Message UnityEngine.Localization.Pseudo.MessageFragment::<Message>k__BackingField
Message_t812E39857F3919C74FAB178F2A9DDD4B90ADA3F3 * ___U3CMessageU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_m_OriginalString_0() { return static_cast<int32_t>(offsetof(MessageFragment_tEF32B022F0C14D888AFD1536C631977DB5E0D513, ___m_OriginalString_0)); }
inline String_t* get_m_OriginalString_0() const { return ___m_OriginalString_0; }
inline String_t** get_address_of_m_OriginalString_0() { return &___m_OriginalString_0; }
inline void set_m_OriginalString_0(String_t* value)
{
___m_OriginalString_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OriginalString_0), (void*)value);
}
inline static int32_t get_offset_of_m_StartIndex_1() { return static_cast<int32_t>(offsetof(MessageFragment_tEF32B022F0C14D888AFD1536C631977DB5E0D513, ___m_StartIndex_1)); }
inline int32_t get_m_StartIndex_1() const { return ___m_StartIndex_1; }
inline int32_t* get_address_of_m_StartIndex_1() { return &___m_StartIndex_1; }
inline void set_m_StartIndex_1(int32_t value)
{
___m_StartIndex_1 = value;
}
inline static int32_t get_offset_of_m_EndIndex_2() { return static_cast<int32_t>(offsetof(MessageFragment_tEF32B022F0C14D888AFD1536C631977DB5E0D513, ___m_EndIndex_2)); }
inline int32_t get_m_EndIndex_2() const { return ___m_EndIndex_2; }
inline int32_t* get_address_of_m_EndIndex_2() { return &___m_EndIndex_2; }
inline void set_m_EndIndex_2(int32_t value)
{
___m_EndIndex_2 = value;
}
inline static int32_t get_offset_of_m_CachedToString_3() { return static_cast<int32_t>(offsetof(MessageFragment_tEF32B022F0C14D888AFD1536C631977DB5E0D513, ___m_CachedToString_3)); }
inline String_t* get_m_CachedToString_3() const { return ___m_CachedToString_3; }
inline String_t** get_address_of_m_CachedToString_3() { return &___m_CachedToString_3; }
inline void set_m_CachedToString_3(String_t* value)
{
___m_CachedToString_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CachedToString_3), (void*)value);
}
inline static int32_t get_offset_of_U3CMessageU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(MessageFragment_tEF32B022F0C14D888AFD1536C631977DB5E0D513, ___U3CMessageU3Ek__BackingField_4)); }
inline Message_t812E39857F3919C74FAB178F2A9DDD4B90ADA3F3 * get_U3CMessageU3Ek__BackingField_4() const { return ___U3CMessageU3Ek__BackingField_4; }
inline Message_t812E39857F3919C74FAB178F2A9DDD4B90ADA3F3 ** get_address_of_U3CMessageU3Ek__BackingField_4() { return &___U3CMessageU3Ek__BackingField_4; }
inline void set_U3CMessageU3Ek__BackingField_4(Message_t812E39857F3919C74FAB178F2A9DDD4B90ADA3F3 * value)
{
___U3CMessageU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CMessageU3Ek__BackingField_4), (void*)value);
}
};
// UnityEngine.Profiling.Memory.Experimental.MetaData
struct MetaData_t7640D62747628BC99B81A884714CD44D4BC84747 : public RuntimeObject
{
public:
// System.String UnityEngine.Profiling.Memory.Experimental.MetaData::content
String_t* ___content_0;
// System.String UnityEngine.Profiling.Memory.Experimental.MetaData::platform
String_t* ___platform_1;
public:
inline static int32_t get_offset_of_content_0() { return static_cast<int32_t>(offsetof(MetaData_t7640D62747628BC99B81A884714CD44D4BC84747, ___content_0)); }
inline String_t* get_content_0() const { return ___content_0; }
inline String_t** get_address_of_content_0() { return &___content_0; }
inline void set_content_0(String_t* value)
{
___content_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___content_0), (void*)value);
}
inline static int32_t get_offset_of_platform_1() { return static_cast<int32_t>(offsetof(MetaData_t7640D62747628BC99B81A884714CD44D4BC84747, ___platform_1)); }
inline String_t* get_platform_1() const { return ___platform_1; }
inline String_t** get_address_of_platform_1() { return &___platform_1; }
inline void set_platform_1(String_t* value)
{
___platform_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___platform_1), (void*)value);
}
};
// UnityEngine.Localization.Metadata.MetadataCollection
struct MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<UnityEngine.Localization.Metadata.IMetadata> UnityEngine.Localization.Metadata.MetadataCollection::m_Items
List_1_t5D3ED5F1D9F542094E757F904E6960EA6DBEE7A9 * ___m_Items_0;
public:
inline static int32_t get_offset_of_m_Items_0() { return static_cast<int32_t>(offsetof(MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5, ___m_Items_0)); }
inline List_1_t5D3ED5F1D9F542094E757F904E6960EA6DBEE7A9 * get_m_Items_0() const { return ___m_Items_0; }
inline List_1_t5D3ED5F1D9F542094E757F904E6960EA6DBEE7A9 ** get_address_of_m_Items_0() { return &___m_Items_0; }
inline void set_m_Items_0(List_1_t5D3ED5F1D9F542094E757F904E6960EA6DBEE7A9 * value)
{
___m_Items_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Items_0), (void*)value);
}
};
// System.Reflection.MethodBody
struct MethodBody_t994D7AC5F4F2C64BBDFA87CF62D9520EDBC44975 : public RuntimeObject
{
public:
// System.Reflection.ExceptionHandlingClause[] System.Reflection.MethodBody::clauses
ExceptionHandlingClauseU5BU5D_tD9AF0AE759C405FA177A3CBAF048202BC1234417* ___clauses_0;
// System.Reflection.LocalVariableInfo[] System.Reflection.MethodBody::locals
LocalVariableInfoU5BU5D_t391522DD5DB1818EDA5B29F1842D475A1479867D* ___locals_1;
// System.Byte[] System.Reflection.MethodBody::il
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___il_2;
// System.Boolean System.Reflection.MethodBody::init_locals
bool ___init_locals_3;
// System.Int32 System.Reflection.MethodBody::sig_token
int32_t ___sig_token_4;
// System.Int32 System.Reflection.MethodBody::max_stack
int32_t ___max_stack_5;
public:
inline static int32_t get_offset_of_clauses_0() { return static_cast<int32_t>(offsetof(MethodBody_t994D7AC5F4F2C64BBDFA87CF62D9520EDBC44975, ___clauses_0)); }
inline ExceptionHandlingClauseU5BU5D_tD9AF0AE759C405FA177A3CBAF048202BC1234417* get_clauses_0() const { return ___clauses_0; }
inline ExceptionHandlingClauseU5BU5D_tD9AF0AE759C405FA177A3CBAF048202BC1234417** get_address_of_clauses_0() { return &___clauses_0; }
inline void set_clauses_0(ExceptionHandlingClauseU5BU5D_tD9AF0AE759C405FA177A3CBAF048202BC1234417* value)
{
___clauses_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___clauses_0), (void*)value);
}
inline static int32_t get_offset_of_locals_1() { return static_cast<int32_t>(offsetof(MethodBody_t994D7AC5F4F2C64BBDFA87CF62D9520EDBC44975, ___locals_1)); }
inline LocalVariableInfoU5BU5D_t391522DD5DB1818EDA5B29F1842D475A1479867D* get_locals_1() const { return ___locals_1; }
inline LocalVariableInfoU5BU5D_t391522DD5DB1818EDA5B29F1842D475A1479867D** get_address_of_locals_1() { return &___locals_1; }
inline void set_locals_1(LocalVariableInfoU5BU5D_t391522DD5DB1818EDA5B29F1842D475A1479867D* value)
{
___locals_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___locals_1), (void*)value);
}
inline static int32_t get_offset_of_il_2() { return static_cast<int32_t>(offsetof(MethodBody_t994D7AC5F4F2C64BBDFA87CF62D9520EDBC44975, ___il_2)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_il_2() const { return ___il_2; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_il_2() { return &___il_2; }
inline void set_il_2(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___il_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___il_2), (void*)value);
}
inline static int32_t get_offset_of_init_locals_3() { return static_cast<int32_t>(offsetof(MethodBody_t994D7AC5F4F2C64BBDFA87CF62D9520EDBC44975, ___init_locals_3)); }
inline bool get_init_locals_3() const { return ___init_locals_3; }
inline bool* get_address_of_init_locals_3() { return &___init_locals_3; }
inline void set_init_locals_3(bool value)
{
___init_locals_3 = value;
}
inline static int32_t get_offset_of_sig_token_4() { return static_cast<int32_t>(offsetof(MethodBody_t994D7AC5F4F2C64BBDFA87CF62D9520EDBC44975, ___sig_token_4)); }
inline int32_t get_sig_token_4() const { return ___sig_token_4; }
inline int32_t* get_address_of_sig_token_4() { return &___sig_token_4; }
inline void set_sig_token_4(int32_t value)
{
___sig_token_4 = value;
}
inline static int32_t get_offset_of_max_stack_5() { return static_cast<int32_t>(offsetof(MethodBody_t994D7AC5F4F2C64BBDFA87CF62D9520EDBC44975, ___max_stack_5)); }
inline int32_t get_max_stack_5() const { return ___max_stack_5; }
inline int32_t* get_address_of_max_stack_5() { return &___max_stack_5; }
inline void set_max_stack_5(int32_t value)
{
___max_stack_5 = value;
}
};
// Native definition for P/Invoke marshalling of System.Reflection.MethodBody
struct MethodBody_t994D7AC5F4F2C64BBDFA87CF62D9520EDBC44975_marshaled_pinvoke
{
ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104_marshaled_pinvoke** ___clauses_0;
LocalVariableInfo_t886B53D36BA0B4BA37FEEB6DB4834A6933FDAF61_marshaled_pinvoke** ___locals_1;
Il2CppSafeArray/*NONE*/* ___il_2;
int32_t ___init_locals_3;
int32_t ___sig_token_4;
int32_t ___max_stack_5;
};
// Native definition for COM marshalling of System.Reflection.MethodBody
struct MethodBody_t994D7AC5F4F2C64BBDFA87CF62D9520EDBC44975_marshaled_com
{
ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104_marshaled_com** ___clauses_0;
LocalVariableInfo_t886B53D36BA0B4BA37FEEB6DB4834A6933FDAF61_marshaled_com** ___locals_1;
Il2CppSafeArray/*NONE*/* ___il_2;
int32_t ___init_locals_3;
int32_t ___sig_token_4;
int32_t ___max_stack_5;
};
// System.Runtime.Remoting.Messaging.MethodCall
struct MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2 : public RuntimeObject
{
public:
// System.String System.Runtime.Remoting.Messaging.MethodCall::_uri
String_t* ____uri_0;
// System.String System.Runtime.Remoting.Messaging.MethodCall::_typeName
String_t* ____typeName_1;
// System.String System.Runtime.Remoting.Messaging.MethodCall::_methodName
String_t* ____methodName_2;
// System.Object[] System.Runtime.Remoting.Messaging.MethodCall::_args
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ____args_3;
// System.Type[] System.Runtime.Remoting.Messaging.MethodCall::_methodSignature
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ____methodSignature_4;
// System.Reflection.MethodBase System.Runtime.Remoting.Messaging.MethodCall::_methodBase
MethodBase_t * ____methodBase_5;
// System.Runtime.Remoting.Messaging.LogicalCallContext System.Runtime.Remoting.Messaging.MethodCall::_callContext
LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * ____callContext_6;
// System.Runtime.Remoting.Identity System.Runtime.Remoting.Messaging.MethodCall::_targetIdentity
Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 * ____targetIdentity_7;
// System.Type[] System.Runtime.Remoting.Messaging.MethodCall::_genericArguments
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ____genericArguments_8;
// System.Collections.IDictionary System.Runtime.Remoting.Messaging.MethodCall::ExternalProperties
RuntimeObject* ___ExternalProperties_9;
// System.Collections.IDictionary System.Runtime.Remoting.Messaging.MethodCall::InternalProperties
RuntimeObject* ___InternalProperties_10;
public:
inline static int32_t get_offset_of__uri_0() { return static_cast<int32_t>(offsetof(MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2, ____uri_0)); }
inline String_t* get__uri_0() const { return ____uri_0; }
inline String_t** get_address_of__uri_0() { return &____uri_0; }
inline void set__uri_0(String_t* value)
{
____uri_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____uri_0), (void*)value);
}
inline static int32_t get_offset_of__typeName_1() { return static_cast<int32_t>(offsetof(MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2, ____typeName_1)); }
inline String_t* get__typeName_1() const { return ____typeName_1; }
inline String_t** get_address_of__typeName_1() { return &____typeName_1; }
inline void set__typeName_1(String_t* value)
{
____typeName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____typeName_1), (void*)value);
}
inline static int32_t get_offset_of__methodName_2() { return static_cast<int32_t>(offsetof(MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2, ____methodName_2)); }
inline String_t* get__methodName_2() const { return ____methodName_2; }
inline String_t** get_address_of__methodName_2() { return &____methodName_2; }
inline void set__methodName_2(String_t* value)
{
____methodName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____methodName_2), (void*)value);
}
inline static int32_t get_offset_of__args_3() { return static_cast<int32_t>(offsetof(MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2, ____args_3)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get__args_3() const { return ____args_3; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of__args_3() { return &____args_3; }
inline void set__args_3(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
____args_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____args_3), (void*)value);
}
inline static int32_t get_offset_of__methodSignature_4() { return static_cast<int32_t>(offsetof(MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2, ____methodSignature_4)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get__methodSignature_4() const { return ____methodSignature_4; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of__methodSignature_4() { return &____methodSignature_4; }
inline void set__methodSignature_4(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
____methodSignature_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____methodSignature_4), (void*)value);
}
inline static int32_t get_offset_of__methodBase_5() { return static_cast<int32_t>(offsetof(MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2, ____methodBase_5)); }
inline MethodBase_t * get__methodBase_5() const { return ____methodBase_5; }
inline MethodBase_t ** get_address_of__methodBase_5() { return &____methodBase_5; }
inline void set__methodBase_5(MethodBase_t * value)
{
____methodBase_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____methodBase_5), (void*)value);
}
inline static int32_t get_offset_of__callContext_6() { return static_cast<int32_t>(offsetof(MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2, ____callContext_6)); }
inline LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * get__callContext_6() const { return ____callContext_6; }
inline LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 ** get_address_of__callContext_6() { return &____callContext_6; }
inline void set__callContext_6(LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * value)
{
____callContext_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____callContext_6), (void*)value);
}
inline static int32_t get_offset_of__targetIdentity_7() { return static_cast<int32_t>(offsetof(MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2, ____targetIdentity_7)); }
inline Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 * get__targetIdentity_7() const { return ____targetIdentity_7; }
inline Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 ** get_address_of__targetIdentity_7() { return &____targetIdentity_7; }
inline void set__targetIdentity_7(Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 * value)
{
____targetIdentity_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&____targetIdentity_7), (void*)value);
}
inline static int32_t get_offset_of__genericArguments_8() { return static_cast<int32_t>(offsetof(MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2, ____genericArguments_8)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get__genericArguments_8() const { return ____genericArguments_8; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of__genericArguments_8() { return &____genericArguments_8; }
inline void set__genericArguments_8(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
____genericArguments_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&____genericArguments_8), (void*)value);
}
inline static int32_t get_offset_of_ExternalProperties_9() { return static_cast<int32_t>(offsetof(MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2, ___ExternalProperties_9)); }
inline RuntimeObject* get_ExternalProperties_9() const { return ___ExternalProperties_9; }
inline RuntimeObject** get_address_of_ExternalProperties_9() { return &___ExternalProperties_9; }
inline void set_ExternalProperties_9(RuntimeObject* value)
{
___ExternalProperties_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ExternalProperties_9), (void*)value);
}
inline static int32_t get_offset_of_InternalProperties_10() { return static_cast<int32_t>(offsetof(MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2, ___InternalProperties_10)); }
inline RuntimeObject* get_InternalProperties_10() const { return ___InternalProperties_10; }
inline RuntimeObject** get_address_of_InternalProperties_10() { return &___InternalProperties_10; }
inline void set_InternalProperties_10(RuntimeObject* value)
{
___InternalProperties_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___InternalProperties_10), (void*)value);
}
};
// System.Runtime.Remoting.Messaging.MethodResponse
struct MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5 : public RuntimeObject
{
public:
// System.String System.Runtime.Remoting.Messaging.MethodResponse::_methodName
String_t* ____methodName_0;
// System.String System.Runtime.Remoting.Messaging.MethodResponse::_uri
String_t* ____uri_1;
// System.String System.Runtime.Remoting.Messaging.MethodResponse::_typeName
String_t* ____typeName_2;
// System.Reflection.MethodBase System.Runtime.Remoting.Messaging.MethodResponse::_methodBase
MethodBase_t * ____methodBase_3;
// System.Object System.Runtime.Remoting.Messaging.MethodResponse::_returnValue
RuntimeObject * ____returnValue_4;
// System.Exception System.Runtime.Remoting.Messaging.MethodResponse::_exception
Exception_t * ____exception_5;
// System.Type[] System.Runtime.Remoting.Messaging.MethodResponse::_methodSignature
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ____methodSignature_6;
// System.Runtime.Remoting.Messaging.ArgInfo System.Runtime.Remoting.Messaging.MethodResponse::_inArgInfo
ArgInfo_tA94BF0451B100D18BFBC2EDA7947AFD4E2F5F7A2 * ____inArgInfo_7;
// System.Object[] System.Runtime.Remoting.Messaging.MethodResponse::_args
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ____args_8;
// System.Object[] System.Runtime.Remoting.Messaging.MethodResponse::_outArgs
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ____outArgs_9;
// System.Runtime.Remoting.Messaging.IMethodCallMessage System.Runtime.Remoting.Messaging.MethodResponse::_callMsg
RuntimeObject* ____callMsg_10;
// System.Runtime.Remoting.Messaging.LogicalCallContext System.Runtime.Remoting.Messaging.MethodResponse::_callContext
LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * ____callContext_11;
// System.Runtime.Remoting.Identity System.Runtime.Remoting.Messaging.MethodResponse::_targetIdentity
Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 * ____targetIdentity_12;
// System.Collections.IDictionary System.Runtime.Remoting.Messaging.MethodResponse::ExternalProperties
RuntimeObject* ___ExternalProperties_13;
// System.Collections.IDictionary System.Runtime.Remoting.Messaging.MethodResponse::InternalProperties
RuntimeObject* ___InternalProperties_14;
public:
inline static int32_t get_offset_of__methodName_0() { return static_cast<int32_t>(offsetof(MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5, ____methodName_0)); }
inline String_t* get__methodName_0() const { return ____methodName_0; }
inline String_t** get_address_of__methodName_0() { return &____methodName_0; }
inline void set__methodName_0(String_t* value)
{
____methodName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____methodName_0), (void*)value);
}
inline static int32_t get_offset_of__uri_1() { return static_cast<int32_t>(offsetof(MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5, ____uri_1)); }
inline String_t* get__uri_1() const { return ____uri_1; }
inline String_t** get_address_of__uri_1() { return &____uri_1; }
inline void set__uri_1(String_t* value)
{
____uri_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____uri_1), (void*)value);
}
inline static int32_t get_offset_of__typeName_2() { return static_cast<int32_t>(offsetof(MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5, ____typeName_2)); }
inline String_t* get__typeName_2() const { return ____typeName_2; }
inline String_t** get_address_of__typeName_2() { return &____typeName_2; }
inline void set__typeName_2(String_t* value)
{
____typeName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____typeName_2), (void*)value);
}
inline static int32_t get_offset_of__methodBase_3() { return static_cast<int32_t>(offsetof(MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5, ____methodBase_3)); }
inline MethodBase_t * get__methodBase_3() const { return ____methodBase_3; }
inline MethodBase_t ** get_address_of__methodBase_3() { return &____methodBase_3; }
inline void set__methodBase_3(MethodBase_t * value)
{
____methodBase_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____methodBase_3), (void*)value);
}
inline static int32_t get_offset_of__returnValue_4() { return static_cast<int32_t>(offsetof(MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5, ____returnValue_4)); }
inline RuntimeObject * get__returnValue_4() const { return ____returnValue_4; }
inline RuntimeObject ** get_address_of__returnValue_4() { return &____returnValue_4; }
inline void set__returnValue_4(RuntimeObject * value)
{
____returnValue_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____returnValue_4), (void*)value);
}
inline static int32_t get_offset_of__exception_5() { return static_cast<int32_t>(offsetof(MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5, ____exception_5)); }
inline Exception_t * get__exception_5() const { return ____exception_5; }
inline Exception_t ** get_address_of__exception_5() { return &____exception_5; }
inline void set__exception_5(Exception_t * value)
{
____exception_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____exception_5), (void*)value);
}
inline static int32_t get_offset_of__methodSignature_6() { return static_cast<int32_t>(offsetof(MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5, ____methodSignature_6)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get__methodSignature_6() const { return ____methodSignature_6; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of__methodSignature_6() { return &____methodSignature_6; }
inline void set__methodSignature_6(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
____methodSignature_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____methodSignature_6), (void*)value);
}
inline static int32_t get_offset_of__inArgInfo_7() { return static_cast<int32_t>(offsetof(MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5, ____inArgInfo_7)); }
inline ArgInfo_tA94BF0451B100D18BFBC2EDA7947AFD4E2F5F7A2 * get__inArgInfo_7() const { return ____inArgInfo_7; }
inline ArgInfo_tA94BF0451B100D18BFBC2EDA7947AFD4E2F5F7A2 ** get_address_of__inArgInfo_7() { return &____inArgInfo_7; }
inline void set__inArgInfo_7(ArgInfo_tA94BF0451B100D18BFBC2EDA7947AFD4E2F5F7A2 * value)
{
____inArgInfo_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&____inArgInfo_7), (void*)value);
}
inline static int32_t get_offset_of__args_8() { return static_cast<int32_t>(offsetof(MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5, ____args_8)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get__args_8() const { return ____args_8; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of__args_8() { return &____args_8; }
inline void set__args_8(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
____args_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&____args_8), (void*)value);
}
inline static int32_t get_offset_of__outArgs_9() { return static_cast<int32_t>(offsetof(MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5, ____outArgs_9)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get__outArgs_9() const { return ____outArgs_9; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of__outArgs_9() { return &____outArgs_9; }
inline void set__outArgs_9(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
____outArgs_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&____outArgs_9), (void*)value);
}
inline static int32_t get_offset_of__callMsg_10() { return static_cast<int32_t>(offsetof(MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5, ____callMsg_10)); }
inline RuntimeObject* get__callMsg_10() const { return ____callMsg_10; }
inline RuntimeObject** get_address_of__callMsg_10() { return &____callMsg_10; }
inline void set__callMsg_10(RuntimeObject* value)
{
____callMsg_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&____callMsg_10), (void*)value);
}
inline static int32_t get_offset_of__callContext_11() { return static_cast<int32_t>(offsetof(MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5, ____callContext_11)); }
inline LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * get__callContext_11() const { return ____callContext_11; }
inline LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 ** get_address_of__callContext_11() { return &____callContext_11; }
inline void set__callContext_11(LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * value)
{
____callContext_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&____callContext_11), (void*)value);
}
inline static int32_t get_offset_of__targetIdentity_12() { return static_cast<int32_t>(offsetof(MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5, ____targetIdentity_12)); }
inline Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 * get__targetIdentity_12() const { return ____targetIdentity_12; }
inline Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 ** get_address_of__targetIdentity_12() { return &____targetIdentity_12; }
inline void set__targetIdentity_12(Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 * value)
{
____targetIdentity_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&____targetIdentity_12), (void*)value);
}
inline static int32_t get_offset_of_ExternalProperties_13() { return static_cast<int32_t>(offsetof(MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5, ___ExternalProperties_13)); }
inline RuntimeObject* get_ExternalProperties_13() const { return ___ExternalProperties_13; }
inline RuntimeObject** get_address_of_ExternalProperties_13() { return &___ExternalProperties_13; }
inline void set_ExternalProperties_13(RuntimeObject* value)
{
___ExternalProperties_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ExternalProperties_13), (void*)value);
}
inline static int32_t get_offset_of_InternalProperties_14() { return static_cast<int32_t>(offsetof(MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5, ___InternalProperties_14)); }
inline RuntimeObject* get_InternalProperties_14() const { return ___InternalProperties_14; }
inline RuntimeObject** get_address_of_InternalProperties_14() { return &___InternalProperties_14; }
inline void set_InternalProperties_14(RuntimeObject* value)
{
___InternalProperties_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___InternalProperties_14), (void*)value);
}
};
// UnityEngine.Localization.Pseudo.Mirror
struct Mirror_t19336004AFC463CC6DC5D801C113581D60D6636E : public RuntimeObject
{
public:
public:
};
// UnityEngine.UI.Misc
struct Misc_tB57C0E54DF808C467698E5AA7A0BB594B685F90B : public RuntimeObject
{
public:
public:
};
// System.Reflection.Missing
struct Missing_t053C7B066255E5D0AC65556F9D4C9AF83D4B1BA2 : public RuntimeObject
{
public:
public:
};
struct Missing_t053C7B066255E5D0AC65556F9D4C9AF83D4B1BA2_StaticFields
{
public:
// System.Reflection.Missing System.Reflection.Missing::Value
Missing_t053C7B066255E5D0AC65556F9D4C9AF83D4B1BA2 * ___Value_0;
public:
inline static int32_t get_offset_of_Value_0() { return static_cast<int32_t>(offsetof(Missing_t053C7B066255E5D0AC65556F9D4C9AF83D4B1BA2_StaticFields, ___Value_0)); }
inline Missing_t053C7B066255E5D0AC65556F9D4C9AF83D4B1BA2 * get_Value_0() const { return ___Value_0; }
inline Missing_t053C7B066255E5D0AC65556F9D4C9AF83D4B1BA2 ** get_address_of_Value_0() { return &___Value_0; }
inline void set_Value_0(Missing_t053C7B066255E5D0AC65556F9D4C9AF83D4B1BA2 * value)
{
___Value_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Value_0), (void*)value);
}
};
// System.Threading.Monitor
struct Monitor_t92CC5FE6089760F1B1BBC43E104808CB6824C0C3 : public RuntimeObject
{
public:
public:
};
// System.MonoCustomAttrs
struct MonoCustomAttrs_t67893E3BB245F2047816008E6CF61ACD3763F5C3 : public RuntimeObject
{
public:
public:
};
struct MonoCustomAttrs_t67893E3BB245F2047816008E6CF61ACD3763F5C3_StaticFields
{
public:
// System.Reflection.Assembly System.MonoCustomAttrs::corlib
Assembly_t * ___corlib_0;
// System.AttributeUsageAttribute System.MonoCustomAttrs::DefaultAttributeUsage
AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C * ___DefaultAttributeUsage_2;
public:
inline static int32_t get_offset_of_corlib_0() { return static_cast<int32_t>(offsetof(MonoCustomAttrs_t67893E3BB245F2047816008E6CF61ACD3763F5C3_StaticFields, ___corlib_0)); }
inline Assembly_t * get_corlib_0() const { return ___corlib_0; }
inline Assembly_t ** get_address_of_corlib_0() { return &___corlib_0; }
inline void set_corlib_0(Assembly_t * value)
{
___corlib_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___corlib_0), (void*)value);
}
inline static int32_t get_offset_of_DefaultAttributeUsage_2() { return static_cast<int32_t>(offsetof(MonoCustomAttrs_t67893E3BB245F2047816008E6CF61ACD3763F5C3_StaticFields, ___DefaultAttributeUsage_2)); }
inline AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C * get_DefaultAttributeUsage_2() const { return ___DefaultAttributeUsage_2; }
inline AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C ** get_address_of_DefaultAttributeUsage_2() { return &___DefaultAttributeUsage_2; }
inline void set_DefaultAttributeUsage_2(AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C * value)
{
___DefaultAttributeUsage_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DefaultAttributeUsage_2), (void*)value);
}
};
struct MonoCustomAttrs_t67893E3BB245F2047816008E6CF61ACD3763F5C3_ThreadStaticFields
{
public:
// System.Collections.Generic.Dictionary`2<System.Type,System.AttributeUsageAttribute> System.MonoCustomAttrs::usage_cache
Dictionary_2_tAFE7EC7F9B0ABC745B3D03847BA97884AF818A12 * ___usage_cache_1;
public:
inline static int32_t get_offset_of_usage_cache_1() { return static_cast<int32_t>(offsetof(MonoCustomAttrs_t67893E3BB245F2047816008E6CF61ACD3763F5C3_ThreadStaticFields, ___usage_cache_1)); }
inline Dictionary_2_tAFE7EC7F9B0ABC745B3D03847BA97884AF818A12 * get_usage_cache_1() const { return ___usage_cache_1; }
inline Dictionary_2_tAFE7EC7F9B0ABC745B3D03847BA97884AF818A12 ** get_address_of_usage_cache_1() { return &___usage_cache_1; }
inline void set_usage_cache_1(Dictionary_2_tAFE7EC7F9B0ABC745B3D03847BA97884AF818A12 * value)
{
___usage_cache_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___usage_cache_1), (void*)value);
}
};
// System.MonoListItem
struct MonoListItem_t12EB9510366FAE396334B0C3532759C91BBFB09E : public RuntimeObject
{
public:
// System.MonoListItem System.MonoListItem::next
MonoListItem_t12EB9510366FAE396334B0C3532759C91BBFB09E * ___next_0;
// System.Object System.MonoListItem::data
RuntimeObject * ___data_1;
public:
inline static int32_t get_offset_of_next_0() { return static_cast<int32_t>(offsetof(MonoListItem_t12EB9510366FAE396334B0C3532759C91BBFB09E, ___next_0)); }
inline MonoListItem_t12EB9510366FAE396334B0C3532759C91BBFB09E * get_next_0() const { return ___next_0; }
inline MonoListItem_t12EB9510366FAE396334B0C3532759C91BBFB09E ** get_address_of_next_0() { return &___next_0; }
inline void set_next_0(MonoListItem_t12EB9510366FAE396334B0C3532759C91BBFB09E * value)
{
___next_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___next_0), (void*)value);
}
inline static int32_t get_offset_of_data_1() { return static_cast<int32_t>(offsetof(MonoListItem_t12EB9510366FAE396334B0C3532759C91BBFB09E, ___data_1)); }
inline RuntimeObject * get_data_1() const { return ___data_1; }
inline RuntimeObject ** get_address_of_data_1() { return &___data_1; }
inline void set_data_1(RuntimeObject * value)
{
___data_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___data_1), (void*)value);
}
};
// System.MonoTypeInfo
struct MonoTypeInfo_tD048FE6E8A79174435DD9BA986294B02C68DFC79 : public RuntimeObject
{
public:
// System.String System.MonoTypeInfo::full_name
String_t* ___full_name_0;
// System.Reflection.MonoCMethod System.MonoTypeInfo::default_ctor
MonoCMethod_t5591743036BD4964AD4CFC5C5FE5F945E9E44097 * ___default_ctor_1;
public:
inline static int32_t get_offset_of_full_name_0() { return static_cast<int32_t>(offsetof(MonoTypeInfo_tD048FE6E8A79174435DD9BA986294B02C68DFC79, ___full_name_0)); }
inline String_t* get_full_name_0() const { return ___full_name_0; }
inline String_t** get_address_of_full_name_0() { return &___full_name_0; }
inline void set_full_name_0(String_t* value)
{
___full_name_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___full_name_0), (void*)value);
}
inline static int32_t get_offset_of_default_ctor_1() { return static_cast<int32_t>(offsetof(MonoTypeInfo_tD048FE6E8A79174435DD9BA986294B02C68DFC79, ___default_ctor_1)); }
inline MonoCMethod_t5591743036BD4964AD4CFC5C5FE5F945E9E44097 * get_default_ctor_1() const { return ___default_ctor_1; }
inline MonoCMethod_t5591743036BD4964AD4CFC5C5FE5F945E9E44097 ** get_address_of_default_ctor_1() { return &___default_ctor_1; }
inline void set_default_ctor_1(MonoCMethod_t5591743036BD4964AD4CFC5C5FE5F945E9E44097 * value)
{
___default_ctor_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___default_ctor_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.MonoTypeInfo
struct MonoTypeInfo_tD048FE6E8A79174435DD9BA986294B02C68DFC79_marshaled_pinvoke
{
char* ___full_name_0;
MonoCMethod_t5591743036BD4964AD4CFC5C5FE5F945E9E44097 * ___default_ctor_1;
};
// Native definition for COM marshalling of System.MonoTypeInfo
struct MonoTypeInfo_tD048FE6E8A79174435DD9BA986294B02C68DFC79_marshaled_com
{
Il2CppChar* ___full_name_0;
MonoCMethod_t5591743036BD4964AD4CFC5C5FE5F945E9E44097 * ___default_ctor_1;
};
// UnityEngine.UI.MultipleDisplayUtilities
struct MultipleDisplayUtilities_t127C184C25E9AB5BF7D14495F361A3414D19351F : public RuntimeObject
{
public:
public:
};
// System.Runtime.Serialization.Formatters.Binary.NameCache
struct NameCache_tEBDB3A031D648C9812AF8A668C24A085D77E03A9 : public RuntimeObject
{
public:
// System.String System.Runtime.Serialization.Formatters.Binary.NameCache::name
String_t* ___name_1;
public:
inline static int32_t get_offset_of_name_1() { return static_cast<int32_t>(offsetof(NameCache_tEBDB3A031D648C9812AF8A668C24A085D77E03A9, ___name_1)); }
inline String_t* get_name_1() const { return ___name_1; }
inline String_t** get_address_of_name_1() { return &___name_1; }
inline void set_name_1(String_t* value)
{
___name_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_1), (void*)value);
}
};
struct NameCache_tEBDB3A031D648C9812AF8A668C24A085D77E03A9_StaticFields
{
public:
// System.Collections.Concurrent.ConcurrentDictionary`2<System.String,System.Object> System.Runtime.Serialization.Formatters.Binary.NameCache::ht
ConcurrentDictionary_2_t13240966755EF1F500D38962BE5A4F63478363D6 * ___ht_0;
public:
inline static int32_t get_offset_of_ht_0() { return static_cast<int32_t>(offsetof(NameCache_tEBDB3A031D648C9812AF8A668C24A085D77E03A9_StaticFields, ___ht_0)); }
inline ConcurrentDictionary_2_t13240966755EF1F500D38962BE5A4F63478363D6 * get_ht_0() const { return ___ht_0; }
inline ConcurrentDictionary_2_t13240966755EF1F500D38962BE5A4F63478363D6 ** get_address_of_ht_0() { return &___ht_0; }
inline void set_ht_0(ConcurrentDictionary_2_t13240966755EF1F500D38962BE5A4F63478363D6 * value)
{
___ht_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ht_0), (void*)value);
}
};
// System.Xml.Linq.NameSerializer
struct NameSerializer_t49A4F679B483838B05DD1E2231CF9C4FAB125A45 : public RuntimeObject
{
public:
// System.String System.Xml.Linq.NameSerializer::expandedName
String_t* ___expandedName_0;
public:
inline static int32_t get_offset_of_expandedName_0() { return static_cast<int32_t>(offsetof(NameSerializer_t49A4F679B483838B05DD1E2231CF9C4FAB125A45, ___expandedName_0)); }
inline String_t* get_expandedName_0() const { return ___expandedName_0; }
inline String_t** get_address_of_expandedName_0() { return &___expandedName_0; }
inline void set_expandedName_0(String_t* value)
{
___expandedName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___expandedName_0), (void*)value);
}
};
// Unity.Collections.LowLevel.Unsafe.NativeArrayUnsafeUtility
struct NativeArrayUnsafeUtility_tABFEC25CB8DB147F19348E853EE24669F9682C83 : public RuntimeObject
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.NativeCopyUtility
struct NativeCopyUtility_t537698701837049415442B997E0E9BA15843AE3E : public RuntimeObject
{
public:
public:
};
// System.Threading.NativeEventCalls
struct NativeEventCalls_t4F5346EDED77A7335E639D2B191BFB063E859E00 : public RuntimeObject
{
public:
public:
};
// UnityEngineInternal.Input.NativeInputSystem
struct NativeInputSystem_t572C01B054179054C92FCEFDB084BB5E8451BEA8 : public RuntimeObject
{
public:
public:
};
struct NativeInputSystem_t572C01B054179054C92FCEFDB084BB5E8451BEA8_StaticFields
{
public:
// UnityEngineInternal.Input.NativeUpdateCallback UnityEngineInternal.Input.NativeInputSystem::onUpdate
NativeUpdateCallback_t617743B3361FE4B086E28DDB8EDB4A7AC2490FC6 * ___onUpdate_0;
// System.Action`1<UnityEngineInternal.Input.NativeInputUpdateType> UnityEngineInternal.Input.NativeInputSystem::onBeforeUpdate
Action_1_t00E4A8EB7B3DEB920C557B08D67DF7101F4ADF69 * ___onBeforeUpdate_1;
// System.Func`2<UnityEngineInternal.Input.NativeInputUpdateType,System.Boolean> UnityEngineInternal.Input.NativeInputSystem::onShouldRunUpdate
Func_2_t9D79DEEDC6C6EC508B371394EC6976EDC57FB472 * ___onShouldRunUpdate_2;
// System.Action`2<System.Int32,System.String> UnityEngineInternal.Input.NativeInputSystem::s_OnDeviceDiscoveredCallback
Action_2_t0359A210F354A728FCD80F275D8CF192D61A98C5 * ___s_OnDeviceDiscoveredCallback_3;
public:
inline static int32_t get_offset_of_onUpdate_0() { return static_cast<int32_t>(offsetof(NativeInputSystem_t572C01B054179054C92FCEFDB084BB5E8451BEA8_StaticFields, ___onUpdate_0)); }
inline NativeUpdateCallback_t617743B3361FE4B086E28DDB8EDB4A7AC2490FC6 * get_onUpdate_0() const { return ___onUpdate_0; }
inline NativeUpdateCallback_t617743B3361FE4B086E28DDB8EDB4A7AC2490FC6 ** get_address_of_onUpdate_0() { return &___onUpdate_0; }
inline void set_onUpdate_0(NativeUpdateCallback_t617743B3361FE4B086E28DDB8EDB4A7AC2490FC6 * value)
{
___onUpdate_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___onUpdate_0), (void*)value);
}
inline static int32_t get_offset_of_onBeforeUpdate_1() { return static_cast<int32_t>(offsetof(NativeInputSystem_t572C01B054179054C92FCEFDB084BB5E8451BEA8_StaticFields, ___onBeforeUpdate_1)); }
inline Action_1_t00E4A8EB7B3DEB920C557B08D67DF7101F4ADF69 * get_onBeforeUpdate_1() const { return ___onBeforeUpdate_1; }
inline Action_1_t00E4A8EB7B3DEB920C557B08D67DF7101F4ADF69 ** get_address_of_onBeforeUpdate_1() { return &___onBeforeUpdate_1; }
inline void set_onBeforeUpdate_1(Action_1_t00E4A8EB7B3DEB920C557B08D67DF7101F4ADF69 * value)
{
___onBeforeUpdate_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___onBeforeUpdate_1), (void*)value);
}
inline static int32_t get_offset_of_onShouldRunUpdate_2() { return static_cast<int32_t>(offsetof(NativeInputSystem_t572C01B054179054C92FCEFDB084BB5E8451BEA8_StaticFields, ___onShouldRunUpdate_2)); }
inline Func_2_t9D79DEEDC6C6EC508B371394EC6976EDC57FB472 * get_onShouldRunUpdate_2() const { return ___onShouldRunUpdate_2; }
inline Func_2_t9D79DEEDC6C6EC508B371394EC6976EDC57FB472 ** get_address_of_onShouldRunUpdate_2() { return &___onShouldRunUpdate_2; }
inline void set_onShouldRunUpdate_2(Func_2_t9D79DEEDC6C6EC508B371394EC6976EDC57FB472 * value)
{
___onShouldRunUpdate_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___onShouldRunUpdate_2), (void*)value);
}
inline static int32_t get_offset_of_s_OnDeviceDiscoveredCallback_3() { return static_cast<int32_t>(offsetof(NativeInputSystem_t572C01B054179054C92FCEFDB084BB5E8451BEA8_StaticFields, ___s_OnDeviceDiscoveredCallback_3)); }
inline Action_2_t0359A210F354A728FCD80F275D8CF192D61A98C5 * get_s_OnDeviceDiscoveredCallback_3() const { return ___s_OnDeviceDiscoveredCallback_3; }
inline Action_2_t0359A210F354A728FCD80F275D8CF192D61A98C5 ** get_address_of_s_OnDeviceDiscoveredCallback_3() { return &___s_OnDeviceDiscoveredCallback_3; }
inline void set_s_OnDeviceDiscoveredCallback_3(Action_2_t0359A210F354A728FCD80F275D8CF192D61A98C5 * value)
{
___s_OnDeviceDiscoveredCallback_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_OnDeviceDiscoveredCallback_3), (void*)value);
}
};
// Unity.Collections.NativeLeakDetection
struct NativeLeakDetection_t65BA42B9268B96490C87B2C2E8943D0B88B70DC7 : public RuntimeObject
{
public:
public:
};
struct NativeLeakDetection_t65BA42B9268B96490C87B2C2E8943D0B88B70DC7_StaticFields
{
public:
// System.Int32 Unity.Collections.NativeLeakDetection::s_NativeLeakDetectionMode
int32_t ___s_NativeLeakDetectionMode_0;
public:
inline static int32_t get_offset_of_s_NativeLeakDetectionMode_0() { return static_cast<int32_t>(offsetof(NativeLeakDetection_t65BA42B9268B96490C87B2C2E8943D0B88B70DC7_StaticFields, ___s_NativeLeakDetectionMode_0)); }
inline int32_t get_s_NativeLeakDetectionMode_0() const { return ___s_NativeLeakDetectionMode_0; }
inline int32_t* get_address_of_s_NativeLeakDetectionMode_0() { return &___s_NativeLeakDetectionMode_0; }
inline void set_s_NativeLeakDetectionMode_0(int32_t value)
{
___s_NativeLeakDetectionMode_0 = value;
}
};
// Unity.Collections.NativeSliceExtensions
struct NativeSliceExtensions_tF6D3477661F568F03796AA70E9E804C93451F4E1 : public RuntimeObject
{
public:
public:
};
// Unity.Collections.LowLevel.Unsafe.NativeSliceUnsafeUtility
struct NativeSliceUnsafeUtility_tAF290F2A0826662EFE529FF0283F1250FF1D7CAF : public RuntimeObject
{
public:
public:
};
// UnityEngine.NoAllocHelpers
struct NoAllocHelpers_tDF63D8493CAD8DE137A5560CDAF336DA0A99D0D1 : public RuntimeObject
{
public:
public:
};
// System.Text.Normalization
struct Normalization_t44B7E310FFDD9FE973C492E2964A7C3ABABD213F : public RuntimeObject
{
public:
public:
};
struct Normalization_t44B7E310FFDD9FE973C492E2964A7C3ABABD213F_StaticFields
{
public:
// System.Byte* System.Text.Normalization::props
uint8_t* ___props_0;
// System.Int32* System.Text.Normalization::mappedChars
int32_t* ___mappedChars_1;
// System.Int16* System.Text.Normalization::charMapIndex
int16_t* ___charMapIndex_2;
// System.Int16* System.Text.Normalization::helperIndex
int16_t* ___helperIndex_3;
// System.UInt16* System.Text.Normalization::mapIdxToComposite
uint16_t* ___mapIdxToComposite_4;
// System.Byte* System.Text.Normalization::combiningClass
uint8_t* ___combiningClass_5;
// System.Object System.Text.Normalization::forLock
RuntimeObject * ___forLock_6;
// System.Boolean System.Text.Normalization::isReady
bool ___isReady_7;
public:
inline static int32_t get_offset_of_props_0() { return static_cast<int32_t>(offsetof(Normalization_t44B7E310FFDD9FE973C492E2964A7C3ABABD213F_StaticFields, ___props_0)); }
inline uint8_t* get_props_0() const { return ___props_0; }
inline uint8_t** get_address_of_props_0() { return &___props_0; }
inline void set_props_0(uint8_t* value)
{
___props_0 = value;
}
inline static int32_t get_offset_of_mappedChars_1() { return static_cast<int32_t>(offsetof(Normalization_t44B7E310FFDD9FE973C492E2964A7C3ABABD213F_StaticFields, ___mappedChars_1)); }
inline int32_t* get_mappedChars_1() const { return ___mappedChars_1; }
inline int32_t** get_address_of_mappedChars_1() { return &___mappedChars_1; }
inline void set_mappedChars_1(int32_t* value)
{
___mappedChars_1 = value;
}
inline static int32_t get_offset_of_charMapIndex_2() { return static_cast<int32_t>(offsetof(Normalization_t44B7E310FFDD9FE973C492E2964A7C3ABABD213F_StaticFields, ___charMapIndex_2)); }
inline int16_t* get_charMapIndex_2() const { return ___charMapIndex_2; }
inline int16_t** get_address_of_charMapIndex_2() { return &___charMapIndex_2; }
inline void set_charMapIndex_2(int16_t* value)
{
___charMapIndex_2 = value;
}
inline static int32_t get_offset_of_helperIndex_3() { return static_cast<int32_t>(offsetof(Normalization_t44B7E310FFDD9FE973C492E2964A7C3ABABD213F_StaticFields, ___helperIndex_3)); }
inline int16_t* get_helperIndex_3() const { return ___helperIndex_3; }
inline int16_t** get_address_of_helperIndex_3() { return &___helperIndex_3; }
inline void set_helperIndex_3(int16_t* value)
{
___helperIndex_3 = value;
}
inline static int32_t get_offset_of_mapIdxToComposite_4() { return static_cast<int32_t>(offsetof(Normalization_t44B7E310FFDD9FE973C492E2964A7C3ABABD213F_StaticFields, ___mapIdxToComposite_4)); }
inline uint16_t* get_mapIdxToComposite_4() const { return ___mapIdxToComposite_4; }
inline uint16_t** get_address_of_mapIdxToComposite_4() { return &___mapIdxToComposite_4; }
inline void set_mapIdxToComposite_4(uint16_t* value)
{
___mapIdxToComposite_4 = value;
}
inline static int32_t get_offset_of_combiningClass_5() { return static_cast<int32_t>(offsetof(Normalization_t44B7E310FFDD9FE973C492E2964A7C3ABABD213F_StaticFields, ___combiningClass_5)); }
inline uint8_t* get_combiningClass_5() const { return ___combiningClass_5; }
inline uint8_t** get_address_of_combiningClass_5() { return &___combiningClass_5; }
inline void set_combiningClass_5(uint8_t* value)
{
___combiningClass_5 = value;
}
inline static int32_t get_offset_of_forLock_6() { return static_cast<int32_t>(offsetof(Normalization_t44B7E310FFDD9FE973C492E2964A7C3ABABD213F_StaticFields, ___forLock_6)); }
inline RuntimeObject * get_forLock_6() const { return ___forLock_6; }
inline RuntimeObject ** get_address_of_forLock_6() { return &___forLock_6; }
inline void set_forLock_6(RuntimeObject * value)
{
___forLock_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___forLock_6), (void*)value);
}
inline static int32_t get_offset_of_isReady_7() { return static_cast<int32_t>(offsetof(Normalization_t44B7E310FFDD9FE973C492E2964A7C3ABABD213F_StaticFields, ___isReady_7)); }
inline bool get_isReady_7() const { return ___isReady_7; }
inline bool* get_address_of_isReady_7() { return &___isReady_7; }
inline void set_isReady_7(bool value)
{
___isReady_7 = value;
}
};
// Mono.Globalization.Unicode.NormalizationTableUtil
struct NormalizationTableUtil_t865AED8E1847CE25F58C497D3C5D12EECD7C245B : public RuntimeObject
{
public:
public:
};
struct NormalizationTableUtil_t865AED8E1847CE25F58C497D3C5D12EECD7C245B_StaticFields
{
public:
// Mono.Globalization.Unicode.CodePointIndexer Mono.Globalization.Unicode.NormalizationTableUtil::Prop
CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * ___Prop_0;
// Mono.Globalization.Unicode.CodePointIndexer Mono.Globalization.Unicode.NormalizationTableUtil::Map
CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * ___Map_1;
// Mono.Globalization.Unicode.CodePointIndexer Mono.Globalization.Unicode.NormalizationTableUtil::Combining
CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * ___Combining_2;
// Mono.Globalization.Unicode.CodePointIndexer Mono.Globalization.Unicode.NormalizationTableUtil::Composite
CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * ___Composite_3;
// Mono.Globalization.Unicode.CodePointIndexer Mono.Globalization.Unicode.NormalizationTableUtil::Helper
CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * ___Helper_4;
public:
inline static int32_t get_offset_of_Prop_0() { return static_cast<int32_t>(offsetof(NormalizationTableUtil_t865AED8E1847CE25F58C497D3C5D12EECD7C245B_StaticFields, ___Prop_0)); }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * get_Prop_0() const { return ___Prop_0; }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 ** get_address_of_Prop_0() { return &___Prop_0; }
inline void set_Prop_0(CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * value)
{
___Prop_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Prop_0), (void*)value);
}
inline static int32_t get_offset_of_Map_1() { return static_cast<int32_t>(offsetof(NormalizationTableUtil_t865AED8E1847CE25F58C497D3C5D12EECD7C245B_StaticFields, ___Map_1)); }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * get_Map_1() const { return ___Map_1; }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 ** get_address_of_Map_1() { return &___Map_1; }
inline void set_Map_1(CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * value)
{
___Map_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Map_1), (void*)value);
}
inline static int32_t get_offset_of_Combining_2() { return static_cast<int32_t>(offsetof(NormalizationTableUtil_t865AED8E1847CE25F58C497D3C5D12EECD7C245B_StaticFields, ___Combining_2)); }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * get_Combining_2() const { return ___Combining_2; }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 ** get_address_of_Combining_2() { return &___Combining_2; }
inline void set_Combining_2(CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * value)
{
___Combining_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Combining_2), (void*)value);
}
inline static int32_t get_offset_of_Composite_3() { return static_cast<int32_t>(offsetof(NormalizationTableUtil_t865AED8E1847CE25F58C497D3C5D12EECD7C245B_StaticFields, ___Composite_3)); }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * get_Composite_3() const { return ___Composite_3; }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 ** get_address_of_Composite_3() { return &___Composite_3; }
inline void set_Composite_3(CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * value)
{
___Composite_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Composite_3), (void*)value);
}
inline static int32_t get_offset_of_Helper_4() { return static_cast<int32_t>(offsetof(NormalizationTableUtil_t865AED8E1847CE25F58C497D3C5D12EECD7C245B_StaticFields, ___Helper_4)); }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * get_Helper_4() const { return ___Helper_4; }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 ** get_address_of_Helper_4() { return &___Helper_4; }
inline void set_Helper_4(CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * value)
{
___Helper_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Helper_4), (void*)value);
}
};
// System.Nullable
struct Nullable_t0CF9462D7A47F5F3187344A76349FBFA90235BDF : public RuntimeObject
{
public:
public:
};
// System.Number
struct Number_tEAB3E1B5FD1B730CFCDC651E7C497B4177840AF2 : public RuntimeObject
{
public:
public:
};
// System.NumberFormatter
struct NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24 : public RuntimeObject
{
public:
// System.Globalization.NumberFormatInfo System.NumberFormatter::_nfi
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D * ____nfi_6;
// System.Char[] System.NumberFormatter::_cbuf
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ____cbuf_7;
// System.Boolean System.NumberFormatter::_NaN
bool ____NaN_8;
// System.Boolean System.NumberFormatter::_infinity
bool ____infinity_9;
// System.Boolean System.NumberFormatter::_isCustomFormat
bool ____isCustomFormat_10;
// System.Boolean System.NumberFormatter::_specifierIsUpper
bool ____specifierIsUpper_11;
// System.Boolean System.NumberFormatter::_positive
bool ____positive_12;
// System.Char System.NumberFormatter::_specifier
Il2CppChar ____specifier_13;
// System.Int32 System.NumberFormatter::_precision
int32_t ____precision_14;
// System.Int32 System.NumberFormatter::_defPrecision
int32_t ____defPrecision_15;
// System.Int32 System.NumberFormatter::_digitsLen
int32_t ____digitsLen_16;
// System.Int32 System.NumberFormatter::_offset
int32_t ____offset_17;
// System.Int32 System.NumberFormatter::_decPointPos
int32_t ____decPointPos_18;
// System.UInt32 System.NumberFormatter::_val1
uint32_t ____val1_19;
// System.UInt32 System.NumberFormatter::_val2
uint32_t ____val2_20;
// System.UInt32 System.NumberFormatter::_val3
uint32_t ____val3_21;
// System.UInt32 System.NumberFormatter::_val4
uint32_t ____val4_22;
// System.Int32 System.NumberFormatter::_ind
int32_t ____ind_23;
public:
inline static int32_t get_offset_of__nfi_6() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24, ____nfi_6)); }
inline NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D * get__nfi_6() const { return ____nfi_6; }
inline NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D ** get_address_of__nfi_6() { return &____nfi_6; }
inline void set__nfi_6(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D * value)
{
____nfi_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____nfi_6), (void*)value);
}
inline static int32_t get_offset_of__cbuf_7() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24, ____cbuf_7)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get__cbuf_7() const { return ____cbuf_7; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of__cbuf_7() { return &____cbuf_7; }
inline void set__cbuf_7(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
____cbuf_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&____cbuf_7), (void*)value);
}
inline static int32_t get_offset_of__NaN_8() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24, ____NaN_8)); }
inline bool get__NaN_8() const { return ____NaN_8; }
inline bool* get_address_of__NaN_8() { return &____NaN_8; }
inline void set__NaN_8(bool value)
{
____NaN_8 = value;
}
inline static int32_t get_offset_of__infinity_9() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24, ____infinity_9)); }
inline bool get__infinity_9() const { return ____infinity_9; }
inline bool* get_address_of__infinity_9() { return &____infinity_9; }
inline void set__infinity_9(bool value)
{
____infinity_9 = value;
}
inline static int32_t get_offset_of__isCustomFormat_10() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24, ____isCustomFormat_10)); }
inline bool get__isCustomFormat_10() const { return ____isCustomFormat_10; }
inline bool* get_address_of__isCustomFormat_10() { return &____isCustomFormat_10; }
inline void set__isCustomFormat_10(bool value)
{
____isCustomFormat_10 = value;
}
inline static int32_t get_offset_of__specifierIsUpper_11() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24, ____specifierIsUpper_11)); }
inline bool get__specifierIsUpper_11() const { return ____specifierIsUpper_11; }
inline bool* get_address_of__specifierIsUpper_11() { return &____specifierIsUpper_11; }
inline void set__specifierIsUpper_11(bool value)
{
____specifierIsUpper_11 = value;
}
inline static int32_t get_offset_of__positive_12() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24, ____positive_12)); }
inline bool get__positive_12() const { return ____positive_12; }
inline bool* get_address_of__positive_12() { return &____positive_12; }
inline void set__positive_12(bool value)
{
____positive_12 = value;
}
inline static int32_t get_offset_of__specifier_13() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24, ____specifier_13)); }
inline Il2CppChar get__specifier_13() const { return ____specifier_13; }
inline Il2CppChar* get_address_of__specifier_13() { return &____specifier_13; }
inline void set__specifier_13(Il2CppChar value)
{
____specifier_13 = value;
}
inline static int32_t get_offset_of__precision_14() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24, ____precision_14)); }
inline int32_t get__precision_14() const { return ____precision_14; }
inline int32_t* get_address_of__precision_14() { return &____precision_14; }
inline void set__precision_14(int32_t value)
{
____precision_14 = value;
}
inline static int32_t get_offset_of__defPrecision_15() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24, ____defPrecision_15)); }
inline int32_t get__defPrecision_15() const { return ____defPrecision_15; }
inline int32_t* get_address_of__defPrecision_15() { return &____defPrecision_15; }
inline void set__defPrecision_15(int32_t value)
{
____defPrecision_15 = value;
}
inline static int32_t get_offset_of__digitsLen_16() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24, ____digitsLen_16)); }
inline int32_t get__digitsLen_16() const { return ____digitsLen_16; }
inline int32_t* get_address_of__digitsLen_16() { return &____digitsLen_16; }
inline void set__digitsLen_16(int32_t value)
{
____digitsLen_16 = value;
}
inline static int32_t get_offset_of__offset_17() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24, ____offset_17)); }
inline int32_t get__offset_17() const { return ____offset_17; }
inline int32_t* get_address_of__offset_17() { return &____offset_17; }
inline void set__offset_17(int32_t value)
{
____offset_17 = value;
}
inline static int32_t get_offset_of__decPointPos_18() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24, ____decPointPos_18)); }
inline int32_t get__decPointPos_18() const { return ____decPointPos_18; }
inline int32_t* get_address_of__decPointPos_18() { return &____decPointPos_18; }
inline void set__decPointPos_18(int32_t value)
{
____decPointPos_18 = value;
}
inline static int32_t get_offset_of__val1_19() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24, ____val1_19)); }
inline uint32_t get__val1_19() const { return ____val1_19; }
inline uint32_t* get_address_of__val1_19() { return &____val1_19; }
inline void set__val1_19(uint32_t value)
{
____val1_19 = value;
}
inline static int32_t get_offset_of__val2_20() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24, ____val2_20)); }
inline uint32_t get__val2_20() const { return ____val2_20; }
inline uint32_t* get_address_of__val2_20() { return &____val2_20; }
inline void set__val2_20(uint32_t value)
{
____val2_20 = value;
}
inline static int32_t get_offset_of__val3_21() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24, ____val3_21)); }
inline uint32_t get__val3_21() const { return ____val3_21; }
inline uint32_t* get_address_of__val3_21() { return &____val3_21; }
inline void set__val3_21(uint32_t value)
{
____val3_21 = value;
}
inline static int32_t get_offset_of__val4_22() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24, ____val4_22)); }
inline uint32_t get__val4_22() const { return ____val4_22; }
inline uint32_t* get_address_of__val4_22() { return &____val4_22; }
inline void set__val4_22(uint32_t value)
{
____val4_22 = value;
}
inline static int32_t get_offset_of__ind_23() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24, ____ind_23)); }
inline int32_t get__ind_23() const { return ____ind_23; }
inline int32_t* get_address_of__ind_23() { return &____ind_23; }
inline void set__ind_23(int32_t value)
{
____ind_23 = value;
}
};
struct NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24_StaticFields
{
public:
// System.UInt64* System.NumberFormatter::MantissaBitsTable
uint64_t* ___MantissaBitsTable_0;
// System.Int32* System.NumberFormatter::TensExponentTable
int32_t* ___TensExponentTable_1;
// System.Char* System.NumberFormatter::DigitLowerTable
Il2CppChar* ___DigitLowerTable_2;
// System.Char* System.NumberFormatter::DigitUpperTable
Il2CppChar* ___DigitUpperTable_3;
// System.Int64* System.NumberFormatter::TenPowersList
int64_t* ___TenPowersList_4;
// System.Int32* System.NumberFormatter::DecHexDigits
int32_t* ___DecHexDigits_5;
public:
inline static int32_t get_offset_of_MantissaBitsTable_0() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24_StaticFields, ___MantissaBitsTable_0)); }
inline uint64_t* get_MantissaBitsTable_0() const { return ___MantissaBitsTable_0; }
inline uint64_t** get_address_of_MantissaBitsTable_0() { return &___MantissaBitsTable_0; }
inline void set_MantissaBitsTable_0(uint64_t* value)
{
___MantissaBitsTable_0 = value;
}
inline static int32_t get_offset_of_TensExponentTable_1() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24_StaticFields, ___TensExponentTable_1)); }
inline int32_t* get_TensExponentTable_1() const { return ___TensExponentTable_1; }
inline int32_t** get_address_of_TensExponentTable_1() { return &___TensExponentTable_1; }
inline void set_TensExponentTable_1(int32_t* value)
{
___TensExponentTable_1 = value;
}
inline static int32_t get_offset_of_DigitLowerTable_2() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24_StaticFields, ___DigitLowerTable_2)); }
inline Il2CppChar* get_DigitLowerTable_2() const { return ___DigitLowerTable_2; }
inline Il2CppChar** get_address_of_DigitLowerTable_2() { return &___DigitLowerTable_2; }
inline void set_DigitLowerTable_2(Il2CppChar* value)
{
___DigitLowerTable_2 = value;
}
inline static int32_t get_offset_of_DigitUpperTable_3() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24_StaticFields, ___DigitUpperTable_3)); }
inline Il2CppChar* get_DigitUpperTable_3() const { return ___DigitUpperTable_3; }
inline Il2CppChar** get_address_of_DigitUpperTable_3() { return &___DigitUpperTable_3; }
inline void set_DigitUpperTable_3(Il2CppChar* value)
{
___DigitUpperTable_3 = value;
}
inline static int32_t get_offset_of_TenPowersList_4() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24_StaticFields, ___TenPowersList_4)); }
inline int64_t* get_TenPowersList_4() const { return ___TenPowersList_4; }
inline int64_t** get_address_of_TenPowersList_4() { return &___TenPowersList_4; }
inline void set_TenPowersList_4(int64_t* value)
{
___TenPowersList_4 = value;
}
inline static int32_t get_offset_of_DecHexDigits_5() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24_StaticFields, ___DecHexDigits_5)); }
inline int32_t* get_DecHexDigits_5() const { return ___DecHexDigits_5; }
inline int32_t** get_address_of_DecHexDigits_5() { return &___DecHexDigits_5; }
inline void set_DecHexDigits_5(int32_t* value)
{
___DecHexDigits_5 = value;
}
};
struct NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24_ThreadStaticFields
{
public:
// System.NumberFormatter System.NumberFormatter::threadNumberFormatter
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24 * ___threadNumberFormatter_24;
// System.NumberFormatter System.NumberFormatter::userFormatProvider
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24 * ___userFormatProvider_25;
public:
inline static int32_t get_offset_of_threadNumberFormatter_24() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24_ThreadStaticFields, ___threadNumberFormatter_24)); }
inline NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24 * get_threadNumberFormatter_24() const { return ___threadNumberFormatter_24; }
inline NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24 ** get_address_of_threadNumberFormatter_24() { return &___threadNumberFormatter_24; }
inline void set_threadNumberFormatter_24(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24 * value)
{
___threadNumberFormatter_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___threadNumberFormatter_24), (void*)value);
}
inline static int32_t get_offset_of_userFormatProvider_25() { return static_cast<int32_t>(offsetof(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24_ThreadStaticFields, ___userFormatProvider_25)); }
inline NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24 * get_userFormatProvider_25() const { return ___userFormatProvider_25; }
inline NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24 ** get_address_of_userFormatProvider_25() { return &___userFormatProvider_25; }
inline void set_userFormatProvider_25(NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24 * value)
{
___userFormatProvider_25 = value;
Il2CppCodeGenWriteBarrier((void**)(&___userFormatProvider_25), (void*)value);
}
};
// System.Runtime.Remoting.ObjRef
struct ObjRef_t10D53E2178851535F38935DC53B48634063C84D3 : public RuntimeObject
{
public:
// System.Runtime.Remoting.IChannelInfo System.Runtime.Remoting.ObjRef::channel_info
RuntimeObject* ___channel_info_0;
// System.String System.Runtime.Remoting.ObjRef::uri
String_t* ___uri_1;
// System.Runtime.Remoting.IRemotingTypeInfo System.Runtime.Remoting.ObjRef::typeInfo
RuntimeObject* ___typeInfo_2;
// System.Runtime.Remoting.IEnvoyInfo System.Runtime.Remoting.ObjRef::envoyInfo
RuntimeObject* ___envoyInfo_3;
// System.Int32 System.Runtime.Remoting.ObjRef::flags
int32_t ___flags_4;
// System.Type System.Runtime.Remoting.ObjRef::_serverType
Type_t * ____serverType_5;
public:
inline static int32_t get_offset_of_channel_info_0() { return static_cast<int32_t>(offsetof(ObjRef_t10D53E2178851535F38935DC53B48634063C84D3, ___channel_info_0)); }
inline RuntimeObject* get_channel_info_0() const { return ___channel_info_0; }
inline RuntimeObject** get_address_of_channel_info_0() { return &___channel_info_0; }
inline void set_channel_info_0(RuntimeObject* value)
{
___channel_info_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___channel_info_0), (void*)value);
}
inline static int32_t get_offset_of_uri_1() { return static_cast<int32_t>(offsetof(ObjRef_t10D53E2178851535F38935DC53B48634063C84D3, ___uri_1)); }
inline String_t* get_uri_1() const { return ___uri_1; }
inline String_t** get_address_of_uri_1() { return &___uri_1; }
inline void set_uri_1(String_t* value)
{
___uri_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___uri_1), (void*)value);
}
inline static int32_t get_offset_of_typeInfo_2() { return static_cast<int32_t>(offsetof(ObjRef_t10D53E2178851535F38935DC53B48634063C84D3, ___typeInfo_2)); }
inline RuntimeObject* get_typeInfo_2() const { return ___typeInfo_2; }
inline RuntimeObject** get_address_of_typeInfo_2() { return &___typeInfo_2; }
inline void set_typeInfo_2(RuntimeObject* value)
{
___typeInfo_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeInfo_2), (void*)value);
}
inline static int32_t get_offset_of_envoyInfo_3() { return static_cast<int32_t>(offsetof(ObjRef_t10D53E2178851535F38935DC53B48634063C84D3, ___envoyInfo_3)); }
inline RuntimeObject* get_envoyInfo_3() const { return ___envoyInfo_3; }
inline RuntimeObject** get_address_of_envoyInfo_3() { return &___envoyInfo_3; }
inline void set_envoyInfo_3(RuntimeObject* value)
{
___envoyInfo_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___envoyInfo_3), (void*)value);
}
inline static int32_t get_offset_of_flags_4() { return static_cast<int32_t>(offsetof(ObjRef_t10D53E2178851535F38935DC53B48634063C84D3, ___flags_4)); }
inline int32_t get_flags_4() const { return ___flags_4; }
inline int32_t* get_address_of_flags_4() { return &___flags_4; }
inline void set_flags_4(int32_t value)
{
___flags_4 = value;
}
inline static int32_t get_offset_of__serverType_5() { return static_cast<int32_t>(offsetof(ObjRef_t10D53E2178851535F38935DC53B48634063C84D3, ____serverType_5)); }
inline Type_t * get__serverType_5() const { return ____serverType_5; }
inline Type_t ** get_address_of__serverType_5() { return &____serverType_5; }
inline void set__serverType_5(Type_t * value)
{
____serverType_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____serverType_5), (void*)value);
}
};
struct ObjRef_t10D53E2178851535F38935DC53B48634063C84D3_StaticFields
{
public:
// System.Int32 System.Runtime.Remoting.ObjRef::MarshalledObjectRef
int32_t ___MarshalledObjectRef_6;
// System.Int32 System.Runtime.Remoting.ObjRef::WellKnowObjectRef
int32_t ___WellKnowObjectRef_7;
public:
inline static int32_t get_offset_of_MarshalledObjectRef_6() { return static_cast<int32_t>(offsetof(ObjRef_t10D53E2178851535F38935DC53B48634063C84D3_StaticFields, ___MarshalledObjectRef_6)); }
inline int32_t get_MarshalledObjectRef_6() const { return ___MarshalledObjectRef_6; }
inline int32_t* get_address_of_MarshalledObjectRef_6() { return &___MarshalledObjectRef_6; }
inline void set_MarshalledObjectRef_6(int32_t value)
{
___MarshalledObjectRef_6 = value;
}
inline static int32_t get_offset_of_WellKnowObjectRef_7() { return static_cast<int32_t>(offsetof(ObjRef_t10D53E2178851535F38935DC53B48634063C84D3_StaticFields, ___WellKnowObjectRef_7)); }
inline int32_t get_WellKnowObjectRef_7() const { return ___WellKnowObjectRef_7; }
inline int32_t* get_address_of_WellKnowObjectRef_7() { return &___WellKnowObjectRef_7; }
inline void set_WellKnowObjectRef_7(int32_t value)
{
___WellKnowObjectRef_7 = value;
}
};
// System.Runtime.Remoting.Messaging.ObjRefSurrogate
struct ObjRefSurrogate_t7924C0ED9F5EC7E25977237ADC3276383606703F : public RuntimeObject
{
public:
public:
};
// System.Collections.Generic.ObjectEqualityComparer
struct ObjectEqualityComparer_t72A30310D4F4EB2147D08A989E157CCCEEC78C23 : public RuntimeObject
{
public:
public:
};
struct ObjectEqualityComparer_t72A30310D4F4EB2147D08A989E157CCCEEC78C23_StaticFields
{
public:
// System.Collections.Generic.ObjectEqualityComparer System.Collections.Generic.ObjectEqualityComparer::Default
ObjectEqualityComparer_t72A30310D4F4EB2147D08A989E157CCCEEC78C23 * ___Default_0;
public:
inline static int32_t get_offset_of_Default_0() { return static_cast<int32_t>(offsetof(ObjectEqualityComparer_t72A30310D4F4EB2147D08A989E157CCCEEC78C23_StaticFields, ___Default_0)); }
inline ObjectEqualityComparer_t72A30310D4F4EB2147D08A989E157CCCEEC78C23 * get_Default_0() const { return ___Default_0; }
inline ObjectEqualityComparer_t72A30310D4F4EB2147D08A989E157CCCEEC78C23 ** get_address_of_Default_0() { return &___Default_0; }
inline void set_Default_0(ObjectEqualityComparer_t72A30310D4F4EB2147D08A989E157CCCEEC78C23 * value)
{
___Default_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Default_0), (void*)value);
}
};
// System.Runtime.Serialization.ObjectHolder
struct ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A : public RuntimeObject
{
public:
// System.Object System.Runtime.Serialization.ObjectHolder::m_object
RuntimeObject * ___m_object_0;
// System.Int64 System.Runtime.Serialization.ObjectHolder::m_id
int64_t ___m_id_1;
// System.Int32 System.Runtime.Serialization.ObjectHolder::m_missingElementsRemaining
int32_t ___m_missingElementsRemaining_2;
// System.Int32 System.Runtime.Serialization.ObjectHolder::m_missingDecendents
int32_t ___m_missingDecendents_3;
// System.Runtime.Serialization.SerializationInfo System.Runtime.Serialization.ObjectHolder::m_serInfo
SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 * ___m_serInfo_4;
// System.Runtime.Serialization.ISerializationSurrogate System.Runtime.Serialization.ObjectHolder::m_surrogate
RuntimeObject* ___m_surrogate_5;
// System.Runtime.Serialization.FixupHolderList System.Runtime.Serialization.ObjectHolder::m_missingElements
FixupHolderList_t98FCFDD9352A87A246F7E475733C94C8A7F86BF8 * ___m_missingElements_6;
// System.Runtime.Serialization.LongList System.Runtime.Serialization.ObjectHolder::m_dependentObjects
LongList_tB13F421A6BB4E3BB28AEAA7B91E9A937EB7A7D23 * ___m_dependentObjects_7;
// System.Runtime.Serialization.ObjectHolder System.Runtime.Serialization.ObjectHolder::m_next
ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A * ___m_next_8;
// System.Int32 System.Runtime.Serialization.ObjectHolder::m_flags
int32_t ___m_flags_9;
// System.Boolean System.Runtime.Serialization.ObjectHolder::m_markForFixupWhenAvailable
bool ___m_markForFixupWhenAvailable_10;
// System.Runtime.Serialization.ValueTypeFixupInfo System.Runtime.Serialization.ObjectHolder::m_valueFixup
ValueTypeFixupInfo_tBA01D7B8EF22CA79A46AA25F4EFCE2B312E9E547 * ___m_valueFixup_11;
// System.Runtime.Serialization.TypeLoadExceptionHolder System.Runtime.Serialization.ObjectHolder::m_typeLoad
TypeLoadExceptionHolder_t20AB0C4A3995BE52D344B37DDEFAE330659147E2 * ___m_typeLoad_12;
// System.Boolean System.Runtime.Serialization.ObjectHolder::m_reachable
bool ___m_reachable_13;
public:
inline static int32_t get_offset_of_m_object_0() { return static_cast<int32_t>(offsetof(ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A, ___m_object_0)); }
inline RuntimeObject * get_m_object_0() const { return ___m_object_0; }
inline RuntimeObject ** get_address_of_m_object_0() { return &___m_object_0; }
inline void set_m_object_0(RuntimeObject * value)
{
___m_object_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_object_0), (void*)value);
}
inline static int32_t get_offset_of_m_id_1() { return static_cast<int32_t>(offsetof(ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A, ___m_id_1)); }
inline int64_t get_m_id_1() const { return ___m_id_1; }
inline int64_t* get_address_of_m_id_1() { return &___m_id_1; }
inline void set_m_id_1(int64_t value)
{
___m_id_1 = value;
}
inline static int32_t get_offset_of_m_missingElementsRemaining_2() { return static_cast<int32_t>(offsetof(ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A, ___m_missingElementsRemaining_2)); }
inline int32_t get_m_missingElementsRemaining_2() const { return ___m_missingElementsRemaining_2; }
inline int32_t* get_address_of_m_missingElementsRemaining_2() { return &___m_missingElementsRemaining_2; }
inline void set_m_missingElementsRemaining_2(int32_t value)
{
___m_missingElementsRemaining_2 = value;
}
inline static int32_t get_offset_of_m_missingDecendents_3() { return static_cast<int32_t>(offsetof(ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A, ___m_missingDecendents_3)); }
inline int32_t get_m_missingDecendents_3() const { return ___m_missingDecendents_3; }
inline int32_t* get_address_of_m_missingDecendents_3() { return &___m_missingDecendents_3; }
inline void set_m_missingDecendents_3(int32_t value)
{
___m_missingDecendents_3 = value;
}
inline static int32_t get_offset_of_m_serInfo_4() { return static_cast<int32_t>(offsetof(ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A, ___m_serInfo_4)); }
inline SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 * get_m_serInfo_4() const { return ___m_serInfo_4; }
inline SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 ** get_address_of_m_serInfo_4() { return &___m_serInfo_4; }
inline void set_m_serInfo_4(SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 * value)
{
___m_serInfo_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_serInfo_4), (void*)value);
}
inline static int32_t get_offset_of_m_surrogate_5() { return static_cast<int32_t>(offsetof(ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A, ___m_surrogate_5)); }
inline RuntimeObject* get_m_surrogate_5() const { return ___m_surrogate_5; }
inline RuntimeObject** get_address_of_m_surrogate_5() { return &___m_surrogate_5; }
inline void set_m_surrogate_5(RuntimeObject* value)
{
___m_surrogate_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_surrogate_5), (void*)value);
}
inline static int32_t get_offset_of_m_missingElements_6() { return static_cast<int32_t>(offsetof(ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A, ___m_missingElements_6)); }
inline FixupHolderList_t98FCFDD9352A87A246F7E475733C94C8A7F86BF8 * get_m_missingElements_6() const { return ___m_missingElements_6; }
inline FixupHolderList_t98FCFDD9352A87A246F7E475733C94C8A7F86BF8 ** get_address_of_m_missingElements_6() { return &___m_missingElements_6; }
inline void set_m_missingElements_6(FixupHolderList_t98FCFDD9352A87A246F7E475733C94C8A7F86BF8 * value)
{
___m_missingElements_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_missingElements_6), (void*)value);
}
inline static int32_t get_offset_of_m_dependentObjects_7() { return static_cast<int32_t>(offsetof(ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A, ___m_dependentObjects_7)); }
inline LongList_tB13F421A6BB4E3BB28AEAA7B91E9A937EB7A7D23 * get_m_dependentObjects_7() const { return ___m_dependentObjects_7; }
inline LongList_tB13F421A6BB4E3BB28AEAA7B91E9A937EB7A7D23 ** get_address_of_m_dependentObjects_7() { return &___m_dependentObjects_7; }
inline void set_m_dependentObjects_7(LongList_tB13F421A6BB4E3BB28AEAA7B91E9A937EB7A7D23 * value)
{
___m_dependentObjects_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_dependentObjects_7), (void*)value);
}
inline static int32_t get_offset_of_m_next_8() { return static_cast<int32_t>(offsetof(ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A, ___m_next_8)); }
inline ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A * get_m_next_8() const { return ___m_next_8; }
inline ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A ** get_address_of_m_next_8() { return &___m_next_8; }
inline void set_m_next_8(ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A * value)
{
___m_next_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_next_8), (void*)value);
}
inline static int32_t get_offset_of_m_flags_9() { return static_cast<int32_t>(offsetof(ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A, ___m_flags_9)); }
inline int32_t get_m_flags_9() const { return ___m_flags_9; }
inline int32_t* get_address_of_m_flags_9() { return &___m_flags_9; }
inline void set_m_flags_9(int32_t value)
{
___m_flags_9 = value;
}
inline static int32_t get_offset_of_m_markForFixupWhenAvailable_10() { return static_cast<int32_t>(offsetof(ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A, ___m_markForFixupWhenAvailable_10)); }
inline bool get_m_markForFixupWhenAvailable_10() const { return ___m_markForFixupWhenAvailable_10; }
inline bool* get_address_of_m_markForFixupWhenAvailable_10() { return &___m_markForFixupWhenAvailable_10; }
inline void set_m_markForFixupWhenAvailable_10(bool value)
{
___m_markForFixupWhenAvailable_10 = value;
}
inline static int32_t get_offset_of_m_valueFixup_11() { return static_cast<int32_t>(offsetof(ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A, ___m_valueFixup_11)); }
inline ValueTypeFixupInfo_tBA01D7B8EF22CA79A46AA25F4EFCE2B312E9E547 * get_m_valueFixup_11() const { return ___m_valueFixup_11; }
inline ValueTypeFixupInfo_tBA01D7B8EF22CA79A46AA25F4EFCE2B312E9E547 ** get_address_of_m_valueFixup_11() { return &___m_valueFixup_11; }
inline void set_m_valueFixup_11(ValueTypeFixupInfo_tBA01D7B8EF22CA79A46AA25F4EFCE2B312E9E547 * value)
{
___m_valueFixup_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_valueFixup_11), (void*)value);
}
inline static int32_t get_offset_of_m_typeLoad_12() { return static_cast<int32_t>(offsetof(ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A, ___m_typeLoad_12)); }
inline TypeLoadExceptionHolder_t20AB0C4A3995BE52D344B37DDEFAE330659147E2 * get_m_typeLoad_12() const { return ___m_typeLoad_12; }
inline TypeLoadExceptionHolder_t20AB0C4A3995BE52D344B37DDEFAE330659147E2 ** get_address_of_m_typeLoad_12() { return &___m_typeLoad_12; }
inline void set_m_typeLoad_12(TypeLoadExceptionHolder_t20AB0C4A3995BE52D344B37DDEFAE330659147E2 * value)
{
___m_typeLoad_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_typeLoad_12), (void*)value);
}
inline static int32_t get_offset_of_m_reachable_13() { return static_cast<int32_t>(offsetof(ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A, ___m_reachable_13)); }
inline bool get_m_reachable_13() const { return ___m_reachable_13; }
inline bool* get_address_of_m_reachable_13() { return &___m_reachable_13; }
inline void set_m_reachable_13(bool value)
{
___m_reachable_13 = value;
}
};
// System.Runtime.Serialization.ObjectHolderList
struct ObjectHolderList_t6EC019D0FA1ACB5A6B6DE3B99E9523C8D7675291 : public RuntimeObject
{
public:
// System.Runtime.Serialization.ObjectHolder[] System.Runtime.Serialization.ObjectHolderList::m_values
ObjectHolderU5BU5D_tB0134C25BE5EE8773D2724BD2D76B396A1024703* ___m_values_0;
// System.Int32 System.Runtime.Serialization.ObjectHolderList::m_count
int32_t ___m_count_1;
public:
inline static int32_t get_offset_of_m_values_0() { return static_cast<int32_t>(offsetof(ObjectHolderList_t6EC019D0FA1ACB5A6B6DE3B99E9523C8D7675291, ___m_values_0)); }
inline ObjectHolderU5BU5D_tB0134C25BE5EE8773D2724BD2D76B396A1024703* get_m_values_0() const { return ___m_values_0; }
inline ObjectHolderU5BU5D_tB0134C25BE5EE8773D2724BD2D76B396A1024703** get_address_of_m_values_0() { return &___m_values_0; }
inline void set_m_values_0(ObjectHolderU5BU5D_tB0134C25BE5EE8773D2724BD2D76B396A1024703* value)
{
___m_values_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_values_0), (void*)value);
}
inline static int32_t get_offset_of_m_count_1() { return static_cast<int32_t>(offsetof(ObjectHolderList_t6EC019D0FA1ACB5A6B6DE3B99E9523C8D7675291, ___m_count_1)); }
inline int32_t get_m_count_1() const { return ___m_count_1; }
inline int32_t* get_address_of_m_count_1() { return &___m_count_1; }
inline void set_m_count_1(int32_t value)
{
___m_count_1 = value;
}
};
// System.Runtime.Serialization.ObjectHolderListEnumerator
struct ObjectHolderListEnumerator_tDAFCA93CD0CF279215C14BD30EFB8DF7E28E362C : public RuntimeObject
{
public:
// System.Boolean System.Runtime.Serialization.ObjectHolderListEnumerator::m_isFixupEnumerator
bool ___m_isFixupEnumerator_0;
// System.Runtime.Serialization.ObjectHolderList System.Runtime.Serialization.ObjectHolderListEnumerator::m_list
ObjectHolderList_t6EC019D0FA1ACB5A6B6DE3B99E9523C8D7675291 * ___m_list_1;
// System.Int32 System.Runtime.Serialization.ObjectHolderListEnumerator::m_startingVersion
int32_t ___m_startingVersion_2;
// System.Int32 System.Runtime.Serialization.ObjectHolderListEnumerator::m_currPos
int32_t ___m_currPos_3;
public:
inline static int32_t get_offset_of_m_isFixupEnumerator_0() { return static_cast<int32_t>(offsetof(ObjectHolderListEnumerator_tDAFCA93CD0CF279215C14BD30EFB8DF7E28E362C, ___m_isFixupEnumerator_0)); }
inline bool get_m_isFixupEnumerator_0() const { return ___m_isFixupEnumerator_0; }
inline bool* get_address_of_m_isFixupEnumerator_0() { return &___m_isFixupEnumerator_0; }
inline void set_m_isFixupEnumerator_0(bool value)
{
___m_isFixupEnumerator_0 = value;
}
inline static int32_t get_offset_of_m_list_1() { return static_cast<int32_t>(offsetof(ObjectHolderListEnumerator_tDAFCA93CD0CF279215C14BD30EFB8DF7E28E362C, ___m_list_1)); }
inline ObjectHolderList_t6EC019D0FA1ACB5A6B6DE3B99E9523C8D7675291 * get_m_list_1() const { return ___m_list_1; }
inline ObjectHolderList_t6EC019D0FA1ACB5A6B6DE3B99E9523C8D7675291 ** get_address_of_m_list_1() { return &___m_list_1; }
inline void set_m_list_1(ObjectHolderList_t6EC019D0FA1ACB5A6B6DE3B99E9523C8D7675291 * value)
{
___m_list_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_list_1), (void*)value);
}
inline static int32_t get_offset_of_m_startingVersion_2() { return static_cast<int32_t>(offsetof(ObjectHolderListEnumerator_tDAFCA93CD0CF279215C14BD30EFB8DF7E28E362C, ___m_startingVersion_2)); }
inline int32_t get_m_startingVersion_2() const { return ___m_startingVersion_2; }
inline int32_t* get_address_of_m_startingVersion_2() { return &___m_startingVersion_2; }
inline void set_m_startingVersion_2(int32_t value)
{
___m_startingVersion_2 = value;
}
inline static int32_t get_offset_of_m_currPos_3() { return static_cast<int32_t>(offsetof(ObjectHolderListEnumerator_tDAFCA93CD0CF279215C14BD30EFB8DF7E28E362C, ___m_currPos_3)); }
inline int32_t get_m_currPos_3() const { return ___m_currPos_3; }
inline int32_t* get_address_of_m_currPos_3() { return &___m_currPos_3; }
inline void set_m_currPos_3(int32_t value)
{
___m_currPos_3 = value;
}
};
// System.Runtime.Serialization.ObjectIDGenerator
struct ObjectIDGenerator_t267F4EB12AC82678B0783ABA92CD54A1503E1259 : public RuntimeObject
{
public:
// System.Int32 System.Runtime.Serialization.ObjectIDGenerator::m_currentCount
int32_t ___m_currentCount_0;
// System.Int32 System.Runtime.Serialization.ObjectIDGenerator::m_currentSize
int32_t ___m_currentSize_1;
// System.Int64[] System.Runtime.Serialization.ObjectIDGenerator::m_ids
Int64U5BU5D_tCA61E42872C63A4286B24EEE6E0650143B43DCE6* ___m_ids_2;
// System.Object[] System.Runtime.Serialization.ObjectIDGenerator::m_objs
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___m_objs_3;
public:
inline static int32_t get_offset_of_m_currentCount_0() { return static_cast<int32_t>(offsetof(ObjectIDGenerator_t267F4EB12AC82678B0783ABA92CD54A1503E1259, ___m_currentCount_0)); }
inline int32_t get_m_currentCount_0() const { return ___m_currentCount_0; }
inline int32_t* get_address_of_m_currentCount_0() { return &___m_currentCount_0; }
inline void set_m_currentCount_0(int32_t value)
{
___m_currentCount_0 = value;
}
inline static int32_t get_offset_of_m_currentSize_1() { return static_cast<int32_t>(offsetof(ObjectIDGenerator_t267F4EB12AC82678B0783ABA92CD54A1503E1259, ___m_currentSize_1)); }
inline int32_t get_m_currentSize_1() const { return ___m_currentSize_1; }
inline int32_t* get_address_of_m_currentSize_1() { return &___m_currentSize_1; }
inline void set_m_currentSize_1(int32_t value)
{
___m_currentSize_1 = value;
}
inline static int32_t get_offset_of_m_ids_2() { return static_cast<int32_t>(offsetof(ObjectIDGenerator_t267F4EB12AC82678B0783ABA92CD54A1503E1259, ___m_ids_2)); }
inline Int64U5BU5D_tCA61E42872C63A4286B24EEE6E0650143B43DCE6* get_m_ids_2() const { return ___m_ids_2; }
inline Int64U5BU5D_tCA61E42872C63A4286B24EEE6E0650143B43DCE6** get_address_of_m_ids_2() { return &___m_ids_2; }
inline void set_m_ids_2(Int64U5BU5D_tCA61E42872C63A4286B24EEE6E0650143B43DCE6* value)
{
___m_ids_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ids_2), (void*)value);
}
inline static int32_t get_offset_of_m_objs_3() { return static_cast<int32_t>(offsetof(ObjectIDGenerator_t267F4EB12AC82678B0783ABA92CD54A1503E1259, ___m_objs_3)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_m_objs_3() const { return ___m_objs_3; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_m_objs_3() { return &___m_objs_3; }
inline void set_m_objs_3(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___m_objs_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_objs_3), (void*)value);
}
};
struct ObjectIDGenerator_t267F4EB12AC82678B0783ABA92CD54A1503E1259_StaticFields
{
public:
// System.Int32[] System.Runtime.Serialization.ObjectIDGenerator::sizes
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___sizes_4;
public:
inline static int32_t get_offset_of_sizes_4() { return static_cast<int32_t>(offsetof(ObjectIDGenerator_t267F4EB12AC82678B0783ABA92CD54A1503E1259_StaticFields, ___sizes_4)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_sizes_4() const { return ___sizes_4; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_sizes_4() { return &___sizes_4; }
inline void set_sizes_4(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___sizes_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sizes_4), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.Binary.ObjectMap
struct ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C : public RuntimeObject
{
public:
// System.String System.Runtime.Serialization.Formatters.Binary.ObjectMap::objectName
String_t* ___objectName_0;
// System.Type System.Runtime.Serialization.Formatters.Binary.ObjectMap::objectType
Type_t * ___objectType_1;
// System.Runtime.Serialization.Formatters.Binary.BinaryTypeEnum[] System.Runtime.Serialization.Formatters.Binary.ObjectMap::binaryTypeEnumA
BinaryTypeEnumU5BU5D_t5950CE9E53B3DCB20CBCB2B2F15D47C264BF86E7* ___binaryTypeEnumA_2;
// System.Object[] System.Runtime.Serialization.Formatters.Binary.ObjectMap::typeInformationA
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___typeInformationA_3;
// System.Type[] System.Runtime.Serialization.Formatters.Binary.ObjectMap::memberTypes
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ___memberTypes_4;
// System.String[] System.Runtime.Serialization.Formatters.Binary.ObjectMap::memberNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___memberNames_5;
// System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo System.Runtime.Serialization.Formatters.Binary.ObjectMap::objectInfo
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223 * ___objectInfo_6;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.ObjectMap::isInitObjectInfo
bool ___isInitObjectInfo_7;
// System.Runtime.Serialization.Formatters.Binary.ObjectReader System.Runtime.Serialization.Formatters.Binary.ObjectMap::objectReader
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152 * ___objectReader_8;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.ObjectMap::objectId
int32_t ___objectId_9;
// System.Runtime.Serialization.Formatters.Binary.BinaryAssemblyInfo System.Runtime.Serialization.Formatters.Binary.ObjectMap::assemblyInfo
BinaryAssemblyInfo_t2F2D82DE14955BEF2CB536FA3DA27D972DE5DA8A * ___assemblyInfo_10;
public:
inline static int32_t get_offset_of_objectName_0() { return static_cast<int32_t>(offsetof(ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C, ___objectName_0)); }
inline String_t* get_objectName_0() const { return ___objectName_0; }
inline String_t** get_address_of_objectName_0() { return &___objectName_0; }
inline void set_objectName_0(String_t* value)
{
___objectName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objectName_0), (void*)value);
}
inline static int32_t get_offset_of_objectType_1() { return static_cast<int32_t>(offsetof(ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C, ___objectType_1)); }
inline Type_t * get_objectType_1() const { return ___objectType_1; }
inline Type_t ** get_address_of_objectType_1() { return &___objectType_1; }
inline void set_objectType_1(Type_t * value)
{
___objectType_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objectType_1), (void*)value);
}
inline static int32_t get_offset_of_binaryTypeEnumA_2() { return static_cast<int32_t>(offsetof(ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C, ___binaryTypeEnumA_2)); }
inline BinaryTypeEnumU5BU5D_t5950CE9E53B3DCB20CBCB2B2F15D47C264BF86E7* get_binaryTypeEnumA_2() const { return ___binaryTypeEnumA_2; }
inline BinaryTypeEnumU5BU5D_t5950CE9E53B3DCB20CBCB2B2F15D47C264BF86E7** get_address_of_binaryTypeEnumA_2() { return &___binaryTypeEnumA_2; }
inline void set_binaryTypeEnumA_2(BinaryTypeEnumU5BU5D_t5950CE9E53B3DCB20CBCB2B2F15D47C264BF86E7* value)
{
___binaryTypeEnumA_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___binaryTypeEnumA_2), (void*)value);
}
inline static int32_t get_offset_of_typeInformationA_3() { return static_cast<int32_t>(offsetof(ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C, ___typeInformationA_3)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_typeInformationA_3() const { return ___typeInformationA_3; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_typeInformationA_3() { return &___typeInformationA_3; }
inline void set_typeInformationA_3(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___typeInformationA_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeInformationA_3), (void*)value);
}
inline static int32_t get_offset_of_memberTypes_4() { return static_cast<int32_t>(offsetof(ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C, ___memberTypes_4)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get_memberTypes_4() const { return ___memberTypes_4; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of_memberTypes_4() { return &___memberTypes_4; }
inline void set_memberTypes_4(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
___memberTypes_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberTypes_4), (void*)value);
}
inline static int32_t get_offset_of_memberNames_5() { return static_cast<int32_t>(offsetof(ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C, ___memberNames_5)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_memberNames_5() const { return ___memberNames_5; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_memberNames_5() { return &___memberNames_5; }
inline void set_memberNames_5(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___memberNames_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberNames_5), (void*)value);
}
inline static int32_t get_offset_of_objectInfo_6() { return static_cast<int32_t>(offsetof(ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C, ___objectInfo_6)); }
inline ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223 * get_objectInfo_6() const { return ___objectInfo_6; }
inline ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223 ** get_address_of_objectInfo_6() { return &___objectInfo_6; }
inline void set_objectInfo_6(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223 * value)
{
___objectInfo_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objectInfo_6), (void*)value);
}
inline static int32_t get_offset_of_isInitObjectInfo_7() { return static_cast<int32_t>(offsetof(ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C, ___isInitObjectInfo_7)); }
inline bool get_isInitObjectInfo_7() const { return ___isInitObjectInfo_7; }
inline bool* get_address_of_isInitObjectInfo_7() { return &___isInitObjectInfo_7; }
inline void set_isInitObjectInfo_7(bool value)
{
___isInitObjectInfo_7 = value;
}
inline static int32_t get_offset_of_objectReader_8() { return static_cast<int32_t>(offsetof(ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C, ___objectReader_8)); }
inline ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152 * get_objectReader_8() const { return ___objectReader_8; }
inline ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152 ** get_address_of_objectReader_8() { return &___objectReader_8; }
inline void set_objectReader_8(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152 * value)
{
___objectReader_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objectReader_8), (void*)value);
}
inline static int32_t get_offset_of_objectId_9() { return static_cast<int32_t>(offsetof(ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C, ___objectId_9)); }
inline int32_t get_objectId_9() const { return ___objectId_9; }
inline int32_t* get_address_of_objectId_9() { return &___objectId_9; }
inline void set_objectId_9(int32_t value)
{
___objectId_9 = value;
}
inline static int32_t get_offset_of_assemblyInfo_10() { return static_cast<int32_t>(offsetof(ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C, ___assemblyInfo_10)); }
inline BinaryAssemblyInfo_t2F2D82DE14955BEF2CB536FA3DA27D972DE5DA8A * get_assemblyInfo_10() const { return ___assemblyInfo_10; }
inline BinaryAssemblyInfo_t2F2D82DE14955BEF2CB536FA3DA27D972DE5DA8A ** get_address_of_assemblyInfo_10() { return &___assemblyInfo_10; }
inline void set_assemblyInfo_10(BinaryAssemblyInfo_t2F2D82DE14955BEF2CB536FA3DA27D972DE5DA8A * value)
{
___assemblyInfo_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assemblyInfo_10), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.Binary.ObjectMapInfo
struct ObjectMapInfo_t994CA186D06442E65BF2C0508F2EEE31FE5F7D77 : public RuntimeObject
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.ObjectMapInfo::objectId
int32_t ___objectId_0;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.ObjectMapInfo::numMembers
int32_t ___numMembers_1;
// System.String[] System.Runtime.Serialization.Formatters.Binary.ObjectMapInfo::memberNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___memberNames_2;
// System.Type[] System.Runtime.Serialization.Formatters.Binary.ObjectMapInfo::memberTypes
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ___memberTypes_3;
public:
inline static int32_t get_offset_of_objectId_0() { return static_cast<int32_t>(offsetof(ObjectMapInfo_t994CA186D06442E65BF2C0508F2EEE31FE5F7D77, ___objectId_0)); }
inline int32_t get_objectId_0() const { return ___objectId_0; }
inline int32_t* get_address_of_objectId_0() { return &___objectId_0; }
inline void set_objectId_0(int32_t value)
{
___objectId_0 = value;
}
inline static int32_t get_offset_of_numMembers_1() { return static_cast<int32_t>(offsetof(ObjectMapInfo_t994CA186D06442E65BF2C0508F2EEE31FE5F7D77, ___numMembers_1)); }
inline int32_t get_numMembers_1() const { return ___numMembers_1; }
inline int32_t* get_address_of_numMembers_1() { return &___numMembers_1; }
inline void set_numMembers_1(int32_t value)
{
___numMembers_1 = value;
}
inline static int32_t get_offset_of_memberNames_2() { return static_cast<int32_t>(offsetof(ObjectMapInfo_t994CA186D06442E65BF2C0508F2EEE31FE5F7D77, ___memberNames_2)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_memberNames_2() const { return ___memberNames_2; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_memberNames_2() { return &___memberNames_2; }
inline void set_memberNames_2(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___memberNames_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberNames_2), (void*)value);
}
inline static int32_t get_offset_of_memberTypes_3() { return static_cast<int32_t>(offsetof(ObjectMapInfo_t994CA186D06442E65BF2C0508F2EEE31FE5F7D77, ___memberTypes_3)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get_memberTypes_3() const { return ___memberTypes_3; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of_memberTypes_3() { return &___memberTypes_3; }
inline void set_memberTypes_3(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
___memberTypes_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberTypes_3), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.Binary.ObjectNull
struct ObjectNull_t0854517B956008C029C56E58BD9F3F26C2862CA4 : public RuntimeObject
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.ObjectNull::nullCount
int32_t ___nullCount_0;
public:
inline static int32_t get_offset_of_nullCount_0() { return static_cast<int32_t>(offsetof(ObjectNull_t0854517B956008C029C56E58BD9F3F26C2862CA4, ___nullCount_0)); }
inline int32_t get_nullCount_0() const { return ___nullCount_0; }
inline int32_t* get_address_of_nullCount_0() { return &___nullCount_0; }
inline void set_nullCount_0(int32_t value)
{
___nullCount_0 = value;
}
};
// System.Security.Cryptography.OidCollection
struct OidCollection_tA091E185B8840648BE96A6C547F0C26F88E3A902 : public RuntimeObject
{
public:
// System.Collections.ArrayList System.Security.Cryptography.OidCollection::m_list
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * ___m_list_0;
public:
inline static int32_t get_offset_of_m_list_0() { return static_cast<int32_t>(offsetof(OidCollection_tA091E185B8840648BE96A6C547F0C26F88E3A902, ___m_list_0)); }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * get_m_list_0() const { return ___m_list_0; }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 ** get_address_of_m_list_0() { return &___m_list_0; }
inline void set_m_list_0(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * value)
{
___m_list_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_list_0), (void*)value);
}
};
// System.Security.Cryptography.OidEnumerator
struct OidEnumerator_tE58DA51601EA18C96FE1557EAE220C331AC51884 : public RuntimeObject
{
public:
// System.Security.Cryptography.OidCollection System.Security.Cryptography.OidEnumerator::m_oids
OidCollection_tA091E185B8840648BE96A6C547F0C26F88E3A902 * ___m_oids_0;
// System.Int32 System.Security.Cryptography.OidEnumerator::m_current
int32_t ___m_current_1;
public:
inline static int32_t get_offset_of_m_oids_0() { return static_cast<int32_t>(offsetof(OidEnumerator_tE58DA51601EA18C96FE1557EAE220C331AC51884, ___m_oids_0)); }
inline OidCollection_tA091E185B8840648BE96A6C547F0C26F88E3A902 * get_m_oids_0() const { return ___m_oids_0; }
inline OidCollection_tA091E185B8840648BE96A6C547F0C26F88E3A902 ** get_address_of_m_oids_0() { return &___m_oids_0; }
inline void set_m_oids_0(OidCollection_tA091E185B8840648BE96A6C547F0C26F88E3A902 * value)
{
___m_oids_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_oids_0), (void*)value);
}
inline static int32_t get_offset_of_m_current_1() { return static_cast<int32_t>(offsetof(OidEnumerator_tE58DA51601EA18C96FE1557EAE220C331AC51884, ___m_current_1)); }
inline int32_t get_m_current_1() const { return ___m_current_1; }
inline int32_t* get_address_of_m_current_1() { return &___m_current_1; }
inline void set_m_current_1(int32_t value)
{
___m_current_1 = value;
}
};
// UnityEngine.Rendering.OnDemandRendering
struct OnDemandRendering_t7F019F84E16CA49CF16F7C895FBC127C4B25CB15 : public RuntimeObject
{
public:
public:
};
struct OnDemandRendering_t7F019F84E16CA49CF16F7C895FBC127C4B25CB15_StaticFields
{
public:
// System.Int32 UnityEngine.Rendering.OnDemandRendering::m_RenderFrameInterval
int32_t ___m_RenderFrameInterval_0;
public:
inline static int32_t get_offset_of_m_RenderFrameInterval_0() { return static_cast<int32_t>(offsetof(OnDemandRendering_t7F019F84E16CA49CF16F7C895FBC127C4B25CB15_StaticFields, ___m_RenderFrameInterval_0)); }
inline int32_t get_m_RenderFrameInterval_0() const { return ___m_RenderFrameInterval_0; }
inline int32_t* get_address_of_m_RenderFrameInterval_0() { return &___m_RenderFrameInterval_0; }
inline void set_m_RenderFrameInterval_0(int32_t value)
{
___m_RenderFrameInterval_0 = value;
}
};
// PackedPlayModeBuildLogs
struct PackedPlayModeBuildLogs_t15392C5514380884F9E55C1A49D9DAE60980D7CC : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<PackedPlayModeBuildLogs/RuntimeBuildLog> PackedPlayModeBuildLogs::m_RuntimeBuildLogs
List_1_t91B716CB7391E5F5A6FADA8C21615D9405EF009D * ___m_RuntimeBuildLogs_0;
public:
inline static int32_t get_offset_of_m_RuntimeBuildLogs_0() { return static_cast<int32_t>(offsetof(PackedPlayModeBuildLogs_t15392C5514380884F9E55C1A49D9DAE60980D7CC, ___m_RuntimeBuildLogs_0)); }
inline List_1_t91B716CB7391E5F5A6FADA8C21615D9405EF009D * get_m_RuntimeBuildLogs_0() const { return ___m_RuntimeBuildLogs_0; }
inline List_1_t91B716CB7391E5F5A6FADA8C21615D9405EF009D ** get_address_of_m_RuntimeBuildLogs_0() { return &___m_RuntimeBuildLogs_0; }
inline void set_m_RuntimeBuildLogs_0(List_1_t91B716CB7391E5F5A6FADA8C21615D9405EF009D * value)
{
___m_RuntimeBuildLogs_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RuntimeBuildLogs_0), (void*)value);
}
};
// System.Reflection.Emit.ParameterBuilder
struct ParameterBuilder_tE436521048B53BEBA1D16CCC804F09D6E2AFD4C0 : public RuntimeObject
{
public:
public:
};
// System.ParameterizedStrings
struct ParameterizedStrings_t7D0C78F4AB917B3D3E3AB516CF0EFBE128369937 : public RuntimeObject
{
public:
public:
};
struct ParameterizedStrings_t7D0C78F4AB917B3D3E3AB516CF0EFBE128369937_ThreadStaticFields
{
public:
// System.ParameterizedStrings/LowLevelStack System.ParameterizedStrings::_cachedStack
LowLevelStack_t2806989725D172838E82BE0AF369B5FF4A780A89 * ____cachedStack_0;
public:
inline static int32_t get_offset_of__cachedStack_0() { return static_cast<int32_t>(offsetof(ParameterizedStrings_t7D0C78F4AB917B3D3E3AB516CF0EFBE128369937_ThreadStaticFields, ____cachedStack_0)); }
inline LowLevelStack_t2806989725D172838E82BE0AF369B5FF4A780A89 * get__cachedStack_0() const { return ____cachedStack_0; }
inline LowLevelStack_t2806989725D172838E82BE0AF369B5FF4A780A89 ** get_address_of__cachedStack_0() { return &____cachedStack_0; }
inline void set__cachedStack_0(LowLevelStack_t2806989725D172838E82BE0AF369B5FF4A780A89 * value)
{
____cachedStack_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____cachedStack_0), (void*)value);
}
};
// System.ParseNumbers
struct ParseNumbers_tEB885BD585783D9C75BF1F22F4C9F3E1BCF52ED6 : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.Core.Parsing.Parser
struct Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D : public RuntimeObject
{
public:
// System.Char UnityEngine.Localization.SmartFormat.Core.Parsing.Parser::m_OpeningBrace
Il2CppChar ___m_OpeningBrace_0;
// System.Char UnityEngine.Localization.SmartFormat.Core.Parsing.Parser::m_ClosingBrace
Il2CppChar ___m_ClosingBrace_1;
// UnityEngine.Localization.SmartFormat.Core.Settings.SmartSettings UnityEngine.Localization.SmartFormat.Core.Parsing.Parser::m_Settings
SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627 * ___m_Settings_2;
// System.Boolean UnityEngine.Localization.SmartFormat.Core.Parsing.Parser::m_AlphanumericSelectors
bool ___m_AlphanumericSelectors_3;
// System.String UnityEngine.Localization.SmartFormat.Core.Parsing.Parser::m_AllowedSelectorChars
String_t* ___m_AllowedSelectorChars_4;
// System.String UnityEngine.Localization.SmartFormat.Core.Parsing.Parser::m_Operators
String_t* ___m_Operators_5;
// System.Boolean UnityEngine.Localization.SmartFormat.Core.Parsing.Parser::m_AlternativeEscaping
bool ___m_AlternativeEscaping_6;
// System.Char UnityEngine.Localization.SmartFormat.Core.Parsing.Parser::m_AlternativeEscapeChar
Il2CppChar ___m_AlternativeEscapeChar_7;
// System.EventHandler`1<UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrorEventArgs> UnityEngine.Localization.SmartFormat.Core.Parsing.Parser::OnParsingFailure
EventHandler_1_tA0A20A9B433ACEAFCD45A677E6D1E18241CE2C23 * ___OnParsingFailure_10;
public:
inline static int32_t get_offset_of_m_OpeningBrace_0() { return static_cast<int32_t>(offsetof(Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D, ___m_OpeningBrace_0)); }
inline Il2CppChar get_m_OpeningBrace_0() const { return ___m_OpeningBrace_0; }
inline Il2CppChar* get_address_of_m_OpeningBrace_0() { return &___m_OpeningBrace_0; }
inline void set_m_OpeningBrace_0(Il2CppChar value)
{
___m_OpeningBrace_0 = value;
}
inline static int32_t get_offset_of_m_ClosingBrace_1() { return static_cast<int32_t>(offsetof(Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D, ___m_ClosingBrace_1)); }
inline Il2CppChar get_m_ClosingBrace_1() const { return ___m_ClosingBrace_1; }
inline Il2CppChar* get_address_of_m_ClosingBrace_1() { return &___m_ClosingBrace_1; }
inline void set_m_ClosingBrace_1(Il2CppChar value)
{
___m_ClosingBrace_1 = value;
}
inline static int32_t get_offset_of_m_Settings_2() { return static_cast<int32_t>(offsetof(Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D, ___m_Settings_2)); }
inline SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627 * get_m_Settings_2() const { return ___m_Settings_2; }
inline SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627 ** get_address_of_m_Settings_2() { return &___m_Settings_2; }
inline void set_m_Settings_2(SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627 * value)
{
___m_Settings_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Settings_2), (void*)value);
}
inline static int32_t get_offset_of_m_AlphanumericSelectors_3() { return static_cast<int32_t>(offsetof(Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D, ___m_AlphanumericSelectors_3)); }
inline bool get_m_AlphanumericSelectors_3() const { return ___m_AlphanumericSelectors_3; }
inline bool* get_address_of_m_AlphanumericSelectors_3() { return &___m_AlphanumericSelectors_3; }
inline void set_m_AlphanumericSelectors_3(bool value)
{
___m_AlphanumericSelectors_3 = value;
}
inline static int32_t get_offset_of_m_AllowedSelectorChars_4() { return static_cast<int32_t>(offsetof(Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D, ___m_AllowedSelectorChars_4)); }
inline String_t* get_m_AllowedSelectorChars_4() const { return ___m_AllowedSelectorChars_4; }
inline String_t** get_address_of_m_AllowedSelectorChars_4() { return &___m_AllowedSelectorChars_4; }
inline void set_m_AllowedSelectorChars_4(String_t* value)
{
___m_AllowedSelectorChars_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_AllowedSelectorChars_4), (void*)value);
}
inline static int32_t get_offset_of_m_Operators_5() { return static_cast<int32_t>(offsetof(Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D, ___m_Operators_5)); }
inline String_t* get_m_Operators_5() const { return ___m_Operators_5; }
inline String_t** get_address_of_m_Operators_5() { return &___m_Operators_5; }
inline void set_m_Operators_5(String_t* value)
{
___m_Operators_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Operators_5), (void*)value);
}
inline static int32_t get_offset_of_m_AlternativeEscaping_6() { return static_cast<int32_t>(offsetof(Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D, ___m_AlternativeEscaping_6)); }
inline bool get_m_AlternativeEscaping_6() const { return ___m_AlternativeEscaping_6; }
inline bool* get_address_of_m_AlternativeEscaping_6() { return &___m_AlternativeEscaping_6; }
inline void set_m_AlternativeEscaping_6(bool value)
{
___m_AlternativeEscaping_6 = value;
}
inline static int32_t get_offset_of_m_AlternativeEscapeChar_7() { return static_cast<int32_t>(offsetof(Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D, ___m_AlternativeEscapeChar_7)); }
inline Il2CppChar get_m_AlternativeEscapeChar_7() const { return ___m_AlternativeEscapeChar_7; }
inline Il2CppChar* get_address_of_m_AlternativeEscapeChar_7() { return &___m_AlternativeEscapeChar_7; }
inline void set_m_AlternativeEscapeChar_7(Il2CppChar value)
{
___m_AlternativeEscapeChar_7 = value;
}
inline static int32_t get_offset_of_OnParsingFailure_10() { return static_cast<int32_t>(offsetof(Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D, ___OnParsingFailure_10)); }
inline EventHandler_1_tA0A20A9B433ACEAFCD45A677E6D1E18241CE2C23 * get_OnParsingFailure_10() const { return ___OnParsingFailure_10; }
inline EventHandler_1_tA0A20A9B433ACEAFCD45A677E6D1E18241CE2C23 ** get_address_of_OnParsingFailure_10() { return &___OnParsingFailure_10; }
inline void set_OnParsingFailure_10(EventHandler_1_tA0A20A9B433ACEAFCD45A677E6D1E18241CE2C23 * value)
{
___OnParsingFailure_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___OnParsingFailure_10), (void*)value);
}
};
struct Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D_StaticFields
{
public:
// UnityEngine.Localization.SmartFormat.Core.Parsing.Parser/ParsingErrorText UnityEngine.Localization.SmartFormat.Core.Parsing.Parser::s_ParsingErrorText
ParsingErrorText_tAC0E515A3A9B190E5441D8B3D0D36AA0E3137423 * ___s_ParsingErrorText_9;
public:
inline static int32_t get_offset_of_s_ParsingErrorText_9() { return static_cast<int32_t>(offsetof(Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D_StaticFields, ___s_ParsingErrorText_9)); }
inline ParsingErrorText_tAC0E515A3A9B190E5441D8B3D0D36AA0E3137423 * get_s_ParsingErrorText_9() const { return ___s_ParsingErrorText_9; }
inline ParsingErrorText_tAC0E515A3A9B190E5441D8B3D0D36AA0E3137423 ** get_address_of_s_ParsingErrorText_9() { return &___s_ParsingErrorText_9; }
inline void set_s_ParsingErrorText_9(ParsingErrorText_tAC0E515A3A9B190E5441D8B3D0D36AA0E3137423 * value)
{
___s_ParsingErrorText_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_ParsingErrorText_9), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.ParsingErrorsPool
struct ParsingErrorsPool_t111C887E98B909875F2E430F8F18AE21E236A8A6 : public RuntimeObject
{
public:
public:
};
struct ParsingErrorsPool_t111C887E98B909875F2E430F8F18AE21E236A8A6_StaticFields
{
public:
// UnityEngine.Pool.ObjectPool`1<UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors> UnityEngine.Localization.SmartFormat.ParsingErrorsPool::s_Pool
ObjectPool_1_t81F068A82E4B7E14A84DB58EF4E9AB5C000A3579 * ___s_Pool_0;
public:
inline static int32_t get_offset_of_s_Pool_0() { return static_cast<int32_t>(offsetof(ParsingErrorsPool_t111C887E98B909875F2E430F8F18AE21E236A8A6_StaticFields, ___s_Pool_0)); }
inline ObjectPool_1_t81F068A82E4B7E14A84DB58EF4E9AB5C000A3579 * get_s_Pool_0() const { return ___s_Pool_0; }
inline ObjectPool_1_t81F068A82E4B7E14A84DB58EF4E9AB5C000A3579 ** get_address_of_s_Pool_0() { return &___s_Pool_0; }
inline void set_s_Pool_0(ObjectPool_1_t81F068A82E4B7E14A84DB58EF4E9AB5C000A3579 * value)
{
___s_Pool_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Pool_0), (void*)value);
}
};
// System.IO.Path
struct Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921 : public RuntimeObject
{
public:
public:
};
struct Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields
{
public:
// System.Char[] System.IO.Path::InvalidPathChars
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___InvalidPathChars_0;
// System.Char System.IO.Path::AltDirectorySeparatorChar
Il2CppChar ___AltDirectorySeparatorChar_1;
// System.Char System.IO.Path::DirectorySeparatorChar
Il2CppChar ___DirectorySeparatorChar_2;
// System.Char System.IO.Path::PathSeparator
Il2CppChar ___PathSeparator_3;
// System.String System.IO.Path::DirectorySeparatorStr
String_t* ___DirectorySeparatorStr_4;
// System.Char System.IO.Path::VolumeSeparatorChar
Il2CppChar ___VolumeSeparatorChar_5;
// System.Char[] System.IO.Path::PathSeparatorChars
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___PathSeparatorChars_6;
// System.Boolean System.IO.Path::dirEqualsVolume
bool ___dirEqualsVolume_7;
// System.Char[] System.IO.Path::trimEndCharsWindows
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___trimEndCharsWindows_8;
// System.Char[] System.IO.Path::trimEndCharsUnix
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___trimEndCharsUnix_9;
public:
inline static int32_t get_offset_of_InvalidPathChars_0() { return static_cast<int32_t>(offsetof(Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields, ___InvalidPathChars_0)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_InvalidPathChars_0() const { return ___InvalidPathChars_0; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_InvalidPathChars_0() { return &___InvalidPathChars_0; }
inline void set_InvalidPathChars_0(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___InvalidPathChars_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___InvalidPathChars_0), (void*)value);
}
inline static int32_t get_offset_of_AltDirectorySeparatorChar_1() { return static_cast<int32_t>(offsetof(Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields, ___AltDirectorySeparatorChar_1)); }
inline Il2CppChar get_AltDirectorySeparatorChar_1() const { return ___AltDirectorySeparatorChar_1; }
inline Il2CppChar* get_address_of_AltDirectorySeparatorChar_1() { return &___AltDirectorySeparatorChar_1; }
inline void set_AltDirectorySeparatorChar_1(Il2CppChar value)
{
___AltDirectorySeparatorChar_1 = value;
}
inline static int32_t get_offset_of_DirectorySeparatorChar_2() { return static_cast<int32_t>(offsetof(Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields, ___DirectorySeparatorChar_2)); }
inline Il2CppChar get_DirectorySeparatorChar_2() const { return ___DirectorySeparatorChar_2; }
inline Il2CppChar* get_address_of_DirectorySeparatorChar_2() { return &___DirectorySeparatorChar_2; }
inline void set_DirectorySeparatorChar_2(Il2CppChar value)
{
___DirectorySeparatorChar_2 = value;
}
inline static int32_t get_offset_of_PathSeparator_3() { return static_cast<int32_t>(offsetof(Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields, ___PathSeparator_3)); }
inline Il2CppChar get_PathSeparator_3() const { return ___PathSeparator_3; }
inline Il2CppChar* get_address_of_PathSeparator_3() { return &___PathSeparator_3; }
inline void set_PathSeparator_3(Il2CppChar value)
{
___PathSeparator_3 = value;
}
inline static int32_t get_offset_of_DirectorySeparatorStr_4() { return static_cast<int32_t>(offsetof(Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields, ___DirectorySeparatorStr_4)); }
inline String_t* get_DirectorySeparatorStr_4() const { return ___DirectorySeparatorStr_4; }
inline String_t** get_address_of_DirectorySeparatorStr_4() { return &___DirectorySeparatorStr_4; }
inline void set_DirectorySeparatorStr_4(String_t* value)
{
___DirectorySeparatorStr_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DirectorySeparatorStr_4), (void*)value);
}
inline static int32_t get_offset_of_VolumeSeparatorChar_5() { return static_cast<int32_t>(offsetof(Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields, ___VolumeSeparatorChar_5)); }
inline Il2CppChar get_VolumeSeparatorChar_5() const { return ___VolumeSeparatorChar_5; }
inline Il2CppChar* get_address_of_VolumeSeparatorChar_5() { return &___VolumeSeparatorChar_5; }
inline void set_VolumeSeparatorChar_5(Il2CppChar value)
{
___VolumeSeparatorChar_5 = value;
}
inline static int32_t get_offset_of_PathSeparatorChars_6() { return static_cast<int32_t>(offsetof(Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields, ___PathSeparatorChars_6)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_PathSeparatorChars_6() const { return ___PathSeparatorChars_6; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_PathSeparatorChars_6() { return &___PathSeparatorChars_6; }
inline void set_PathSeparatorChars_6(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___PathSeparatorChars_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PathSeparatorChars_6), (void*)value);
}
inline static int32_t get_offset_of_dirEqualsVolume_7() { return static_cast<int32_t>(offsetof(Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields, ___dirEqualsVolume_7)); }
inline bool get_dirEqualsVolume_7() const { return ___dirEqualsVolume_7; }
inline bool* get_address_of_dirEqualsVolume_7() { return &___dirEqualsVolume_7; }
inline void set_dirEqualsVolume_7(bool value)
{
___dirEqualsVolume_7 = value;
}
inline static int32_t get_offset_of_trimEndCharsWindows_8() { return static_cast<int32_t>(offsetof(Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields, ___trimEndCharsWindows_8)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_trimEndCharsWindows_8() const { return ___trimEndCharsWindows_8; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_trimEndCharsWindows_8() { return &___trimEndCharsWindows_8; }
inline void set_trimEndCharsWindows_8(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___trimEndCharsWindows_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___trimEndCharsWindows_8), (void*)value);
}
inline static int32_t get_offset_of_trimEndCharsUnix_9() { return static_cast<int32_t>(offsetof(Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields, ___trimEndCharsUnix_9)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_trimEndCharsUnix_9() const { return ___trimEndCharsUnix_9; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_trimEndCharsUnix_9() { return &___trimEndCharsUnix_9; }
inline void set_trimEndCharsUnix_9(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___trimEndCharsUnix_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___trimEndCharsUnix_9), (void*)value);
}
};
// System.IO.PathInternal
struct PathInternal_tC0C5B06212EA5E23E939D9236742FF57FFC68F25 : public RuntimeObject
{
public:
public:
};
// UnityEngine.Events.PersistentCallGroup
struct PersistentCallGroup_t9A1D83DA2BA3118C103FA87D93CE92557A956FDC : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<UnityEngine.Events.PersistentCall> UnityEngine.Events.PersistentCallGroup::m_Calls
List_1_t0AA6B1123983D70EF4686E9230A4AE3DC192BB3E * ___m_Calls_0;
public:
inline static int32_t get_offset_of_m_Calls_0() { return static_cast<int32_t>(offsetof(PersistentCallGroup_t9A1D83DA2BA3118C103FA87D93CE92557A956FDC, ___m_Calls_0)); }
inline List_1_t0AA6B1123983D70EF4686E9230A4AE3DC192BB3E * get_m_Calls_0() const { return ___m_Calls_0; }
inline List_1_t0AA6B1123983D70EF4686E9230A4AE3DC192BB3E ** get_address_of_m_Calls_0() { return &___m_Calls_0; }
inline void set_m_Calls_0(List_1_t0AA6B1123983D70EF4686E9230A4AE3DC192BB3E * value)
{
___m_Calls_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Calls_0), (void*)value);
}
};
// UnityEngine.Physics
struct Physics_tED41E76FFDD034FA1B46162C3D283C36814DA0A4 : public RuntimeObject
{
public:
public:
};
// UnityEngine.Physics2D
struct Physics2D_t1C1ECE6BA2F958C5C1440DDB9E9A5DAAA8F86D92 : public RuntimeObject
{
public:
public:
};
struct Physics2D_t1C1ECE6BA2F958C5C1440DDB9E9A5DAAA8F86D92_StaticFields
{
public:
// System.Collections.Generic.List`1<UnityEngine.Rigidbody2D> UnityEngine.Physics2D::m_LastDisabledRigidbody2D
List_1_t61A36FEC0532A7CC39DB1770BFA5C1967348FAC1 * ___m_LastDisabledRigidbody2D_0;
public:
inline static int32_t get_offset_of_m_LastDisabledRigidbody2D_0() { return static_cast<int32_t>(offsetof(Physics2D_t1C1ECE6BA2F958C5C1440DDB9E9A5DAAA8F86D92_StaticFields, ___m_LastDisabledRigidbody2D_0)); }
inline List_1_t61A36FEC0532A7CC39DB1770BFA5C1967348FAC1 * get_m_LastDisabledRigidbody2D_0() const { return ___m_LastDisabledRigidbody2D_0; }
inline List_1_t61A36FEC0532A7CC39DB1770BFA5C1967348FAC1 ** get_address_of_m_LastDisabledRigidbody2D_0() { return &___m_LastDisabledRigidbody2D_0; }
inline void set_m_LastDisabledRigidbody2D_0(List_1_t61A36FEC0532A7CC39DB1770BFA5C1967348FAC1 * value)
{
___m_LastDisabledRigidbody2D_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LastDisabledRigidbody2D_0), (void*)value);
}
};
// UnityEngine.XR.ARSubsystems.PlaneAlignmentExtensions
struct PlaneAlignmentExtensions_t7E0B6AA4A1F4EE01EEC8D568F04D848DBE32FA7F : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.Metadata.PlatformOverride
struct PlatformOverride_tD1C6258EE6FA2AFAF9CB9E04E1F38DF9CA02AD59 : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<UnityEngine.Localization.Metadata.PlatformOverride/PlatformOverrideData> UnityEngine.Localization.Metadata.PlatformOverride::m_PlatformOverrides
List_1_t5B5B364DF11B61504DD09DEB7D0E185D0FF57C6C * ___m_PlatformOverrides_0;
// UnityEngine.Localization.Metadata.PlatformOverride/PlatformOverrideData UnityEngine.Localization.Metadata.PlatformOverride::m_PlayerPlatformOverride
PlatformOverrideData_tB7D2F019EF1B3D1C87CD4C9EB3D9F80170D68E79 * ___m_PlayerPlatformOverride_1;
public:
inline static int32_t get_offset_of_m_PlatformOverrides_0() { return static_cast<int32_t>(offsetof(PlatformOverride_tD1C6258EE6FA2AFAF9CB9E04E1F38DF9CA02AD59, ___m_PlatformOverrides_0)); }
inline List_1_t5B5B364DF11B61504DD09DEB7D0E185D0FF57C6C * get_m_PlatformOverrides_0() const { return ___m_PlatformOverrides_0; }
inline List_1_t5B5B364DF11B61504DD09DEB7D0E185D0FF57C6C ** get_address_of_m_PlatformOverrides_0() { return &___m_PlatformOverrides_0; }
inline void set_m_PlatformOverrides_0(List_1_t5B5B364DF11B61504DD09DEB7D0E185D0FF57C6C * value)
{
___m_PlatformOverrides_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PlatformOverrides_0), (void*)value);
}
inline static int32_t get_offset_of_m_PlayerPlatformOverride_1() { return static_cast<int32_t>(offsetof(PlatformOverride_tD1C6258EE6FA2AFAF9CB9E04E1F38DF9CA02AD59, ___m_PlayerPlatformOverride_1)); }
inline PlatformOverrideData_tB7D2F019EF1B3D1C87CD4C9EB3D9F80170D68E79 * get_m_PlayerPlatformOverride_1() const { return ___m_PlayerPlatformOverride_1; }
inline PlatformOverrideData_tB7D2F019EF1B3D1C87CD4C9EB3D9F80170D68E79 ** get_address_of_m_PlayerPlatformOverride_1() { return &___m_PlayerPlatformOverride_1; }
inline void set_m_PlayerPlatformOverride_1(PlatformOverrideData_tB7D2F019EF1B3D1C87CD4C9EB3D9F80170D68E79 * value)
{
___m_PlayerPlatformOverride_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PlayerPlatformOverride_1), (void*)value);
}
};
// UnityEngine.Playables.PlayableBehaviour
struct PlayableBehaviour_t451A3E3A605FDB6CD89DE1DAD0CBE96C20687D82 : public RuntimeObject
{
public:
public:
};
// UnityEngine.PlayerConnectionInternal
struct PlayerConnectionInternal_t552648E5D96521681862B276311DB1136570DD2C : public RuntimeObject
{
public:
public:
};
// UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents
struct PlayerEditorConnectionEvents_t213E2B05B10B9FDE14BF840564B1DBD7A6BFA871 : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents/MessageTypeSubscribers> UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents::messageTypeSubscribers
List_1_t842D0C636A38CB2DC974F9A4CFD45C93CBEE352E * ___messageTypeSubscribers_0;
// UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents/ConnectionChangeEvent UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents::connectionEvent
ConnectionChangeEvent_tCA1C8C14171C72EC394EF45450D69C1585067BDF * ___connectionEvent_1;
// UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents/ConnectionChangeEvent UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents::disconnectionEvent
ConnectionChangeEvent_tCA1C8C14171C72EC394EF45450D69C1585067BDF * ___disconnectionEvent_2;
public:
inline static int32_t get_offset_of_messageTypeSubscribers_0() { return static_cast<int32_t>(offsetof(PlayerEditorConnectionEvents_t213E2B05B10B9FDE14BF840564B1DBD7A6BFA871, ___messageTypeSubscribers_0)); }
inline List_1_t842D0C636A38CB2DC974F9A4CFD45C93CBEE352E * get_messageTypeSubscribers_0() const { return ___messageTypeSubscribers_0; }
inline List_1_t842D0C636A38CB2DC974F9A4CFD45C93CBEE352E ** get_address_of_messageTypeSubscribers_0() { return &___messageTypeSubscribers_0; }
inline void set_messageTypeSubscribers_0(List_1_t842D0C636A38CB2DC974F9A4CFD45C93CBEE352E * value)
{
___messageTypeSubscribers_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___messageTypeSubscribers_0), (void*)value);
}
inline static int32_t get_offset_of_connectionEvent_1() { return static_cast<int32_t>(offsetof(PlayerEditorConnectionEvents_t213E2B05B10B9FDE14BF840564B1DBD7A6BFA871, ___connectionEvent_1)); }
inline ConnectionChangeEvent_tCA1C8C14171C72EC394EF45450D69C1585067BDF * get_connectionEvent_1() const { return ___connectionEvent_1; }
inline ConnectionChangeEvent_tCA1C8C14171C72EC394EF45450D69C1585067BDF ** get_address_of_connectionEvent_1() { return &___connectionEvent_1; }
inline void set_connectionEvent_1(ConnectionChangeEvent_tCA1C8C14171C72EC394EF45450D69C1585067BDF * value)
{
___connectionEvent_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___connectionEvent_1), (void*)value);
}
inline static int32_t get_offset_of_disconnectionEvent_2() { return static_cast<int32_t>(offsetof(PlayerEditorConnectionEvents_t213E2B05B10B9FDE14BF840564B1DBD7A6BFA871, ___disconnectionEvent_2)); }
inline ConnectionChangeEvent_tCA1C8C14171C72EC394EF45450D69C1585067BDF * get_disconnectionEvent_2() const { return ___disconnectionEvent_2; }
inline ConnectionChangeEvent_tCA1C8C14171C72EC394EF45450D69C1585067BDF ** get_address_of_disconnectionEvent_2() { return &___disconnectionEvent_2; }
inline void set_disconnectionEvent_2(ConnectionChangeEvent_tCA1C8C14171C72EC394EF45450D69C1585067BDF * value)
{
___disconnectionEvent_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___disconnectionEvent_2), (void*)value);
}
};
// UnityEngine.Localization.Settings.PlayerPrefLocaleSelector
struct PlayerPrefLocaleSelector_tA11C3B1EB04B60AE5A2D5FAAEB327BE3B82D7D8C : public RuntimeObject
{
public:
// System.String UnityEngine.Localization.Settings.PlayerPrefLocaleSelector::m_PlayerPreferenceKey
String_t* ___m_PlayerPreferenceKey_0;
public:
inline static int32_t get_offset_of_m_PlayerPreferenceKey_0() { return static_cast<int32_t>(offsetof(PlayerPrefLocaleSelector_tA11C3B1EB04B60AE5A2D5FAAEB327BE3B82D7D8C, ___m_PlayerPreferenceKey_0)); }
inline String_t* get_m_PlayerPreferenceKey_0() const { return ___m_PlayerPreferenceKey_0; }
inline String_t** get_address_of_m_PlayerPreferenceKey_0() { return &___m_PlayerPreferenceKey_0; }
inline void set_m_PlayerPreferenceKey_0(String_t* value)
{
___m_PlayerPreferenceKey_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PlayerPreferenceKey_0), (void*)value);
}
};
// UnityEngine.PlayerPrefs
struct PlayerPrefs_t824ACC0AC83EEBE49FEF7FE37E477129232D7050 : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules
struct PluralRules_tC7A092374D17B8AE57F02E6A478FAD6B8F90538A : public RuntimeObject
{
public:
public:
};
struct PluralRules_tC7A092374D17B8AE57F02E6A478FAD6B8F90538A_StaticFields
{
public:
// System.Collections.Generic.Dictionary`2<System.String,UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate> UnityEngine.Localization.SmartFormat.Utilities.PluralRules::IsoLangToDelegate
Dictionary_2_t91623155F069F8EE9220BAB54408F39BFE0D1B0E * ___IsoLangToDelegate_0;
public:
inline static int32_t get_offset_of_IsoLangToDelegate_0() { return static_cast<int32_t>(offsetof(PluralRules_tC7A092374D17B8AE57F02E6A478FAD6B8F90538A_StaticFields, ___IsoLangToDelegate_0)); }
inline Dictionary_2_t91623155F069F8EE9220BAB54408F39BFE0D1B0E * get_IsoLangToDelegate_0() const { return ___IsoLangToDelegate_0; }
inline Dictionary_2_t91623155F069F8EE9220BAB54408F39BFE0D1B0E ** get_address_of_IsoLangToDelegate_0() { return &___IsoLangToDelegate_0; }
inline void set_IsoLangToDelegate_0(Dictionary_2_t91623155F069F8EE9220BAB54408F39BFE0D1B0E * value)
{
___IsoLangToDelegate_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___IsoLangToDelegate_0), (void*)value);
}
};
// System.Reflection.Pointer
struct Pointer_t97714CA5B772F5B09030CBEEBD58AAEBDE819DAF : public RuntimeObject
{
public:
// System.Void* System.Reflection.Pointer::_ptr
void* ____ptr_0;
// System.RuntimeType System.Reflection.Pointer::_ptrType
RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * ____ptrType_1;
public:
inline static int32_t get_offset_of__ptr_0() { return static_cast<int32_t>(offsetof(Pointer_t97714CA5B772F5B09030CBEEBD58AAEBDE819DAF, ____ptr_0)); }
inline void* get__ptr_0() const { return ____ptr_0; }
inline void** get_address_of__ptr_0() { return &____ptr_0; }
inline void set__ptr_0(void* value)
{
____ptr_0 = value;
}
inline static int32_t get_offset_of__ptrType_1() { return static_cast<int32_t>(offsetof(Pointer_t97714CA5B772F5B09030CBEEBD58AAEBDE819DAF, ____ptrType_1)); }
inline RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * get__ptrType_1() const { return ____ptrType_1; }
inline RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 ** get_address_of__ptrType_1() { return &____ptrType_1; }
inline void set__ptrType_1(RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * value)
{
____ptrType_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____ptrType_1), (void*)value);
}
};
// System.PointerSpec
struct PointerSpec_tB19B3428FE50C5A17DB422F2951C51167FB18597 : public RuntimeObject
{
public:
// System.Int32 System.PointerSpec::pointer_level
int32_t ___pointer_level_0;
public:
inline static int32_t get_offset_of_pointer_level_0() { return static_cast<int32_t>(offsetof(PointerSpec_tB19B3428FE50C5A17DB422F2951C51167FB18597, ___pointer_level_0)); }
inline int32_t get_pointer_level_0() const { return ___pointer_level_0; }
inline int32_t* get_address_of_pointer_level_0() { return &___pointer_level_0; }
inline void set_pointer_level_0(int32_t value)
{
___pointer_level_0 = value;
}
};
// UnityEngine.SpatialTracking.PoseDataSource
struct PoseDataSource_t729321C69DC33F646ED3624A4E79FFDB69C51D44 : public RuntimeObject
{
public:
public:
};
struct PoseDataSource_t729321C69DC33F646ED3624A4E79FFDB69C51D44_StaticFields
{
public:
// System.Collections.Generic.List`1<UnityEngine.XR.XRNodeState> UnityEngine.SpatialTracking.PoseDataSource::nodeStates
List_1_t82E4873F3D4F1E8645F8EAD444668DC81AB70671 * ___nodeStates_0;
public:
inline static int32_t get_offset_of_nodeStates_0() { return static_cast<int32_t>(offsetof(PoseDataSource_t729321C69DC33F646ED3624A4E79FFDB69C51D44_StaticFields, ___nodeStates_0)); }
inline List_1_t82E4873F3D4F1E8645F8EAD444668DC81AB70671 * get_nodeStates_0() const { return ___nodeStates_0; }
inline List_1_t82E4873F3D4F1E8645F8EAD444668DC81AB70671 ** get_address_of_nodeStates_0() { return &___nodeStates_0; }
inline void set_nodeStates_0(List_1_t82E4873F3D4F1E8645F8EAD444668DC81AB70671 * value)
{
___nodeStates_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___nodeStates_0), (void*)value);
}
};
// UnityEngine.Localization.Pseudo.PreserveTags
struct PreserveTags_tF191582AD53CF29EA8F95686B4886E9719AF51D0 : public RuntimeObject
{
public:
// System.Char UnityEngine.Localization.Pseudo.PreserveTags::m_Opening
Il2CppChar ___m_Opening_0;
// System.Char UnityEngine.Localization.Pseudo.PreserveTags::m_Closing
Il2CppChar ___m_Closing_1;
public:
inline static int32_t get_offset_of_m_Opening_0() { return static_cast<int32_t>(offsetof(PreserveTags_tF191582AD53CF29EA8F95686B4886E9719AF51D0, ___m_Opening_0)); }
inline Il2CppChar get_m_Opening_0() const { return ___m_Opening_0; }
inline Il2CppChar* get_address_of_m_Opening_0() { return &___m_Opening_0; }
inline void set_m_Opening_0(Il2CppChar value)
{
___m_Opening_0 = value;
}
inline static int32_t get_offset_of_m_Closing_1() { return static_cast<int32_t>(offsetof(PreserveTags_tF191582AD53CF29EA8F95686B4886E9719AF51D0, ___m_Closing_1)); }
inline Il2CppChar get_m_Closing_1() const { return ___m_Closing_1; }
inline Il2CppChar* get_address_of_m_Closing_1() { return &___m_Closing_1; }
inline void set_m_Closing_1(Il2CppChar value)
{
___m_Closing_1 = value;
}
};
// UnityEngine.Profiling.Profiler
struct Profiler_t758FCBFA17F70B57B17875527C9AEDDE5B18F3D6 : public RuntimeObject
{
public:
public:
};
// Unity.Profiling.LowLevel.Unsafe.ProfilerUnsafeUtility
struct ProfilerUnsafeUtility_tDD84CE228DD506173B7973797633D6062CACDCC4 : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.ProviderData
struct ProviderData_t2E4B222839D59BB2D2C44E370FA8ED37DAF4F582 : public RuntimeObject
{
public:
// System.String System.Runtime.Remoting.ProviderData::Ref
String_t* ___Ref_0;
// System.String System.Runtime.Remoting.ProviderData::Type
String_t* ___Type_1;
// System.String System.Runtime.Remoting.ProviderData::Id
String_t* ___Id_2;
// System.Collections.Hashtable System.Runtime.Remoting.ProviderData::CustomProperties
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___CustomProperties_3;
// System.Collections.IList System.Runtime.Remoting.ProviderData::CustomData
RuntimeObject* ___CustomData_4;
public:
inline static int32_t get_offset_of_Ref_0() { return static_cast<int32_t>(offsetof(ProviderData_t2E4B222839D59BB2D2C44E370FA8ED37DAF4F582, ___Ref_0)); }
inline String_t* get_Ref_0() const { return ___Ref_0; }
inline String_t** get_address_of_Ref_0() { return &___Ref_0; }
inline void set_Ref_0(String_t* value)
{
___Ref_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Ref_0), (void*)value);
}
inline static int32_t get_offset_of_Type_1() { return static_cast<int32_t>(offsetof(ProviderData_t2E4B222839D59BB2D2C44E370FA8ED37DAF4F582, ___Type_1)); }
inline String_t* get_Type_1() const { return ___Type_1; }
inline String_t** get_address_of_Type_1() { return &___Type_1; }
inline void set_Type_1(String_t* value)
{
___Type_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Type_1), (void*)value);
}
inline static int32_t get_offset_of_Id_2() { return static_cast<int32_t>(offsetof(ProviderData_t2E4B222839D59BB2D2C44E370FA8ED37DAF4F582, ___Id_2)); }
inline String_t* get_Id_2() const { return ___Id_2; }
inline String_t** get_address_of_Id_2() { return &___Id_2; }
inline void set_Id_2(String_t* value)
{
___Id_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Id_2), (void*)value);
}
inline static int32_t get_offset_of_CustomProperties_3() { return static_cast<int32_t>(offsetof(ProviderData_t2E4B222839D59BB2D2C44E370FA8ED37DAF4F582, ___CustomProperties_3)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_CustomProperties_3() const { return ___CustomProperties_3; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_CustomProperties_3() { return &___CustomProperties_3; }
inline void set_CustomProperties_3(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___CustomProperties_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___CustomProperties_3), (void*)value);
}
inline static int32_t get_offset_of_CustomData_4() { return static_cast<int32_t>(offsetof(ProviderData_t2E4B222839D59BB2D2C44E370FA8ED37DAF4F582, ___CustomData_4)); }
inline RuntimeObject* get_CustomData_4() const { return ___CustomData_4; }
inline RuntimeObject** get_address_of_CustomData_4() { return &___CustomData_4; }
inline void set_CustomData_4(RuntimeObject* value)
{
___CustomData_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___CustomData_4), (void*)value);
}
};
// UnityEngine.ResourceManagement.ResourceProviders.ProviderLoadRequestOptions
struct ProviderLoadRequestOptions_tCCC0F4829479C34B1BC9470658ABCFEB1973D7FF : public RuntimeObject
{
public:
// System.Boolean UnityEngine.ResourceManagement.ResourceProviders.ProviderLoadRequestOptions::m_IgnoreFailures
bool ___m_IgnoreFailures_0;
// System.Int32 UnityEngine.ResourceManagement.ResourceProviders.ProviderLoadRequestOptions::m_WebRequestTimeout
int32_t ___m_WebRequestTimeout_1;
public:
inline static int32_t get_offset_of_m_IgnoreFailures_0() { return static_cast<int32_t>(offsetof(ProviderLoadRequestOptions_tCCC0F4829479C34B1BC9470658ABCFEB1973D7FF, ___m_IgnoreFailures_0)); }
inline bool get_m_IgnoreFailures_0() const { return ___m_IgnoreFailures_0; }
inline bool* get_address_of_m_IgnoreFailures_0() { return &___m_IgnoreFailures_0; }
inline void set_m_IgnoreFailures_0(bool value)
{
___m_IgnoreFailures_0 = value;
}
inline static int32_t get_offset_of_m_WebRequestTimeout_1() { return static_cast<int32_t>(offsetof(ProviderLoadRequestOptions_tCCC0F4829479C34B1BC9470658ABCFEB1973D7FF, ___m_WebRequestTimeout_1)); }
inline int32_t get_m_WebRequestTimeout_1() const { return ___m_WebRequestTimeout_1; }
inline int32_t* get_address_of_m_WebRequestTimeout_1() { return &___m_WebRequestTimeout_1; }
inline void set_m_WebRequestTimeout_1(int32_t value)
{
___m_WebRequestTimeout_1 = value;
}
};
// System.Security.Cryptography.X509Certificates.PublicKey
struct PublicKey_t40ABE7E0985F3E274C9564670970EC6F3B39A4A2 : public RuntimeObject
{
public:
// System.Security.Cryptography.AsnEncodedData System.Security.Cryptography.X509Certificates.PublicKey::_keyValue
AsnEncodedData_t88A440F72C4F1143E416540D78B910A875CC0FDA * ____keyValue_0;
// System.Security.Cryptography.AsnEncodedData System.Security.Cryptography.X509Certificates.PublicKey::_params
AsnEncodedData_t88A440F72C4F1143E416540D78B910A875CC0FDA * ____params_1;
// System.Security.Cryptography.Oid System.Security.Cryptography.X509Certificates.PublicKey::_oid
Oid_tD6586F9C615C5CBE741A5099DFB67FE0F99F4800 * ____oid_2;
public:
inline static int32_t get_offset_of__keyValue_0() { return static_cast<int32_t>(offsetof(PublicKey_t40ABE7E0985F3E274C9564670970EC6F3B39A4A2, ____keyValue_0)); }
inline AsnEncodedData_t88A440F72C4F1143E416540D78B910A875CC0FDA * get__keyValue_0() const { return ____keyValue_0; }
inline AsnEncodedData_t88A440F72C4F1143E416540D78B910A875CC0FDA ** get_address_of__keyValue_0() { return &____keyValue_0; }
inline void set__keyValue_0(AsnEncodedData_t88A440F72C4F1143E416540D78B910A875CC0FDA * value)
{
____keyValue_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____keyValue_0), (void*)value);
}
inline static int32_t get_offset_of__params_1() { return static_cast<int32_t>(offsetof(PublicKey_t40ABE7E0985F3E274C9564670970EC6F3B39A4A2, ____params_1)); }
inline AsnEncodedData_t88A440F72C4F1143E416540D78B910A875CC0FDA * get__params_1() const { return ____params_1; }
inline AsnEncodedData_t88A440F72C4F1143E416540D78B910A875CC0FDA ** get_address_of__params_1() { return &____params_1; }
inline void set__params_1(AsnEncodedData_t88A440F72C4F1143E416540D78B910A875CC0FDA * value)
{
____params_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____params_1), (void*)value);
}
inline static int32_t get_offset_of__oid_2() { return static_cast<int32_t>(offsetof(PublicKey_t40ABE7E0985F3E274C9564670970EC6F3B39A4A2, ____oid_2)); }
inline Oid_tD6586F9C615C5CBE741A5099DFB67FE0F99F4800 * get__oid_2() const { return ____oid_2; }
inline Oid_tD6586F9C615C5CBE741A5099DFB67FE0F99F4800 ** get_address_of__oid_2() { return &____oid_2; }
inline void set__oid_2(Oid_tD6586F9C615C5CBE741A5099DFB67FE0F99F4800 * value)
{
____oid_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____oid_2), (void*)value);
}
};
struct PublicKey_t40ABE7E0985F3E274C9564670970EC6F3B39A4A2_StaticFields
{
public:
// System.Byte[] System.Security.Cryptography.X509Certificates.PublicKey::Empty
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___Empty_3;
public:
inline static int32_t get_offset_of_Empty_3() { return static_cast<int32_t>(offsetof(PublicKey_t40ABE7E0985F3E274C9564670970EC6F3B39A4A2_StaticFields, ___Empty_3)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_Empty_3() const { return ___Empty_3; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_Empty_3() { return &___Empty_3; }
inline void set_Empty_3(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___Empty_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Empty_3), (void*)value);
}
};
// System.Collections.Queue
struct Queue_t66723C58C7422102C36F8570BE048BD0CC489E52 : public RuntimeObject
{
public:
// System.Object[] System.Collections.Queue::_array
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ____array_0;
// System.Int32 System.Collections.Queue::_head
int32_t ____head_1;
// System.Int32 System.Collections.Queue::_tail
int32_t ____tail_2;
// System.Int32 System.Collections.Queue::_size
int32_t ____size_3;
// System.Int32 System.Collections.Queue::_growFactor
int32_t ____growFactor_4;
// System.Int32 System.Collections.Queue::_version
int32_t ____version_5;
public:
inline static int32_t get_offset_of__array_0() { return static_cast<int32_t>(offsetof(Queue_t66723C58C7422102C36F8570BE048BD0CC489E52, ____array_0)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get__array_0() const { return ____array_0; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of__array_0() { return &____array_0; }
inline void set__array_0(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
____array_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____array_0), (void*)value);
}
inline static int32_t get_offset_of__head_1() { return static_cast<int32_t>(offsetof(Queue_t66723C58C7422102C36F8570BE048BD0CC489E52, ____head_1)); }
inline int32_t get__head_1() const { return ____head_1; }
inline int32_t* get_address_of__head_1() { return &____head_1; }
inline void set__head_1(int32_t value)
{
____head_1 = value;
}
inline static int32_t get_offset_of__tail_2() { return static_cast<int32_t>(offsetof(Queue_t66723C58C7422102C36F8570BE048BD0CC489E52, ____tail_2)); }
inline int32_t get__tail_2() const { return ____tail_2; }
inline int32_t* get_address_of__tail_2() { return &____tail_2; }
inline void set__tail_2(int32_t value)
{
____tail_2 = value;
}
inline static int32_t get_offset_of__size_3() { return static_cast<int32_t>(offsetof(Queue_t66723C58C7422102C36F8570BE048BD0CC489E52, ____size_3)); }
inline int32_t get__size_3() const { return ____size_3; }
inline int32_t* get_address_of__size_3() { return &____size_3; }
inline void set__size_3(int32_t value)
{
____size_3 = value;
}
inline static int32_t get_offset_of__growFactor_4() { return static_cast<int32_t>(offsetof(Queue_t66723C58C7422102C36F8570BE048BD0CC489E52, ____growFactor_4)); }
inline int32_t get__growFactor_4() const { return ____growFactor_4; }
inline int32_t* get_address_of__growFactor_4() { return &____growFactor_4; }
inline void set__growFactor_4(int32_t value)
{
____growFactor_4 = value;
}
inline static int32_t get_offset_of__version_5() { return static_cast<int32_t>(offsetof(Queue_t66723C58C7422102C36F8570BE048BD0CC489E52, ____version_5)); }
inline int32_t get__version_5() const { return ____version_5; }
inline int32_t* get_address_of__version_5() { return &____version_5; }
inline void set__version_5(int32_t value)
{
____version_5 = value;
}
};
// System.Threading.QueueUserWorkItemCallback
struct QueueUserWorkItemCallback_tB84DE760B2C0C27766032253AC0E18AAA64AD70A : public RuntimeObject
{
public:
// System.Threading.WaitCallback System.Threading.QueueUserWorkItemCallback::callback
WaitCallback_t82C85517E973DCC6390AFB0BC3C2276F3328A319 * ___callback_0;
// System.Threading.ExecutionContext System.Threading.QueueUserWorkItemCallback::context
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * ___context_1;
// System.Object System.Threading.QueueUserWorkItemCallback::state
RuntimeObject * ___state_2;
public:
inline static int32_t get_offset_of_callback_0() { return static_cast<int32_t>(offsetof(QueueUserWorkItemCallback_tB84DE760B2C0C27766032253AC0E18AAA64AD70A, ___callback_0)); }
inline WaitCallback_t82C85517E973DCC6390AFB0BC3C2276F3328A319 * get_callback_0() const { return ___callback_0; }
inline WaitCallback_t82C85517E973DCC6390AFB0BC3C2276F3328A319 ** get_address_of_callback_0() { return &___callback_0; }
inline void set_callback_0(WaitCallback_t82C85517E973DCC6390AFB0BC3C2276F3328A319 * value)
{
___callback_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___callback_0), (void*)value);
}
inline static int32_t get_offset_of_context_1() { return static_cast<int32_t>(offsetof(QueueUserWorkItemCallback_tB84DE760B2C0C27766032253AC0E18AAA64AD70A, ___context_1)); }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * get_context_1() const { return ___context_1; }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 ** get_address_of_context_1() { return &___context_1; }
inline void set_context_1(ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * value)
{
___context_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___context_1), (void*)value);
}
inline static int32_t get_offset_of_state_2() { return static_cast<int32_t>(offsetof(QueueUserWorkItemCallback_tB84DE760B2C0C27766032253AC0E18AAA64AD70A, ___state_2)); }
inline RuntimeObject * get_state_2() const { return ___state_2; }
inline RuntimeObject ** get_address_of_state_2() { return &___state_2; }
inline void set_state_2(RuntimeObject * value)
{
___state_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___state_2), (void*)value);
}
};
struct QueueUserWorkItemCallback_tB84DE760B2C0C27766032253AC0E18AAA64AD70A_StaticFields
{
public:
// System.Threading.ContextCallback System.Threading.QueueUserWorkItemCallback::ccb
ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * ___ccb_3;
public:
inline static int32_t get_offset_of_ccb_3() { return static_cast<int32_t>(offsetof(QueueUserWorkItemCallback_tB84DE760B2C0C27766032253AC0E18AAA64AD70A_StaticFields, ___ccb_3)); }
inline ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * get_ccb_3() const { return ___ccb_3; }
inline ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B ** get_address_of_ccb_3() { return &___ccb_3; }
inline void set_ccb_3(ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * value)
{
___ccb_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ccb_3), (void*)value);
}
};
// System.Random
struct Random_t6C9E9775A149D0ADCFEB4B252C408F03EE870118 : public RuntimeObject
{
public:
// System.Int32 System.Random::inext
int32_t ___inext_3;
// System.Int32 System.Random::inextp
int32_t ___inextp_4;
// System.Int32[] System.Random::SeedArray
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___SeedArray_5;
public:
inline static int32_t get_offset_of_inext_3() { return static_cast<int32_t>(offsetof(Random_t6C9E9775A149D0ADCFEB4B252C408F03EE870118, ___inext_3)); }
inline int32_t get_inext_3() const { return ___inext_3; }
inline int32_t* get_address_of_inext_3() { return &___inext_3; }
inline void set_inext_3(int32_t value)
{
___inext_3 = value;
}
inline static int32_t get_offset_of_inextp_4() { return static_cast<int32_t>(offsetof(Random_t6C9E9775A149D0ADCFEB4B252C408F03EE870118, ___inextp_4)); }
inline int32_t get_inextp_4() const { return ___inextp_4; }
inline int32_t* get_address_of_inextp_4() { return &___inextp_4; }
inline void set_inextp_4(int32_t value)
{
___inextp_4 = value;
}
inline static int32_t get_offset_of_SeedArray_5() { return static_cast<int32_t>(offsetof(Random_t6C9E9775A149D0ADCFEB4B252C408F03EE870118, ___SeedArray_5)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_SeedArray_5() const { return ___SeedArray_5; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_SeedArray_5() { return &___SeedArray_5; }
inline void set_SeedArray_5(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___SeedArray_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___SeedArray_5), (void*)value);
}
};
// UnityEngine.Random
struct Random_t4B9DB584E68F6D0DA3CBD7247A6D8C9A353BD49E : public RuntimeObject
{
public:
public:
};
// System.Security.Cryptography.RandomNumberGenerator
struct RandomNumberGenerator_t2CB5440F189986116A2FA9F907AE52644047AC50 : public RuntimeObject
{
public:
public:
};
// UnityEngine.EventSystems.RaycasterManager
struct RaycasterManager_t9B5A044582C34098C71FC3C8CD413369CDE0DA33 : public RuntimeObject
{
public:
public:
};
struct RaycasterManager_t9B5A044582C34098C71FC3C8CD413369CDE0DA33_StaticFields
{
public:
// System.Collections.Generic.List`1<UnityEngine.EventSystems.BaseRaycaster> UnityEngine.EventSystems.RaycasterManager::s_Raycasters
List_1_tBC81A7DE12BDADB43C5817DF67BD79E70CFFFC54 * ___s_Raycasters_0;
public:
inline static int32_t get_offset_of_s_Raycasters_0() { return static_cast<int32_t>(offsetof(RaycasterManager_t9B5A044582C34098C71FC3C8CD413369CDE0DA33_StaticFields, ___s_Raycasters_0)); }
inline List_1_tBC81A7DE12BDADB43C5817DF67BD79E70CFFFC54 * get_s_Raycasters_0() const { return ___s_Raycasters_0; }
inline List_1_tBC81A7DE12BDADB43C5817DF67BD79E70CFFFC54 ** get_address_of_s_Raycasters_0() { return &___s_Raycasters_0; }
inline void set_s_Raycasters_0(List_1_tBC81A7DE12BDADB43C5817DF67BD79E70CFFFC54 * value)
{
___s_Raycasters_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Raycasters_0), (void*)value);
}
};
// UnityEngine.RectTransformUtility
struct RectTransformUtility_t829C94C0D38759683C2BED9FCE244D5EA9842396 : public RuntimeObject
{
public:
public:
};
struct RectTransformUtility_t829C94C0D38759683C2BED9FCE244D5EA9842396_StaticFields
{
public:
// UnityEngine.Vector3[] UnityEngine.RectTransformUtility::s_Corners
Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* ___s_Corners_0;
public:
inline static int32_t get_offset_of_s_Corners_0() { return static_cast<int32_t>(offsetof(RectTransformUtility_t829C94C0D38759683C2BED9FCE244D5EA9842396_StaticFields, ___s_Corners_0)); }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* get_s_Corners_0() const { return ___s_Corners_0; }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4** get_address_of_s_Corners_0() { return &___s_Corners_0; }
inline void set_s_Corners_0(Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* value)
{
___s_Corners_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Corners_0), (void*)value);
}
};
// UnityEngine.UI.RectangularVertexClipper
struct RectangularVertexClipper_t34360F92063A8540ABA87922B62269ADA99EB5E7 : public RuntimeObject
{
public:
// UnityEngine.Vector3[] UnityEngine.UI.RectangularVertexClipper::m_WorldCorners
Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* ___m_WorldCorners_0;
// UnityEngine.Vector3[] UnityEngine.UI.RectangularVertexClipper::m_CanvasCorners
Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* ___m_CanvasCorners_1;
public:
inline static int32_t get_offset_of_m_WorldCorners_0() { return static_cast<int32_t>(offsetof(RectangularVertexClipper_t34360F92063A8540ABA87922B62269ADA99EB5E7, ___m_WorldCorners_0)); }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* get_m_WorldCorners_0() const { return ___m_WorldCorners_0; }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4** get_address_of_m_WorldCorners_0() { return &___m_WorldCorners_0; }
inline void set_m_WorldCorners_0(Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* value)
{
___m_WorldCorners_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_WorldCorners_0), (void*)value);
}
inline static int32_t get_offset_of_m_CanvasCorners_1() { return static_cast<int32_t>(offsetof(RectangularVertexClipper_t34360F92063A8540ABA87922B62269ADA99EB5E7, ___m_CanvasCorners_1)); }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* get_m_CanvasCorners_1() const { return ___m_CanvasCorners_1; }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4** get_address_of_m_CanvasCorners_1() { return &___m_CanvasCorners_1; }
inline void set_m_CanvasCorners_1(Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* value)
{
___m_CanvasCorners_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CanvasCorners_1), (void*)value);
}
};
// UnityEngine.UI.ReflectionMethodsCache
struct ReflectionMethodsCache_t315D4F7C3E58291AD340D6CBFD1A09B2B1EAE8D1 : public RuntimeObject
{
public:
// UnityEngine.UI.ReflectionMethodsCache/Raycast3DCallback UnityEngine.UI.ReflectionMethodsCache::raycast3D
Raycast3DCallback_t27A8B301052E9C6A4A7D38F95293CA129C39373F * ___raycast3D_0;
// UnityEngine.UI.ReflectionMethodsCache/RaycastAllCallback UnityEngine.UI.ReflectionMethodsCache::raycast3DAll
RaycastAllCallback_t48E12CFDCFDEA0CD7D83F9DDE1E341DBCC855005 * ___raycast3DAll_1;
// UnityEngine.UI.ReflectionMethodsCache/GetRaycastNonAllocCallback UnityEngine.UI.ReflectionMethodsCache::getRaycastNonAlloc
GetRaycastNonAllocCallback_tA4A6A2336A9B9FEE31F8F5344576B3BB0A7B3F34 * ___getRaycastNonAlloc_2;
// UnityEngine.UI.ReflectionMethodsCache/Raycast2DCallback UnityEngine.UI.ReflectionMethodsCache::raycast2D
Raycast2DCallback_t125C1CA6D0148380915E597AC8ADBB93EFB0EE29 * ___raycast2D_3;
// UnityEngine.UI.ReflectionMethodsCache/GetRayIntersectionAllCallback UnityEngine.UI.ReflectionMethodsCache::getRayIntersectionAll
GetRayIntersectionAllCallback_t9D6C059892DE030746D2873EB8871415BAC79311 * ___getRayIntersectionAll_4;
// UnityEngine.UI.ReflectionMethodsCache/GetRayIntersectionAllNonAllocCallback UnityEngine.UI.ReflectionMethodsCache::getRayIntersectionAllNonAlloc
GetRayIntersectionAllNonAllocCallback_t6DAE64211C37E996B257BF2C54707DAD3474D69C * ___getRayIntersectionAllNonAlloc_5;
public:
inline static int32_t get_offset_of_raycast3D_0() { return static_cast<int32_t>(offsetof(ReflectionMethodsCache_t315D4F7C3E58291AD340D6CBFD1A09B2B1EAE8D1, ___raycast3D_0)); }
inline Raycast3DCallback_t27A8B301052E9C6A4A7D38F95293CA129C39373F * get_raycast3D_0() const { return ___raycast3D_0; }
inline Raycast3DCallback_t27A8B301052E9C6A4A7D38F95293CA129C39373F ** get_address_of_raycast3D_0() { return &___raycast3D_0; }
inline void set_raycast3D_0(Raycast3DCallback_t27A8B301052E9C6A4A7D38F95293CA129C39373F * value)
{
___raycast3D_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___raycast3D_0), (void*)value);
}
inline static int32_t get_offset_of_raycast3DAll_1() { return static_cast<int32_t>(offsetof(ReflectionMethodsCache_t315D4F7C3E58291AD340D6CBFD1A09B2B1EAE8D1, ___raycast3DAll_1)); }
inline RaycastAllCallback_t48E12CFDCFDEA0CD7D83F9DDE1E341DBCC855005 * get_raycast3DAll_1() const { return ___raycast3DAll_1; }
inline RaycastAllCallback_t48E12CFDCFDEA0CD7D83F9DDE1E341DBCC855005 ** get_address_of_raycast3DAll_1() { return &___raycast3DAll_1; }
inline void set_raycast3DAll_1(RaycastAllCallback_t48E12CFDCFDEA0CD7D83F9DDE1E341DBCC855005 * value)
{
___raycast3DAll_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___raycast3DAll_1), (void*)value);
}
inline static int32_t get_offset_of_getRaycastNonAlloc_2() { return static_cast<int32_t>(offsetof(ReflectionMethodsCache_t315D4F7C3E58291AD340D6CBFD1A09B2B1EAE8D1, ___getRaycastNonAlloc_2)); }
inline GetRaycastNonAllocCallback_tA4A6A2336A9B9FEE31F8F5344576B3BB0A7B3F34 * get_getRaycastNonAlloc_2() const { return ___getRaycastNonAlloc_2; }
inline GetRaycastNonAllocCallback_tA4A6A2336A9B9FEE31F8F5344576B3BB0A7B3F34 ** get_address_of_getRaycastNonAlloc_2() { return &___getRaycastNonAlloc_2; }
inline void set_getRaycastNonAlloc_2(GetRaycastNonAllocCallback_tA4A6A2336A9B9FEE31F8F5344576B3BB0A7B3F34 * value)
{
___getRaycastNonAlloc_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___getRaycastNonAlloc_2), (void*)value);
}
inline static int32_t get_offset_of_raycast2D_3() { return static_cast<int32_t>(offsetof(ReflectionMethodsCache_t315D4F7C3E58291AD340D6CBFD1A09B2B1EAE8D1, ___raycast2D_3)); }
inline Raycast2DCallback_t125C1CA6D0148380915E597AC8ADBB93EFB0EE29 * get_raycast2D_3() const { return ___raycast2D_3; }
inline Raycast2DCallback_t125C1CA6D0148380915E597AC8ADBB93EFB0EE29 ** get_address_of_raycast2D_3() { return &___raycast2D_3; }
inline void set_raycast2D_3(Raycast2DCallback_t125C1CA6D0148380915E597AC8ADBB93EFB0EE29 * value)
{
___raycast2D_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___raycast2D_3), (void*)value);
}
inline static int32_t get_offset_of_getRayIntersectionAll_4() { return static_cast<int32_t>(offsetof(ReflectionMethodsCache_t315D4F7C3E58291AD340D6CBFD1A09B2B1EAE8D1, ___getRayIntersectionAll_4)); }
inline GetRayIntersectionAllCallback_t9D6C059892DE030746D2873EB8871415BAC79311 * get_getRayIntersectionAll_4() const { return ___getRayIntersectionAll_4; }
inline GetRayIntersectionAllCallback_t9D6C059892DE030746D2873EB8871415BAC79311 ** get_address_of_getRayIntersectionAll_4() { return &___getRayIntersectionAll_4; }
inline void set_getRayIntersectionAll_4(GetRayIntersectionAllCallback_t9D6C059892DE030746D2873EB8871415BAC79311 * value)
{
___getRayIntersectionAll_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___getRayIntersectionAll_4), (void*)value);
}
inline static int32_t get_offset_of_getRayIntersectionAllNonAlloc_5() { return static_cast<int32_t>(offsetof(ReflectionMethodsCache_t315D4F7C3E58291AD340D6CBFD1A09B2B1EAE8D1, ___getRayIntersectionAllNonAlloc_5)); }
inline GetRayIntersectionAllNonAllocCallback_t6DAE64211C37E996B257BF2C54707DAD3474D69C * get_getRayIntersectionAllNonAlloc_5() const { return ___getRayIntersectionAllNonAlloc_5; }
inline GetRayIntersectionAllNonAllocCallback_t6DAE64211C37E996B257BF2C54707DAD3474D69C ** get_address_of_getRayIntersectionAllNonAlloc_5() { return &___getRayIntersectionAllNonAlloc_5; }
inline void set_getRayIntersectionAllNonAlloc_5(GetRayIntersectionAllNonAllocCallback_t6DAE64211C37E996B257BF2C54707DAD3474D69C * value)
{
___getRayIntersectionAllNonAlloc_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___getRayIntersectionAllNonAlloc_5), (void*)value);
}
};
struct ReflectionMethodsCache_t315D4F7C3E58291AD340D6CBFD1A09B2B1EAE8D1_StaticFields
{
public:
// UnityEngine.UI.ReflectionMethodsCache UnityEngine.UI.ReflectionMethodsCache::s_ReflectionMethodsCache
ReflectionMethodsCache_t315D4F7C3E58291AD340D6CBFD1A09B2B1EAE8D1 * ___s_ReflectionMethodsCache_6;
public:
inline static int32_t get_offset_of_s_ReflectionMethodsCache_6() { return static_cast<int32_t>(offsetof(ReflectionMethodsCache_t315D4F7C3E58291AD340D6CBFD1A09B2B1EAE8D1_StaticFields, ___s_ReflectionMethodsCache_6)); }
inline ReflectionMethodsCache_t315D4F7C3E58291AD340D6CBFD1A09B2B1EAE8D1 * get_s_ReflectionMethodsCache_6() const { return ___s_ReflectionMethodsCache_6; }
inline ReflectionMethodsCache_t315D4F7C3E58291AD340D6CBFD1A09B2B1EAE8D1 ** get_address_of_s_ReflectionMethodsCache_6() { return &___s_ReflectionMethodsCache_6; }
inline void set_s_ReflectionMethodsCache_6(ReflectionMethodsCache_t315D4F7C3E58291AD340D6CBFD1A09B2B1EAE8D1 * value)
{
___s_ReflectionMethodsCache_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_ReflectionMethodsCache_6), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Extensions.ReflectionSource
struct ReflectionSource_t30C272864A62283187B3717B3F745B849B042B8D : public RuntimeObject
{
public:
// System.Collections.Generic.Dictionary`2<System.ValueTuple`2<System.Type,System.String>,System.ValueTuple`2<System.Reflection.FieldInfo,System.Reflection.MethodInfo>> UnityEngine.Localization.SmartFormat.Extensions.ReflectionSource::m_TypeCache
Dictionary_2_t1AA9B23365A5C70B791AF1A448297A6B8A2F7B0A * ___m_TypeCache_1;
public:
inline static int32_t get_offset_of_m_TypeCache_1() { return static_cast<int32_t>(offsetof(ReflectionSource_t30C272864A62283187B3717B3F745B849B042B8D, ___m_TypeCache_1)); }
inline Dictionary_2_t1AA9B23365A5C70B791AF1A448297A6B8A2F7B0A * get_m_TypeCache_1() const { return ___m_TypeCache_1; }
inline Dictionary_2_t1AA9B23365A5C70B791AF1A448297A6B8A2F7B0A ** get_address_of_m_TypeCache_1() { return &___m_TypeCache_1; }
inline void set_m_TypeCache_1(Dictionary_2_t1AA9B23365A5C70B791AF1A448297A6B8A2F7B0A * value)
{
___m_TypeCache_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TypeCache_1), (void*)value);
}
};
struct ReflectionSource_t30C272864A62283187B3717B3F745B849B042B8D_StaticFields
{
public:
// System.Object[] UnityEngine.Localization.SmartFormat.Extensions.ReflectionSource::k_Empty
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___k_Empty_0;
public:
inline static int32_t get_offset_of_k_Empty_0() { return static_cast<int32_t>(offsetof(ReflectionSource_t30C272864A62283187B3717B3F745B849B042B8D_StaticFields, ___k_Empty_0)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_k_Empty_0() const { return ___k_Empty_0; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_k_Empty_0() { return &___k_Empty_0; }
inline void set_k_Empty_0(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___k_Empty_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___k_Empty_0), (void*)value);
}
};
// System.Text.RegularExpressions.RegexBoyerMoore
struct RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2 : public RuntimeObject
{
public:
// System.Int32[] System.Text.RegularExpressions.RegexBoyerMoore::_positive
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ____positive_0;
// System.Int32[] System.Text.RegularExpressions.RegexBoyerMoore::_negativeASCII
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ____negativeASCII_1;
// System.Int32[][] System.Text.RegularExpressions.RegexBoyerMoore::_negativeUnicode
Int32U5BU5DU5BU5D_t104DBF1B996084AA19567FD32B02EDF88D044FAF* ____negativeUnicode_2;
// System.String System.Text.RegularExpressions.RegexBoyerMoore::_pattern
String_t* ____pattern_3;
// System.Int32 System.Text.RegularExpressions.RegexBoyerMoore::_lowASCII
int32_t ____lowASCII_4;
// System.Int32 System.Text.RegularExpressions.RegexBoyerMoore::_highASCII
int32_t ____highASCII_5;
// System.Boolean System.Text.RegularExpressions.RegexBoyerMoore::_rightToLeft
bool ____rightToLeft_6;
// System.Boolean System.Text.RegularExpressions.RegexBoyerMoore::_caseInsensitive
bool ____caseInsensitive_7;
// System.Globalization.CultureInfo System.Text.RegularExpressions.RegexBoyerMoore::_culture
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * ____culture_8;
public:
inline static int32_t get_offset_of__positive_0() { return static_cast<int32_t>(offsetof(RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2, ____positive_0)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get__positive_0() const { return ____positive_0; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of__positive_0() { return &____positive_0; }
inline void set__positive_0(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
____positive_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____positive_0), (void*)value);
}
inline static int32_t get_offset_of__negativeASCII_1() { return static_cast<int32_t>(offsetof(RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2, ____negativeASCII_1)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get__negativeASCII_1() const { return ____negativeASCII_1; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of__negativeASCII_1() { return &____negativeASCII_1; }
inline void set__negativeASCII_1(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
____negativeASCII_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____negativeASCII_1), (void*)value);
}
inline static int32_t get_offset_of__negativeUnicode_2() { return static_cast<int32_t>(offsetof(RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2, ____negativeUnicode_2)); }
inline Int32U5BU5DU5BU5D_t104DBF1B996084AA19567FD32B02EDF88D044FAF* get__negativeUnicode_2() const { return ____negativeUnicode_2; }
inline Int32U5BU5DU5BU5D_t104DBF1B996084AA19567FD32B02EDF88D044FAF** get_address_of__negativeUnicode_2() { return &____negativeUnicode_2; }
inline void set__negativeUnicode_2(Int32U5BU5DU5BU5D_t104DBF1B996084AA19567FD32B02EDF88D044FAF* value)
{
____negativeUnicode_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____negativeUnicode_2), (void*)value);
}
inline static int32_t get_offset_of__pattern_3() { return static_cast<int32_t>(offsetof(RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2, ____pattern_3)); }
inline String_t* get__pattern_3() const { return ____pattern_3; }
inline String_t** get_address_of__pattern_3() { return &____pattern_3; }
inline void set__pattern_3(String_t* value)
{
____pattern_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____pattern_3), (void*)value);
}
inline static int32_t get_offset_of__lowASCII_4() { return static_cast<int32_t>(offsetof(RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2, ____lowASCII_4)); }
inline int32_t get__lowASCII_4() const { return ____lowASCII_4; }
inline int32_t* get_address_of__lowASCII_4() { return &____lowASCII_4; }
inline void set__lowASCII_4(int32_t value)
{
____lowASCII_4 = value;
}
inline static int32_t get_offset_of__highASCII_5() { return static_cast<int32_t>(offsetof(RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2, ____highASCII_5)); }
inline int32_t get__highASCII_5() const { return ____highASCII_5; }
inline int32_t* get_address_of__highASCII_5() { return &____highASCII_5; }
inline void set__highASCII_5(int32_t value)
{
____highASCII_5 = value;
}
inline static int32_t get_offset_of__rightToLeft_6() { return static_cast<int32_t>(offsetof(RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2, ____rightToLeft_6)); }
inline bool get__rightToLeft_6() const { return ____rightToLeft_6; }
inline bool* get_address_of__rightToLeft_6() { return &____rightToLeft_6; }
inline void set__rightToLeft_6(bool value)
{
____rightToLeft_6 = value;
}
inline static int32_t get_offset_of__caseInsensitive_7() { return static_cast<int32_t>(offsetof(RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2, ____caseInsensitive_7)); }
inline bool get__caseInsensitive_7() const { return ____caseInsensitive_7; }
inline bool* get_address_of__caseInsensitive_7() { return &____caseInsensitive_7; }
inline void set__caseInsensitive_7(bool value)
{
____caseInsensitive_7 = value;
}
inline static int32_t get_offset_of__culture_8() { return static_cast<int32_t>(offsetof(RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2, ____culture_8)); }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * get__culture_8() const { return ____culture_8; }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 ** get_address_of__culture_8() { return &____culture_8; }
inline void set__culture_8(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * value)
{
____culture_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&____culture_8), (void*)value);
}
};
// System.Text.RegularExpressions.RegexCharClass
struct RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5 : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<System.Text.RegularExpressions.RegexCharClass/SingleRange> System.Text.RegularExpressions.RegexCharClass::_rangelist
List_1_t911C56B32435E07F3A1F3B9FB9BFF36061619CF3 * ____rangelist_0;
// System.Text.StringBuilder System.Text.RegularExpressions.RegexCharClass::_categories
StringBuilder_t * ____categories_1;
// System.Boolean System.Text.RegularExpressions.RegexCharClass::_canonical
bool ____canonical_2;
// System.Boolean System.Text.RegularExpressions.RegexCharClass::_negate
bool ____negate_3;
// System.Text.RegularExpressions.RegexCharClass System.Text.RegularExpressions.RegexCharClass::_subtractor
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5 * ____subtractor_4;
public:
inline static int32_t get_offset_of__rangelist_0() { return static_cast<int32_t>(offsetof(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5, ____rangelist_0)); }
inline List_1_t911C56B32435E07F3A1F3B9FB9BFF36061619CF3 * get__rangelist_0() const { return ____rangelist_0; }
inline List_1_t911C56B32435E07F3A1F3B9FB9BFF36061619CF3 ** get_address_of__rangelist_0() { return &____rangelist_0; }
inline void set__rangelist_0(List_1_t911C56B32435E07F3A1F3B9FB9BFF36061619CF3 * value)
{
____rangelist_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____rangelist_0), (void*)value);
}
inline static int32_t get_offset_of__categories_1() { return static_cast<int32_t>(offsetof(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5, ____categories_1)); }
inline StringBuilder_t * get__categories_1() const { return ____categories_1; }
inline StringBuilder_t ** get_address_of__categories_1() { return &____categories_1; }
inline void set__categories_1(StringBuilder_t * value)
{
____categories_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____categories_1), (void*)value);
}
inline static int32_t get_offset_of__canonical_2() { return static_cast<int32_t>(offsetof(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5, ____canonical_2)); }
inline bool get__canonical_2() const { return ____canonical_2; }
inline bool* get_address_of__canonical_2() { return &____canonical_2; }
inline void set__canonical_2(bool value)
{
____canonical_2 = value;
}
inline static int32_t get_offset_of__negate_3() { return static_cast<int32_t>(offsetof(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5, ____negate_3)); }
inline bool get__negate_3() const { return ____negate_3; }
inline bool* get_address_of__negate_3() { return &____negate_3; }
inline void set__negate_3(bool value)
{
____negate_3 = value;
}
inline static int32_t get_offset_of__subtractor_4() { return static_cast<int32_t>(offsetof(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5, ____subtractor_4)); }
inline RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5 * get__subtractor_4() const { return ____subtractor_4; }
inline RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5 ** get_address_of__subtractor_4() { return &____subtractor_4; }
inline void set__subtractor_4(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5 * value)
{
____subtractor_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____subtractor_4), (void*)value);
}
};
struct RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields
{
public:
// System.String System.Text.RegularExpressions.RegexCharClass::InternalRegexIgnoreCase
String_t* ___InternalRegexIgnoreCase_5;
// System.String System.Text.RegularExpressions.RegexCharClass::Space
String_t* ___Space_6;
// System.String System.Text.RegularExpressions.RegexCharClass::NotSpace
String_t* ___NotSpace_7;
// System.String System.Text.RegularExpressions.RegexCharClass::Word
String_t* ___Word_8;
// System.String System.Text.RegularExpressions.RegexCharClass::NotWord
String_t* ___NotWord_9;
// System.String System.Text.RegularExpressions.RegexCharClass::SpaceClass
String_t* ___SpaceClass_10;
// System.String System.Text.RegularExpressions.RegexCharClass::NotSpaceClass
String_t* ___NotSpaceClass_11;
// System.String System.Text.RegularExpressions.RegexCharClass::WordClass
String_t* ___WordClass_12;
// System.String System.Text.RegularExpressions.RegexCharClass::NotWordClass
String_t* ___NotWordClass_13;
// System.String System.Text.RegularExpressions.RegexCharClass::DigitClass
String_t* ___DigitClass_14;
// System.String System.Text.RegularExpressions.RegexCharClass::NotDigitClass
String_t* ___NotDigitClass_15;
// System.Collections.Generic.Dictionary`2<System.String,System.String> System.Text.RegularExpressions.RegexCharClass::_definedCategories
Dictionary_2_tDE3227CA5E7A32F5070BD24C69F42204A3ADE9D5 * ____definedCategories_16;
// System.String[0...,0...] System.Text.RegularExpressions.RegexCharClass::_propTable
StringU5BU2CU5D_t57ABDCA8B352E243BFC6950153456ACCEF63DC90* ____propTable_17;
// System.Text.RegularExpressions.RegexCharClass/LowerCaseMapping[] System.Text.RegularExpressions.RegexCharClass::_lcTable
LowerCaseMappingU5BU5D_t4D85AEF6C1007D3CCE150AE32CBAACDBF218293E* ____lcTable_18;
public:
inline static int32_t get_offset_of_InternalRegexIgnoreCase_5() { return static_cast<int32_t>(offsetof(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields, ___InternalRegexIgnoreCase_5)); }
inline String_t* get_InternalRegexIgnoreCase_5() const { return ___InternalRegexIgnoreCase_5; }
inline String_t** get_address_of_InternalRegexIgnoreCase_5() { return &___InternalRegexIgnoreCase_5; }
inline void set_InternalRegexIgnoreCase_5(String_t* value)
{
___InternalRegexIgnoreCase_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___InternalRegexIgnoreCase_5), (void*)value);
}
inline static int32_t get_offset_of_Space_6() { return static_cast<int32_t>(offsetof(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields, ___Space_6)); }
inline String_t* get_Space_6() const { return ___Space_6; }
inline String_t** get_address_of_Space_6() { return &___Space_6; }
inline void set_Space_6(String_t* value)
{
___Space_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Space_6), (void*)value);
}
inline static int32_t get_offset_of_NotSpace_7() { return static_cast<int32_t>(offsetof(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields, ___NotSpace_7)); }
inline String_t* get_NotSpace_7() const { return ___NotSpace_7; }
inline String_t** get_address_of_NotSpace_7() { return &___NotSpace_7; }
inline void set_NotSpace_7(String_t* value)
{
___NotSpace_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___NotSpace_7), (void*)value);
}
inline static int32_t get_offset_of_Word_8() { return static_cast<int32_t>(offsetof(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields, ___Word_8)); }
inline String_t* get_Word_8() const { return ___Word_8; }
inline String_t** get_address_of_Word_8() { return &___Word_8; }
inline void set_Word_8(String_t* value)
{
___Word_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Word_8), (void*)value);
}
inline static int32_t get_offset_of_NotWord_9() { return static_cast<int32_t>(offsetof(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields, ___NotWord_9)); }
inline String_t* get_NotWord_9() const { return ___NotWord_9; }
inline String_t** get_address_of_NotWord_9() { return &___NotWord_9; }
inline void set_NotWord_9(String_t* value)
{
___NotWord_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___NotWord_9), (void*)value);
}
inline static int32_t get_offset_of_SpaceClass_10() { return static_cast<int32_t>(offsetof(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields, ___SpaceClass_10)); }
inline String_t* get_SpaceClass_10() const { return ___SpaceClass_10; }
inline String_t** get_address_of_SpaceClass_10() { return &___SpaceClass_10; }
inline void set_SpaceClass_10(String_t* value)
{
___SpaceClass_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___SpaceClass_10), (void*)value);
}
inline static int32_t get_offset_of_NotSpaceClass_11() { return static_cast<int32_t>(offsetof(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields, ___NotSpaceClass_11)); }
inline String_t* get_NotSpaceClass_11() const { return ___NotSpaceClass_11; }
inline String_t** get_address_of_NotSpaceClass_11() { return &___NotSpaceClass_11; }
inline void set_NotSpaceClass_11(String_t* value)
{
___NotSpaceClass_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___NotSpaceClass_11), (void*)value);
}
inline static int32_t get_offset_of_WordClass_12() { return static_cast<int32_t>(offsetof(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields, ___WordClass_12)); }
inline String_t* get_WordClass_12() const { return ___WordClass_12; }
inline String_t** get_address_of_WordClass_12() { return &___WordClass_12; }
inline void set_WordClass_12(String_t* value)
{
___WordClass_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___WordClass_12), (void*)value);
}
inline static int32_t get_offset_of_NotWordClass_13() { return static_cast<int32_t>(offsetof(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields, ___NotWordClass_13)); }
inline String_t* get_NotWordClass_13() const { return ___NotWordClass_13; }
inline String_t** get_address_of_NotWordClass_13() { return &___NotWordClass_13; }
inline void set_NotWordClass_13(String_t* value)
{
___NotWordClass_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___NotWordClass_13), (void*)value);
}
inline static int32_t get_offset_of_DigitClass_14() { return static_cast<int32_t>(offsetof(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields, ___DigitClass_14)); }
inline String_t* get_DigitClass_14() const { return ___DigitClass_14; }
inline String_t** get_address_of_DigitClass_14() { return &___DigitClass_14; }
inline void set_DigitClass_14(String_t* value)
{
___DigitClass_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DigitClass_14), (void*)value);
}
inline static int32_t get_offset_of_NotDigitClass_15() { return static_cast<int32_t>(offsetof(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields, ___NotDigitClass_15)); }
inline String_t* get_NotDigitClass_15() const { return ___NotDigitClass_15; }
inline String_t** get_address_of_NotDigitClass_15() { return &___NotDigitClass_15; }
inline void set_NotDigitClass_15(String_t* value)
{
___NotDigitClass_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___NotDigitClass_15), (void*)value);
}
inline static int32_t get_offset_of__definedCategories_16() { return static_cast<int32_t>(offsetof(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields, ____definedCategories_16)); }
inline Dictionary_2_tDE3227CA5E7A32F5070BD24C69F42204A3ADE9D5 * get__definedCategories_16() const { return ____definedCategories_16; }
inline Dictionary_2_tDE3227CA5E7A32F5070BD24C69F42204A3ADE9D5 ** get_address_of__definedCategories_16() { return &____definedCategories_16; }
inline void set__definedCategories_16(Dictionary_2_tDE3227CA5E7A32F5070BD24C69F42204A3ADE9D5 * value)
{
____definedCategories_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&____definedCategories_16), (void*)value);
}
inline static int32_t get_offset_of__propTable_17() { return static_cast<int32_t>(offsetof(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields, ____propTable_17)); }
inline StringU5BU2CU5D_t57ABDCA8B352E243BFC6950153456ACCEF63DC90* get__propTable_17() const { return ____propTable_17; }
inline StringU5BU2CU5D_t57ABDCA8B352E243BFC6950153456ACCEF63DC90** get_address_of__propTable_17() { return &____propTable_17; }
inline void set__propTable_17(StringU5BU2CU5D_t57ABDCA8B352E243BFC6950153456ACCEF63DC90* value)
{
____propTable_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&____propTable_17), (void*)value);
}
inline static int32_t get_offset_of__lcTable_18() { return static_cast<int32_t>(offsetof(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields, ____lcTable_18)); }
inline LowerCaseMappingU5BU5D_t4D85AEF6C1007D3CCE150AE32CBAACDBF218293E* get__lcTable_18() const { return ____lcTable_18; }
inline LowerCaseMappingU5BU5D_t4D85AEF6C1007D3CCE150AE32CBAACDBF218293E** get_address_of__lcTable_18() { return &____lcTable_18; }
inline void set__lcTable_18(LowerCaseMappingU5BU5D_t4D85AEF6C1007D3CCE150AE32CBAACDBF218293E* value)
{
____lcTable_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&____lcTable_18), (void*)value);
}
};
// System.Text.RegularExpressions.RegexCode
struct RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5 : public RuntimeObject
{
public:
// System.Int32[] System.Text.RegularExpressions.RegexCode::_codes
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ____codes_48;
// System.String[] System.Text.RegularExpressions.RegexCode::_strings
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ____strings_49;
// System.Int32 System.Text.RegularExpressions.RegexCode::_trackcount
int32_t ____trackcount_50;
// System.Collections.Hashtable System.Text.RegularExpressions.RegexCode::_caps
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ____caps_51;
// System.Int32 System.Text.RegularExpressions.RegexCode::_capsize
int32_t ____capsize_52;
// System.Text.RegularExpressions.RegexPrefix System.Text.RegularExpressions.RegexCode::_fcPrefix
RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301 * ____fcPrefix_53;
// System.Text.RegularExpressions.RegexBoyerMoore System.Text.RegularExpressions.RegexCode::_bmPrefix
RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2 * ____bmPrefix_54;
// System.Int32 System.Text.RegularExpressions.RegexCode::_anchors
int32_t ____anchors_55;
// System.Boolean System.Text.RegularExpressions.RegexCode::_rightToLeft
bool ____rightToLeft_56;
public:
inline static int32_t get_offset_of__codes_48() { return static_cast<int32_t>(offsetof(RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5, ____codes_48)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get__codes_48() const { return ____codes_48; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of__codes_48() { return &____codes_48; }
inline void set__codes_48(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
____codes_48 = value;
Il2CppCodeGenWriteBarrier((void**)(&____codes_48), (void*)value);
}
inline static int32_t get_offset_of__strings_49() { return static_cast<int32_t>(offsetof(RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5, ____strings_49)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get__strings_49() const { return ____strings_49; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of__strings_49() { return &____strings_49; }
inline void set__strings_49(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
____strings_49 = value;
Il2CppCodeGenWriteBarrier((void**)(&____strings_49), (void*)value);
}
inline static int32_t get_offset_of__trackcount_50() { return static_cast<int32_t>(offsetof(RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5, ____trackcount_50)); }
inline int32_t get__trackcount_50() const { return ____trackcount_50; }
inline int32_t* get_address_of__trackcount_50() { return &____trackcount_50; }
inline void set__trackcount_50(int32_t value)
{
____trackcount_50 = value;
}
inline static int32_t get_offset_of__caps_51() { return static_cast<int32_t>(offsetof(RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5, ____caps_51)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get__caps_51() const { return ____caps_51; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of__caps_51() { return &____caps_51; }
inline void set__caps_51(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
____caps_51 = value;
Il2CppCodeGenWriteBarrier((void**)(&____caps_51), (void*)value);
}
inline static int32_t get_offset_of__capsize_52() { return static_cast<int32_t>(offsetof(RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5, ____capsize_52)); }
inline int32_t get__capsize_52() const { return ____capsize_52; }
inline int32_t* get_address_of__capsize_52() { return &____capsize_52; }
inline void set__capsize_52(int32_t value)
{
____capsize_52 = value;
}
inline static int32_t get_offset_of__fcPrefix_53() { return static_cast<int32_t>(offsetof(RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5, ____fcPrefix_53)); }
inline RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301 * get__fcPrefix_53() const { return ____fcPrefix_53; }
inline RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301 ** get_address_of__fcPrefix_53() { return &____fcPrefix_53; }
inline void set__fcPrefix_53(RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301 * value)
{
____fcPrefix_53 = value;
Il2CppCodeGenWriteBarrier((void**)(&____fcPrefix_53), (void*)value);
}
inline static int32_t get_offset_of__bmPrefix_54() { return static_cast<int32_t>(offsetof(RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5, ____bmPrefix_54)); }
inline RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2 * get__bmPrefix_54() const { return ____bmPrefix_54; }
inline RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2 ** get_address_of__bmPrefix_54() { return &____bmPrefix_54; }
inline void set__bmPrefix_54(RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2 * value)
{
____bmPrefix_54 = value;
Il2CppCodeGenWriteBarrier((void**)(&____bmPrefix_54), (void*)value);
}
inline static int32_t get_offset_of__anchors_55() { return static_cast<int32_t>(offsetof(RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5, ____anchors_55)); }
inline int32_t get__anchors_55() const { return ____anchors_55; }
inline int32_t* get_address_of__anchors_55() { return &____anchors_55; }
inline void set__anchors_55(int32_t value)
{
____anchors_55 = value;
}
inline static int32_t get_offset_of__rightToLeft_56() { return static_cast<int32_t>(offsetof(RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5, ____rightToLeft_56)); }
inline bool get__rightToLeft_56() const { return ____rightToLeft_56; }
inline bool* get_address_of__rightToLeft_56() { return &____rightToLeft_56; }
inline void set__rightToLeft_56(bool value)
{
____rightToLeft_56 = value;
}
};
// System.Text.RegularExpressions.RegexFC
struct RegexFC_t76D8E0886974788FD71BD44072ADAD5326475826 : public RuntimeObject
{
public:
// System.Text.RegularExpressions.RegexCharClass System.Text.RegularExpressions.RegexFC::_cc
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5 * ____cc_0;
// System.Boolean System.Text.RegularExpressions.RegexFC::_nullable
bool ____nullable_1;
// System.Boolean System.Text.RegularExpressions.RegexFC::_caseInsensitive
bool ____caseInsensitive_2;
public:
inline static int32_t get_offset_of__cc_0() { return static_cast<int32_t>(offsetof(RegexFC_t76D8E0886974788FD71BD44072ADAD5326475826, ____cc_0)); }
inline RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5 * get__cc_0() const { return ____cc_0; }
inline RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5 ** get_address_of__cc_0() { return &____cc_0; }
inline void set__cc_0(RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5 * value)
{
____cc_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____cc_0), (void*)value);
}
inline static int32_t get_offset_of__nullable_1() { return static_cast<int32_t>(offsetof(RegexFC_t76D8E0886974788FD71BD44072ADAD5326475826, ____nullable_1)); }
inline bool get__nullable_1() const { return ____nullable_1; }
inline bool* get_address_of__nullable_1() { return &____nullable_1; }
inline void set__nullable_1(bool value)
{
____nullable_1 = value;
}
inline static int32_t get_offset_of__caseInsensitive_2() { return static_cast<int32_t>(offsetof(RegexFC_t76D8E0886974788FD71BD44072ADAD5326475826, ____caseInsensitive_2)); }
inline bool get__caseInsensitive_2() const { return ____caseInsensitive_2; }
inline bool* get_address_of__caseInsensitive_2() { return &____caseInsensitive_2; }
inline void set__caseInsensitive_2(bool value)
{
____caseInsensitive_2 = value;
}
};
// System.Text.RegularExpressions.RegexFCD
struct RegexFCD_tF50EFB93429390CF2488DAB5FD07DE6E48F1CDBF : public RuntimeObject
{
public:
// System.Int32[] System.Text.RegularExpressions.RegexFCD::_intStack
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ____intStack_0;
// System.Int32 System.Text.RegularExpressions.RegexFCD::_intDepth
int32_t ____intDepth_1;
// System.Text.RegularExpressions.RegexFC[] System.Text.RegularExpressions.RegexFCD::_fcStack
RegexFCU5BU5D_t2785114C5B0BD79CA8B9C2715A5368BDC5941356* ____fcStack_2;
// System.Int32 System.Text.RegularExpressions.RegexFCD::_fcDepth
int32_t ____fcDepth_3;
// System.Boolean System.Text.RegularExpressions.RegexFCD::_skipAllChildren
bool ____skipAllChildren_4;
// System.Boolean System.Text.RegularExpressions.RegexFCD::_skipchild
bool ____skipchild_5;
// System.Boolean System.Text.RegularExpressions.RegexFCD::_failed
bool ____failed_6;
public:
inline static int32_t get_offset_of__intStack_0() { return static_cast<int32_t>(offsetof(RegexFCD_tF50EFB93429390CF2488DAB5FD07DE6E48F1CDBF, ____intStack_0)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get__intStack_0() const { return ____intStack_0; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of__intStack_0() { return &____intStack_0; }
inline void set__intStack_0(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
____intStack_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____intStack_0), (void*)value);
}
inline static int32_t get_offset_of__intDepth_1() { return static_cast<int32_t>(offsetof(RegexFCD_tF50EFB93429390CF2488DAB5FD07DE6E48F1CDBF, ____intDepth_1)); }
inline int32_t get__intDepth_1() const { return ____intDepth_1; }
inline int32_t* get_address_of__intDepth_1() { return &____intDepth_1; }
inline void set__intDepth_1(int32_t value)
{
____intDepth_1 = value;
}
inline static int32_t get_offset_of__fcStack_2() { return static_cast<int32_t>(offsetof(RegexFCD_tF50EFB93429390CF2488DAB5FD07DE6E48F1CDBF, ____fcStack_2)); }
inline RegexFCU5BU5D_t2785114C5B0BD79CA8B9C2715A5368BDC5941356* get__fcStack_2() const { return ____fcStack_2; }
inline RegexFCU5BU5D_t2785114C5B0BD79CA8B9C2715A5368BDC5941356** get_address_of__fcStack_2() { return &____fcStack_2; }
inline void set__fcStack_2(RegexFCU5BU5D_t2785114C5B0BD79CA8B9C2715A5368BDC5941356* value)
{
____fcStack_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____fcStack_2), (void*)value);
}
inline static int32_t get_offset_of__fcDepth_3() { return static_cast<int32_t>(offsetof(RegexFCD_tF50EFB93429390CF2488DAB5FD07DE6E48F1CDBF, ____fcDepth_3)); }
inline int32_t get__fcDepth_3() const { return ____fcDepth_3; }
inline int32_t* get_address_of__fcDepth_3() { return &____fcDepth_3; }
inline void set__fcDepth_3(int32_t value)
{
____fcDepth_3 = value;
}
inline static int32_t get_offset_of__skipAllChildren_4() { return static_cast<int32_t>(offsetof(RegexFCD_tF50EFB93429390CF2488DAB5FD07DE6E48F1CDBF, ____skipAllChildren_4)); }
inline bool get__skipAllChildren_4() const { return ____skipAllChildren_4; }
inline bool* get_address_of__skipAllChildren_4() { return &____skipAllChildren_4; }
inline void set__skipAllChildren_4(bool value)
{
____skipAllChildren_4 = value;
}
inline static int32_t get_offset_of__skipchild_5() { return static_cast<int32_t>(offsetof(RegexFCD_tF50EFB93429390CF2488DAB5FD07DE6E48F1CDBF, ____skipchild_5)); }
inline bool get__skipchild_5() const { return ____skipchild_5; }
inline bool* get_address_of__skipchild_5() { return &____skipchild_5; }
inline void set__skipchild_5(bool value)
{
____skipchild_5 = value;
}
inline static int32_t get_offset_of__failed_6() { return static_cast<int32_t>(offsetof(RegexFCD_tF50EFB93429390CF2488DAB5FD07DE6E48F1CDBF, ____failed_6)); }
inline bool get__failed_6() const { return ____failed_6; }
inline bool* get_address_of__failed_6() { return &____failed_6; }
inline void set__failed_6(bool value)
{
____failed_6 = value;
}
};
// System.Text.RegularExpressions.RegexPrefix
struct RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301 : public RuntimeObject
{
public:
// System.String System.Text.RegularExpressions.RegexPrefix::_prefix
String_t* ____prefix_0;
// System.Boolean System.Text.RegularExpressions.RegexPrefix::_caseInsensitive
bool ____caseInsensitive_1;
public:
inline static int32_t get_offset_of__prefix_0() { return static_cast<int32_t>(offsetof(RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301, ____prefix_0)); }
inline String_t* get__prefix_0() const { return ____prefix_0; }
inline String_t** get_address_of__prefix_0() { return &____prefix_0; }
inline void set__prefix_0(String_t* value)
{
____prefix_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____prefix_0), (void*)value);
}
inline static int32_t get_offset_of__caseInsensitive_1() { return static_cast<int32_t>(offsetof(RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301, ____caseInsensitive_1)); }
inline bool get__caseInsensitive_1() const { return ____caseInsensitive_1; }
inline bool* get_address_of__caseInsensitive_1() { return &____caseInsensitive_1; }
inline void set__caseInsensitive_1(bool value)
{
____caseInsensitive_1 = value;
}
};
struct RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301_StaticFields
{
public:
// System.Text.RegularExpressions.RegexPrefix System.Text.RegularExpressions.RegexPrefix::_empty
RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301 * ____empty_2;
public:
inline static int32_t get_offset_of__empty_2() { return static_cast<int32_t>(offsetof(RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301_StaticFields, ____empty_2)); }
inline RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301 * get__empty_2() const { return ____empty_2; }
inline RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301 ** get_address_of__empty_2() { return &____empty_2; }
inline void set__empty_2(RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301 * value)
{
____empty_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____empty_2), (void*)value);
}
};
// System.Text.RegularExpressions.RegexReplacement
struct RegexReplacement_tA7DE3492BBDE988EF1C93CB8F71CF01A4C1D9A32 : public RuntimeObject
{
public:
// System.String System.Text.RegularExpressions.RegexReplacement::_rep
String_t* ____rep_0;
// System.Collections.Generic.List`1<System.String> System.Text.RegularExpressions.RegexReplacement::_strings
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ____strings_1;
// System.Collections.Generic.List`1<System.Int32> System.Text.RegularExpressions.RegexReplacement::_rules
List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * ____rules_2;
public:
inline static int32_t get_offset_of__rep_0() { return static_cast<int32_t>(offsetof(RegexReplacement_tA7DE3492BBDE988EF1C93CB8F71CF01A4C1D9A32, ____rep_0)); }
inline String_t* get__rep_0() const { return ____rep_0; }
inline String_t** get_address_of__rep_0() { return &____rep_0; }
inline void set__rep_0(String_t* value)
{
____rep_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____rep_0), (void*)value);
}
inline static int32_t get_offset_of__strings_1() { return static_cast<int32_t>(offsetof(RegexReplacement_tA7DE3492BBDE988EF1C93CB8F71CF01A4C1D9A32, ____strings_1)); }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * get__strings_1() const { return ____strings_1; }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 ** get_address_of__strings_1() { return &____strings_1; }
inline void set__strings_1(List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * value)
{
____strings_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____strings_1), (void*)value);
}
inline static int32_t get_offset_of__rules_2() { return static_cast<int32_t>(offsetof(RegexReplacement_tA7DE3492BBDE988EF1C93CB8F71CF01A4C1D9A32, ____rules_2)); }
inline List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * get__rules_2() const { return ____rules_2; }
inline List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 ** get_address_of__rules_2() { return &____rules_2; }
inline void set__rules_2(List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * value)
{
____rules_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____rules_2), (void*)value);
}
};
// System.Text.RegularExpressions.RegexRunner
struct RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934 : public RuntimeObject
{
public:
// System.Int32 System.Text.RegularExpressions.RegexRunner::runtextbeg
int32_t ___runtextbeg_0;
// System.Int32 System.Text.RegularExpressions.RegexRunner::runtextend
int32_t ___runtextend_1;
// System.Int32 System.Text.RegularExpressions.RegexRunner::runtextstart
int32_t ___runtextstart_2;
// System.String System.Text.RegularExpressions.RegexRunner::runtext
String_t* ___runtext_3;
// System.Int32 System.Text.RegularExpressions.RegexRunner::runtextpos
int32_t ___runtextpos_4;
// System.Int32[] System.Text.RegularExpressions.RegexRunner::runtrack
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___runtrack_5;
// System.Int32 System.Text.RegularExpressions.RegexRunner::runtrackpos
int32_t ___runtrackpos_6;
// System.Int32[] System.Text.RegularExpressions.RegexRunner::runstack
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___runstack_7;
// System.Int32 System.Text.RegularExpressions.RegexRunner::runstackpos
int32_t ___runstackpos_8;
// System.Int32[] System.Text.RegularExpressions.RegexRunner::runcrawl
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___runcrawl_9;
// System.Int32 System.Text.RegularExpressions.RegexRunner::runcrawlpos
int32_t ___runcrawlpos_10;
// System.Int32 System.Text.RegularExpressions.RegexRunner::runtrackcount
int32_t ___runtrackcount_11;
// System.Text.RegularExpressions.Match System.Text.RegularExpressions.RegexRunner::runmatch
Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B * ___runmatch_12;
// System.Text.RegularExpressions.Regex System.Text.RegularExpressions.RegexRunner::runregex
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * ___runregex_13;
// System.Int32 System.Text.RegularExpressions.RegexRunner::timeout
int32_t ___timeout_14;
// System.Boolean System.Text.RegularExpressions.RegexRunner::ignoreTimeout
bool ___ignoreTimeout_15;
// System.Int32 System.Text.RegularExpressions.RegexRunner::timeoutOccursAt
int32_t ___timeoutOccursAt_16;
// System.Int32 System.Text.RegularExpressions.RegexRunner::timeoutChecksToSkip
int32_t ___timeoutChecksToSkip_18;
public:
inline static int32_t get_offset_of_runtextbeg_0() { return static_cast<int32_t>(offsetof(RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934, ___runtextbeg_0)); }
inline int32_t get_runtextbeg_0() const { return ___runtextbeg_0; }
inline int32_t* get_address_of_runtextbeg_0() { return &___runtextbeg_0; }
inline void set_runtextbeg_0(int32_t value)
{
___runtextbeg_0 = value;
}
inline static int32_t get_offset_of_runtextend_1() { return static_cast<int32_t>(offsetof(RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934, ___runtextend_1)); }
inline int32_t get_runtextend_1() const { return ___runtextend_1; }
inline int32_t* get_address_of_runtextend_1() { return &___runtextend_1; }
inline void set_runtextend_1(int32_t value)
{
___runtextend_1 = value;
}
inline static int32_t get_offset_of_runtextstart_2() { return static_cast<int32_t>(offsetof(RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934, ___runtextstart_2)); }
inline int32_t get_runtextstart_2() const { return ___runtextstart_2; }
inline int32_t* get_address_of_runtextstart_2() { return &___runtextstart_2; }
inline void set_runtextstart_2(int32_t value)
{
___runtextstart_2 = value;
}
inline static int32_t get_offset_of_runtext_3() { return static_cast<int32_t>(offsetof(RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934, ___runtext_3)); }
inline String_t* get_runtext_3() const { return ___runtext_3; }
inline String_t** get_address_of_runtext_3() { return &___runtext_3; }
inline void set_runtext_3(String_t* value)
{
___runtext_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___runtext_3), (void*)value);
}
inline static int32_t get_offset_of_runtextpos_4() { return static_cast<int32_t>(offsetof(RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934, ___runtextpos_4)); }
inline int32_t get_runtextpos_4() const { return ___runtextpos_4; }
inline int32_t* get_address_of_runtextpos_4() { return &___runtextpos_4; }
inline void set_runtextpos_4(int32_t value)
{
___runtextpos_4 = value;
}
inline static int32_t get_offset_of_runtrack_5() { return static_cast<int32_t>(offsetof(RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934, ___runtrack_5)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_runtrack_5() const { return ___runtrack_5; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_runtrack_5() { return &___runtrack_5; }
inline void set_runtrack_5(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___runtrack_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___runtrack_5), (void*)value);
}
inline static int32_t get_offset_of_runtrackpos_6() { return static_cast<int32_t>(offsetof(RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934, ___runtrackpos_6)); }
inline int32_t get_runtrackpos_6() const { return ___runtrackpos_6; }
inline int32_t* get_address_of_runtrackpos_6() { return &___runtrackpos_6; }
inline void set_runtrackpos_6(int32_t value)
{
___runtrackpos_6 = value;
}
inline static int32_t get_offset_of_runstack_7() { return static_cast<int32_t>(offsetof(RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934, ___runstack_7)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_runstack_7() const { return ___runstack_7; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_runstack_7() { return &___runstack_7; }
inline void set_runstack_7(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___runstack_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___runstack_7), (void*)value);
}
inline static int32_t get_offset_of_runstackpos_8() { return static_cast<int32_t>(offsetof(RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934, ___runstackpos_8)); }
inline int32_t get_runstackpos_8() const { return ___runstackpos_8; }
inline int32_t* get_address_of_runstackpos_8() { return &___runstackpos_8; }
inline void set_runstackpos_8(int32_t value)
{
___runstackpos_8 = value;
}
inline static int32_t get_offset_of_runcrawl_9() { return static_cast<int32_t>(offsetof(RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934, ___runcrawl_9)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_runcrawl_9() const { return ___runcrawl_9; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_runcrawl_9() { return &___runcrawl_9; }
inline void set_runcrawl_9(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___runcrawl_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___runcrawl_9), (void*)value);
}
inline static int32_t get_offset_of_runcrawlpos_10() { return static_cast<int32_t>(offsetof(RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934, ___runcrawlpos_10)); }
inline int32_t get_runcrawlpos_10() const { return ___runcrawlpos_10; }
inline int32_t* get_address_of_runcrawlpos_10() { return &___runcrawlpos_10; }
inline void set_runcrawlpos_10(int32_t value)
{
___runcrawlpos_10 = value;
}
inline static int32_t get_offset_of_runtrackcount_11() { return static_cast<int32_t>(offsetof(RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934, ___runtrackcount_11)); }
inline int32_t get_runtrackcount_11() const { return ___runtrackcount_11; }
inline int32_t* get_address_of_runtrackcount_11() { return &___runtrackcount_11; }
inline void set_runtrackcount_11(int32_t value)
{
___runtrackcount_11 = value;
}
inline static int32_t get_offset_of_runmatch_12() { return static_cast<int32_t>(offsetof(RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934, ___runmatch_12)); }
inline Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B * get_runmatch_12() const { return ___runmatch_12; }
inline Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B ** get_address_of_runmatch_12() { return &___runmatch_12; }
inline void set_runmatch_12(Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B * value)
{
___runmatch_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___runmatch_12), (void*)value);
}
inline static int32_t get_offset_of_runregex_13() { return static_cast<int32_t>(offsetof(RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934, ___runregex_13)); }
inline Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * get_runregex_13() const { return ___runregex_13; }
inline Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F ** get_address_of_runregex_13() { return &___runregex_13; }
inline void set_runregex_13(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * value)
{
___runregex_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___runregex_13), (void*)value);
}
inline static int32_t get_offset_of_timeout_14() { return static_cast<int32_t>(offsetof(RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934, ___timeout_14)); }
inline int32_t get_timeout_14() const { return ___timeout_14; }
inline int32_t* get_address_of_timeout_14() { return &___timeout_14; }
inline void set_timeout_14(int32_t value)
{
___timeout_14 = value;
}
inline static int32_t get_offset_of_ignoreTimeout_15() { return static_cast<int32_t>(offsetof(RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934, ___ignoreTimeout_15)); }
inline bool get_ignoreTimeout_15() const { return ___ignoreTimeout_15; }
inline bool* get_address_of_ignoreTimeout_15() { return &___ignoreTimeout_15; }
inline void set_ignoreTimeout_15(bool value)
{
___ignoreTimeout_15 = value;
}
inline static int32_t get_offset_of_timeoutOccursAt_16() { return static_cast<int32_t>(offsetof(RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934, ___timeoutOccursAt_16)); }
inline int32_t get_timeoutOccursAt_16() const { return ___timeoutOccursAt_16; }
inline int32_t* get_address_of_timeoutOccursAt_16() { return &___timeoutOccursAt_16; }
inline void set_timeoutOccursAt_16(int32_t value)
{
___timeoutOccursAt_16 = value;
}
inline static int32_t get_offset_of_timeoutChecksToSkip_18() { return static_cast<int32_t>(offsetof(RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934, ___timeoutChecksToSkip_18)); }
inline int32_t get_timeoutChecksToSkip_18() const { return ___timeoutChecksToSkip_18; }
inline int32_t* get_address_of_timeoutChecksToSkip_18() { return &___timeoutChecksToSkip_18; }
inline void set_timeoutChecksToSkip_18(int32_t value)
{
___timeoutChecksToSkip_18 = value;
}
};
// System.Text.RegularExpressions.RegexRunnerFactory
struct RegexRunnerFactory_tA425EC5DC77FC0AAD86EB116E5483E94679CAA96 : public RuntimeObject
{
public:
public:
};
// System.Text.RegularExpressions.RegexWriter
struct RegexWriter_t958027B0548A09589F03657633037085BACFC7B5 : public RuntimeObject
{
public:
// System.Int32[] System.Text.RegularExpressions.RegexWriter::_intStack
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ____intStack_0;
// System.Int32 System.Text.RegularExpressions.RegexWriter::_depth
int32_t ____depth_1;
// System.Int32[] System.Text.RegularExpressions.RegexWriter::_emitted
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ____emitted_2;
// System.Int32 System.Text.RegularExpressions.RegexWriter::_curpos
int32_t ____curpos_3;
// System.Collections.Generic.Dictionary`2<System.String,System.Int32> System.Text.RegularExpressions.RegexWriter::_stringhash
Dictionary_2_tC94E9875910491F8130C2DC8B11E4D1548A55162 * ____stringhash_4;
// System.Collections.Generic.List`1<System.String> System.Text.RegularExpressions.RegexWriter::_stringtable
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ____stringtable_5;
// System.Boolean System.Text.RegularExpressions.RegexWriter::_counting
bool ____counting_6;
// System.Int32 System.Text.RegularExpressions.RegexWriter::_count
int32_t ____count_7;
// System.Int32 System.Text.RegularExpressions.RegexWriter::_trackcount
int32_t ____trackcount_8;
// System.Collections.Hashtable System.Text.RegularExpressions.RegexWriter::_caps
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ____caps_9;
public:
inline static int32_t get_offset_of__intStack_0() { return static_cast<int32_t>(offsetof(RegexWriter_t958027B0548A09589F03657633037085BACFC7B5, ____intStack_0)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get__intStack_0() const { return ____intStack_0; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of__intStack_0() { return &____intStack_0; }
inline void set__intStack_0(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
____intStack_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____intStack_0), (void*)value);
}
inline static int32_t get_offset_of__depth_1() { return static_cast<int32_t>(offsetof(RegexWriter_t958027B0548A09589F03657633037085BACFC7B5, ____depth_1)); }
inline int32_t get__depth_1() const { return ____depth_1; }
inline int32_t* get_address_of__depth_1() { return &____depth_1; }
inline void set__depth_1(int32_t value)
{
____depth_1 = value;
}
inline static int32_t get_offset_of__emitted_2() { return static_cast<int32_t>(offsetof(RegexWriter_t958027B0548A09589F03657633037085BACFC7B5, ____emitted_2)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get__emitted_2() const { return ____emitted_2; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of__emitted_2() { return &____emitted_2; }
inline void set__emitted_2(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
____emitted_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____emitted_2), (void*)value);
}
inline static int32_t get_offset_of__curpos_3() { return static_cast<int32_t>(offsetof(RegexWriter_t958027B0548A09589F03657633037085BACFC7B5, ____curpos_3)); }
inline int32_t get__curpos_3() const { return ____curpos_3; }
inline int32_t* get_address_of__curpos_3() { return &____curpos_3; }
inline void set__curpos_3(int32_t value)
{
____curpos_3 = value;
}
inline static int32_t get_offset_of__stringhash_4() { return static_cast<int32_t>(offsetof(RegexWriter_t958027B0548A09589F03657633037085BACFC7B5, ____stringhash_4)); }
inline Dictionary_2_tC94E9875910491F8130C2DC8B11E4D1548A55162 * get__stringhash_4() const { return ____stringhash_4; }
inline Dictionary_2_tC94E9875910491F8130C2DC8B11E4D1548A55162 ** get_address_of__stringhash_4() { return &____stringhash_4; }
inline void set__stringhash_4(Dictionary_2_tC94E9875910491F8130C2DC8B11E4D1548A55162 * value)
{
____stringhash_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____stringhash_4), (void*)value);
}
inline static int32_t get_offset_of__stringtable_5() { return static_cast<int32_t>(offsetof(RegexWriter_t958027B0548A09589F03657633037085BACFC7B5, ____stringtable_5)); }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * get__stringtable_5() const { return ____stringtable_5; }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 ** get_address_of__stringtable_5() { return &____stringtable_5; }
inline void set__stringtable_5(List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * value)
{
____stringtable_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____stringtable_5), (void*)value);
}
inline static int32_t get_offset_of__counting_6() { return static_cast<int32_t>(offsetof(RegexWriter_t958027B0548A09589F03657633037085BACFC7B5, ____counting_6)); }
inline bool get__counting_6() const { return ____counting_6; }
inline bool* get_address_of__counting_6() { return &____counting_6; }
inline void set__counting_6(bool value)
{
____counting_6 = value;
}
inline static int32_t get_offset_of__count_7() { return static_cast<int32_t>(offsetof(RegexWriter_t958027B0548A09589F03657633037085BACFC7B5, ____count_7)); }
inline int32_t get__count_7() const { return ____count_7; }
inline int32_t* get_address_of__count_7() { return &____count_7; }
inline void set__count_7(int32_t value)
{
____count_7 = value;
}
inline static int32_t get_offset_of__trackcount_8() { return static_cast<int32_t>(offsetof(RegexWriter_t958027B0548A09589F03657633037085BACFC7B5, ____trackcount_8)); }
inline int32_t get__trackcount_8() const { return ____trackcount_8; }
inline int32_t* get_address_of__trackcount_8() { return &____trackcount_8; }
inline void set__trackcount_8(int32_t value)
{
____trackcount_8 = value;
}
inline static int32_t get_offset_of__caps_9() { return static_cast<int32_t>(offsetof(RegexWriter_t958027B0548A09589F03657633037085BACFC7B5, ____caps_9)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get__caps_9() const { return ____caps_9; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of__caps_9() { return &____caps_9; }
inline void set__caps_9(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
____caps_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&____caps_9), (void*)value);
}
};
// System.Globalization.RegionInfo
struct RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A : public RuntimeObject
{
public:
// System.Int32 System.Globalization.RegionInfo::regionId
int32_t ___regionId_1;
// System.String System.Globalization.RegionInfo::iso2Name
String_t* ___iso2Name_2;
// System.String System.Globalization.RegionInfo::iso3Name
String_t* ___iso3Name_3;
// System.String System.Globalization.RegionInfo::win3Name
String_t* ___win3Name_4;
// System.String System.Globalization.RegionInfo::englishName
String_t* ___englishName_5;
// System.String System.Globalization.RegionInfo::nativeName
String_t* ___nativeName_6;
// System.String System.Globalization.RegionInfo::currencySymbol
String_t* ___currencySymbol_7;
// System.String System.Globalization.RegionInfo::isoCurrencySymbol
String_t* ___isoCurrencySymbol_8;
// System.String System.Globalization.RegionInfo::currencyEnglishName
String_t* ___currencyEnglishName_9;
// System.String System.Globalization.RegionInfo::currencyNativeName
String_t* ___currencyNativeName_10;
public:
inline static int32_t get_offset_of_regionId_1() { return static_cast<int32_t>(offsetof(RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A, ___regionId_1)); }
inline int32_t get_regionId_1() const { return ___regionId_1; }
inline int32_t* get_address_of_regionId_1() { return &___regionId_1; }
inline void set_regionId_1(int32_t value)
{
___regionId_1 = value;
}
inline static int32_t get_offset_of_iso2Name_2() { return static_cast<int32_t>(offsetof(RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A, ___iso2Name_2)); }
inline String_t* get_iso2Name_2() const { return ___iso2Name_2; }
inline String_t** get_address_of_iso2Name_2() { return &___iso2Name_2; }
inline void set_iso2Name_2(String_t* value)
{
___iso2Name_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___iso2Name_2), (void*)value);
}
inline static int32_t get_offset_of_iso3Name_3() { return static_cast<int32_t>(offsetof(RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A, ___iso3Name_3)); }
inline String_t* get_iso3Name_3() const { return ___iso3Name_3; }
inline String_t** get_address_of_iso3Name_3() { return &___iso3Name_3; }
inline void set_iso3Name_3(String_t* value)
{
___iso3Name_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___iso3Name_3), (void*)value);
}
inline static int32_t get_offset_of_win3Name_4() { return static_cast<int32_t>(offsetof(RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A, ___win3Name_4)); }
inline String_t* get_win3Name_4() const { return ___win3Name_4; }
inline String_t** get_address_of_win3Name_4() { return &___win3Name_4; }
inline void set_win3Name_4(String_t* value)
{
___win3Name_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___win3Name_4), (void*)value);
}
inline static int32_t get_offset_of_englishName_5() { return static_cast<int32_t>(offsetof(RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A, ___englishName_5)); }
inline String_t* get_englishName_5() const { return ___englishName_5; }
inline String_t** get_address_of_englishName_5() { return &___englishName_5; }
inline void set_englishName_5(String_t* value)
{
___englishName_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___englishName_5), (void*)value);
}
inline static int32_t get_offset_of_nativeName_6() { return static_cast<int32_t>(offsetof(RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A, ___nativeName_6)); }
inline String_t* get_nativeName_6() const { return ___nativeName_6; }
inline String_t** get_address_of_nativeName_6() { return &___nativeName_6; }
inline void set_nativeName_6(String_t* value)
{
___nativeName_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___nativeName_6), (void*)value);
}
inline static int32_t get_offset_of_currencySymbol_7() { return static_cast<int32_t>(offsetof(RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A, ___currencySymbol_7)); }
inline String_t* get_currencySymbol_7() const { return ___currencySymbol_7; }
inline String_t** get_address_of_currencySymbol_7() { return &___currencySymbol_7; }
inline void set_currencySymbol_7(String_t* value)
{
___currencySymbol_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currencySymbol_7), (void*)value);
}
inline static int32_t get_offset_of_isoCurrencySymbol_8() { return static_cast<int32_t>(offsetof(RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A, ___isoCurrencySymbol_8)); }
inline String_t* get_isoCurrencySymbol_8() const { return ___isoCurrencySymbol_8; }
inline String_t** get_address_of_isoCurrencySymbol_8() { return &___isoCurrencySymbol_8; }
inline void set_isoCurrencySymbol_8(String_t* value)
{
___isoCurrencySymbol_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___isoCurrencySymbol_8), (void*)value);
}
inline static int32_t get_offset_of_currencyEnglishName_9() { return static_cast<int32_t>(offsetof(RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A, ___currencyEnglishName_9)); }
inline String_t* get_currencyEnglishName_9() const { return ___currencyEnglishName_9; }
inline String_t** get_address_of_currencyEnglishName_9() { return &___currencyEnglishName_9; }
inline void set_currencyEnglishName_9(String_t* value)
{
___currencyEnglishName_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currencyEnglishName_9), (void*)value);
}
inline static int32_t get_offset_of_currencyNativeName_10() { return static_cast<int32_t>(offsetof(RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A, ___currencyNativeName_10)); }
inline String_t* get_currencyNativeName_10() const { return ___currencyNativeName_10; }
inline String_t** get_address_of_currencyNativeName_10() { return &___currencyNativeName_10; }
inline void set_currencyNativeName_10(String_t* value)
{
___currencyNativeName_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currencyNativeName_10), (void*)value);
}
};
struct RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A_StaticFields
{
public:
// System.Globalization.RegionInfo System.Globalization.RegionInfo::currentRegion
RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A * ___currentRegion_0;
public:
inline static int32_t get_offset_of_currentRegion_0() { return static_cast<int32_t>(offsetof(RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A_StaticFields, ___currentRegion_0)); }
inline RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A * get_currentRegion_0() const { return ___currentRegion_0; }
inline RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A ** get_address_of_currentRegion_0() { return &___currentRegion_0; }
inline void set_currentRegion_0(RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A * value)
{
___currentRegion_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currentRegion_0), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Globalization.RegionInfo
struct RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A_marshaled_pinvoke
{
int32_t ___regionId_1;
char* ___iso2Name_2;
char* ___iso3Name_3;
char* ___win3Name_4;
char* ___englishName_5;
char* ___nativeName_6;
char* ___currencySymbol_7;
char* ___isoCurrencySymbol_8;
char* ___currencyEnglishName_9;
char* ___currencyNativeName_10;
};
// Native definition for COM marshalling of System.Globalization.RegionInfo
struct RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A_marshaled_com
{
int32_t ___regionId_1;
Il2CppChar* ___iso2Name_2;
Il2CppChar* ___iso3Name_3;
Il2CppChar* ___win3Name_4;
Il2CppChar* ___englishName_5;
Il2CppChar* ___nativeName_6;
Il2CppChar* ___currencySymbol_7;
Il2CppChar* ___isoCurrencySymbol_8;
Il2CppChar* ___currencyEnglishName_9;
Il2CppChar* ___currencyNativeName_10;
};
// Microsoft.Win32.Registry
struct Registry_tF384B4040EFD1EAD69F4E703381C3DA2D8B81C65 : public RuntimeObject
{
public:
public:
};
struct Registry_tF384B4040EFD1EAD69F4E703381C3DA2D8B81C65_StaticFields
{
public:
// Microsoft.Win32.RegistryKey Microsoft.Win32.Registry::ClassesRoot
RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * ___ClassesRoot_0;
// Microsoft.Win32.RegistryKey Microsoft.Win32.Registry::CurrentConfig
RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * ___CurrentConfig_1;
// Microsoft.Win32.RegistryKey Microsoft.Win32.Registry::CurrentUser
RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * ___CurrentUser_2;
// Microsoft.Win32.RegistryKey Microsoft.Win32.Registry::DynData
RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * ___DynData_3;
// Microsoft.Win32.RegistryKey Microsoft.Win32.Registry::LocalMachine
RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * ___LocalMachine_4;
// Microsoft.Win32.RegistryKey Microsoft.Win32.Registry::PerformanceData
RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * ___PerformanceData_5;
// Microsoft.Win32.RegistryKey Microsoft.Win32.Registry::Users
RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * ___Users_6;
public:
inline static int32_t get_offset_of_ClassesRoot_0() { return static_cast<int32_t>(offsetof(Registry_tF384B4040EFD1EAD69F4E703381C3DA2D8B81C65_StaticFields, ___ClassesRoot_0)); }
inline RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * get_ClassesRoot_0() const { return ___ClassesRoot_0; }
inline RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 ** get_address_of_ClassesRoot_0() { return &___ClassesRoot_0; }
inline void set_ClassesRoot_0(RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * value)
{
___ClassesRoot_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ClassesRoot_0), (void*)value);
}
inline static int32_t get_offset_of_CurrentConfig_1() { return static_cast<int32_t>(offsetof(Registry_tF384B4040EFD1EAD69F4E703381C3DA2D8B81C65_StaticFields, ___CurrentConfig_1)); }
inline RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * get_CurrentConfig_1() const { return ___CurrentConfig_1; }
inline RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 ** get_address_of_CurrentConfig_1() { return &___CurrentConfig_1; }
inline void set_CurrentConfig_1(RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * value)
{
___CurrentConfig_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___CurrentConfig_1), (void*)value);
}
inline static int32_t get_offset_of_CurrentUser_2() { return static_cast<int32_t>(offsetof(Registry_tF384B4040EFD1EAD69F4E703381C3DA2D8B81C65_StaticFields, ___CurrentUser_2)); }
inline RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * get_CurrentUser_2() const { return ___CurrentUser_2; }
inline RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 ** get_address_of_CurrentUser_2() { return &___CurrentUser_2; }
inline void set_CurrentUser_2(RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * value)
{
___CurrentUser_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___CurrentUser_2), (void*)value);
}
inline static int32_t get_offset_of_DynData_3() { return static_cast<int32_t>(offsetof(Registry_tF384B4040EFD1EAD69F4E703381C3DA2D8B81C65_StaticFields, ___DynData_3)); }
inline RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * get_DynData_3() const { return ___DynData_3; }
inline RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 ** get_address_of_DynData_3() { return &___DynData_3; }
inline void set_DynData_3(RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * value)
{
___DynData_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DynData_3), (void*)value);
}
inline static int32_t get_offset_of_LocalMachine_4() { return static_cast<int32_t>(offsetof(Registry_tF384B4040EFD1EAD69F4E703381C3DA2D8B81C65_StaticFields, ___LocalMachine_4)); }
inline RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * get_LocalMachine_4() const { return ___LocalMachine_4; }
inline RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 ** get_address_of_LocalMachine_4() { return &___LocalMachine_4; }
inline void set_LocalMachine_4(RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * value)
{
___LocalMachine_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___LocalMachine_4), (void*)value);
}
inline static int32_t get_offset_of_PerformanceData_5() { return static_cast<int32_t>(offsetof(Registry_tF384B4040EFD1EAD69F4E703381C3DA2D8B81C65_StaticFields, ___PerformanceData_5)); }
inline RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * get_PerformanceData_5() const { return ___PerformanceData_5; }
inline RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 ** get_address_of_PerformanceData_5() { return &___PerformanceData_5; }
inline void set_PerformanceData_5(RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * value)
{
___PerformanceData_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PerformanceData_5), (void*)value);
}
inline static int32_t get_offset_of_Users_6() { return static_cast<int32_t>(offsetof(Registry_tF384B4040EFD1EAD69F4E703381C3DA2D8B81C65_StaticFields, ___Users_6)); }
inline RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * get_Users_6() const { return ___Users_6; }
inline RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 ** get_address_of_Users_6() { return &___Users_6; }
inline void set_Users_6(RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * value)
{
___Users_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Users_6), (void*)value);
}
};
// Microsoft.Win32.RegistryKeyComparer
struct RegistryKeyComparer_t76F1E0DB03CDF4EBDC550475175DB5068DA97AD3 : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.RemotingConfiguration
struct RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5 : public RuntimeObject
{
public:
public:
};
struct RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields
{
public:
// System.String System.Runtime.Remoting.RemotingConfiguration::applicationID
String_t* ___applicationID_0;
// System.String System.Runtime.Remoting.RemotingConfiguration::applicationName
String_t* ___applicationName_1;
// System.String System.Runtime.Remoting.RemotingConfiguration::processGuid
String_t* ___processGuid_2;
// System.Boolean System.Runtime.Remoting.RemotingConfiguration::defaultConfigRead
bool ___defaultConfigRead_3;
// System.Boolean System.Runtime.Remoting.RemotingConfiguration::defaultDelayedConfigRead
bool ___defaultDelayedConfigRead_4;
// System.String System.Runtime.Remoting.RemotingConfiguration::_errorMode
String_t* ____errorMode_5;
// System.Collections.Hashtable System.Runtime.Remoting.RemotingConfiguration::wellKnownClientEntries
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___wellKnownClientEntries_6;
// System.Collections.Hashtable System.Runtime.Remoting.RemotingConfiguration::activatedClientEntries
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___activatedClientEntries_7;
// System.Collections.Hashtable System.Runtime.Remoting.RemotingConfiguration::wellKnownServiceEntries
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___wellKnownServiceEntries_8;
// System.Collections.Hashtable System.Runtime.Remoting.RemotingConfiguration::activatedServiceEntries
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___activatedServiceEntries_9;
// System.Collections.Hashtable System.Runtime.Remoting.RemotingConfiguration::channelTemplates
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___channelTemplates_10;
// System.Collections.Hashtable System.Runtime.Remoting.RemotingConfiguration::clientProviderTemplates
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___clientProviderTemplates_11;
// System.Collections.Hashtable System.Runtime.Remoting.RemotingConfiguration::serverProviderTemplates
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___serverProviderTemplates_12;
public:
inline static int32_t get_offset_of_applicationID_0() { return static_cast<int32_t>(offsetof(RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields, ___applicationID_0)); }
inline String_t* get_applicationID_0() const { return ___applicationID_0; }
inline String_t** get_address_of_applicationID_0() { return &___applicationID_0; }
inline void set_applicationID_0(String_t* value)
{
___applicationID_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___applicationID_0), (void*)value);
}
inline static int32_t get_offset_of_applicationName_1() { return static_cast<int32_t>(offsetof(RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields, ___applicationName_1)); }
inline String_t* get_applicationName_1() const { return ___applicationName_1; }
inline String_t** get_address_of_applicationName_1() { return &___applicationName_1; }
inline void set_applicationName_1(String_t* value)
{
___applicationName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___applicationName_1), (void*)value);
}
inline static int32_t get_offset_of_processGuid_2() { return static_cast<int32_t>(offsetof(RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields, ___processGuid_2)); }
inline String_t* get_processGuid_2() const { return ___processGuid_2; }
inline String_t** get_address_of_processGuid_2() { return &___processGuid_2; }
inline void set_processGuid_2(String_t* value)
{
___processGuid_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___processGuid_2), (void*)value);
}
inline static int32_t get_offset_of_defaultConfigRead_3() { return static_cast<int32_t>(offsetof(RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields, ___defaultConfigRead_3)); }
inline bool get_defaultConfigRead_3() const { return ___defaultConfigRead_3; }
inline bool* get_address_of_defaultConfigRead_3() { return &___defaultConfigRead_3; }
inline void set_defaultConfigRead_3(bool value)
{
___defaultConfigRead_3 = value;
}
inline static int32_t get_offset_of_defaultDelayedConfigRead_4() { return static_cast<int32_t>(offsetof(RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields, ___defaultDelayedConfigRead_4)); }
inline bool get_defaultDelayedConfigRead_4() const { return ___defaultDelayedConfigRead_4; }
inline bool* get_address_of_defaultDelayedConfigRead_4() { return &___defaultDelayedConfigRead_4; }
inline void set_defaultDelayedConfigRead_4(bool value)
{
___defaultDelayedConfigRead_4 = value;
}
inline static int32_t get_offset_of__errorMode_5() { return static_cast<int32_t>(offsetof(RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields, ____errorMode_5)); }
inline String_t* get__errorMode_5() const { return ____errorMode_5; }
inline String_t** get_address_of__errorMode_5() { return &____errorMode_5; }
inline void set__errorMode_5(String_t* value)
{
____errorMode_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____errorMode_5), (void*)value);
}
inline static int32_t get_offset_of_wellKnownClientEntries_6() { return static_cast<int32_t>(offsetof(RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields, ___wellKnownClientEntries_6)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_wellKnownClientEntries_6() const { return ___wellKnownClientEntries_6; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_wellKnownClientEntries_6() { return &___wellKnownClientEntries_6; }
inline void set_wellKnownClientEntries_6(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___wellKnownClientEntries_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___wellKnownClientEntries_6), (void*)value);
}
inline static int32_t get_offset_of_activatedClientEntries_7() { return static_cast<int32_t>(offsetof(RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields, ___activatedClientEntries_7)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_activatedClientEntries_7() const { return ___activatedClientEntries_7; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_activatedClientEntries_7() { return &___activatedClientEntries_7; }
inline void set_activatedClientEntries_7(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___activatedClientEntries_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___activatedClientEntries_7), (void*)value);
}
inline static int32_t get_offset_of_wellKnownServiceEntries_8() { return static_cast<int32_t>(offsetof(RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields, ___wellKnownServiceEntries_8)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_wellKnownServiceEntries_8() const { return ___wellKnownServiceEntries_8; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_wellKnownServiceEntries_8() { return &___wellKnownServiceEntries_8; }
inline void set_wellKnownServiceEntries_8(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___wellKnownServiceEntries_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___wellKnownServiceEntries_8), (void*)value);
}
inline static int32_t get_offset_of_activatedServiceEntries_9() { return static_cast<int32_t>(offsetof(RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields, ___activatedServiceEntries_9)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_activatedServiceEntries_9() const { return ___activatedServiceEntries_9; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_activatedServiceEntries_9() { return &___activatedServiceEntries_9; }
inline void set_activatedServiceEntries_9(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___activatedServiceEntries_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___activatedServiceEntries_9), (void*)value);
}
inline static int32_t get_offset_of_channelTemplates_10() { return static_cast<int32_t>(offsetof(RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields, ___channelTemplates_10)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_channelTemplates_10() const { return ___channelTemplates_10; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_channelTemplates_10() { return &___channelTemplates_10; }
inline void set_channelTemplates_10(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___channelTemplates_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___channelTemplates_10), (void*)value);
}
inline static int32_t get_offset_of_clientProviderTemplates_11() { return static_cast<int32_t>(offsetof(RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields, ___clientProviderTemplates_11)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_clientProviderTemplates_11() const { return ___clientProviderTemplates_11; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_clientProviderTemplates_11() { return &___clientProviderTemplates_11; }
inline void set_clientProviderTemplates_11(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___clientProviderTemplates_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___clientProviderTemplates_11), (void*)value);
}
inline static int32_t get_offset_of_serverProviderTemplates_12() { return static_cast<int32_t>(offsetof(RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields, ___serverProviderTemplates_12)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_serverProviderTemplates_12() const { return ___serverProviderTemplates_12; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_serverProviderTemplates_12() { return &___serverProviderTemplates_12; }
inline void set_serverProviderTemplates_12(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___serverProviderTemplates_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___serverProviderTemplates_12), (void*)value);
}
};
// System.Runtime.Remoting.RemotingServices
struct RemotingServices_tA253EA010FDD8986A2E814099EAB32BB98652786 : public RuntimeObject
{
public:
public:
};
struct RemotingServices_tA253EA010FDD8986A2E814099EAB32BB98652786_StaticFields
{
public:
// System.Collections.Hashtable System.Runtime.Remoting.RemotingServices::uri_hash
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___uri_hash_0;
// System.Runtime.Serialization.Formatters.Binary.BinaryFormatter System.Runtime.Remoting.RemotingServices::_serializationFormatter
BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55 * ____serializationFormatter_1;
// System.Runtime.Serialization.Formatters.Binary.BinaryFormatter System.Runtime.Remoting.RemotingServices::_deserializationFormatter
BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55 * ____deserializationFormatter_2;
// System.String System.Runtime.Remoting.RemotingServices::app_id
String_t* ___app_id_3;
// System.Object System.Runtime.Remoting.RemotingServices::app_id_lock
RuntimeObject * ___app_id_lock_4;
// System.Int32 System.Runtime.Remoting.RemotingServices::next_id
int32_t ___next_id_5;
// System.Reflection.MethodInfo System.Runtime.Remoting.RemotingServices::FieldSetterMethod
MethodInfo_t * ___FieldSetterMethod_6;
// System.Reflection.MethodInfo System.Runtime.Remoting.RemotingServices::FieldGetterMethod
MethodInfo_t * ___FieldGetterMethod_7;
public:
inline static int32_t get_offset_of_uri_hash_0() { return static_cast<int32_t>(offsetof(RemotingServices_tA253EA010FDD8986A2E814099EAB32BB98652786_StaticFields, ___uri_hash_0)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_uri_hash_0() const { return ___uri_hash_0; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_uri_hash_0() { return &___uri_hash_0; }
inline void set_uri_hash_0(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___uri_hash_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___uri_hash_0), (void*)value);
}
inline static int32_t get_offset_of__serializationFormatter_1() { return static_cast<int32_t>(offsetof(RemotingServices_tA253EA010FDD8986A2E814099EAB32BB98652786_StaticFields, ____serializationFormatter_1)); }
inline BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55 * get__serializationFormatter_1() const { return ____serializationFormatter_1; }
inline BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55 ** get_address_of__serializationFormatter_1() { return &____serializationFormatter_1; }
inline void set__serializationFormatter_1(BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55 * value)
{
____serializationFormatter_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____serializationFormatter_1), (void*)value);
}
inline static int32_t get_offset_of__deserializationFormatter_2() { return static_cast<int32_t>(offsetof(RemotingServices_tA253EA010FDD8986A2E814099EAB32BB98652786_StaticFields, ____deserializationFormatter_2)); }
inline BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55 * get__deserializationFormatter_2() const { return ____deserializationFormatter_2; }
inline BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55 ** get_address_of__deserializationFormatter_2() { return &____deserializationFormatter_2; }
inline void set__deserializationFormatter_2(BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55 * value)
{
____deserializationFormatter_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____deserializationFormatter_2), (void*)value);
}
inline static int32_t get_offset_of_app_id_3() { return static_cast<int32_t>(offsetof(RemotingServices_tA253EA010FDD8986A2E814099EAB32BB98652786_StaticFields, ___app_id_3)); }
inline String_t* get_app_id_3() const { return ___app_id_3; }
inline String_t** get_address_of_app_id_3() { return &___app_id_3; }
inline void set_app_id_3(String_t* value)
{
___app_id_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___app_id_3), (void*)value);
}
inline static int32_t get_offset_of_app_id_lock_4() { return static_cast<int32_t>(offsetof(RemotingServices_tA253EA010FDD8986A2E814099EAB32BB98652786_StaticFields, ___app_id_lock_4)); }
inline RuntimeObject * get_app_id_lock_4() const { return ___app_id_lock_4; }
inline RuntimeObject ** get_address_of_app_id_lock_4() { return &___app_id_lock_4; }
inline void set_app_id_lock_4(RuntimeObject * value)
{
___app_id_lock_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___app_id_lock_4), (void*)value);
}
inline static int32_t get_offset_of_next_id_5() { return static_cast<int32_t>(offsetof(RemotingServices_tA253EA010FDD8986A2E814099EAB32BB98652786_StaticFields, ___next_id_5)); }
inline int32_t get_next_id_5() const { return ___next_id_5; }
inline int32_t* get_address_of_next_id_5() { return &___next_id_5; }
inline void set_next_id_5(int32_t value)
{
___next_id_5 = value;
}
inline static int32_t get_offset_of_FieldSetterMethod_6() { return static_cast<int32_t>(offsetof(RemotingServices_tA253EA010FDD8986A2E814099EAB32BB98652786_StaticFields, ___FieldSetterMethod_6)); }
inline MethodInfo_t * get_FieldSetterMethod_6() const { return ___FieldSetterMethod_6; }
inline MethodInfo_t ** get_address_of_FieldSetterMethod_6() { return &___FieldSetterMethod_6; }
inline void set_FieldSetterMethod_6(MethodInfo_t * value)
{
___FieldSetterMethod_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___FieldSetterMethod_6), (void*)value);
}
inline static int32_t get_offset_of_FieldGetterMethod_7() { return static_cast<int32_t>(offsetof(RemotingServices_tA253EA010FDD8986A2E814099EAB32BB98652786_StaticFields, ___FieldGetterMethod_7)); }
inline MethodInfo_t * get_FieldGetterMethod_7() const { return ___FieldGetterMethod_7; }
inline MethodInfo_t ** get_address_of_FieldGetterMethod_7() { return &___FieldGetterMethod_7; }
inline void set_FieldGetterMethod_7(MethodInfo_t * value)
{
___FieldGetterMethod_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___FieldGetterMethod_7), (void*)value);
}
};
// System.Runtime.Remoting.Messaging.RemotingSurrogate
struct RemotingSurrogate_t4EB3586932A8FD1934D45761A7A411C44595F6EC : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.Messaging.RemotingSurrogateSelector
struct RemotingSurrogateSelector_t1E36D625AE2C1058EA107D872577F1EFD04B5FCA : public RuntimeObject
{
public:
// System.Runtime.Serialization.ISurrogateSelector System.Runtime.Remoting.Messaging.RemotingSurrogateSelector::_next
RuntimeObject* ____next_3;
public:
inline static int32_t get_offset_of__next_3() { return static_cast<int32_t>(offsetof(RemotingSurrogateSelector_t1E36D625AE2C1058EA107D872577F1EFD04B5FCA, ____next_3)); }
inline RuntimeObject* get__next_3() const { return ____next_3; }
inline RuntimeObject** get_address_of__next_3() { return &____next_3; }
inline void set__next_3(RuntimeObject* value)
{
____next_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____next_3), (void*)value);
}
};
struct RemotingSurrogateSelector_t1E36D625AE2C1058EA107D872577F1EFD04B5FCA_StaticFields
{
public:
// System.Type System.Runtime.Remoting.Messaging.RemotingSurrogateSelector::s_cachedTypeObjRef
Type_t * ___s_cachedTypeObjRef_0;
// System.Runtime.Remoting.Messaging.ObjRefSurrogate System.Runtime.Remoting.Messaging.RemotingSurrogateSelector::_objRefSurrogate
ObjRefSurrogate_t7924C0ED9F5EC7E25977237ADC3276383606703F * ____objRefSurrogate_1;
// System.Runtime.Remoting.Messaging.RemotingSurrogate System.Runtime.Remoting.Messaging.RemotingSurrogateSelector::_objRemotingSurrogate
RemotingSurrogate_t4EB3586932A8FD1934D45761A7A411C44595F6EC * ____objRemotingSurrogate_2;
public:
inline static int32_t get_offset_of_s_cachedTypeObjRef_0() { return static_cast<int32_t>(offsetof(RemotingSurrogateSelector_t1E36D625AE2C1058EA107D872577F1EFD04B5FCA_StaticFields, ___s_cachedTypeObjRef_0)); }
inline Type_t * get_s_cachedTypeObjRef_0() const { return ___s_cachedTypeObjRef_0; }
inline Type_t ** get_address_of_s_cachedTypeObjRef_0() { return &___s_cachedTypeObjRef_0; }
inline void set_s_cachedTypeObjRef_0(Type_t * value)
{
___s_cachedTypeObjRef_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_cachedTypeObjRef_0), (void*)value);
}
inline static int32_t get_offset_of__objRefSurrogate_1() { return static_cast<int32_t>(offsetof(RemotingSurrogateSelector_t1E36D625AE2C1058EA107D872577F1EFD04B5FCA_StaticFields, ____objRefSurrogate_1)); }
inline ObjRefSurrogate_t7924C0ED9F5EC7E25977237ADC3276383606703F * get__objRefSurrogate_1() const { return ____objRefSurrogate_1; }
inline ObjRefSurrogate_t7924C0ED9F5EC7E25977237ADC3276383606703F ** get_address_of__objRefSurrogate_1() { return &____objRefSurrogate_1; }
inline void set__objRefSurrogate_1(ObjRefSurrogate_t7924C0ED9F5EC7E25977237ADC3276383606703F * value)
{
____objRefSurrogate_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____objRefSurrogate_1), (void*)value);
}
inline static int32_t get_offset_of__objRemotingSurrogate_2() { return static_cast<int32_t>(offsetof(RemotingSurrogateSelector_t1E36D625AE2C1058EA107D872577F1EFD04B5FCA_StaticFields, ____objRemotingSurrogate_2)); }
inline RemotingSurrogate_t4EB3586932A8FD1934D45761A7A411C44595F6EC * get__objRemotingSurrogate_2() const { return ____objRemotingSurrogate_2; }
inline RemotingSurrogate_t4EB3586932A8FD1934D45761A7A411C44595F6EC ** get_address_of__objRemotingSurrogate_2() { return &____objRemotingSurrogate_2; }
inline void set__objRemotingSurrogate_2(RemotingSurrogate_t4EB3586932A8FD1934D45761A7A411C44595F6EC * value)
{
____objRemotingSurrogate_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____objRemotingSurrogate_2), (void*)value);
}
};
// UnityEngine.Rendering.RenderPipeline
struct RenderPipeline_t55376D7E1AF07ECAED806BE0AD967CD63B498AAA : public RuntimeObject
{
public:
// System.Boolean UnityEngine.Rendering.RenderPipeline::<disposed>k__BackingField
bool ___U3CdisposedU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CdisposedU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(RenderPipeline_t55376D7E1AF07ECAED806BE0AD967CD63B498AAA, ___U3CdisposedU3Ek__BackingField_0)); }
inline bool get_U3CdisposedU3Ek__BackingField_0() const { return ___U3CdisposedU3Ek__BackingField_0; }
inline bool* get_address_of_U3CdisposedU3Ek__BackingField_0() { return &___U3CdisposedU3Ek__BackingField_0; }
inline void set_U3CdisposedU3Ek__BackingField_0(bool value)
{
___U3CdisposedU3Ek__BackingField_0 = value;
}
};
// UnityEngine.Rendering.RenderPipelineManager
struct RenderPipelineManager_t891744C0325329F7FA7C64614C0E3DFF13284AF1 : public RuntimeObject
{
public:
public:
};
struct RenderPipelineManager_t891744C0325329F7FA7C64614C0E3DFF13284AF1_StaticFields
{
public:
// UnityEngine.Rendering.RenderPipelineAsset UnityEngine.Rendering.RenderPipelineManager::s_CurrentPipelineAsset
RenderPipelineAsset_tA4DBD0F0DD583DF3C9F85AF41F49308D167864EF * ___s_CurrentPipelineAsset_0;
// UnityEngine.Camera[] UnityEngine.Rendering.RenderPipelineManager::s_Cameras
CameraU5BU5D_tAF84B9EC9AF40F1B6294BCEBA82A1AD123A9D001* ___s_Cameras_1;
// System.Int32 UnityEngine.Rendering.RenderPipelineManager::s_CameraCapacity
int32_t ___s_CameraCapacity_2;
// UnityEngine.Rendering.RenderPipeline UnityEngine.Rendering.RenderPipelineManager::<currentPipeline>k__BackingField
RenderPipeline_t55376D7E1AF07ECAED806BE0AD967CD63B498AAA * ___U3CcurrentPipelineU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_s_CurrentPipelineAsset_0() { return static_cast<int32_t>(offsetof(RenderPipelineManager_t891744C0325329F7FA7C64614C0E3DFF13284AF1_StaticFields, ___s_CurrentPipelineAsset_0)); }
inline RenderPipelineAsset_tA4DBD0F0DD583DF3C9F85AF41F49308D167864EF * get_s_CurrentPipelineAsset_0() const { return ___s_CurrentPipelineAsset_0; }
inline RenderPipelineAsset_tA4DBD0F0DD583DF3C9F85AF41F49308D167864EF ** get_address_of_s_CurrentPipelineAsset_0() { return &___s_CurrentPipelineAsset_0; }
inline void set_s_CurrentPipelineAsset_0(RenderPipelineAsset_tA4DBD0F0DD583DF3C9F85AF41F49308D167864EF * value)
{
___s_CurrentPipelineAsset_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_CurrentPipelineAsset_0), (void*)value);
}
inline static int32_t get_offset_of_s_Cameras_1() { return static_cast<int32_t>(offsetof(RenderPipelineManager_t891744C0325329F7FA7C64614C0E3DFF13284AF1_StaticFields, ___s_Cameras_1)); }
inline CameraU5BU5D_tAF84B9EC9AF40F1B6294BCEBA82A1AD123A9D001* get_s_Cameras_1() const { return ___s_Cameras_1; }
inline CameraU5BU5D_tAF84B9EC9AF40F1B6294BCEBA82A1AD123A9D001** get_address_of_s_Cameras_1() { return &___s_Cameras_1; }
inline void set_s_Cameras_1(CameraU5BU5D_tAF84B9EC9AF40F1B6294BCEBA82A1AD123A9D001* value)
{
___s_Cameras_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Cameras_1), (void*)value);
}
inline static int32_t get_offset_of_s_CameraCapacity_2() { return static_cast<int32_t>(offsetof(RenderPipelineManager_t891744C0325329F7FA7C64614C0E3DFF13284AF1_StaticFields, ___s_CameraCapacity_2)); }
inline int32_t get_s_CameraCapacity_2() const { return ___s_CameraCapacity_2; }
inline int32_t* get_address_of_s_CameraCapacity_2() { return &___s_CameraCapacity_2; }
inline void set_s_CameraCapacity_2(int32_t value)
{
___s_CameraCapacity_2 = value;
}
inline static int32_t get_offset_of_U3CcurrentPipelineU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(RenderPipelineManager_t891744C0325329F7FA7C64614C0E3DFF13284AF1_StaticFields, ___U3CcurrentPipelineU3Ek__BackingField_3)); }
inline RenderPipeline_t55376D7E1AF07ECAED806BE0AD967CD63B498AAA * get_U3CcurrentPipelineU3Ek__BackingField_3() const { return ___U3CcurrentPipelineU3Ek__BackingField_3; }
inline RenderPipeline_t55376D7E1AF07ECAED806BE0AD967CD63B498AAA ** get_address_of_U3CcurrentPipelineU3Ek__BackingField_3() { return &___U3CcurrentPipelineU3Ek__BackingField_3; }
inline void set_U3CcurrentPipelineU3Ek__BackingField_3(RenderPipeline_t55376D7E1AF07ECAED806BE0AD967CD63B498AAA * value)
{
___U3CcurrentPipelineU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CcurrentPipelineU3Ek__BackingField_3), (void*)value);
}
};
// System.Xml.Res
struct Res_t8707C30091CC714404BA967631E1F74B8ACBB1E4 : public RuntimeObject
{
public:
public:
};
// System.Xml.Linq.Res
struct Res_t63342267B54C7EE35253885BE251951FD78F70C7 : public RuntimeObject
{
public:
public:
};
// UnityEngine.ResourceManagement.ResourceLocations.ResourceLocationBase
struct ResourceLocationBase_t8D6922C4379478D358B8DB8B76ACA9C2AFBFFA8C : public RuntimeObject
{
public:
// System.String UnityEngine.ResourceManagement.ResourceLocations.ResourceLocationBase::m_Name
String_t* ___m_Name_0;
// System.String UnityEngine.ResourceManagement.ResourceLocations.ResourceLocationBase::m_Id
String_t* ___m_Id_1;
// System.String UnityEngine.ResourceManagement.ResourceLocations.ResourceLocationBase::m_ProviderId
String_t* ___m_ProviderId_2;
// System.Object UnityEngine.ResourceManagement.ResourceLocations.ResourceLocationBase::m_Data
RuntimeObject * ___m_Data_3;
// System.Int32 UnityEngine.ResourceManagement.ResourceLocations.ResourceLocationBase::m_DependencyHashCode
int32_t ___m_DependencyHashCode_4;
// System.Int32 UnityEngine.ResourceManagement.ResourceLocations.ResourceLocationBase::m_HashCode
int32_t ___m_HashCode_5;
// System.Type UnityEngine.ResourceManagement.ResourceLocations.ResourceLocationBase::m_Type
Type_t * ___m_Type_6;
// System.Collections.Generic.List`1<UnityEngine.ResourceManagement.ResourceLocations.IResourceLocation> UnityEngine.ResourceManagement.ResourceLocations.ResourceLocationBase::m_Dependencies
List_1_tCC60720586CD8095D9FA65D37104C8CFEFCA0983 * ___m_Dependencies_7;
// System.String UnityEngine.ResourceManagement.ResourceLocations.ResourceLocationBase::m_PrimaryKey
String_t* ___m_PrimaryKey_8;
public:
inline static int32_t get_offset_of_m_Name_0() { return static_cast<int32_t>(offsetof(ResourceLocationBase_t8D6922C4379478D358B8DB8B76ACA9C2AFBFFA8C, ___m_Name_0)); }
inline String_t* get_m_Name_0() const { return ___m_Name_0; }
inline String_t** get_address_of_m_Name_0() { return &___m_Name_0; }
inline void set_m_Name_0(String_t* value)
{
___m_Name_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Name_0), (void*)value);
}
inline static int32_t get_offset_of_m_Id_1() { return static_cast<int32_t>(offsetof(ResourceLocationBase_t8D6922C4379478D358B8DB8B76ACA9C2AFBFFA8C, ___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((void**)(&___m_Id_1), (void*)value);
}
inline static int32_t get_offset_of_m_ProviderId_2() { return static_cast<int32_t>(offsetof(ResourceLocationBase_t8D6922C4379478D358B8DB8B76ACA9C2AFBFFA8C, ___m_ProviderId_2)); }
inline String_t* get_m_ProviderId_2() const { return ___m_ProviderId_2; }
inline String_t** get_address_of_m_ProviderId_2() { return &___m_ProviderId_2; }
inline void set_m_ProviderId_2(String_t* value)
{
___m_ProviderId_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ProviderId_2), (void*)value);
}
inline static int32_t get_offset_of_m_Data_3() { return static_cast<int32_t>(offsetof(ResourceLocationBase_t8D6922C4379478D358B8DB8B76ACA9C2AFBFFA8C, ___m_Data_3)); }
inline RuntimeObject * get_m_Data_3() const { return ___m_Data_3; }
inline RuntimeObject ** get_address_of_m_Data_3() { return &___m_Data_3; }
inline void set_m_Data_3(RuntimeObject * value)
{
___m_Data_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Data_3), (void*)value);
}
inline static int32_t get_offset_of_m_DependencyHashCode_4() { return static_cast<int32_t>(offsetof(ResourceLocationBase_t8D6922C4379478D358B8DB8B76ACA9C2AFBFFA8C, ___m_DependencyHashCode_4)); }
inline int32_t get_m_DependencyHashCode_4() const { return ___m_DependencyHashCode_4; }
inline int32_t* get_address_of_m_DependencyHashCode_4() { return &___m_DependencyHashCode_4; }
inline void set_m_DependencyHashCode_4(int32_t value)
{
___m_DependencyHashCode_4 = value;
}
inline static int32_t get_offset_of_m_HashCode_5() { return static_cast<int32_t>(offsetof(ResourceLocationBase_t8D6922C4379478D358B8DB8B76ACA9C2AFBFFA8C, ___m_HashCode_5)); }
inline int32_t get_m_HashCode_5() const { return ___m_HashCode_5; }
inline int32_t* get_address_of_m_HashCode_5() { return &___m_HashCode_5; }
inline void set_m_HashCode_5(int32_t value)
{
___m_HashCode_5 = value;
}
inline static int32_t get_offset_of_m_Type_6() { return static_cast<int32_t>(offsetof(ResourceLocationBase_t8D6922C4379478D358B8DB8B76ACA9C2AFBFFA8C, ___m_Type_6)); }
inline Type_t * get_m_Type_6() const { return ___m_Type_6; }
inline Type_t ** get_address_of_m_Type_6() { return &___m_Type_6; }
inline void set_m_Type_6(Type_t * value)
{
___m_Type_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Type_6), (void*)value);
}
inline static int32_t get_offset_of_m_Dependencies_7() { return static_cast<int32_t>(offsetof(ResourceLocationBase_t8D6922C4379478D358B8DB8B76ACA9C2AFBFFA8C, ___m_Dependencies_7)); }
inline List_1_tCC60720586CD8095D9FA65D37104C8CFEFCA0983 * get_m_Dependencies_7() const { return ___m_Dependencies_7; }
inline List_1_tCC60720586CD8095D9FA65D37104C8CFEFCA0983 ** get_address_of_m_Dependencies_7() { return &___m_Dependencies_7; }
inline void set_m_Dependencies_7(List_1_tCC60720586CD8095D9FA65D37104C8CFEFCA0983 * value)
{
___m_Dependencies_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Dependencies_7), (void*)value);
}
inline static int32_t get_offset_of_m_PrimaryKey_8() { return static_cast<int32_t>(offsetof(ResourceLocationBase_t8D6922C4379478D358B8DB8B76ACA9C2AFBFFA8C, ___m_PrimaryKey_8)); }
inline String_t* get_m_PrimaryKey_8() const { return ___m_PrimaryKey_8; }
inline String_t** get_address_of_m_PrimaryKey_8() { return &___m_PrimaryKey_8; }
inline void set_m_PrimaryKey_8(String_t* value)
{
___m_PrimaryKey_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PrimaryKey_8), (void*)value);
}
};
// UnityEngine.AddressableAssets.ResourceLocators.ResourceLocationMap
struct ResourceLocationMap_t14A3D5C863FAE0D257213393BC576B3EEF04A6A8 : public RuntimeObject
{
public:
// System.String UnityEngine.AddressableAssets.ResourceLocators.ResourceLocationMap::<LocatorId>k__BackingField
String_t* ___U3CLocatorIdU3Ek__BackingField_0;
// System.Collections.Generic.Dictionary`2<System.Object,System.Collections.Generic.IList`1<UnityEngine.ResourceManagement.ResourceLocations.IResourceLocation>> UnityEngine.AddressableAssets.ResourceLocators.ResourceLocationMap::<Locations>k__BackingField
Dictionary_2_t252CD5F999D800C98B116C8924D98E33812747D6 * ___U3CLocationsU3Ek__BackingField_1;
public:
inline static int32_t get_offset_of_U3CLocatorIdU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(ResourceLocationMap_t14A3D5C863FAE0D257213393BC576B3EEF04A6A8, ___U3CLocatorIdU3Ek__BackingField_0)); }
inline String_t* get_U3CLocatorIdU3Ek__BackingField_0() const { return ___U3CLocatorIdU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CLocatorIdU3Ek__BackingField_0() { return &___U3CLocatorIdU3Ek__BackingField_0; }
inline void set_U3CLocatorIdU3Ek__BackingField_0(String_t* value)
{
___U3CLocatorIdU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CLocatorIdU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CLocationsU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(ResourceLocationMap_t14A3D5C863FAE0D257213393BC576B3EEF04A6A8, ___U3CLocationsU3Ek__BackingField_1)); }
inline Dictionary_2_t252CD5F999D800C98B116C8924D98E33812747D6 * get_U3CLocationsU3Ek__BackingField_1() const { return ___U3CLocationsU3Ek__BackingField_1; }
inline Dictionary_2_t252CD5F999D800C98B116C8924D98E33812747D6 ** get_address_of_U3CLocationsU3Ek__BackingField_1() { return &___U3CLocationsU3Ek__BackingField_1; }
inline void set_U3CLocationsU3Ek__BackingField_1(Dictionary_2_t252CD5F999D800C98B116C8924D98E33812747D6 * value)
{
___U3CLocationsU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CLocationsU3Ek__BackingField_1), (void*)value);
}
};
// UnityEngine.ResourceManagement.ResourceManager
struct ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 : public RuntimeObject
{
public:
// System.Boolean UnityEngine.ResourceManagement.ResourceManager::postProfilerEvents
bool ___postProfilerEvents_0;
// System.Func`2<UnityEngine.ResourceManagement.ResourceLocations.IResourceLocation,System.String> UnityEngine.ResourceManagement.ResourceManager::<InternalIdTransformFunc>k__BackingField
Func_2_t7992B3857C3AFEEE62B2362748CC3BE16829C9E5 * ___U3CInternalIdTransformFuncU3Ek__BackingField_2;
// System.Boolean UnityEngine.ResourceManagement.ResourceManager::CallbackHooksEnabled
bool ___CallbackHooksEnabled_3;
// ListWithEvents`1<UnityEngine.ResourceManagement.ResourceProviders.IResourceProvider> UnityEngine.ResourceManagement.ResourceManager::m_ResourceProviders
ListWithEvents_1_t707B8F8E6EA83D829524975DE2E78802D44D7483 * ___m_ResourceProviders_4;
// UnityEngine.ResourceManagement.Util.IAllocationStrategy UnityEngine.ResourceManagement.ResourceManager::m_allocator
RuntimeObject* ___m_allocator_5;
// ListWithEvents`1<UnityEngine.ResourceManagement.IUpdateReceiver> UnityEngine.ResourceManagement.ResourceManager::m_UpdateReceivers
ListWithEvents_1_t140F58A2A8D19A91538922235BB34676780A1EE2 * ___m_UpdateReceivers_6;
// System.Collections.Generic.List`1<UnityEngine.ResourceManagement.IUpdateReceiver> UnityEngine.ResourceManagement.ResourceManager::m_UpdateReceiversToRemove
List_1_t42B4D8B6A894DBCA2E79764976B98CCC882FB11D * ___m_UpdateReceiversToRemove_7;
// System.Boolean UnityEngine.ResourceManagement.ResourceManager::m_UpdatingReceivers
bool ___m_UpdatingReceivers_8;
// System.Collections.Generic.Dictionary`2<System.Int32,UnityEngine.ResourceManagement.ResourceProviders.IResourceProvider> UnityEngine.ResourceManagement.ResourceManager::m_providerMap
Dictionary_2_t1B2F62A5CB01E356B3C3FDEBB20B967EE7C405C9 * ___m_providerMap_9;
// System.Collections.Generic.Dictionary`2<System.Int32,UnityEngine.ResourceManagement.AsyncOperations.IAsyncOperation> UnityEngine.ResourceManagement.ResourceManager::m_AssetOperationCache
Dictionary_2_tDB75C4D4D0B723B1109A640F97124956AA33BC66 * ___m_AssetOperationCache_10;
// System.Collections.Generic.HashSet`1<UnityEngine.ResourceManagement.ResourceManager/InstanceOperation> UnityEngine.ResourceManagement.ResourceManager::m_TrackedInstanceOperations
HashSet_1_t01433913211306E52271EEE7566976D5EFC46A1D * ___m_TrackedInstanceOperations_11;
// DelegateList`1<System.Single> UnityEngine.ResourceManagement.ResourceManager::m_UpdateCallbacks
DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * ___m_UpdateCallbacks_12;
// System.Collections.Generic.List`1<UnityEngine.ResourceManagement.AsyncOperations.IAsyncOperation> UnityEngine.ResourceManagement.ResourceManager::m_DeferredCompleteCallbacks
List_1_t4C8FFBA32489BE0DA99C242CC428213F33A603C6 * ___m_DeferredCompleteCallbacks_13;
// System.Action`4<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle,UnityEngine.ResourceManagement.ResourceManager/DiagnosticEventType,System.Int32,System.Object> UnityEngine.ResourceManagement.ResourceManager::m_obsoleteDiagnosticsHandler
Action_4_tB83C8F50B5A70EB6ACEFFD5422338AA361EF1148 * ___m_obsoleteDiagnosticsHandler_14;
// System.Action`1<UnityEngine.ResourceManagement.ResourceManager/DiagnosticEventContext> UnityEngine.ResourceManagement.ResourceManager::m_diagnosticsHandler
Action_1_tD61C7D2B046523AB783EBF4D00B665A08F81B609 * ___m_diagnosticsHandler_15;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.IAsyncOperation> UnityEngine.ResourceManagement.ResourceManager::m_ReleaseOpNonCached
Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * ___m_ReleaseOpNonCached_16;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.IAsyncOperation> UnityEngine.ResourceManagement.ResourceManager::m_ReleaseOpCached
Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * ___m_ReleaseOpCached_17;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.IAsyncOperation> UnityEngine.ResourceManagement.ResourceManager::m_ReleaseInstanceOp
Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * ___m_ReleaseInstanceOp_18;
// UnityEngine.Networking.CertificateHandler UnityEngine.ResourceManagement.ResourceManager::<CertificateHandlerInstance>k__BackingField
CertificateHandler_tDA66C86D1302CE4266DBB078361F7A363C7B005E * ___U3CCertificateHandlerInstanceU3Ek__BackingField_21;
// System.Boolean UnityEngine.ResourceManagement.ResourceManager::m_RegisteredForCallbacks
bool ___m_RegisteredForCallbacks_22;
// System.Collections.Generic.Dictionary`2<System.Type,System.Type> UnityEngine.ResourceManagement.ResourceManager::m_ProviderOperationTypeCache
Dictionary_2_tDDE97F4B1F5CCF200FCAA220F329933EA034D506 * ___m_ProviderOperationTypeCache_23;
public:
inline static int32_t get_offset_of_postProfilerEvents_0() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___postProfilerEvents_0)); }
inline bool get_postProfilerEvents_0() const { return ___postProfilerEvents_0; }
inline bool* get_address_of_postProfilerEvents_0() { return &___postProfilerEvents_0; }
inline void set_postProfilerEvents_0(bool value)
{
___postProfilerEvents_0 = value;
}
inline static int32_t get_offset_of_U3CInternalIdTransformFuncU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___U3CInternalIdTransformFuncU3Ek__BackingField_2)); }
inline Func_2_t7992B3857C3AFEEE62B2362748CC3BE16829C9E5 * get_U3CInternalIdTransformFuncU3Ek__BackingField_2() const { return ___U3CInternalIdTransformFuncU3Ek__BackingField_2; }
inline Func_2_t7992B3857C3AFEEE62B2362748CC3BE16829C9E5 ** get_address_of_U3CInternalIdTransformFuncU3Ek__BackingField_2() { return &___U3CInternalIdTransformFuncU3Ek__BackingField_2; }
inline void set_U3CInternalIdTransformFuncU3Ek__BackingField_2(Func_2_t7992B3857C3AFEEE62B2362748CC3BE16829C9E5 * value)
{
___U3CInternalIdTransformFuncU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CInternalIdTransformFuncU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_CallbackHooksEnabled_3() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___CallbackHooksEnabled_3)); }
inline bool get_CallbackHooksEnabled_3() const { return ___CallbackHooksEnabled_3; }
inline bool* get_address_of_CallbackHooksEnabled_3() { return &___CallbackHooksEnabled_3; }
inline void set_CallbackHooksEnabled_3(bool value)
{
___CallbackHooksEnabled_3 = value;
}
inline static int32_t get_offset_of_m_ResourceProviders_4() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___m_ResourceProviders_4)); }
inline ListWithEvents_1_t707B8F8E6EA83D829524975DE2E78802D44D7483 * get_m_ResourceProviders_4() const { return ___m_ResourceProviders_4; }
inline ListWithEvents_1_t707B8F8E6EA83D829524975DE2E78802D44D7483 ** get_address_of_m_ResourceProviders_4() { return &___m_ResourceProviders_4; }
inline void set_m_ResourceProviders_4(ListWithEvents_1_t707B8F8E6EA83D829524975DE2E78802D44D7483 * value)
{
___m_ResourceProviders_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ResourceProviders_4), (void*)value);
}
inline static int32_t get_offset_of_m_allocator_5() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___m_allocator_5)); }
inline RuntimeObject* get_m_allocator_5() const { return ___m_allocator_5; }
inline RuntimeObject** get_address_of_m_allocator_5() { return &___m_allocator_5; }
inline void set_m_allocator_5(RuntimeObject* value)
{
___m_allocator_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_allocator_5), (void*)value);
}
inline static int32_t get_offset_of_m_UpdateReceivers_6() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___m_UpdateReceivers_6)); }
inline ListWithEvents_1_t140F58A2A8D19A91538922235BB34676780A1EE2 * get_m_UpdateReceivers_6() const { return ___m_UpdateReceivers_6; }
inline ListWithEvents_1_t140F58A2A8D19A91538922235BB34676780A1EE2 ** get_address_of_m_UpdateReceivers_6() { return &___m_UpdateReceivers_6; }
inline void set_m_UpdateReceivers_6(ListWithEvents_1_t140F58A2A8D19A91538922235BB34676780A1EE2 * value)
{
___m_UpdateReceivers_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateReceivers_6), (void*)value);
}
inline static int32_t get_offset_of_m_UpdateReceiversToRemove_7() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___m_UpdateReceiversToRemove_7)); }
inline List_1_t42B4D8B6A894DBCA2E79764976B98CCC882FB11D * get_m_UpdateReceiversToRemove_7() const { return ___m_UpdateReceiversToRemove_7; }
inline List_1_t42B4D8B6A894DBCA2E79764976B98CCC882FB11D ** get_address_of_m_UpdateReceiversToRemove_7() { return &___m_UpdateReceiversToRemove_7; }
inline void set_m_UpdateReceiversToRemove_7(List_1_t42B4D8B6A894DBCA2E79764976B98CCC882FB11D * value)
{
___m_UpdateReceiversToRemove_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateReceiversToRemove_7), (void*)value);
}
inline static int32_t get_offset_of_m_UpdatingReceivers_8() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___m_UpdatingReceivers_8)); }
inline bool get_m_UpdatingReceivers_8() const { return ___m_UpdatingReceivers_8; }
inline bool* get_address_of_m_UpdatingReceivers_8() { return &___m_UpdatingReceivers_8; }
inline void set_m_UpdatingReceivers_8(bool value)
{
___m_UpdatingReceivers_8 = value;
}
inline static int32_t get_offset_of_m_providerMap_9() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___m_providerMap_9)); }
inline Dictionary_2_t1B2F62A5CB01E356B3C3FDEBB20B967EE7C405C9 * get_m_providerMap_9() const { return ___m_providerMap_9; }
inline Dictionary_2_t1B2F62A5CB01E356B3C3FDEBB20B967EE7C405C9 ** get_address_of_m_providerMap_9() { return &___m_providerMap_9; }
inline void set_m_providerMap_9(Dictionary_2_t1B2F62A5CB01E356B3C3FDEBB20B967EE7C405C9 * value)
{
___m_providerMap_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_providerMap_9), (void*)value);
}
inline static int32_t get_offset_of_m_AssetOperationCache_10() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___m_AssetOperationCache_10)); }
inline Dictionary_2_tDB75C4D4D0B723B1109A640F97124956AA33BC66 * get_m_AssetOperationCache_10() const { return ___m_AssetOperationCache_10; }
inline Dictionary_2_tDB75C4D4D0B723B1109A640F97124956AA33BC66 ** get_address_of_m_AssetOperationCache_10() { return &___m_AssetOperationCache_10; }
inline void set_m_AssetOperationCache_10(Dictionary_2_tDB75C4D4D0B723B1109A640F97124956AA33BC66 * value)
{
___m_AssetOperationCache_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_AssetOperationCache_10), (void*)value);
}
inline static int32_t get_offset_of_m_TrackedInstanceOperations_11() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___m_TrackedInstanceOperations_11)); }
inline HashSet_1_t01433913211306E52271EEE7566976D5EFC46A1D * get_m_TrackedInstanceOperations_11() const { return ___m_TrackedInstanceOperations_11; }
inline HashSet_1_t01433913211306E52271EEE7566976D5EFC46A1D ** get_address_of_m_TrackedInstanceOperations_11() { return &___m_TrackedInstanceOperations_11; }
inline void set_m_TrackedInstanceOperations_11(HashSet_1_t01433913211306E52271EEE7566976D5EFC46A1D * value)
{
___m_TrackedInstanceOperations_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TrackedInstanceOperations_11), (void*)value);
}
inline static int32_t get_offset_of_m_UpdateCallbacks_12() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___m_UpdateCallbacks_12)); }
inline DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * get_m_UpdateCallbacks_12() const { return ___m_UpdateCallbacks_12; }
inline DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D ** get_address_of_m_UpdateCallbacks_12() { return &___m_UpdateCallbacks_12; }
inline void set_m_UpdateCallbacks_12(DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * value)
{
___m_UpdateCallbacks_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateCallbacks_12), (void*)value);
}
inline static int32_t get_offset_of_m_DeferredCompleteCallbacks_13() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___m_DeferredCompleteCallbacks_13)); }
inline List_1_t4C8FFBA32489BE0DA99C242CC428213F33A603C6 * get_m_DeferredCompleteCallbacks_13() const { return ___m_DeferredCompleteCallbacks_13; }
inline List_1_t4C8FFBA32489BE0DA99C242CC428213F33A603C6 ** get_address_of_m_DeferredCompleteCallbacks_13() { return &___m_DeferredCompleteCallbacks_13; }
inline void set_m_DeferredCompleteCallbacks_13(List_1_t4C8FFBA32489BE0DA99C242CC428213F33A603C6 * value)
{
___m_DeferredCompleteCallbacks_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DeferredCompleteCallbacks_13), (void*)value);
}
inline static int32_t get_offset_of_m_obsoleteDiagnosticsHandler_14() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___m_obsoleteDiagnosticsHandler_14)); }
inline Action_4_tB83C8F50B5A70EB6ACEFFD5422338AA361EF1148 * get_m_obsoleteDiagnosticsHandler_14() const { return ___m_obsoleteDiagnosticsHandler_14; }
inline Action_4_tB83C8F50B5A70EB6ACEFFD5422338AA361EF1148 ** get_address_of_m_obsoleteDiagnosticsHandler_14() { return &___m_obsoleteDiagnosticsHandler_14; }
inline void set_m_obsoleteDiagnosticsHandler_14(Action_4_tB83C8F50B5A70EB6ACEFFD5422338AA361EF1148 * value)
{
___m_obsoleteDiagnosticsHandler_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_obsoleteDiagnosticsHandler_14), (void*)value);
}
inline static int32_t get_offset_of_m_diagnosticsHandler_15() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___m_diagnosticsHandler_15)); }
inline Action_1_tD61C7D2B046523AB783EBF4D00B665A08F81B609 * get_m_diagnosticsHandler_15() const { return ___m_diagnosticsHandler_15; }
inline Action_1_tD61C7D2B046523AB783EBF4D00B665A08F81B609 ** get_address_of_m_diagnosticsHandler_15() { return &___m_diagnosticsHandler_15; }
inline void set_m_diagnosticsHandler_15(Action_1_tD61C7D2B046523AB783EBF4D00B665A08F81B609 * value)
{
___m_diagnosticsHandler_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_diagnosticsHandler_15), (void*)value);
}
inline static int32_t get_offset_of_m_ReleaseOpNonCached_16() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___m_ReleaseOpNonCached_16)); }
inline Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * get_m_ReleaseOpNonCached_16() const { return ___m_ReleaseOpNonCached_16; }
inline Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D ** get_address_of_m_ReleaseOpNonCached_16() { return &___m_ReleaseOpNonCached_16; }
inline void set_m_ReleaseOpNonCached_16(Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * value)
{
___m_ReleaseOpNonCached_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ReleaseOpNonCached_16), (void*)value);
}
inline static int32_t get_offset_of_m_ReleaseOpCached_17() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___m_ReleaseOpCached_17)); }
inline Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * get_m_ReleaseOpCached_17() const { return ___m_ReleaseOpCached_17; }
inline Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D ** get_address_of_m_ReleaseOpCached_17() { return &___m_ReleaseOpCached_17; }
inline void set_m_ReleaseOpCached_17(Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * value)
{
___m_ReleaseOpCached_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ReleaseOpCached_17), (void*)value);
}
inline static int32_t get_offset_of_m_ReleaseInstanceOp_18() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___m_ReleaseInstanceOp_18)); }
inline Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * get_m_ReleaseInstanceOp_18() const { return ___m_ReleaseInstanceOp_18; }
inline Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D ** get_address_of_m_ReleaseInstanceOp_18() { return &___m_ReleaseInstanceOp_18; }
inline void set_m_ReleaseInstanceOp_18(Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * value)
{
___m_ReleaseInstanceOp_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ReleaseInstanceOp_18), (void*)value);
}
inline static int32_t get_offset_of_U3CCertificateHandlerInstanceU3Ek__BackingField_21() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___U3CCertificateHandlerInstanceU3Ek__BackingField_21)); }
inline CertificateHandler_tDA66C86D1302CE4266DBB078361F7A363C7B005E * get_U3CCertificateHandlerInstanceU3Ek__BackingField_21() const { return ___U3CCertificateHandlerInstanceU3Ek__BackingField_21; }
inline CertificateHandler_tDA66C86D1302CE4266DBB078361F7A363C7B005E ** get_address_of_U3CCertificateHandlerInstanceU3Ek__BackingField_21() { return &___U3CCertificateHandlerInstanceU3Ek__BackingField_21; }
inline void set_U3CCertificateHandlerInstanceU3Ek__BackingField_21(CertificateHandler_tDA66C86D1302CE4266DBB078361F7A363C7B005E * value)
{
___U3CCertificateHandlerInstanceU3Ek__BackingField_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CCertificateHandlerInstanceU3Ek__BackingField_21), (void*)value);
}
inline static int32_t get_offset_of_m_RegisteredForCallbacks_22() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___m_RegisteredForCallbacks_22)); }
inline bool get_m_RegisteredForCallbacks_22() const { return ___m_RegisteredForCallbacks_22; }
inline bool* get_address_of_m_RegisteredForCallbacks_22() { return &___m_RegisteredForCallbacks_22; }
inline void set_m_RegisteredForCallbacks_22(bool value)
{
___m_RegisteredForCallbacks_22 = value;
}
inline static int32_t get_offset_of_m_ProviderOperationTypeCache_23() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037, ___m_ProviderOperationTypeCache_23)); }
inline Dictionary_2_tDDE97F4B1F5CCF200FCAA220F329933EA034D506 * get_m_ProviderOperationTypeCache_23() const { return ___m_ProviderOperationTypeCache_23; }
inline Dictionary_2_tDDE97F4B1F5CCF200FCAA220F329933EA034D506 ** get_address_of_m_ProviderOperationTypeCache_23() { return &___m_ProviderOperationTypeCache_23; }
inline void set_m_ProviderOperationTypeCache_23(Dictionary_2_tDDE97F4B1F5CCF200FCAA220F329933EA034D506 * value)
{
___m_ProviderOperationTypeCache_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ProviderOperationTypeCache_23), (void*)value);
}
};
struct ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037_StaticFields
{
public:
// System.Action`2<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle,System.Exception> UnityEngine.ResourceManagement.ResourceManager::<ExceptionHandler>k__BackingField
Action_2_tE037A9A64F7D0B18736E26533D8819D3CA6D6A41 * ___U3CExceptionHandlerU3Ek__BackingField_1;
// System.Int32 UnityEngine.ResourceManagement.ResourceManager::s_GroupOperationTypeHash
int32_t ___s_GroupOperationTypeHash_19;
// System.Int32 UnityEngine.ResourceManagement.ResourceManager::s_InstanceOperationTypeHash
int32_t ___s_InstanceOperationTypeHash_20;
public:
inline static int32_t get_offset_of_U3CExceptionHandlerU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037_StaticFields, ___U3CExceptionHandlerU3Ek__BackingField_1)); }
inline Action_2_tE037A9A64F7D0B18736E26533D8819D3CA6D6A41 * get_U3CExceptionHandlerU3Ek__BackingField_1() const { return ___U3CExceptionHandlerU3Ek__BackingField_1; }
inline Action_2_tE037A9A64F7D0B18736E26533D8819D3CA6D6A41 ** get_address_of_U3CExceptionHandlerU3Ek__BackingField_1() { return &___U3CExceptionHandlerU3Ek__BackingField_1; }
inline void set_U3CExceptionHandlerU3Ek__BackingField_1(Action_2_tE037A9A64F7D0B18736E26533D8819D3CA6D6A41 * value)
{
___U3CExceptionHandlerU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CExceptionHandlerU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_s_GroupOperationTypeHash_19() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037_StaticFields, ___s_GroupOperationTypeHash_19)); }
inline int32_t get_s_GroupOperationTypeHash_19() const { return ___s_GroupOperationTypeHash_19; }
inline int32_t* get_address_of_s_GroupOperationTypeHash_19() { return &___s_GroupOperationTypeHash_19; }
inline void set_s_GroupOperationTypeHash_19(int32_t value)
{
___s_GroupOperationTypeHash_19 = value;
}
inline static int32_t get_offset_of_s_InstanceOperationTypeHash_20() { return static_cast<int32_t>(offsetof(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037_StaticFields, ___s_InstanceOperationTypeHash_20)); }
inline int32_t get_s_InstanceOperationTypeHash_20() const { return ___s_InstanceOperationTypeHash_20; }
inline int32_t* get_address_of_s_InstanceOperationTypeHash_20() { return &___s_InstanceOperationTypeHash_20; }
inline void set_s_InstanceOperationTypeHash_20(int32_t value)
{
___s_InstanceOperationTypeHash_20 = value;
}
};
// UnityEngine.ResourceManagement.Util.ResourceManagerConfig
struct ResourceManagerConfig_tB32E2A7ABCA15B3C8A9C1B2FC69EAF010AB0A7BF : public RuntimeObject
{
public:
public:
};
// UnityEngine.AddressableAssets.Utility.ResourceManagerDiagnostics
struct ResourceManagerDiagnostics_t2CAC6BE26AC64F18159FE55C52C2B864A5B1FA62 : public RuntimeObject
{
public:
// UnityEngine.ResourceManagement.ResourceManager UnityEngine.AddressableAssets.Utility.ResourceManagerDiagnostics::m_ResourceManager
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * ___m_ResourceManager_0;
// System.Collections.Generic.Dictionary`2<System.Int32,UnityEngine.AddressableAssets.Utility.DiagnosticInfo> UnityEngine.AddressableAssets.Utility.ResourceManagerDiagnostics::m_cachedDiagnosticInfo
Dictionary_2_tBD7E4B2FABEA96AC727F92679C396FDAD5FBB436 * ___m_cachedDiagnosticInfo_1;
public:
inline static int32_t get_offset_of_m_ResourceManager_0() { return static_cast<int32_t>(offsetof(ResourceManagerDiagnostics_t2CAC6BE26AC64F18159FE55C52C2B864A5B1FA62, ___m_ResourceManager_0)); }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * get_m_ResourceManager_0() const { return ___m_ResourceManager_0; }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 ** get_address_of_m_ResourceManager_0() { return &___m_ResourceManager_0; }
inline void set_m_ResourceManager_0(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * value)
{
___m_ResourceManager_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ResourceManager_0), (void*)value);
}
inline static int32_t get_offset_of_m_cachedDiagnosticInfo_1() { return static_cast<int32_t>(offsetof(ResourceManagerDiagnostics_t2CAC6BE26AC64F18159FE55C52C2B864A5B1FA62, ___m_cachedDiagnosticInfo_1)); }
inline Dictionary_2_tBD7E4B2FABEA96AC727F92679C396FDAD5FBB436 * get_m_cachedDiagnosticInfo_1() const { return ___m_cachedDiagnosticInfo_1; }
inline Dictionary_2_tBD7E4B2FABEA96AC727F92679C396FDAD5FBB436 ** get_address_of_m_cachedDiagnosticInfo_1() { return &___m_cachedDiagnosticInfo_1; }
inline void set_m_cachedDiagnosticInfo_1(Dictionary_2_tBD7E4B2FABEA96AC727F92679C396FDAD5FBB436 * value)
{
___m_cachedDiagnosticInfo_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_cachedDiagnosticInfo_1), (void*)value);
}
};
// System.Resources.ResourceReader
struct ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492 : public RuntimeObject
{
public:
// System.IO.BinaryReader System.Resources.ResourceReader::_store
BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128 * ____store_0;
// System.Collections.Generic.Dictionary`2<System.String,System.Resources.ResourceLocator> System.Resources.ResourceReader::_resCache
Dictionary_2_t46A02F90A8D65228E634FEFFC9BE32C560592BBA * ____resCache_1;
// System.Int64 System.Resources.ResourceReader::_nameSectionOffset
int64_t ____nameSectionOffset_2;
// System.Int64 System.Resources.ResourceReader::_dataSectionOffset
int64_t ____dataSectionOffset_3;
// System.Int32[] System.Resources.ResourceReader::_nameHashes
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ____nameHashes_4;
// System.Int32* System.Resources.ResourceReader::_nameHashesPtr
int32_t* ____nameHashesPtr_5;
// System.Int32[] System.Resources.ResourceReader::_namePositions
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ____namePositions_6;
// System.Int32* System.Resources.ResourceReader::_namePositionsPtr
int32_t* ____namePositionsPtr_7;
// System.RuntimeType[] System.Resources.ResourceReader::_typeTable
RuntimeTypeU5BU5D_t826186B59A32B687978751BFE46041623BCF4BA4* ____typeTable_8;
// System.Int32[] System.Resources.ResourceReader::_typeNamePositions
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ____typeNamePositions_9;
// System.Runtime.Serialization.Formatters.Binary.BinaryFormatter System.Resources.ResourceReader::_objFormatter
BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55 * ____objFormatter_10;
// System.Int32 System.Resources.ResourceReader::_numResources
int32_t ____numResources_11;
// System.IO.UnmanagedMemoryStream System.Resources.ResourceReader::_ums
UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62 * ____ums_12;
// System.Int32 System.Resources.ResourceReader::_version
int32_t ____version_13;
public:
inline static int32_t get_offset_of__store_0() { return static_cast<int32_t>(offsetof(ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492, ____store_0)); }
inline BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128 * get__store_0() const { return ____store_0; }
inline BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128 ** get_address_of__store_0() { return &____store_0; }
inline void set__store_0(BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128 * value)
{
____store_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____store_0), (void*)value);
}
inline static int32_t get_offset_of__resCache_1() { return static_cast<int32_t>(offsetof(ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492, ____resCache_1)); }
inline Dictionary_2_t46A02F90A8D65228E634FEFFC9BE32C560592BBA * get__resCache_1() const { return ____resCache_1; }
inline Dictionary_2_t46A02F90A8D65228E634FEFFC9BE32C560592BBA ** get_address_of__resCache_1() { return &____resCache_1; }
inline void set__resCache_1(Dictionary_2_t46A02F90A8D65228E634FEFFC9BE32C560592BBA * value)
{
____resCache_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____resCache_1), (void*)value);
}
inline static int32_t get_offset_of__nameSectionOffset_2() { return static_cast<int32_t>(offsetof(ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492, ____nameSectionOffset_2)); }
inline int64_t get__nameSectionOffset_2() const { return ____nameSectionOffset_2; }
inline int64_t* get_address_of__nameSectionOffset_2() { return &____nameSectionOffset_2; }
inline void set__nameSectionOffset_2(int64_t value)
{
____nameSectionOffset_2 = value;
}
inline static int32_t get_offset_of__dataSectionOffset_3() { return static_cast<int32_t>(offsetof(ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492, ____dataSectionOffset_3)); }
inline int64_t get__dataSectionOffset_3() const { return ____dataSectionOffset_3; }
inline int64_t* get_address_of__dataSectionOffset_3() { return &____dataSectionOffset_3; }
inline void set__dataSectionOffset_3(int64_t value)
{
____dataSectionOffset_3 = value;
}
inline static int32_t get_offset_of__nameHashes_4() { return static_cast<int32_t>(offsetof(ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492, ____nameHashes_4)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get__nameHashes_4() const { return ____nameHashes_4; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of__nameHashes_4() { return &____nameHashes_4; }
inline void set__nameHashes_4(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
____nameHashes_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____nameHashes_4), (void*)value);
}
inline static int32_t get_offset_of__nameHashesPtr_5() { return static_cast<int32_t>(offsetof(ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492, ____nameHashesPtr_5)); }
inline int32_t* get__nameHashesPtr_5() const { return ____nameHashesPtr_5; }
inline int32_t** get_address_of__nameHashesPtr_5() { return &____nameHashesPtr_5; }
inline void set__nameHashesPtr_5(int32_t* value)
{
____nameHashesPtr_5 = value;
}
inline static int32_t get_offset_of__namePositions_6() { return static_cast<int32_t>(offsetof(ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492, ____namePositions_6)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get__namePositions_6() const { return ____namePositions_6; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of__namePositions_6() { return &____namePositions_6; }
inline void set__namePositions_6(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
____namePositions_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____namePositions_6), (void*)value);
}
inline static int32_t get_offset_of__namePositionsPtr_7() { return static_cast<int32_t>(offsetof(ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492, ____namePositionsPtr_7)); }
inline int32_t* get__namePositionsPtr_7() const { return ____namePositionsPtr_7; }
inline int32_t** get_address_of__namePositionsPtr_7() { return &____namePositionsPtr_7; }
inline void set__namePositionsPtr_7(int32_t* value)
{
____namePositionsPtr_7 = value;
}
inline static int32_t get_offset_of__typeTable_8() { return static_cast<int32_t>(offsetof(ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492, ____typeTable_8)); }
inline RuntimeTypeU5BU5D_t826186B59A32B687978751BFE46041623BCF4BA4* get__typeTable_8() const { return ____typeTable_8; }
inline RuntimeTypeU5BU5D_t826186B59A32B687978751BFE46041623BCF4BA4** get_address_of__typeTable_8() { return &____typeTable_8; }
inline void set__typeTable_8(RuntimeTypeU5BU5D_t826186B59A32B687978751BFE46041623BCF4BA4* value)
{
____typeTable_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&____typeTable_8), (void*)value);
}
inline static int32_t get_offset_of__typeNamePositions_9() { return static_cast<int32_t>(offsetof(ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492, ____typeNamePositions_9)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get__typeNamePositions_9() const { return ____typeNamePositions_9; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of__typeNamePositions_9() { return &____typeNamePositions_9; }
inline void set__typeNamePositions_9(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
____typeNamePositions_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&____typeNamePositions_9), (void*)value);
}
inline static int32_t get_offset_of__objFormatter_10() { return static_cast<int32_t>(offsetof(ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492, ____objFormatter_10)); }
inline BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55 * get__objFormatter_10() const { return ____objFormatter_10; }
inline BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55 ** get_address_of__objFormatter_10() { return &____objFormatter_10; }
inline void set__objFormatter_10(BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55 * value)
{
____objFormatter_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&____objFormatter_10), (void*)value);
}
inline static int32_t get_offset_of__numResources_11() { return static_cast<int32_t>(offsetof(ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492, ____numResources_11)); }
inline int32_t get__numResources_11() const { return ____numResources_11; }
inline int32_t* get_address_of__numResources_11() { return &____numResources_11; }
inline void set__numResources_11(int32_t value)
{
____numResources_11 = value;
}
inline static int32_t get_offset_of__ums_12() { return static_cast<int32_t>(offsetof(ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492, ____ums_12)); }
inline UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62 * get__ums_12() const { return ____ums_12; }
inline UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62 ** get_address_of__ums_12() { return &____ums_12; }
inline void set__ums_12(UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62 * value)
{
____ums_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&____ums_12), (void*)value);
}
inline static int32_t get_offset_of__version_13() { return static_cast<int32_t>(offsetof(ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492, ____version_13)); }
inline int32_t get__version_13() const { return ____version_13; }
inline int32_t* get_address_of__version_13() { return &____version_13; }
inline void set__version_13(int32_t value)
{
____version_13 = value;
}
};
// System.Resources.ResourceSet
struct ResourceSet_t04B4806442F31EFE5374C485BB883BBA6F75566F : public RuntimeObject
{
public:
// System.Resources.IResourceReader System.Resources.ResourceSet::Reader
RuntimeObject* ___Reader_0;
// System.Collections.Hashtable System.Resources.ResourceSet::Table
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___Table_1;
// System.Collections.Hashtable System.Resources.ResourceSet::_caseInsensitiveTable
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ____caseInsensitiveTable_2;
public:
inline static int32_t get_offset_of_Reader_0() { return static_cast<int32_t>(offsetof(ResourceSet_t04B4806442F31EFE5374C485BB883BBA6F75566F, ___Reader_0)); }
inline RuntimeObject* get_Reader_0() const { return ___Reader_0; }
inline RuntimeObject** get_address_of_Reader_0() { return &___Reader_0; }
inline void set_Reader_0(RuntimeObject* value)
{
___Reader_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Reader_0), (void*)value);
}
inline static int32_t get_offset_of_Table_1() { return static_cast<int32_t>(offsetof(ResourceSet_t04B4806442F31EFE5374C485BB883BBA6F75566F, ___Table_1)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_Table_1() const { return ___Table_1; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_Table_1() { return &___Table_1; }
inline void set_Table_1(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___Table_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Table_1), (void*)value);
}
inline static int32_t get_offset_of__caseInsensitiveTable_2() { return static_cast<int32_t>(offsetof(ResourceSet_t04B4806442F31EFE5374C485BB883BBA6F75566F, ____caseInsensitiveTable_2)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get__caseInsensitiveTable_2() const { return ____caseInsensitiveTable_2; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of__caseInsensitiveTable_2() { return &____caseInsensitiveTable_2; }
inline void set__caseInsensitiveTable_2(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
____caseInsensitiveTable_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____caseInsensitiveTable_2), (void*)value);
}
};
// UnityEngine.Resources
struct Resources_t90EC380141241F7E4B284EC353EF4F0386218419 : public RuntimeObject
{
public:
public:
};
// UnityEngine.ResourcesAPI
struct ResourcesAPI_t4A16D5D82C13DC5B4A05DDC30EA1557EB7DFF83F : public RuntimeObject
{
public:
public:
};
struct ResourcesAPI_t4A16D5D82C13DC5B4A05DDC30EA1557EB7DFF83F_StaticFields
{
public:
// UnityEngine.ResourcesAPI UnityEngine.ResourcesAPI::s_DefaultAPI
ResourcesAPI_t4A16D5D82C13DC5B4A05DDC30EA1557EB7DFF83F * ___s_DefaultAPI_0;
// UnityEngine.ResourcesAPI UnityEngine.ResourcesAPI::<overrideAPI>k__BackingField
ResourcesAPI_t4A16D5D82C13DC5B4A05DDC30EA1557EB7DFF83F * ___U3CoverrideAPIU3Ek__BackingField_1;
public:
inline static int32_t get_offset_of_s_DefaultAPI_0() { return static_cast<int32_t>(offsetof(ResourcesAPI_t4A16D5D82C13DC5B4A05DDC30EA1557EB7DFF83F_StaticFields, ___s_DefaultAPI_0)); }
inline ResourcesAPI_t4A16D5D82C13DC5B4A05DDC30EA1557EB7DFF83F * get_s_DefaultAPI_0() const { return ___s_DefaultAPI_0; }
inline ResourcesAPI_t4A16D5D82C13DC5B4A05DDC30EA1557EB7DFF83F ** get_address_of_s_DefaultAPI_0() { return &___s_DefaultAPI_0; }
inline void set_s_DefaultAPI_0(ResourcesAPI_t4A16D5D82C13DC5B4A05DDC30EA1557EB7DFF83F * value)
{
___s_DefaultAPI_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_DefaultAPI_0), (void*)value);
}
inline static int32_t get_offset_of_U3CoverrideAPIU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(ResourcesAPI_t4A16D5D82C13DC5B4A05DDC30EA1557EB7DFF83F_StaticFields, ___U3CoverrideAPIU3Ek__BackingField_1)); }
inline ResourcesAPI_t4A16D5D82C13DC5B4A05DDC30EA1557EB7DFF83F * get_U3CoverrideAPIU3Ek__BackingField_1() const { return ___U3CoverrideAPIU3Ek__BackingField_1; }
inline ResourcesAPI_t4A16D5D82C13DC5B4A05DDC30EA1557EB7DFF83F ** get_address_of_U3CoverrideAPIU3Ek__BackingField_1() { return &___U3CoverrideAPIU3Ek__BackingField_1; }
inline void set_U3CoverrideAPIU3Ek__BackingField_1(ResourcesAPI_t4A16D5D82C13DC5B4A05DDC30EA1557EB7DFF83F * value)
{
___U3CoverrideAPIU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CoverrideAPIU3Ek__BackingField_1), (void*)value);
}
};
// UnityEngine.ResourcesAPIInternal
struct ResourcesAPIInternal_tF36BDA842ADD51D0483092DAFA14864F641AF22A : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.Messaging.ReturnMessage
struct ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9 : public RuntimeObject
{
public:
// System.Object[] System.Runtime.Remoting.Messaging.ReturnMessage::_outArgs
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ____outArgs_0;
// System.Object[] System.Runtime.Remoting.Messaging.ReturnMessage::_args
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ____args_1;
// System.Runtime.Remoting.Messaging.LogicalCallContext System.Runtime.Remoting.Messaging.ReturnMessage::_callCtx
LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * ____callCtx_2;
// System.Object System.Runtime.Remoting.Messaging.ReturnMessage::_returnValue
RuntimeObject * ____returnValue_3;
// System.String System.Runtime.Remoting.Messaging.ReturnMessage::_uri
String_t* ____uri_4;
// System.Exception System.Runtime.Remoting.Messaging.ReturnMessage::_exception
Exception_t * ____exception_5;
// System.Reflection.MethodBase System.Runtime.Remoting.Messaging.ReturnMessage::_methodBase
MethodBase_t * ____methodBase_6;
// System.String System.Runtime.Remoting.Messaging.ReturnMessage::_methodName
String_t* ____methodName_7;
// System.Type[] System.Runtime.Remoting.Messaging.ReturnMessage::_methodSignature
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ____methodSignature_8;
// System.String System.Runtime.Remoting.Messaging.ReturnMessage::_typeName
String_t* ____typeName_9;
// System.Runtime.Remoting.Messaging.MethodReturnDictionary System.Runtime.Remoting.Messaging.ReturnMessage::_properties
MethodReturnDictionary_tCD3B3B0F69F53EF7653CB5E6B175628E8FD54531 * ____properties_10;
// System.Runtime.Remoting.Identity System.Runtime.Remoting.Messaging.ReturnMessage::_targetIdentity
Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 * ____targetIdentity_11;
// System.Runtime.Remoting.Messaging.ArgInfo System.Runtime.Remoting.Messaging.ReturnMessage::_inArgInfo
ArgInfo_tA94BF0451B100D18BFBC2EDA7947AFD4E2F5F7A2 * ____inArgInfo_12;
public:
inline static int32_t get_offset_of__outArgs_0() { return static_cast<int32_t>(offsetof(ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9, ____outArgs_0)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get__outArgs_0() const { return ____outArgs_0; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of__outArgs_0() { return &____outArgs_0; }
inline void set__outArgs_0(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
____outArgs_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____outArgs_0), (void*)value);
}
inline static int32_t get_offset_of__args_1() { return static_cast<int32_t>(offsetof(ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9, ____args_1)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get__args_1() const { return ____args_1; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of__args_1() { return &____args_1; }
inline void set__args_1(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
____args_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____args_1), (void*)value);
}
inline static int32_t get_offset_of__callCtx_2() { return static_cast<int32_t>(offsetof(ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9, ____callCtx_2)); }
inline LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * get__callCtx_2() const { return ____callCtx_2; }
inline LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 ** get_address_of__callCtx_2() { return &____callCtx_2; }
inline void set__callCtx_2(LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * value)
{
____callCtx_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____callCtx_2), (void*)value);
}
inline static int32_t get_offset_of__returnValue_3() { return static_cast<int32_t>(offsetof(ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9, ____returnValue_3)); }
inline RuntimeObject * get__returnValue_3() const { return ____returnValue_3; }
inline RuntimeObject ** get_address_of__returnValue_3() { return &____returnValue_3; }
inline void set__returnValue_3(RuntimeObject * value)
{
____returnValue_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____returnValue_3), (void*)value);
}
inline static int32_t get_offset_of__uri_4() { return static_cast<int32_t>(offsetof(ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9, ____uri_4)); }
inline String_t* get__uri_4() const { return ____uri_4; }
inline String_t** get_address_of__uri_4() { return &____uri_4; }
inline void set__uri_4(String_t* value)
{
____uri_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____uri_4), (void*)value);
}
inline static int32_t get_offset_of__exception_5() { return static_cast<int32_t>(offsetof(ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9, ____exception_5)); }
inline Exception_t * get__exception_5() const { return ____exception_5; }
inline Exception_t ** get_address_of__exception_5() { return &____exception_5; }
inline void set__exception_5(Exception_t * value)
{
____exception_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____exception_5), (void*)value);
}
inline static int32_t get_offset_of__methodBase_6() { return static_cast<int32_t>(offsetof(ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9, ____methodBase_6)); }
inline MethodBase_t * get__methodBase_6() const { return ____methodBase_6; }
inline MethodBase_t ** get_address_of__methodBase_6() { return &____methodBase_6; }
inline void set__methodBase_6(MethodBase_t * value)
{
____methodBase_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____methodBase_6), (void*)value);
}
inline static int32_t get_offset_of__methodName_7() { return static_cast<int32_t>(offsetof(ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9, ____methodName_7)); }
inline String_t* get__methodName_7() const { return ____methodName_7; }
inline String_t** get_address_of__methodName_7() { return &____methodName_7; }
inline void set__methodName_7(String_t* value)
{
____methodName_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&____methodName_7), (void*)value);
}
inline static int32_t get_offset_of__methodSignature_8() { return static_cast<int32_t>(offsetof(ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9, ____methodSignature_8)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get__methodSignature_8() const { return ____methodSignature_8; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of__methodSignature_8() { return &____methodSignature_8; }
inline void set__methodSignature_8(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
____methodSignature_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&____methodSignature_8), (void*)value);
}
inline static int32_t get_offset_of__typeName_9() { return static_cast<int32_t>(offsetof(ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9, ____typeName_9)); }
inline String_t* get__typeName_9() const { return ____typeName_9; }
inline String_t** get_address_of__typeName_9() { return &____typeName_9; }
inline void set__typeName_9(String_t* value)
{
____typeName_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&____typeName_9), (void*)value);
}
inline static int32_t get_offset_of__properties_10() { return static_cast<int32_t>(offsetof(ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9, ____properties_10)); }
inline MethodReturnDictionary_tCD3B3B0F69F53EF7653CB5E6B175628E8FD54531 * get__properties_10() const { return ____properties_10; }
inline MethodReturnDictionary_tCD3B3B0F69F53EF7653CB5E6B175628E8FD54531 ** get_address_of__properties_10() { return &____properties_10; }
inline void set__properties_10(MethodReturnDictionary_tCD3B3B0F69F53EF7653CB5E6B175628E8FD54531 * value)
{
____properties_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&____properties_10), (void*)value);
}
inline static int32_t get_offset_of__targetIdentity_11() { return static_cast<int32_t>(offsetof(ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9, ____targetIdentity_11)); }
inline Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 * get__targetIdentity_11() const { return ____targetIdentity_11; }
inline Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 ** get_address_of__targetIdentity_11() { return &____targetIdentity_11; }
inline void set__targetIdentity_11(Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 * value)
{
____targetIdentity_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&____targetIdentity_11), (void*)value);
}
inline static int32_t get_offset_of__inArgInfo_12() { return static_cast<int32_t>(offsetof(ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9, ____inArgInfo_12)); }
inline ArgInfo_tA94BF0451B100D18BFBC2EDA7947AFD4E2F5F7A2 * get__inArgInfo_12() const { return ____inArgInfo_12; }
inline ArgInfo_tA94BF0451B100D18BFBC2EDA7947AFD4E2F5F7A2 ** get_address_of__inArgInfo_12() { return &____inArgInfo_12; }
inline void set__inArgInfo_12(ArgInfo_tA94BF0451B100D18BFBC2EDA7947AFD4E2F5F7A2 * value)
{
____inArgInfo_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&____inArgInfo_12), (void*)value);
}
};
// UnityEngine.Localization.Platform.Android.RoundIconsInfo
struct RoundIconsInfo_tAE046B02CC7AAAAE77CD68E03606F47A4DBF9E24 : public RuntimeObject
{
public:
// UnityEngine.Localization.LocalizedTexture UnityEngine.Localization.Platform.Android.RoundIconsInfo::m_Round_hdpi
LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * ___m_Round_hdpi_0;
// UnityEngine.Localization.LocalizedTexture UnityEngine.Localization.Platform.Android.RoundIconsInfo::m_Round_idpi
LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * ___m_Round_idpi_1;
// UnityEngine.Localization.LocalizedTexture UnityEngine.Localization.Platform.Android.RoundIconsInfo::m_Round_mdpi
LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * ___m_Round_mdpi_2;
// UnityEngine.Localization.LocalizedTexture UnityEngine.Localization.Platform.Android.RoundIconsInfo::m_Round_xhdpi
LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * ___m_Round_xhdpi_3;
// UnityEngine.Localization.LocalizedTexture UnityEngine.Localization.Platform.Android.RoundIconsInfo::m_Round_xxhdpi
LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * ___m_Round_xxhdpi_4;
// UnityEngine.Localization.LocalizedTexture UnityEngine.Localization.Platform.Android.RoundIconsInfo::m_Round_xxxhdpi
LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * ___m_Round_xxxhdpi_5;
public:
inline static int32_t get_offset_of_m_Round_hdpi_0() { return static_cast<int32_t>(offsetof(RoundIconsInfo_tAE046B02CC7AAAAE77CD68E03606F47A4DBF9E24, ___m_Round_hdpi_0)); }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * get_m_Round_hdpi_0() const { return ___m_Round_hdpi_0; }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F ** get_address_of_m_Round_hdpi_0() { return &___m_Round_hdpi_0; }
inline void set_m_Round_hdpi_0(LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * value)
{
___m_Round_hdpi_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Round_hdpi_0), (void*)value);
}
inline static int32_t get_offset_of_m_Round_idpi_1() { return static_cast<int32_t>(offsetof(RoundIconsInfo_tAE046B02CC7AAAAE77CD68E03606F47A4DBF9E24, ___m_Round_idpi_1)); }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * get_m_Round_idpi_1() const { return ___m_Round_idpi_1; }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F ** get_address_of_m_Round_idpi_1() { return &___m_Round_idpi_1; }
inline void set_m_Round_idpi_1(LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * value)
{
___m_Round_idpi_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Round_idpi_1), (void*)value);
}
inline static int32_t get_offset_of_m_Round_mdpi_2() { return static_cast<int32_t>(offsetof(RoundIconsInfo_tAE046B02CC7AAAAE77CD68E03606F47A4DBF9E24, ___m_Round_mdpi_2)); }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * get_m_Round_mdpi_2() const { return ___m_Round_mdpi_2; }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F ** get_address_of_m_Round_mdpi_2() { return &___m_Round_mdpi_2; }
inline void set_m_Round_mdpi_2(LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * value)
{
___m_Round_mdpi_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Round_mdpi_2), (void*)value);
}
inline static int32_t get_offset_of_m_Round_xhdpi_3() { return static_cast<int32_t>(offsetof(RoundIconsInfo_tAE046B02CC7AAAAE77CD68E03606F47A4DBF9E24, ___m_Round_xhdpi_3)); }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * get_m_Round_xhdpi_3() const { return ___m_Round_xhdpi_3; }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F ** get_address_of_m_Round_xhdpi_3() { return &___m_Round_xhdpi_3; }
inline void set_m_Round_xhdpi_3(LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * value)
{
___m_Round_xhdpi_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Round_xhdpi_3), (void*)value);
}
inline static int32_t get_offset_of_m_Round_xxhdpi_4() { return static_cast<int32_t>(offsetof(RoundIconsInfo_tAE046B02CC7AAAAE77CD68E03606F47A4DBF9E24, ___m_Round_xxhdpi_4)); }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * get_m_Round_xxhdpi_4() const { return ___m_Round_xxhdpi_4; }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F ** get_address_of_m_Round_xxhdpi_4() { return &___m_Round_xxhdpi_4; }
inline void set_m_Round_xxhdpi_4(LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * value)
{
___m_Round_xxhdpi_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Round_xxhdpi_4), (void*)value);
}
inline static int32_t get_offset_of_m_Round_xxxhdpi_5() { return static_cast<int32_t>(offsetof(RoundIconsInfo_tAE046B02CC7AAAAE77CD68E03606F47A4DBF9E24, ___m_Round_xxxhdpi_5)); }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * get_m_Round_xxxhdpi_5() const { return ___m_Round_xxxhdpi_5; }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F ** get_address_of_m_Round_xxxhdpi_5() { return &___m_Round_xxxhdpi_5; }
inline void set_m_Round_xxxhdpi_5(LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * value)
{
___m_Round_xxxhdpi_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Round_xxxhdpi_5), (void*)value);
}
};
// Mono.Runtime
struct Runtime_t4E7778F10839109BB519FC7A1E8F7EE424FB9935 : public RuntimeObject
{
public:
public:
};
// System.Runtime.CompilerServices.RuntimeHelpers
struct RuntimeHelpers_tC052103DB62650080244B150AC8C2DDC5C0CD8AB : public RuntimeObject
{
public:
public:
};
// Mono.RuntimeMarshal
struct RuntimeMarshal_t033903B80AA53CA62BB1E4225889D9A9C92DC11A : public RuntimeObject
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.RuntimeReferenceImageLibrary
struct RuntimeReferenceImageLibrary_t76072EC5637B1F0F8FD0A1BFD3AEAF954D6F8D6B : public RuntimeObject
{
public:
public:
};
// System.Reflection.RuntimeReflectionExtensions
struct RuntimeReflectionExtensions_t53304553944D3712A32E9308A10AA9DDFCDE7E15 : public RuntimeObject
{
public:
public:
};
// Mono.RuntimeStructs
struct RuntimeStructs_t5185B6697764BAD4F5BA4E6AAFCF937E9C739BFE : public RuntimeObject
{
public:
public:
};
// System.Security.Cryptography.SHA1Internal
struct SHA1Internal_t5D0A95A55E32BCC8976D5B91649E6C13C8334CD6 : public RuntimeObject
{
public:
// System.UInt32[] System.Security.Cryptography.SHA1Internal::_H
UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* ____H_0;
// System.UInt64 System.Security.Cryptography.SHA1Internal::count
uint64_t ___count_1;
// System.Byte[] System.Security.Cryptography.SHA1Internal::_ProcessingBuffer
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ____ProcessingBuffer_2;
// System.Int32 System.Security.Cryptography.SHA1Internal::_ProcessingBufferCount
int32_t ____ProcessingBufferCount_3;
// System.UInt32[] System.Security.Cryptography.SHA1Internal::buff
UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* ___buff_4;
public:
inline static int32_t get_offset_of__H_0() { return static_cast<int32_t>(offsetof(SHA1Internal_t5D0A95A55E32BCC8976D5B91649E6C13C8334CD6, ____H_0)); }
inline UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* get__H_0() const { return ____H_0; }
inline UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF** get_address_of__H_0() { return &____H_0; }
inline void set__H_0(UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* value)
{
____H_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____H_0), (void*)value);
}
inline static int32_t get_offset_of_count_1() { return static_cast<int32_t>(offsetof(SHA1Internal_t5D0A95A55E32BCC8976D5B91649E6C13C8334CD6, ___count_1)); }
inline uint64_t get_count_1() const { return ___count_1; }
inline uint64_t* get_address_of_count_1() { return &___count_1; }
inline void set_count_1(uint64_t value)
{
___count_1 = value;
}
inline static int32_t get_offset_of__ProcessingBuffer_2() { return static_cast<int32_t>(offsetof(SHA1Internal_t5D0A95A55E32BCC8976D5B91649E6C13C8334CD6, ____ProcessingBuffer_2)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get__ProcessingBuffer_2() const { return ____ProcessingBuffer_2; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of__ProcessingBuffer_2() { return &____ProcessingBuffer_2; }
inline void set__ProcessingBuffer_2(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
____ProcessingBuffer_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____ProcessingBuffer_2), (void*)value);
}
inline static int32_t get_offset_of__ProcessingBufferCount_3() { return static_cast<int32_t>(offsetof(SHA1Internal_t5D0A95A55E32BCC8976D5B91649E6C13C8334CD6, ____ProcessingBufferCount_3)); }
inline int32_t get__ProcessingBufferCount_3() const { return ____ProcessingBufferCount_3; }
inline int32_t* get_address_of__ProcessingBufferCount_3() { return &____ProcessingBufferCount_3; }
inline void set__ProcessingBufferCount_3(int32_t value)
{
____ProcessingBufferCount_3 = value;
}
inline static int32_t get_offset_of_buff_4() { return static_cast<int32_t>(offsetof(SHA1Internal_t5D0A95A55E32BCC8976D5B91649E6C13C8334CD6, ___buff_4)); }
inline UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* get_buff_4() const { return ___buff_4; }
inline UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF** get_address_of_buff_4() { return &___buff_4; }
inline void set_buff_4(UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* value)
{
___buff_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___buff_4), (void*)value);
}
};
// SR
struct SR_t7C9BB2906843BCE54155B2E99C05E0687AEB25FC : public RuntimeObject
{
public:
public:
};
// SR
struct SR_t20332BC36C60F50CC953F79ADA0CA8C844A21231 : public RuntimeObject
{
public:
public:
};
// SR
struct SR_t18DDAC0A0AC9B7F52E81CFEC14051580FFAAB957 : public RuntimeObject
{
public:
public:
};
// SR
struct SR_tC68C9348C3E71C536CC15DA331E096E960DE88CB : public RuntimeObject
{
public:
public:
};
// System.Runtime.Serialization.SafeSerializationManager
struct SafeSerializationManager_tDE44F029589A028F8A3053C5C06153FAB4AAE29F : public RuntimeObject
{
public:
// System.Collections.Generic.IList`1<System.Object> System.Runtime.Serialization.SafeSerializationManager::m_serializedStates
RuntimeObject* ___m_serializedStates_0;
// System.Runtime.Serialization.SerializationInfo System.Runtime.Serialization.SafeSerializationManager::m_savedSerializationInfo
SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 * ___m_savedSerializationInfo_1;
// System.Object System.Runtime.Serialization.SafeSerializationManager::m_realObject
RuntimeObject * ___m_realObject_2;
// System.RuntimeType System.Runtime.Serialization.SafeSerializationManager::m_realType
RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * ___m_realType_3;
// System.EventHandler`1<System.Runtime.Serialization.SafeSerializationEventArgs> System.Runtime.Serialization.SafeSerializationManager::SerializeObjectState
EventHandler_1_t1C27C79D0946B5B6968F4A351CFED838F67D7517 * ___SerializeObjectState_4;
public:
inline static int32_t get_offset_of_m_serializedStates_0() { return static_cast<int32_t>(offsetof(SafeSerializationManager_tDE44F029589A028F8A3053C5C06153FAB4AAE29F, ___m_serializedStates_0)); }
inline RuntimeObject* get_m_serializedStates_0() const { return ___m_serializedStates_0; }
inline RuntimeObject** get_address_of_m_serializedStates_0() { return &___m_serializedStates_0; }
inline void set_m_serializedStates_0(RuntimeObject* value)
{
___m_serializedStates_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_serializedStates_0), (void*)value);
}
inline static int32_t get_offset_of_m_savedSerializationInfo_1() { return static_cast<int32_t>(offsetof(SafeSerializationManager_tDE44F029589A028F8A3053C5C06153FAB4AAE29F, ___m_savedSerializationInfo_1)); }
inline SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 * get_m_savedSerializationInfo_1() const { return ___m_savedSerializationInfo_1; }
inline SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 ** get_address_of_m_savedSerializationInfo_1() { return &___m_savedSerializationInfo_1; }
inline void set_m_savedSerializationInfo_1(SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 * value)
{
___m_savedSerializationInfo_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_savedSerializationInfo_1), (void*)value);
}
inline static int32_t get_offset_of_m_realObject_2() { return static_cast<int32_t>(offsetof(SafeSerializationManager_tDE44F029589A028F8A3053C5C06153FAB4AAE29F, ___m_realObject_2)); }
inline RuntimeObject * get_m_realObject_2() const { return ___m_realObject_2; }
inline RuntimeObject ** get_address_of_m_realObject_2() { return &___m_realObject_2; }
inline void set_m_realObject_2(RuntimeObject * value)
{
___m_realObject_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_realObject_2), (void*)value);
}
inline static int32_t get_offset_of_m_realType_3() { return static_cast<int32_t>(offsetof(SafeSerializationManager_tDE44F029589A028F8A3053C5C06153FAB4AAE29F, ___m_realType_3)); }
inline RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * get_m_realType_3() const { return ___m_realType_3; }
inline RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 ** get_address_of_m_realType_3() { return &___m_realType_3; }
inline void set_m_realType_3(RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * value)
{
___m_realType_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_realType_3), (void*)value);
}
inline static int32_t get_offset_of_SerializeObjectState_4() { return static_cast<int32_t>(offsetof(SafeSerializationManager_tDE44F029589A028F8A3053C5C06153FAB4AAE29F, ___SerializeObjectState_4)); }
inline EventHandler_1_t1C27C79D0946B5B6968F4A351CFED838F67D7517 * get_SerializeObjectState_4() const { return ___SerializeObjectState_4; }
inline EventHandler_1_t1C27C79D0946B5B6968F4A351CFED838F67D7517 ** get_address_of_SerializeObjectState_4() { return &___SerializeObjectState_4; }
inline void set_SerializeObjectState_4(EventHandler_1_t1C27C79D0946B5B6968F4A351CFED838F67D7517 * value)
{
___SerializeObjectState_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___SerializeObjectState_4), (void*)value);
}
};
// UnityEngine.SceneManagement.SceneManager
struct SceneManager_tEC9D10ECC0377F8AE5AEEB5A789FFD24364440FA : public RuntimeObject
{
public:
public:
};
struct SceneManager_tEC9D10ECC0377F8AE5AEEB5A789FFD24364440FA_StaticFields
{
public:
// System.Boolean UnityEngine.SceneManagement.SceneManager::s_AllowLoadScene
bool ___s_AllowLoadScene_0;
// UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.LoadSceneMode> UnityEngine.SceneManagement.SceneManager::sceneLoaded
UnityAction_2_tDEF0DD47461C853F98CD2FF3CEC4F5EE13A19906 * ___sceneLoaded_1;
// UnityEngine.Events.UnityAction`1<UnityEngine.SceneManagement.Scene> UnityEngine.SceneManagement.SceneManager::sceneUnloaded
UnityAction_1_t98C9D5462DAC5B38057FFF4D18D84AAE4783CBE2 * ___sceneUnloaded_2;
// UnityEngine.Events.UnityAction`2<UnityEngine.SceneManagement.Scene,UnityEngine.SceneManagement.Scene> UnityEngine.SceneManagement.SceneManager::activeSceneChanged
UnityAction_2_t617D40B57FD0E410A99764D18A04CAA0E4CB35D4 * ___activeSceneChanged_3;
public:
inline static int32_t get_offset_of_s_AllowLoadScene_0() { return static_cast<int32_t>(offsetof(SceneManager_tEC9D10ECC0377F8AE5AEEB5A789FFD24364440FA_StaticFields, ___s_AllowLoadScene_0)); }
inline bool get_s_AllowLoadScene_0() const { return ___s_AllowLoadScene_0; }
inline bool* get_address_of_s_AllowLoadScene_0() { return &___s_AllowLoadScene_0; }
inline void set_s_AllowLoadScene_0(bool value)
{
___s_AllowLoadScene_0 = value;
}
inline static int32_t get_offset_of_sceneLoaded_1() { return static_cast<int32_t>(offsetof(SceneManager_tEC9D10ECC0377F8AE5AEEB5A789FFD24364440FA_StaticFields, ___sceneLoaded_1)); }
inline UnityAction_2_tDEF0DD47461C853F98CD2FF3CEC4F5EE13A19906 * get_sceneLoaded_1() const { return ___sceneLoaded_1; }
inline UnityAction_2_tDEF0DD47461C853F98CD2FF3CEC4F5EE13A19906 ** get_address_of_sceneLoaded_1() { return &___sceneLoaded_1; }
inline void set_sceneLoaded_1(UnityAction_2_tDEF0DD47461C853F98CD2FF3CEC4F5EE13A19906 * value)
{
___sceneLoaded_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sceneLoaded_1), (void*)value);
}
inline static int32_t get_offset_of_sceneUnloaded_2() { return static_cast<int32_t>(offsetof(SceneManager_tEC9D10ECC0377F8AE5AEEB5A789FFD24364440FA_StaticFields, ___sceneUnloaded_2)); }
inline UnityAction_1_t98C9D5462DAC5B38057FFF4D18D84AAE4783CBE2 * get_sceneUnloaded_2() const { return ___sceneUnloaded_2; }
inline UnityAction_1_t98C9D5462DAC5B38057FFF4D18D84AAE4783CBE2 ** get_address_of_sceneUnloaded_2() { return &___sceneUnloaded_2; }
inline void set_sceneUnloaded_2(UnityAction_1_t98C9D5462DAC5B38057FFF4D18D84AAE4783CBE2 * value)
{
___sceneUnloaded_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sceneUnloaded_2), (void*)value);
}
inline static int32_t get_offset_of_activeSceneChanged_3() { return static_cast<int32_t>(offsetof(SceneManager_tEC9D10ECC0377F8AE5AEEB5A789FFD24364440FA_StaticFields, ___activeSceneChanged_3)); }
inline UnityAction_2_t617D40B57FD0E410A99764D18A04CAA0E4CB35D4 * get_activeSceneChanged_3() const { return ___activeSceneChanged_3; }
inline UnityAction_2_t617D40B57FD0E410A99764D18A04CAA0E4CB35D4 ** get_address_of_activeSceneChanged_3() { return &___activeSceneChanged_3; }
inline void set_activeSceneChanged_3(UnityAction_2_t617D40B57FD0E410A99764D18A04CAA0E4CB35D4 * value)
{
___activeSceneChanged_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___activeSceneChanged_3), (void*)value);
}
};
// UnityEngine.SceneManagement.SceneManagerAPI
struct SceneManagerAPI_t0CF2C1EC6F41D027290701239F7E794B9C46845F : public RuntimeObject
{
public:
public:
};
struct SceneManagerAPI_t0CF2C1EC6F41D027290701239F7E794B9C46845F_StaticFields
{
public:
// UnityEngine.SceneManagement.SceneManagerAPI UnityEngine.SceneManagement.SceneManagerAPI::s_DefaultAPI
SceneManagerAPI_t0CF2C1EC6F41D027290701239F7E794B9C46845F * ___s_DefaultAPI_0;
// UnityEngine.SceneManagement.SceneManagerAPI UnityEngine.SceneManagement.SceneManagerAPI::<overrideAPI>k__BackingField
SceneManagerAPI_t0CF2C1EC6F41D027290701239F7E794B9C46845F * ___U3CoverrideAPIU3Ek__BackingField_1;
public:
inline static int32_t get_offset_of_s_DefaultAPI_0() { return static_cast<int32_t>(offsetof(SceneManagerAPI_t0CF2C1EC6F41D027290701239F7E794B9C46845F_StaticFields, ___s_DefaultAPI_0)); }
inline SceneManagerAPI_t0CF2C1EC6F41D027290701239F7E794B9C46845F * get_s_DefaultAPI_0() const { return ___s_DefaultAPI_0; }
inline SceneManagerAPI_t0CF2C1EC6F41D027290701239F7E794B9C46845F ** get_address_of_s_DefaultAPI_0() { return &___s_DefaultAPI_0; }
inline void set_s_DefaultAPI_0(SceneManagerAPI_t0CF2C1EC6F41D027290701239F7E794B9C46845F * value)
{
___s_DefaultAPI_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_DefaultAPI_0), (void*)value);
}
inline static int32_t get_offset_of_U3CoverrideAPIU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(SceneManagerAPI_t0CF2C1EC6F41D027290701239F7E794B9C46845F_StaticFields, ___U3CoverrideAPIU3Ek__BackingField_1)); }
inline SceneManagerAPI_t0CF2C1EC6F41D027290701239F7E794B9C46845F * get_U3CoverrideAPIU3Ek__BackingField_1() const { return ___U3CoverrideAPIU3Ek__BackingField_1; }
inline SceneManagerAPI_t0CF2C1EC6F41D027290701239F7E794B9C46845F ** get_address_of_U3CoverrideAPIU3Ek__BackingField_1() { return &___U3CoverrideAPIU3Ek__BackingField_1; }
inline void set_U3CoverrideAPIU3Ek__BackingField_1(SceneManagerAPI_t0CF2C1EC6F41D027290701239F7E794B9C46845F * value)
{
___U3CoverrideAPIU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CoverrideAPIU3Ek__BackingField_1), (void*)value);
}
};
// UnityEngine.SceneManagement.SceneManagerAPIInternal
struct SceneManagerAPIInternal_t6A198A908E5373580CEBD84327A14729824B0927 : public RuntimeObject
{
public:
public:
};
// UnityEngine.Screen
struct Screen_t9BCB7372025EBEF02ADC33A4A2397C4F88FC65B0 : public RuntimeObject
{
public:
public:
};
// UnityEngine.Experimental.Rendering.ScriptableRuntimeReflectionSystemSettings
struct ScriptableRuntimeReflectionSystemSettings_t3AF238E06EF34DE83F6A23952FA3D197FB6E6FCD : public RuntimeObject
{
public:
public:
};
struct ScriptableRuntimeReflectionSystemSettings_t3AF238E06EF34DE83F6A23952FA3D197FB6E6FCD_StaticFields
{
public:
// UnityEngine.Experimental.Rendering.ScriptableRuntimeReflectionSystemWrapper UnityEngine.Experimental.Rendering.ScriptableRuntimeReflectionSystemSettings::s_Instance
ScriptableRuntimeReflectionSystemWrapper_t9F1EBF4C6EBF7B3D6742B6320205DD9475793F61 * ___s_Instance_0;
public:
inline static int32_t get_offset_of_s_Instance_0() { return static_cast<int32_t>(offsetof(ScriptableRuntimeReflectionSystemSettings_t3AF238E06EF34DE83F6A23952FA3D197FB6E6FCD_StaticFields, ___s_Instance_0)); }
inline ScriptableRuntimeReflectionSystemWrapper_t9F1EBF4C6EBF7B3D6742B6320205DD9475793F61 * get_s_Instance_0() const { return ___s_Instance_0; }
inline ScriptableRuntimeReflectionSystemWrapper_t9F1EBF4C6EBF7B3D6742B6320205DD9475793F61 ** get_address_of_s_Instance_0() { return &___s_Instance_0; }
inline void set_s_Instance_0(ScriptableRuntimeReflectionSystemWrapper_t9F1EBF4C6EBF7B3D6742B6320205DD9475793F61 * value)
{
___s_Instance_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Instance_0), (void*)value);
}
};
// UnityEngine.Experimental.Rendering.ScriptableRuntimeReflectionSystemWrapper
struct ScriptableRuntimeReflectionSystemWrapper_t9F1EBF4C6EBF7B3D6742B6320205DD9475793F61 : public RuntimeObject
{
public:
// UnityEngine.Experimental.Rendering.IScriptableRuntimeReflectionSystem UnityEngine.Experimental.Rendering.ScriptableRuntimeReflectionSystemWrapper::<implementation>k__BackingField
RuntimeObject* ___U3CimplementationU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CimplementationU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(ScriptableRuntimeReflectionSystemWrapper_t9F1EBF4C6EBF7B3D6742B6320205DD9475793F61, ___U3CimplementationU3Ek__BackingField_0)); }
inline RuntimeObject* get_U3CimplementationU3Ek__BackingField_0() const { return ___U3CimplementationU3Ek__BackingField_0; }
inline RuntimeObject** get_address_of_U3CimplementationU3Ek__BackingField_0() { return &___U3CimplementationU3Ek__BackingField_0; }
inline void set_U3CimplementationU3Ek__BackingField_0(RuntimeObject* value)
{
___U3CimplementationU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CimplementationU3Ek__BackingField_0), (void*)value);
}
};
// UnityEngine.ScriptingUtility
struct ScriptingUtility_t9E44A9DB47F02381261252BC76D190B69102B16F : public RuntimeObject
{
public:
public:
};
// UnityEngine.ScrollViewState
struct ScrollViewState_t6ACB5023B94B7CD6372697F35F84E8A798C31AF0 : public RuntimeObject
{
public:
public:
};
// System.IO.SearchResult
struct SearchResult_t01645319F2B5E9C2948FE1F409A4450F4512880A : public RuntimeObject
{
public:
// System.String System.IO.SearchResult::fullPath
String_t* ___fullPath_0;
// System.String System.IO.SearchResult::userPath
String_t* ___userPath_1;
// Microsoft.Win32.Win32Native/WIN32_FIND_DATA System.IO.SearchResult::findData
WIN32_FIND_DATA_tE88493B22E1CDD2E595CA4F800949555399AB3C7 * ___findData_2;
public:
inline static int32_t get_offset_of_fullPath_0() { return static_cast<int32_t>(offsetof(SearchResult_t01645319F2B5E9C2948FE1F409A4450F4512880A, ___fullPath_0)); }
inline String_t* get_fullPath_0() const { return ___fullPath_0; }
inline String_t** get_address_of_fullPath_0() { return &___fullPath_0; }
inline void set_fullPath_0(String_t* value)
{
___fullPath_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___fullPath_0), (void*)value);
}
inline static int32_t get_offset_of_userPath_1() { return static_cast<int32_t>(offsetof(SearchResult_t01645319F2B5E9C2948FE1F409A4450F4512880A, ___userPath_1)); }
inline String_t* get_userPath_1() const { return ___userPath_1; }
inline String_t** get_address_of_userPath_1() { return &___userPath_1; }
inline void set_userPath_1(String_t* value)
{
___userPath_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___userPath_1), (void*)value);
}
inline static int32_t get_offset_of_findData_2() { return static_cast<int32_t>(offsetof(SearchResult_t01645319F2B5E9C2948FE1F409A4450F4512880A, ___findData_2)); }
inline WIN32_FIND_DATA_tE88493B22E1CDD2E595CA4F800949555399AB3C7 * get_findData_2() const { return ___findData_2; }
inline WIN32_FIND_DATA_tE88493B22E1CDD2E595CA4F800949555399AB3C7 ** get_address_of_findData_2() { return &___findData_2; }
inline void set_findData_2(WIN32_FIND_DATA_tE88493B22E1CDD2E595CA4F800949555399AB3C7 * value)
{
___findData_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___findData_2), (void*)value);
}
};
// System.Security.SecurityElement
struct SecurityElement_tB9682077760936136392270197F642224B2141CC : public RuntimeObject
{
public:
// System.String System.Security.SecurityElement::text
String_t* ___text_0;
// System.String System.Security.SecurityElement::tag
String_t* ___tag_1;
// System.Collections.ArrayList System.Security.SecurityElement::attributes
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * ___attributes_2;
// System.Collections.ArrayList System.Security.SecurityElement::children
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * ___children_3;
public:
inline static int32_t get_offset_of_text_0() { return static_cast<int32_t>(offsetof(SecurityElement_tB9682077760936136392270197F642224B2141CC, ___text_0)); }
inline String_t* get_text_0() const { return ___text_0; }
inline String_t** get_address_of_text_0() { return &___text_0; }
inline void set_text_0(String_t* value)
{
___text_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___text_0), (void*)value);
}
inline static int32_t get_offset_of_tag_1() { return static_cast<int32_t>(offsetof(SecurityElement_tB9682077760936136392270197F642224B2141CC, ___tag_1)); }
inline String_t* get_tag_1() const { return ___tag_1; }
inline String_t** get_address_of_tag_1() { return &___tag_1; }
inline void set_tag_1(String_t* value)
{
___tag_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___tag_1), (void*)value);
}
inline static int32_t get_offset_of_attributes_2() { return static_cast<int32_t>(offsetof(SecurityElement_tB9682077760936136392270197F642224B2141CC, ___attributes_2)); }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * get_attributes_2() const { return ___attributes_2; }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 ** get_address_of_attributes_2() { return &___attributes_2; }
inline void set_attributes_2(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * value)
{
___attributes_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___attributes_2), (void*)value);
}
inline static int32_t get_offset_of_children_3() { return static_cast<int32_t>(offsetof(SecurityElement_tB9682077760936136392270197F642224B2141CC, ___children_3)); }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * get_children_3() const { return ___children_3; }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 ** get_address_of_children_3() { return &___children_3; }
inline void set_children_3(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * value)
{
___children_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___children_3), (void*)value);
}
};
struct SecurityElement_tB9682077760936136392270197F642224B2141CC_StaticFields
{
public:
// System.Char[] System.Security.SecurityElement::invalid_tag_chars
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___invalid_tag_chars_4;
// System.Char[] System.Security.SecurityElement::invalid_text_chars
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___invalid_text_chars_5;
// System.Char[] System.Security.SecurityElement::invalid_attr_name_chars
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___invalid_attr_name_chars_6;
// System.Char[] System.Security.SecurityElement::invalid_attr_value_chars
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___invalid_attr_value_chars_7;
// System.Char[] System.Security.SecurityElement::invalid_chars
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___invalid_chars_8;
public:
inline static int32_t get_offset_of_invalid_tag_chars_4() { return static_cast<int32_t>(offsetof(SecurityElement_tB9682077760936136392270197F642224B2141CC_StaticFields, ___invalid_tag_chars_4)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_invalid_tag_chars_4() const { return ___invalid_tag_chars_4; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_invalid_tag_chars_4() { return &___invalid_tag_chars_4; }
inline void set_invalid_tag_chars_4(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___invalid_tag_chars_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___invalid_tag_chars_4), (void*)value);
}
inline static int32_t get_offset_of_invalid_text_chars_5() { return static_cast<int32_t>(offsetof(SecurityElement_tB9682077760936136392270197F642224B2141CC_StaticFields, ___invalid_text_chars_5)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_invalid_text_chars_5() const { return ___invalid_text_chars_5; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_invalid_text_chars_5() { return &___invalid_text_chars_5; }
inline void set_invalid_text_chars_5(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___invalid_text_chars_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___invalid_text_chars_5), (void*)value);
}
inline static int32_t get_offset_of_invalid_attr_name_chars_6() { return static_cast<int32_t>(offsetof(SecurityElement_tB9682077760936136392270197F642224B2141CC_StaticFields, ___invalid_attr_name_chars_6)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_invalid_attr_name_chars_6() const { return ___invalid_attr_name_chars_6; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_invalid_attr_name_chars_6() { return &___invalid_attr_name_chars_6; }
inline void set_invalid_attr_name_chars_6(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___invalid_attr_name_chars_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___invalid_attr_name_chars_6), (void*)value);
}
inline static int32_t get_offset_of_invalid_attr_value_chars_7() { return static_cast<int32_t>(offsetof(SecurityElement_tB9682077760936136392270197F642224B2141CC_StaticFields, ___invalid_attr_value_chars_7)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_invalid_attr_value_chars_7() const { return ___invalid_attr_value_chars_7; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_invalid_attr_value_chars_7() { return &___invalid_attr_value_chars_7; }
inline void set_invalid_attr_value_chars_7(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___invalid_attr_value_chars_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___invalid_attr_value_chars_7), (void*)value);
}
inline static int32_t get_offset_of_invalid_chars_8() { return static_cast<int32_t>(offsetof(SecurityElement_tB9682077760936136392270197F642224B2141CC_StaticFields, ___invalid_chars_8)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_invalid_chars_8() const { return ___invalid_chars_8; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_invalid_chars_8() { return &___invalid_chars_8; }
inline void set_invalid_chars_8(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___invalid_chars_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___invalid_chars_8), (void*)value);
}
};
// System.Security.SecurityManager
struct SecurityManager_t69B948787AF89ADBF4F1E02E2659088682A2BB96 : public RuntimeObject
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.SegmentationDepthModeExtension
struct SegmentationDepthModeExtension_tBF22E29EC930BAF6B46CE01A57C0426FD209212D : public RuntimeObject
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.SegmentationStencilModeExtension
struct SegmentationStencilModeExtension_t6C2DB2995F909095E9C8957B1BC777992EF60431 : public RuntimeObject
{
public:
public:
};
// UnityEngine.SendMouseEvents
struct SendMouseEvents_tCF069F9DE53C8E51B7AF505FC52F79DB84D81437 : public RuntimeObject
{
public:
public:
};
struct SendMouseEvents_tCF069F9DE53C8E51B7AF505FC52F79DB84D81437_StaticFields
{
public:
// System.Boolean UnityEngine.SendMouseEvents::s_MouseUsed
bool ___s_MouseUsed_0;
// UnityEngine.SendMouseEvents/HitInfo[] UnityEngine.SendMouseEvents::m_LastHit
HitInfoU5BU5D_t432774AD200329E637288BFACCD210774B7B5231* ___m_LastHit_1;
// UnityEngine.SendMouseEvents/HitInfo[] UnityEngine.SendMouseEvents::m_MouseDownHit
HitInfoU5BU5D_t432774AD200329E637288BFACCD210774B7B5231* ___m_MouseDownHit_2;
// UnityEngine.SendMouseEvents/HitInfo[] UnityEngine.SendMouseEvents::m_CurrentHit
HitInfoU5BU5D_t432774AD200329E637288BFACCD210774B7B5231* ___m_CurrentHit_3;
// UnityEngine.Camera[] UnityEngine.SendMouseEvents::m_Cameras
CameraU5BU5D_tAF84B9EC9AF40F1B6294BCEBA82A1AD123A9D001* ___m_Cameras_4;
public:
inline static int32_t get_offset_of_s_MouseUsed_0() { return static_cast<int32_t>(offsetof(SendMouseEvents_tCF069F9DE53C8E51B7AF505FC52F79DB84D81437_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_tCF069F9DE53C8E51B7AF505FC52F79DB84D81437_StaticFields, ___m_LastHit_1)); }
inline HitInfoU5BU5D_t432774AD200329E637288BFACCD210774B7B5231* get_m_LastHit_1() const { return ___m_LastHit_1; }
inline HitInfoU5BU5D_t432774AD200329E637288BFACCD210774B7B5231** get_address_of_m_LastHit_1() { return &___m_LastHit_1; }
inline void set_m_LastHit_1(HitInfoU5BU5D_t432774AD200329E637288BFACCD210774B7B5231* value)
{
___m_LastHit_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LastHit_1), (void*)value);
}
inline static int32_t get_offset_of_m_MouseDownHit_2() { return static_cast<int32_t>(offsetof(SendMouseEvents_tCF069F9DE53C8E51B7AF505FC52F79DB84D81437_StaticFields, ___m_MouseDownHit_2)); }
inline HitInfoU5BU5D_t432774AD200329E637288BFACCD210774B7B5231* get_m_MouseDownHit_2() const { return ___m_MouseDownHit_2; }
inline HitInfoU5BU5D_t432774AD200329E637288BFACCD210774B7B5231** get_address_of_m_MouseDownHit_2() { return &___m_MouseDownHit_2; }
inline void set_m_MouseDownHit_2(HitInfoU5BU5D_t432774AD200329E637288BFACCD210774B7B5231* value)
{
___m_MouseDownHit_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_MouseDownHit_2), (void*)value);
}
inline static int32_t get_offset_of_m_CurrentHit_3() { return static_cast<int32_t>(offsetof(SendMouseEvents_tCF069F9DE53C8E51B7AF505FC52F79DB84D81437_StaticFields, ___m_CurrentHit_3)); }
inline HitInfoU5BU5D_t432774AD200329E637288BFACCD210774B7B5231* get_m_CurrentHit_3() const { return ___m_CurrentHit_3; }
inline HitInfoU5BU5D_t432774AD200329E637288BFACCD210774B7B5231** get_address_of_m_CurrentHit_3() { return &___m_CurrentHit_3; }
inline void set_m_CurrentHit_3(HitInfoU5BU5D_t432774AD200329E637288BFACCD210774B7B5231* value)
{
___m_CurrentHit_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CurrentHit_3), (void*)value);
}
inline static int32_t get_offset_of_m_Cameras_4() { return static_cast<int32_t>(offsetof(SendMouseEvents_tCF069F9DE53C8E51B7AF505FC52F79DB84D81437_StaticFields, ___m_Cameras_4)); }
inline CameraU5BU5D_tAF84B9EC9AF40F1B6294BCEBA82A1AD123A9D001* get_m_Cameras_4() const { return ___m_Cameras_4; }
inline CameraU5BU5D_tAF84B9EC9AF40F1B6294BCEBA82A1AD123A9D001** get_address_of_m_Cameras_4() { return &___m_Cameras_4; }
inline void set_m_Cameras_4(CameraU5BU5D_tAF84B9EC9AF40F1B6294BCEBA82A1AD123A9D001* value)
{
___m_Cameras_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Cameras_4), (void*)value);
}
};
// UnityEngine.Localization.Tables.SequentialIDGenerator
struct SequentialIDGenerator_tE64902B256ED17F0CDAFDA18F83324EE089C654C : public RuntimeObject
{
public:
// System.Int64 UnityEngine.Localization.Tables.SequentialIDGenerator::m_NextAvailableId
int64_t ___m_NextAvailableId_0;
public:
inline static int32_t get_offset_of_m_NextAvailableId_0() { return static_cast<int32_t>(offsetof(SequentialIDGenerator_tE64902B256ED17F0CDAFDA18F83324EE089C654C, ___m_NextAvailableId_0)); }
inline int64_t get_m_NextAvailableId_0() const { return ___m_NextAvailableId_0; }
inline int64_t* get_address_of_m_NextAvailableId_0() { return &___m_NextAvailableId_0; }
inline void set_m_NextAvailableId_0(int64_t value)
{
___m_NextAvailableId_0 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.SerObjectInfoCache
struct SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB : public RuntimeObject
{
public:
// System.String System.Runtime.Serialization.Formatters.Binary.SerObjectInfoCache::fullTypeName
String_t* ___fullTypeName_0;
// System.String System.Runtime.Serialization.Formatters.Binary.SerObjectInfoCache::assemblyString
String_t* ___assemblyString_1;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.SerObjectInfoCache::hasTypeForwardedFrom
bool ___hasTypeForwardedFrom_2;
// System.Reflection.MemberInfo[] System.Runtime.Serialization.Formatters.Binary.SerObjectInfoCache::memberInfos
MemberInfoU5BU5D_t04CE6CC3692D77C74DC079E7CAF110CBF031C99E* ___memberInfos_3;
// System.String[] System.Runtime.Serialization.Formatters.Binary.SerObjectInfoCache::memberNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___memberNames_4;
// System.Type[] System.Runtime.Serialization.Formatters.Binary.SerObjectInfoCache::memberTypes
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ___memberTypes_5;
public:
inline static int32_t get_offset_of_fullTypeName_0() { return static_cast<int32_t>(offsetof(SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB, ___fullTypeName_0)); }
inline String_t* get_fullTypeName_0() const { return ___fullTypeName_0; }
inline String_t** get_address_of_fullTypeName_0() { return &___fullTypeName_0; }
inline void set_fullTypeName_0(String_t* value)
{
___fullTypeName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___fullTypeName_0), (void*)value);
}
inline static int32_t get_offset_of_assemblyString_1() { return static_cast<int32_t>(offsetof(SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB, ___assemblyString_1)); }
inline String_t* get_assemblyString_1() const { return ___assemblyString_1; }
inline String_t** get_address_of_assemblyString_1() { return &___assemblyString_1; }
inline void set_assemblyString_1(String_t* value)
{
___assemblyString_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assemblyString_1), (void*)value);
}
inline static int32_t get_offset_of_hasTypeForwardedFrom_2() { return static_cast<int32_t>(offsetof(SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB, ___hasTypeForwardedFrom_2)); }
inline bool get_hasTypeForwardedFrom_2() const { return ___hasTypeForwardedFrom_2; }
inline bool* get_address_of_hasTypeForwardedFrom_2() { return &___hasTypeForwardedFrom_2; }
inline void set_hasTypeForwardedFrom_2(bool value)
{
___hasTypeForwardedFrom_2 = value;
}
inline static int32_t get_offset_of_memberInfos_3() { return static_cast<int32_t>(offsetof(SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB, ___memberInfos_3)); }
inline MemberInfoU5BU5D_t04CE6CC3692D77C74DC079E7CAF110CBF031C99E* get_memberInfos_3() const { return ___memberInfos_3; }
inline MemberInfoU5BU5D_t04CE6CC3692D77C74DC079E7CAF110CBF031C99E** get_address_of_memberInfos_3() { return &___memberInfos_3; }
inline void set_memberInfos_3(MemberInfoU5BU5D_t04CE6CC3692D77C74DC079E7CAF110CBF031C99E* value)
{
___memberInfos_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberInfos_3), (void*)value);
}
inline static int32_t get_offset_of_memberNames_4() { return static_cast<int32_t>(offsetof(SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB, ___memberNames_4)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_memberNames_4() const { return ___memberNames_4; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_memberNames_4() { return &___memberNames_4; }
inline void set_memberNames_4(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___memberNames_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberNames_4), (void*)value);
}
inline static int32_t get_offset_of_memberTypes_5() { return static_cast<int32_t>(offsetof(SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB, ___memberTypes_5)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get_memberTypes_5() const { return ___memberTypes_5; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of_memberTypes_5() { return &___memberTypes_5; }
inline void set_memberTypes_5(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
___memberTypes_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberTypes_5), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.Binary.SerObjectInfoInit
struct SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D : public RuntimeObject
{
public:
// System.Collections.Hashtable System.Runtime.Serialization.Formatters.Binary.SerObjectInfoInit::seenBeforeTable
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___seenBeforeTable_0;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.SerObjectInfoInit::objectInfoIdCount
int32_t ___objectInfoIdCount_1;
// System.Runtime.Serialization.Formatters.Binary.SerStack System.Runtime.Serialization.Formatters.Binary.SerObjectInfoInit::oiPool
SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC * ___oiPool_2;
public:
inline static int32_t get_offset_of_seenBeforeTable_0() { return static_cast<int32_t>(offsetof(SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D, ___seenBeforeTable_0)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_seenBeforeTable_0() const { return ___seenBeforeTable_0; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_seenBeforeTable_0() { return &___seenBeforeTable_0; }
inline void set_seenBeforeTable_0(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___seenBeforeTable_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___seenBeforeTable_0), (void*)value);
}
inline static int32_t get_offset_of_objectInfoIdCount_1() { return static_cast<int32_t>(offsetof(SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D, ___objectInfoIdCount_1)); }
inline int32_t get_objectInfoIdCount_1() const { return ___objectInfoIdCount_1; }
inline int32_t* get_address_of_objectInfoIdCount_1() { return &___objectInfoIdCount_1; }
inline void set_objectInfoIdCount_1(int32_t value)
{
___objectInfoIdCount_1 = value;
}
inline static int32_t get_offset_of_oiPool_2() { return static_cast<int32_t>(offsetof(SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D, ___oiPool_2)); }
inline SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC * get_oiPool_2() const { return ___oiPool_2; }
inline SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC ** get_address_of_oiPool_2() { return &___oiPool_2; }
inline void set_oiPool_2(SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC * value)
{
___oiPool_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___oiPool_2), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.Binary.SerStack
struct SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC : public RuntimeObject
{
public:
// System.Object[] System.Runtime.Serialization.Formatters.Binary.SerStack::objects
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___objects_0;
// System.String System.Runtime.Serialization.Formatters.Binary.SerStack::stackId
String_t* ___stackId_1;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.SerStack::top
int32_t ___top_2;
public:
inline static int32_t get_offset_of_objects_0() { return static_cast<int32_t>(offsetof(SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC, ___objects_0)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_objects_0() const { return ___objects_0; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_objects_0() { return &___objects_0; }
inline void set_objects_0(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___objects_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objects_0), (void*)value);
}
inline static int32_t get_offset_of_stackId_1() { return static_cast<int32_t>(offsetof(SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC, ___stackId_1)); }
inline String_t* get_stackId_1() const { return ___stackId_1; }
inline String_t** get_address_of_stackId_1() { return &___stackId_1; }
inline void set_stackId_1(String_t* value)
{
___stackId_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___stackId_1), (void*)value);
}
inline static int32_t get_offset_of_top_2() { return static_cast<int32_t>(offsetof(SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC, ___top_2)); }
inline int32_t get_top_2() const { return ___top_2; }
inline int32_t* get_address_of_top_2() { return &___top_2; }
inline void set_top_2(int32_t value)
{
___top_2 = value;
}
};
// System.Runtime.Serialization.SerializationBinder
struct SerializationBinder_t600A2077818E43FC641208357D8B809A10F1EAB8 : public RuntimeObject
{
public:
public:
};
// System.Runtime.Serialization.SerializationEvents
struct SerializationEvents_tAFEEA39AD3C02ACB44BDFD986CBD54DAC332A7E8 : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<System.Reflection.MethodInfo> System.Runtime.Serialization.SerializationEvents::m_OnSerializingMethods
List_1_t110010ECD885734BF7EEAE609A01E1C757A363C4 * ___m_OnSerializingMethods_0;
// System.Collections.Generic.List`1<System.Reflection.MethodInfo> System.Runtime.Serialization.SerializationEvents::m_OnSerializedMethods
List_1_t110010ECD885734BF7EEAE609A01E1C757A363C4 * ___m_OnSerializedMethods_1;
// System.Collections.Generic.List`1<System.Reflection.MethodInfo> System.Runtime.Serialization.SerializationEvents::m_OnDeserializingMethods
List_1_t110010ECD885734BF7EEAE609A01E1C757A363C4 * ___m_OnDeserializingMethods_2;
// System.Collections.Generic.List`1<System.Reflection.MethodInfo> System.Runtime.Serialization.SerializationEvents::m_OnDeserializedMethods
List_1_t110010ECD885734BF7EEAE609A01E1C757A363C4 * ___m_OnDeserializedMethods_3;
public:
inline static int32_t get_offset_of_m_OnSerializingMethods_0() { return static_cast<int32_t>(offsetof(SerializationEvents_tAFEEA39AD3C02ACB44BDFD986CBD54DAC332A7E8, ___m_OnSerializingMethods_0)); }
inline List_1_t110010ECD885734BF7EEAE609A01E1C757A363C4 * get_m_OnSerializingMethods_0() const { return ___m_OnSerializingMethods_0; }
inline List_1_t110010ECD885734BF7EEAE609A01E1C757A363C4 ** get_address_of_m_OnSerializingMethods_0() { return &___m_OnSerializingMethods_0; }
inline void set_m_OnSerializingMethods_0(List_1_t110010ECD885734BF7EEAE609A01E1C757A363C4 * value)
{
___m_OnSerializingMethods_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnSerializingMethods_0), (void*)value);
}
inline static int32_t get_offset_of_m_OnSerializedMethods_1() { return static_cast<int32_t>(offsetof(SerializationEvents_tAFEEA39AD3C02ACB44BDFD986CBD54DAC332A7E8, ___m_OnSerializedMethods_1)); }
inline List_1_t110010ECD885734BF7EEAE609A01E1C757A363C4 * get_m_OnSerializedMethods_1() const { return ___m_OnSerializedMethods_1; }
inline List_1_t110010ECD885734BF7EEAE609A01E1C757A363C4 ** get_address_of_m_OnSerializedMethods_1() { return &___m_OnSerializedMethods_1; }
inline void set_m_OnSerializedMethods_1(List_1_t110010ECD885734BF7EEAE609A01E1C757A363C4 * value)
{
___m_OnSerializedMethods_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnSerializedMethods_1), (void*)value);
}
inline static int32_t get_offset_of_m_OnDeserializingMethods_2() { return static_cast<int32_t>(offsetof(SerializationEvents_tAFEEA39AD3C02ACB44BDFD986CBD54DAC332A7E8, ___m_OnDeserializingMethods_2)); }
inline List_1_t110010ECD885734BF7EEAE609A01E1C757A363C4 * get_m_OnDeserializingMethods_2() const { return ___m_OnDeserializingMethods_2; }
inline List_1_t110010ECD885734BF7EEAE609A01E1C757A363C4 ** get_address_of_m_OnDeserializingMethods_2() { return &___m_OnDeserializingMethods_2; }
inline void set_m_OnDeserializingMethods_2(List_1_t110010ECD885734BF7EEAE609A01E1C757A363C4 * value)
{
___m_OnDeserializingMethods_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnDeserializingMethods_2), (void*)value);
}
inline static int32_t get_offset_of_m_OnDeserializedMethods_3() { return static_cast<int32_t>(offsetof(SerializationEvents_tAFEEA39AD3C02ACB44BDFD986CBD54DAC332A7E8, ___m_OnDeserializedMethods_3)); }
inline List_1_t110010ECD885734BF7EEAE609A01E1C757A363C4 * get_m_OnDeserializedMethods_3() const { return ___m_OnDeserializedMethods_3; }
inline List_1_t110010ECD885734BF7EEAE609A01E1C757A363C4 ** get_address_of_m_OnDeserializedMethods_3() { return &___m_OnDeserializedMethods_3; }
inline void set_m_OnDeserializedMethods_3(List_1_t110010ECD885734BF7EEAE609A01E1C757A363C4 * value)
{
___m_OnDeserializedMethods_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnDeserializedMethods_3), (void*)value);
}
};
// System.Runtime.Serialization.SerializationEventsCache
struct SerializationEventsCache_tCEBB37248E851B3EF73D8D34579E1318DFEF7EA6 : public RuntimeObject
{
public:
public:
};
struct SerializationEventsCache_tCEBB37248E851B3EF73D8D34579E1318DFEF7EA6_StaticFields
{
public:
// System.Collections.Hashtable System.Runtime.Serialization.SerializationEventsCache::cache
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___cache_0;
public:
inline static int32_t get_offset_of_cache_0() { return static_cast<int32_t>(offsetof(SerializationEventsCache_tCEBB37248E851B3EF73D8D34579E1318DFEF7EA6_StaticFields, ___cache_0)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_cache_0() const { return ___cache_0; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_cache_0() { return &___cache_0; }
inline void set_cache_0(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___cache_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___cache_0), (void*)value);
}
};
// System.Runtime.Serialization.SerializationInfo
struct SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 : public RuntimeObject
{
public:
// System.String[] System.Runtime.Serialization.SerializationInfo::m_members
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___m_members_3;
// System.Object[] System.Runtime.Serialization.SerializationInfo::m_data
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___m_data_4;
// System.Type[] System.Runtime.Serialization.SerializationInfo::m_types
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ___m_types_5;
// System.Collections.Generic.Dictionary`2<System.String,System.Int32> System.Runtime.Serialization.SerializationInfo::m_nameToIndex
Dictionary_2_tC94E9875910491F8130C2DC8B11E4D1548A55162 * ___m_nameToIndex_6;
// System.Int32 System.Runtime.Serialization.SerializationInfo::m_currMember
int32_t ___m_currMember_7;
// System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.SerializationInfo::m_converter
RuntimeObject* ___m_converter_8;
// System.String System.Runtime.Serialization.SerializationInfo::m_fullTypeName
String_t* ___m_fullTypeName_9;
// System.String System.Runtime.Serialization.SerializationInfo::m_assemName
String_t* ___m_assemName_10;
// System.Type System.Runtime.Serialization.SerializationInfo::objectType
Type_t * ___objectType_11;
// System.Boolean System.Runtime.Serialization.SerializationInfo::isFullTypeNameSetExplicit
bool ___isFullTypeNameSetExplicit_12;
// System.Boolean System.Runtime.Serialization.SerializationInfo::isAssemblyNameSetExplicit
bool ___isAssemblyNameSetExplicit_13;
// System.Boolean System.Runtime.Serialization.SerializationInfo::requireSameTokenInPartialTrust
bool ___requireSameTokenInPartialTrust_14;
public:
inline static int32_t get_offset_of_m_members_3() { return static_cast<int32_t>(offsetof(SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1, ___m_members_3)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_m_members_3() const { return ___m_members_3; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_m_members_3() { return &___m_members_3; }
inline void set_m_members_3(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___m_members_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_members_3), (void*)value);
}
inline static int32_t get_offset_of_m_data_4() { return static_cast<int32_t>(offsetof(SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1, ___m_data_4)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_m_data_4() const { return ___m_data_4; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_m_data_4() { return &___m_data_4; }
inline void set_m_data_4(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___m_data_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_data_4), (void*)value);
}
inline static int32_t get_offset_of_m_types_5() { return static_cast<int32_t>(offsetof(SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1, ___m_types_5)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get_m_types_5() const { return ___m_types_5; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of_m_types_5() { return &___m_types_5; }
inline void set_m_types_5(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
___m_types_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_types_5), (void*)value);
}
inline static int32_t get_offset_of_m_nameToIndex_6() { return static_cast<int32_t>(offsetof(SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1, ___m_nameToIndex_6)); }
inline Dictionary_2_tC94E9875910491F8130C2DC8B11E4D1548A55162 * get_m_nameToIndex_6() const { return ___m_nameToIndex_6; }
inline Dictionary_2_tC94E9875910491F8130C2DC8B11E4D1548A55162 ** get_address_of_m_nameToIndex_6() { return &___m_nameToIndex_6; }
inline void set_m_nameToIndex_6(Dictionary_2_tC94E9875910491F8130C2DC8B11E4D1548A55162 * value)
{
___m_nameToIndex_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_nameToIndex_6), (void*)value);
}
inline static int32_t get_offset_of_m_currMember_7() { return static_cast<int32_t>(offsetof(SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1, ___m_currMember_7)); }
inline int32_t get_m_currMember_7() const { return ___m_currMember_7; }
inline int32_t* get_address_of_m_currMember_7() { return &___m_currMember_7; }
inline void set_m_currMember_7(int32_t value)
{
___m_currMember_7 = value;
}
inline static int32_t get_offset_of_m_converter_8() { return static_cast<int32_t>(offsetof(SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1, ___m_converter_8)); }
inline RuntimeObject* get_m_converter_8() const { return ___m_converter_8; }
inline RuntimeObject** get_address_of_m_converter_8() { return &___m_converter_8; }
inline void set_m_converter_8(RuntimeObject* value)
{
___m_converter_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_converter_8), (void*)value);
}
inline static int32_t get_offset_of_m_fullTypeName_9() { return static_cast<int32_t>(offsetof(SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1, ___m_fullTypeName_9)); }
inline String_t* get_m_fullTypeName_9() const { return ___m_fullTypeName_9; }
inline String_t** get_address_of_m_fullTypeName_9() { return &___m_fullTypeName_9; }
inline void set_m_fullTypeName_9(String_t* value)
{
___m_fullTypeName_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fullTypeName_9), (void*)value);
}
inline static int32_t get_offset_of_m_assemName_10() { return static_cast<int32_t>(offsetof(SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1, ___m_assemName_10)); }
inline String_t* get_m_assemName_10() const { return ___m_assemName_10; }
inline String_t** get_address_of_m_assemName_10() { return &___m_assemName_10; }
inline void set_m_assemName_10(String_t* value)
{
___m_assemName_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_assemName_10), (void*)value);
}
inline static int32_t get_offset_of_objectType_11() { return static_cast<int32_t>(offsetof(SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1, ___objectType_11)); }
inline Type_t * get_objectType_11() const { return ___objectType_11; }
inline Type_t ** get_address_of_objectType_11() { return &___objectType_11; }
inline void set_objectType_11(Type_t * value)
{
___objectType_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objectType_11), (void*)value);
}
inline static int32_t get_offset_of_isFullTypeNameSetExplicit_12() { return static_cast<int32_t>(offsetof(SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1, ___isFullTypeNameSetExplicit_12)); }
inline bool get_isFullTypeNameSetExplicit_12() const { return ___isFullTypeNameSetExplicit_12; }
inline bool* get_address_of_isFullTypeNameSetExplicit_12() { return &___isFullTypeNameSetExplicit_12; }
inline void set_isFullTypeNameSetExplicit_12(bool value)
{
___isFullTypeNameSetExplicit_12 = value;
}
inline static int32_t get_offset_of_isAssemblyNameSetExplicit_13() { return static_cast<int32_t>(offsetof(SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1, ___isAssemblyNameSetExplicit_13)); }
inline bool get_isAssemblyNameSetExplicit_13() const { return ___isAssemblyNameSetExplicit_13; }
inline bool* get_address_of_isAssemblyNameSetExplicit_13() { return &___isAssemblyNameSetExplicit_13; }
inline void set_isAssemblyNameSetExplicit_13(bool value)
{
___isAssemblyNameSetExplicit_13 = value;
}
inline static int32_t get_offset_of_requireSameTokenInPartialTrust_14() { return static_cast<int32_t>(offsetof(SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1, ___requireSameTokenInPartialTrust_14)); }
inline bool get_requireSameTokenInPartialTrust_14() const { return ___requireSameTokenInPartialTrust_14; }
inline bool* get_address_of_requireSameTokenInPartialTrust_14() { return &___requireSameTokenInPartialTrust_14; }
inline void set_requireSameTokenInPartialTrust_14(bool value)
{
___requireSameTokenInPartialTrust_14 = value;
}
};
// System.Runtime.Serialization.SerializationInfoEnumerator
struct SerializationInfoEnumerator_t0548359AF7DB5798EBA19FE6BFCC8CDB8E6B1AF6 : public RuntimeObject
{
public:
// System.String[] System.Runtime.Serialization.SerializationInfoEnumerator::m_members
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___m_members_0;
// System.Object[] System.Runtime.Serialization.SerializationInfoEnumerator::m_data
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___m_data_1;
// System.Type[] System.Runtime.Serialization.SerializationInfoEnumerator::m_types
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ___m_types_2;
// System.Int32 System.Runtime.Serialization.SerializationInfoEnumerator::m_numItems
int32_t ___m_numItems_3;
// System.Int32 System.Runtime.Serialization.SerializationInfoEnumerator::m_currItem
int32_t ___m_currItem_4;
// System.Boolean System.Runtime.Serialization.SerializationInfoEnumerator::m_current
bool ___m_current_5;
public:
inline static int32_t get_offset_of_m_members_0() { return static_cast<int32_t>(offsetof(SerializationInfoEnumerator_t0548359AF7DB5798EBA19FE6BFCC8CDB8E6B1AF6, ___m_members_0)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_m_members_0() const { return ___m_members_0; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_m_members_0() { return &___m_members_0; }
inline void set_m_members_0(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___m_members_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_members_0), (void*)value);
}
inline static int32_t get_offset_of_m_data_1() { return static_cast<int32_t>(offsetof(SerializationInfoEnumerator_t0548359AF7DB5798EBA19FE6BFCC8CDB8E6B1AF6, ___m_data_1)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_m_data_1() const { return ___m_data_1; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_m_data_1() { return &___m_data_1; }
inline void set_m_data_1(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___m_data_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_data_1), (void*)value);
}
inline static int32_t get_offset_of_m_types_2() { return static_cast<int32_t>(offsetof(SerializationInfoEnumerator_t0548359AF7DB5798EBA19FE6BFCC8CDB8E6B1AF6, ___m_types_2)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get_m_types_2() const { return ___m_types_2; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of_m_types_2() { return &___m_types_2; }
inline void set_m_types_2(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
___m_types_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_types_2), (void*)value);
}
inline static int32_t get_offset_of_m_numItems_3() { return static_cast<int32_t>(offsetof(SerializationInfoEnumerator_t0548359AF7DB5798EBA19FE6BFCC8CDB8E6B1AF6, ___m_numItems_3)); }
inline int32_t get_m_numItems_3() const { return ___m_numItems_3; }
inline int32_t* get_address_of_m_numItems_3() { return &___m_numItems_3; }
inline void set_m_numItems_3(int32_t value)
{
___m_numItems_3 = value;
}
inline static int32_t get_offset_of_m_currItem_4() { return static_cast<int32_t>(offsetof(SerializationInfoEnumerator_t0548359AF7DB5798EBA19FE6BFCC8CDB8E6B1AF6, ___m_currItem_4)); }
inline int32_t get_m_currItem_4() const { return ___m_currItem_4; }
inline int32_t* get_address_of_m_currItem_4() { return &___m_currItem_4; }
inline void set_m_currItem_4(int32_t value)
{
___m_currItem_4 = value;
}
inline static int32_t get_offset_of_m_current_5() { return static_cast<int32_t>(offsetof(SerializationInfoEnumerator_t0548359AF7DB5798EBA19FE6BFCC8CDB8E6B1AF6, ___m_current_5)); }
inline bool get_m_current_5() const { return ___m_current_5; }
inline bool* get_address_of_m_current_5() { return &___m_current_5; }
inline void set_m_current_5(bool value)
{
___m_current_5 = value;
}
};
// UnityEngine.AddressableAssets.Utility.SerializationUtilities
struct SerializationUtilities_t099C9346AF66BEABAD531273790AE5A99504FC30 : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.Messaging.ServerContextTerminatorSink
struct ServerContextTerminatorSink_tF81B52ADB90680F07EDA7E0078AEB525E500A1E7 : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.Messaging.ServerObjectReplySink
struct ServerObjectReplySink_t94EE4DA566EC9B43FDBB9508D4AE01D2C6633C63 : public RuntimeObject
{
public:
// System.Runtime.Remoting.Messaging.IMessageSink System.Runtime.Remoting.Messaging.ServerObjectReplySink::_replySink
RuntimeObject* ____replySink_0;
// System.Runtime.Remoting.ServerIdentity System.Runtime.Remoting.Messaging.ServerObjectReplySink::_identity
ServerIdentity_t5689BF0CA0122A8E597C9900D39F11F07D79D3A8 * ____identity_1;
public:
inline static int32_t get_offset_of__replySink_0() { return static_cast<int32_t>(offsetof(ServerObjectReplySink_t94EE4DA566EC9B43FDBB9508D4AE01D2C6633C63, ____replySink_0)); }
inline RuntimeObject* get__replySink_0() const { return ____replySink_0; }
inline RuntimeObject** get_address_of__replySink_0() { return &____replySink_0; }
inline void set__replySink_0(RuntimeObject* value)
{
____replySink_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____replySink_0), (void*)value);
}
inline static int32_t get_offset_of__identity_1() { return static_cast<int32_t>(offsetof(ServerObjectReplySink_t94EE4DA566EC9B43FDBB9508D4AE01D2C6633C63, ____identity_1)); }
inline ServerIdentity_t5689BF0CA0122A8E597C9900D39F11F07D79D3A8 * get__identity_1() const { return ____identity_1; }
inline ServerIdentity_t5689BF0CA0122A8E597C9900D39F11F07D79D3A8 ** get_address_of__identity_1() { return &____identity_1; }
inline void set__identity_1(ServerIdentity_t5689BF0CA0122A8E597C9900D39F11F07D79D3A8 * value)
{
____identity_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____identity_1), (void*)value);
}
};
// System.Runtime.Remoting.Messaging.ServerObjectTerminatorSink
struct ServerObjectTerminatorSink_t903831C8E5FC8C991C82B539937F878ECD96CB9F : public RuntimeObject
{
public:
// System.Runtime.Remoting.Messaging.IMessageSink System.Runtime.Remoting.Messaging.ServerObjectTerminatorSink::_nextSink
RuntimeObject* ____nextSink_0;
public:
inline static int32_t get_offset_of__nextSink_0() { return static_cast<int32_t>(offsetof(ServerObjectTerminatorSink_t903831C8E5FC8C991C82B539937F878ECD96CB9F, ____nextSink_0)); }
inline RuntimeObject* get__nextSink_0() const { return ____nextSink_0; }
inline RuntimeObject** get_address_of__nextSink_0() { return &____nextSink_0; }
inline void set__nextSink_0(RuntimeObject* value)
{
____nextSink_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____nextSink_0), (void*)value);
}
};
// UnityEngine.XR.ARSubsystems.SessionAvailabilityExtensions
struct SessionAvailabilityExtensions_tDE27B6B971581EFEB9EADCF90B32C418F1378E50 : public RuntimeObject
{
public:
public:
};
// TMPro.SetPropertyUtility
struct SetPropertyUtility_tBD4B71ED41ED73F19589A21F6673F41038558A72 : public RuntimeObject
{
public:
public:
};
// UnityEngine.UI.SetPropertyUtility
struct SetPropertyUtility_tA0FD167699990D8AFDA1284FCCFEA03357AD73BB : public RuntimeObject
{
public:
public:
};
// UnityEngine.SetupCoroutine
struct SetupCoroutine_t5EBE04ABA234733C13412DEFD38F5C0DDFC839F0 : public RuntimeObject
{
public:
public:
};
// TMPro.ShaderUtilities
struct ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14 : public RuntimeObject
{
public:
public:
};
struct ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields
{
public:
// System.Int32 TMPro.ShaderUtilities::ID_MainTex
int32_t ___ID_MainTex_0;
// System.Int32 TMPro.ShaderUtilities::ID_FaceTex
int32_t ___ID_FaceTex_1;
// System.Int32 TMPro.ShaderUtilities::ID_FaceColor
int32_t ___ID_FaceColor_2;
// System.Int32 TMPro.ShaderUtilities::ID_FaceDilate
int32_t ___ID_FaceDilate_3;
// System.Int32 TMPro.ShaderUtilities::ID_Shininess
int32_t ___ID_Shininess_4;
// System.Int32 TMPro.ShaderUtilities::ID_UnderlayColor
int32_t ___ID_UnderlayColor_5;
// System.Int32 TMPro.ShaderUtilities::ID_UnderlayOffsetX
int32_t ___ID_UnderlayOffsetX_6;
// System.Int32 TMPro.ShaderUtilities::ID_UnderlayOffsetY
int32_t ___ID_UnderlayOffsetY_7;
// System.Int32 TMPro.ShaderUtilities::ID_UnderlayDilate
int32_t ___ID_UnderlayDilate_8;
// System.Int32 TMPro.ShaderUtilities::ID_UnderlaySoftness
int32_t ___ID_UnderlaySoftness_9;
// System.Int32 TMPro.ShaderUtilities::ID_UnderlayOffset
int32_t ___ID_UnderlayOffset_10;
// System.Int32 TMPro.ShaderUtilities::ID_UnderlayIsoPerimeter
int32_t ___ID_UnderlayIsoPerimeter_11;
// System.Int32 TMPro.ShaderUtilities::ID_WeightNormal
int32_t ___ID_WeightNormal_12;
// System.Int32 TMPro.ShaderUtilities::ID_WeightBold
int32_t ___ID_WeightBold_13;
// System.Int32 TMPro.ShaderUtilities::ID_OutlineTex
int32_t ___ID_OutlineTex_14;
// System.Int32 TMPro.ShaderUtilities::ID_OutlineWidth
int32_t ___ID_OutlineWidth_15;
// System.Int32 TMPro.ShaderUtilities::ID_OutlineSoftness
int32_t ___ID_OutlineSoftness_16;
// System.Int32 TMPro.ShaderUtilities::ID_OutlineColor
int32_t ___ID_OutlineColor_17;
// System.Int32 TMPro.ShaderUtilities::ID_Outline2Color
int32_t ___ID_Outline2Color_18;
// System.Int32 TMPro.ShaderUtilities::ID_Outline2Width
int32_t ___ID_Outline2Width_19;
// System.Int32 TMPro.ShaderUtilities::ID_Padding
int32_t ___ID_Padding_20;
// System.Int32 TMPro.ShaderUtilities::ID_GradientScale
int32_t ___ID_GradientScale_21;
// System.Int32 TMPro.ShaderUtilities::ID_ScaleX
int32_t ___ID_ScaleX_22;
// System.Int32 TMPro.ShaderUtilities::ID_ScaleY
int32_t ___ID_ScaleY_23;
// System.Int32 TMPro.ShaderUtilities::ID_PerspectiveFilter
int32_t ___ID_PerspectiveFilter_24;
// System.Int32 TMPro.ShaderUtilities::ID_Sharpness
int32_t ___ID_Sharpness_25;
// System.Int32 TMPro.ShaderUtilities::ID_TextureWidth
int32_t ___ID_TextureWidth_26;
// System.Int32 TMPro.ShaderUtilities::ID_TextureHeight
int32_t ___ID_TextureHeight_27;
// System.Int32 TMPro.ShaderUtilities::ID_BevelAmount
int32_t ___ID_BevelAmount_28;
// System.Int32 TMPro.ShaderUtilities::ID_GlowColor
int32_t ___ID_GlowColor_29;
// System.Int32 TMPro.ShaderUtilities::ID_GlowOffset
int32_t ___ID_GlowOffset_30;
// System.Int32 TMPro.ShaderUtilities::ID_GlowPower
int32_t ___ID_GlowPower_31;
// System.Int32 TMPro.ShaderUtilities::ID_GlowOuter
int32_t ___ID_GlowOuter_32;
// System.Int32 TMPro.ShaderUtilities::ID_GlowInner
int32_t ___ID_GlowInner_33;
// System.Int32 TMPro.ShaderUtilities::ID_LightAngle
int32_t ___ID_LightAngle_34;
// System.Int32 TMPro.ShaderUtilities::ID_EnvMap
int32_t ___ID_EnvMap_35;
// System.Int32 TMPro.ShaderUtilities::ID_EnvMatrix
int32_t ___ID_EnvMatrix_36;
// System.Int32 TMPro.ShaderUtilities::ID_EnvMatrixRotation
int32_t ___ID_EnvMatrixRotation_37;
// System.Int32 TMPro.ShaderUtilities::ID_MaskCoord
int32_t ___ID_MaskCoord_38;
// System.Int32 TMPro.ShaderUtilities::ID_ClipRect
int32_t ___ID_ClipRect_39;
// System.Int32 TMPro.ShaderUtilities::ID_MaskSoftnessX
int32_t ___ID_MaskSoftnessX_40;
// System.Int32 TMPro.ShaderUtilities::ID_MaskSoftnessY
int32_t ___ID_MaskSoftnessY_41;
// System.Int32 TMPro.ShaderUtilities::ID_VertexOffsetX
int32_t ___ID_VertexOffsetX_42;
// System.Int32 TMPro.ShaderUtilities::ID_VertexOffsetY
int32_t ___ID_VertexOffsetY_43;
// System.Int32 TMPro.ShaderUtilities::ID_UseClipRect
int32_t ___ID_UseClipRect_44;
// System.Int32 TMPro.ShaderUtilities::ID_StencilID
int32_t ___ID_StencilID_45;
// System.Int32 TMPro.ShaderUtilities::ID_StencilOp
int32_t ___ID_StencilOp_46;
// System.Int32 TMPro.ShaderUtilities::ID_StencilComp
int32_t ___ID_StencilComp_47;
// System.Int32 TMPro.ShaderUtilities::ID_StencilReadMask
int32_t ___ID_StencilReadMask_48;
// System.Int32 TMPro.ShaderUtilities::ID_StencilWriteMask
int32_t ___ID_StencilWriteMask_49;
// System.Int32 TMPro.ShaderUtilities::ID_ShaderFlags
int32_t ___ID_ShaderFlags_50;
// System.Int32 TMPro.ShaderUtilities::ID_ScaleRatio_A
int32_t ___ID_ScaleRatio_A_51;
// System.Int32 TMPro.ShaderUtilities::ID_ScaleRatio_B
int32_t ___ID_ScaleRatio_B_52;
// System.Int32 TMPro.ShaderUtilities::ID_ScaleRatio_C
int32_t ___ID_ScaleRatio_C_53;
// System.String TMPro.ShaderUtilities::Keyword_Bevel
String_t* ___Keyword_Bevel_54;
// System.String TMPro.ShaderUtilities::Keyword_Glow
String_t* ___Keyword_Glow_55;
// System.String TMPro.ShaderUtilities::Keyword_Underlay
String_t* ___Keyword_Underlay_56;
// System.String TMPro.ShaderUtilities::Keyword_Ratios
String_t* ___Keyword_Ratios_57;
// System.String TMPro.ShaderUtilities::Keyword_MASK_SOFT
String_t* ___Keyword_MASK_SOFT_58;
// System.String TMPro.ShaderUtilities::Keyword_MASK_HARD
String_t* ___Keyword_MASK_HARD_59;
// System.String TMPro.ShaderUtilities::Keyword_MASK_TEX
String_t* ___Keyword_MASK_TEX_60;
// System.String TMPro.ShaderUtilities::Keyword_Outline
String_t* ___Keyword_Outline_61;
// System.String TMPro.ShaderUtilities::ShaderTag_ZTestMode
String_t* ___ShaderTag_ZTestMode_62;
// System.String TMPro.ShaderUtilities::ShaderTag_CullMode
String_t* ___ShaderTag_CullMode_63;
// System.Single TMPro.ShaderUtilities::m_clamp
float ___m_clamp_64;
// System.Boolean TMPro.ShaderUtilities::isInitialized
bool ___isInitialized_65;
// UnityEngine.Shader TMPro.ShaderUtilities::k_ShaderRef_MobileSDF
Shader_tB2355DC4F3CAF20B2F1AB5AABBF37C3555FFBC39 * ___k_ShaderRef_MobileSDF_66;
// UnityEngine.Shader TMPro.ShaderUtilities::k_ShaderRef_MobileBitmap
Shader_tB2355DC4F3CAF20B2F1AB5AABBF37C3555FFBC39 * ___k_ShaderRef_MobileBitmap_67;
public:
inline static int32_t get_offset_of_ID_MainTex_0() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_MainTex_0)); }
inline int32_t get_ID_MainTex_0() const { return ___ID_MainTex_0; }
inline int32_t* get_address_of_ID_MainTex_0() { return &___ID_MainTex_0; }
inline void set_ID_MainTex_0(int32_t value)
{
___ID_MainTex_0 = value;
}
inline static int32_t get_offset_of_ID_FaceTex_1() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_FaceTex_1)); }
inline int32_t get_ID_FaceTex_1() const { return ___ID_FaceTex_1; }
inline int32_t* get_address_of_ID_FaceTex_1() { return &___ID_FaceTex_1; }
inline void set_ID_FaceTex_1(int32_t value)
{
___ID_FaceTex_1 = value;
}
inline static int32_t get_offset_of_ID_FaceColor_2() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_FaceColor_2)); }
inline int32_t get_ID_FaceColor_2() const { return ___ID_FaceColor_2; }
inline int32_t* get_address_of_ID_FaceColor_2() { return &___ID_FaceColor_2; }
inline void set_ID_FaceColor_2(int32_t value)
{
___ID_FaceColor_2 = value;
}
inline static int32_t get_offset_of_ID_FaceDilate_3() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_FaceDilate_3)); }
inline int32_t get_ID_FaceDilate_3() const { return ___ID_FaceDilate_3; }
inline int32_t* get_address_of_ID_FaceDilate_3() { return &___ID_FaceDilate_3; }
inline void set_ID_FaceDilate_3(int32_t value)
{
___ID_FaceDilate_3 = value;
}
inline static int32_t get_offset_of_ID_Shininess_4() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_Shininess_4)); }
inline int32_t get_ID_Shininess_4() const { return ___ID_Shininess_4; }
inline int32_t* get_address_of_ID_Shininess_4() { return &___ID_Shininess_4; }
inline void set_ID_Shininess_4(int32_t value)
{
___ID_Shininess_4 = value;
}
inline static int32_t get_offset_of_ID_UnderlayColor_5() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_UnderlayColor_5)); }
inline int32_t get_ID_UnderlayColor_5() const { return ___ID_UnderlayColor_5; }
inline int32_t* get_address_of_ID_UnderlayColor_5() { return &___ID_UnderlayColor_5; }
inline void set_ID_UnderlayColor_5(int32_t value)
{
___ID_UnderlayColor_5 = value;
}
inline static int32_t get_offset_of_ID_UnderlayOffsetX_6() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_UnderlayOffsetX_6)); }
inline int32_t get_ID_UnderlayOffsetX_6() const { return ___ID_UnderlayOffsetX_6; }
inline int32_t* get_address_of_ID_UnderlayOffsetX_6() { return &___ID_UnderlayOffsetX_6; }
inline void set_ID_UnderlayOffsetX_6(int32_t value)
{
___ID_UnderlayOffsetX_6 = value;
}
inline static int32_t get_offset_of_ID_UnderlayOffsetY_7() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_UnderlayOffsetY_7)); }
inline int32_t get_ID_UnderlayOffsetY_7() const { return ___ID_UnderlayOffsetY_7; }
inline int32_t* get_address_of_ID_UnderlayOffsetY_7() { return &___ID_UnderlayOffsetY_7; }
inline void set_ID_UnderlayOffsetY_7(int32_t value)
{
___ID_UnderlayOffsetY_7 = value;
}
inline static int32_t get_offset_of_ID_UnderlayDilate_8() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_UnderlayDilate_8)); }
inline int32_t get_ID_UnderlayDilate_8() const { return ___ID_UnderlayDilate_8; }
inline int32_t* get_address_of_ID_UnderlayDilate_8() { return &___ID_UnderlayDilate_8; }
inline void set_ID_UnderlayDilate_8(int32_t value)
{
___ID_UnderlayDilate_8 = value;
}
inline static int32_t get_offset_of_ID_UnderlaySoftness_9() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_UnderlaySoftness_9)); }
inline int32_t get_ID_UnderlaySoftness_9() const { return ___ID_UnderlaySoftness_9; }
inline int32_t* get_address_of_ID_UnderlaySoftness_9() { return &___ID_UnderlaySoftness_9; }
inline void set_ID_UnderlaySoftness_9(int32_t value)
{
___ID_UnderlaySoftness_9 = value;
}
inline static int32_t get_offset_of_ID_UnderlayOffset_10() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_UnderlayOffset_10)); }
inline int32_t get_ID_UnderlayOffset_10() const { return ___ID_UnderlayOffset_10; }
inline int32_t* get_address_of_ID_UnderlayOffset_10() { return &___ID_UnderlayOffset_10; }
inline void set_ID_UnderlayOffset_10(int32_t value)
{
___ID_UnderlayOffset_10 = value;
}
inline static int32_t get_offset_of_ID_UnderlayIsoPerimeter_11() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_UnderlayIsoPerimeter_11)); }
inline int32_t get_ID_UnderlayIsoPerimeter_11() const { return ___ID_UnderlayIsoPerimeter_11; }
inline int32_t* get_address_of_ID_UnderlayIsoPerimeter_11() { return &___ID_UnderlayIsoPerimeter_11; }
inline void set_ID_UnderlayIsoPerimeter_11(int32_t value)
{
___ID_UnderlayIsoPerimeter_11 = value;
}
inline static int32_t get_offset_of_ID_WeightNormal_12() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_WeightNormal_12)); }
inline int32_t get_ID_WeightNormal_12() const { return ___ID_WeightNormal_12; }
inline int32_t* get_address_of_ID_WeightNormal_12() { return &___ID_WeightNormal_12; }
inline void set_ID_WeightNormal_12(int32_t value)
{
___ID_WeightNormal_12 = value;
}
inline static int32_t get_offset_of_ID_WeightBold_13() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_WeightBold_13)); }
inline int32_t get_ID_WeightBold_13() const { return ___ID_WeightBold_13; }
inline int32_t* get_address_of_ID_WeightBold_13() { return &___ID_WeightBold_13; }
inline void set_ID_WeightBold_13(int32_t value)
{
___ID_WeightBold_13 = value;
}
inline static int32_t get_offset_of_ID_OutlineTex_14() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_OutlineTex_14)); }
inline int32_t get_ID_OutlineTex_14() const { return ___ID_OutlineTex_14; }
inline int32_t* get_address_of_ID_OutlineTex_14() { return &___ID_OutlineTex_14; }
inline void set_ID_OutlineTex_14(int32_t value)
{
___ID_OutlineTex_14 = value;
}
inline static int32_t get_offset_of_ID_OutlineWidth_15() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_OutlineWidth_15)); }
inline int32_t get_ID_OutlineWidth_15() const { return ___ID_OutlineWidth_15; }
inline int32_t* get_address_of_ID_OutlineWidth_15() { return &___ID_OutlineWidth_15; }
inline void set_ID_OutlineWidth_15(int32_t value)
{
___ID_OutlineWidth_15 = value;
}
inline static int32_t get_offset_of_ID_OutlineSoftness_16() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_OutlineSoftness_16)); }
inline int32_t get_ID_OutlineSoftness_16() const { return ___ID_OutlineSoftness_16; }
inline int32_t* get_address_of_ID_OutlineSoftness_16() { return &___ID_OutlineSoftness_16; }
inline void set_ID_OutlineSoftness_16(int32_t value)
{
___ID_OutlineSoftness_16 = value;
}
inline static int32_t get_offset_of_ID_OutlineColor_17() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_OutlineColor_17)); }
inline int32_t get_ID_OutlineColor_17() const { return ___ID_OutlineColor_17; }
inline int32_t* get_address_of_ID_OutlineColor_17() { return &___ID_OutlineColor_17; }
inline void set_ID_OutlineColor_17(int32_t value)
{
___ID_OutlineColor_17 = value;
}
inline static int32_t get_offset_of_ID_Outline2Color_18() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_Outline2Color_18)); }
inline int32_t get_ID_Outline2Color_18() const { return ___ID_Outline2Color_18; }
inline int32_t* get_address_of_ID_Outline2Color_18() { return &___ID_Outline2Color_18; }
inline void set_ID_Outline2Color_18(int32_t value)
{
___ID_Outline2Color_18 = value;
}
inline static int32_t get_offset_of_ID_Outline2Width_19() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_Outline2Width_19)); }
inline int32_t get_ID_Outline2Width_19() const { return ___ID_Outline2Width_19; }
inline int32_t* get_address_of_ID_Outline2Width_19() { return &___ID_Outline2Width_19; }
inline void set_ID_Outline2Width_19(int32_t value)
{
___ID_Outline2Width_19 = value;
}
inline static int32_t get_offset_of_ID_Padding_20() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_Padding_20)); }
inline int32_t get_ID_Padding_20() const { return ___ID_Padding_20; }
inline int32_t* get_address_of_ID_Padding_20() { return &___ID_Padding_20; }
inline void set_ID_Padding_20(int32_t value)
{
___ID_Padding_20 = value;
}
inline static int32_t get_offset_of_ID_GradientScale_21() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_GradientScale_21)); }
inline int32_t get_ID_GradientScale_21() const { return ___ID_GradientScale_21; }
inline int32_t* get_address_of_ID_GradientScale_21() { return &___ID_GradientScale_21; }
inline void set_ID_GradientScale_21(int32_t value)
{
___ID_GradientScale_21 = value;
}
inline static int32_t get_offset_of_ID_ScaleX_22() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_ScaleX_22)); }
inline int32_t get_ID_ScaleX_22() const { return ___ID_ScaleX_22; }
inline int32_t* get_address_of_ID_ScaleX_22() { return &___ID_ScaleX_22; }
inline void set_ID_ScaleX_22(int32_t value)
{
___ID_ScaleX_22 = value;
}
inline static int32_t get_offset_of_ID_ScaleY_23() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_ScaleY_23)); }
inline int32_t get_ID_ScaleY_23() const { return ___ID_ScaleY_23; }
inline int32_t* get_address_of_ID_ScaleY_23() { return &___ID_ScaleY_23; }
inline void set_ID_ScaleY_23(int32_t value)
{
___ID_ScaleY_23 = value;
}
inline static int32_t get_offset_of_ID_PerspectiveFilter_24() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_PerspectiveFilter_24)); }
inline int32_t get_ID_PerspectiveFilter_24() const { return ___ID_PerspectiveFilter_24; }
inline int32_t* get_address_of_ID_PerspectiveFilter_24() { return &___ID_PerspectiveFilter_24; }
inline void set_ID_PerspectiveFilter_24(int32_t value)
{
___ID_PerspectiveFilter_24 = value;
}
inline static int32_t get_offset_of_ID_Sharpness_25() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_Sharpness_25)); }
inline int32_t get_ID_Sharpness_25() const { return ___ID_Sharpness_25; }
inline int32_t* get_address_of_ID_Sharpness_25() { return &___ID_Sharpness_25; }
inline void set_ID_Sharpness_25(int32_t value)
{
___ID_Sharpness_25 = value;
}
inline static int32_t get_offset_of_ID_TextureWidth_26() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_TextureWidth_26)); }
inline int32_t get_ID_TextureWidth_26() const { return ___ID_TextureWidth_26; }
inline int32_t* get_address_of_ID_TextureWidth_26() { return &___ID_TextureWidth_26; }
inline void set_ID_TextureWidth_26(int32_t value)
{
___ID_TextureWidth_26 = value;
}
inline static int32_t get_offset_of_ID_TextureHeight_27() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_TextureHeight_27)); }
inline int32_t get_ID_TextureHeight_27() const { return ___ID_TextureHeight_27; }
inline int32_t* get_address_of_ID_TextureHeight_27() { return &___ID_TextureHeight_27; }
inline void set_ID_TextureHeight_27(int32_t value)
{
___ID_TextureHeight_27 = value;
}
inline static int32_t get_offset_of_ID_BevelAmount_28() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_BevelAmount_28)); }
inline int32_t get_ID_BevelAmount_28() const { return ___ID_BevelAmount_28; }
inline int32_t* get_address_of_ID_BevelAmount_28() { return &___ID_BevelAmount_28; }
inline void set_ID_BevelAmount_28(int32_t value)
{
___ID_BevelAmount_28 = value;
}
inline static int32_t get_offset_of_ID_GlowColor_29() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_GlowColor_29)); }
inline int32_t get_ID_GlowColor_29() const { return ___ID_GlowColor_29; }
inline int32_t* get_address_of_ID_GlowColor_29() { return &___ID_GlowColor_29; }
inline void set_ID_GlowColor_29(int32_t value)
{
___ID_GlowColor_29 = value;
}
inline static int32_t get_offset_of_ID_GlowOffset_30() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_GlowOffset_30)); }
inline int32_t get_ID_GlowOffset_30() const { return ___ID_GlowOffset_30; }
inline int32_t* get_address_of_ID_GlowOffset_30() { return &___ID_GlowOffset_30; }
inline void set_ID_GlowOffset_30(int32_t value)
{
___ID_GlowOffset_30 = value;
}
inline static int32_t get_offset_of_ID_GlowPower_31() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_GlowPower_31)); }
inline int32_t get_ID_GlowPower_31() const { return ___ID_GlowPower_31; }
inline int32_t* get_address_of_ID_GlowPower_31() { return &___ID_GlowPower_31; }
inline void set_ID_GlowPower_31(int32_t value)
{
___ID_GlowPower_31 = value;
}
inline static int32_t get_offset_of_ID_GlowOuter_32() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_GlowOuter_32)); }
inline int32_t get_ID_GlowOuter_32() const { return ___ID_GlowOuter_32; }
inline int32_t* get_address_of_ID_GlowOuter_32() { return &___ID_GlowOuter_32; }
inline void set_ID_GlowOuter_32(int32_t value)
{
___ID_GlowOuter_32 = value;
}
inline static int32_t get_offset_of_ID_GlowInner_33() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_GlowInner_33)); }
inline int32_t get_ID_GlowInner_33() const { return ___ID_GlowInner_33; }
inline int32_t* get_address_of_ID_GlowInner_33() { return &___ID_GlowInner_33; }
inline void set_ID_GlowInner_33(int32_t value)
{
___ID_GlowInner_33 = value;
}
inline static int32_t get_offset_of_ID_LightAngle_34() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_LightAngle_34)); }
inline int32_t get_ID_LightAngle_34() const { return ___ID_LightAngle_34; }
inline int32_t* get_address_of_ID_LightAngle_34() { return &___ID_LightAngle_34; }
inline void set_ID_LightAngle_34(int32_t value)
{
___ID_LightAngle_34 = value;
}
inline static int32_t get_offset_of_ID_EnvMap_35() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_EnvMap_35)); }
inline int32_t get_ID_EnvMap_35() const { return ___ID_EnvMap_35; }
inline int32_t* get_address_of_ID_EnvMap_35() { return &___ID_EnvMap_35; }
inline void set_ID_EnvMap_35(int32_t value)
{
___ID_EnvMap_35 = value;
}
inline static int32_t get_offset_of_ID_EnvMatrix_36() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_EnvMatrix_36)); }
inline int32_t get_ID_EnvMatrix_36() const { return ___ID_EnvMatrix_36; }
inline int32_t* get_address_of_ID_EnvMatrix_36() { return &___ID_EnvMatrix_36; }
inline void set_ID_EnvMatrix_36(int32_t value)
{
___ID_EnvMatrix_36 = value;
}
inline static int32_t get_offset_of_ID_EnvMatrixRotation_37() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_EnvMatrixRotation_37)); }
inline int32_t get_ID_EnvMatrixRotation_37() const { return ___ID_EnvMatrixRotation_37; }
inline int32_t* get_address_of_ID_EnvMatrixRotation_37() { return &___ID_EnvMatrixRotation_37; }
inline void set_ID_EnvMatrixRotation_37(int32_t value)
{
___ID_EnvMatrixRotation_37 = value;
}
inline static int32_t get_offset_of_ID_MaskCoord_38() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_MaskCoord_38)); }
inline int32_t get_ID_MaskCoord_38() const { return ___ID_MaskCoord_38; }
inline int32_t* get_address_of_ID_MaskCoord_38() { return &___ID_MaskCoord_38; }
inline void set_ID_MaskCoord_38(int32_t value)
{
___ID_MaskCoord_38 = value;
}
inline static int32_t get_offset_of_ID_ClipRect_39() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_ClipRect_39)); }
inline int32_t get_ID_ClipRect_39() const { return ___ID_ClipRect_39; }
inline int32_t* get_address_of_ID_ClipRect_39() { return &___ID_ClipRect_39; }
inline void set_ID_ClipRect_39(int32_t value)
{
___ID_ClipRect_39 = value;
}
inline static int32_t get_offset_of_ID_MaskSoftnessX_40() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_MaskSoftnessX_40)); }
inline int32_t get_ID_MaskSoftnessX_40() const { return ___ID_MaskSoftnessX_40; }
inline int32_t* get_address_of_ID_MaskSoftnessX_40() { return &___ID_MaskSoftnessX_40; }
inline void set_ID_MaskSoftnessX_40(int32_t value)
{
___ID_MaskSoftnessX_40 = value;
}
inline static int32_t get_offset_of_ID_MaskSoftnessY_41() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_MaskSoftnessY_41)); }
inline int32_t get_ID_MaskSoftnessY_41() const { return ___ID_MaskSoftnessY_41; }
inline int32_t* get_address_of_ID_MaskSoftnessY_41() { return &___ID_MaskSoftnessY_41; }
inline void set_ID_MaskSoftnessY_41(int32_t value)
{
___ID_MaskSoftnessY_41 = value;
}
inline static int32_t get_offset_of_ID_VertexOffsetX_42() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_VertexOffsetX_42)); }
inline int32_t get_ID_VertexOffsetX_42() const { return ___ID_VertexOffsetX_42; }
inline int32_t* get_address_of_ID_VertexOffsetX_42() { return &___ID_VertexOffsetX_42; }
inline void set_ID_VertexOffsetX_42(int32_t value)
{
___ID_VertexOffsetX_42 = value;
}
inline static int32_t get_offset_of_ID_VertexOffsetY_43() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_VertexOffsetY_43)); }
inline int32_t get_ID_VertexOffsetY_43() const { return ___ID_VertexOffsetY_43; }
inline int32_t* get_address_of_ID_VertexOffsetY_43() { return &___ID_VertexOffsetY_43; }
inline void set_ID_VertexOffsetY_43(int32_t value)
{
___ID_VertexOffsetY_43 = value;
}
inline static int32_t get_offset_of_ID_UseClipRect_44() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_UseClipRect_44)); }
inline int32_t get_ID_UseClipRect_44() const { return ___ID_UseClipRect_44; }
inline int32_t* get_address_of_ID_UseClipRect_44() { return &___ID_UseClipRect_44; }
inline void set_ID_UseClipRect_44(int32_t value)
{
___ID_UseClipRect_44 = value;
}
inline static int32_t get_offset_of_ID_StencilID_45() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_StencilID_45)); }
inline int32_t get_ID_StencilID_45() const { return ___ID_StencilID_45; }
inline int32_t* get_address_of_ID_StencilID_45() { return &___ID_StencilID_45; }
inline void set_ID_StencilID_45(int32_t value)
{
___ID_StencilID_45 = value;
}
inline static int32_t get_offset_of_ID_StencilOp_46() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_StencilOp_46)); }
inline int32_t get_ID_StencilOp_46() const { return ___ID_StencilOp_46; }
inline int32_t* get_address_of_ID_StencilOp_46() { return &___ID_StencilOp_46; }
inline void set_ID_StencilOp_46(int32_t value)
{
___ID_StencilOp_46 = value;
}
inline static int32_t get_offset_of_ID_StencilComp_47() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_StencilComp_47)); }
inline int32_t get_ID_StencilComp_47() const { return ___ID_StencilComp_47; }
inline int32_t* get_address_of_ID_StencilComp_47() { return &___ID_StencilComp_47; }
inline void set_ID_StencilComp_47(int32_t value)
{
___ID_StencilComp_47 = value;
}
inline static int32_t get_offset_of_ID_StencilReadMask_48() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_StencilReadMask_48)); }
inline int32_t get_ID_StencilReadMask_48() const { return ___ID_StencilReadMask_48; }
inline int32_t* get_address_of_ID_StencilReadMask_48() { return &___ID_StencilReadMask_48; }
inline void set_ID_StencilReadMask_48(int32_t value)
{
___ID_StencilReadMask_48 = value;
}
inline static int32_t get_offset_of_ID_StencilWriteMask_49() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_StencilWriteMask_49)); }
inline int32_t get_ID_StencilWriteMask_49() const { return ___ID_StencilWriteMask_49; }
inline int32_t* get_address_of_ID_StencilWriteMask_49() { return &___ID_StencilWriteMask_49; }
inline void set_ID_StencilWriteMask_49(int32_t value)
{
___ID_StencilWriteMask_49 = value;
}
inline static int32_t get_offset_of_ID_ShaderFlags_50() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_ShaderFlags_50)); }
inline int32_t get_ID_ShaderFlags_50() const { return ___ID_ShaderFlags_50; }
inline int32_t* get_address_of_ID_ShaderFlags_50() { return &___ID_ShaderFlags_50; }
inline void set_ID_ShaderFlags_50(int32_t value)
{
___ID_ShaderFlags_50 = value;
}
inline static int32_t get_offset_of_ID_ScaleRatio_A_51() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_ScaleRatio_A_51)); }
inline int32_t get_ID_ScaleRatio_A_51() const { return ___ID_ScaleRatio_A_51; }
inline int32_t* get_address_of_ID_ScaleRatio_A_51() { return &___ID_ScaleRatio_A_51; }
inline void set_ID_ScaleRatio_A_51(int32_t value)
{
___ID_ScaleRatio_A_51 = value;
}
inline static int32_t get_offset_of_ID_ScaleRatio_B_52() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_ScaleRatio_B_52)); }
inline int32_t get_ID_ScaleRatio_B_52() const { return ___ID_ScaleRatio_B_52; }
inline int32_t* get_address_of_ID_ScaleRatio_B_52() { return &___ID_ScaleRatio_B_52; }
inline void set_ID_ScaleRatio_B_52(int32_t value)
{
___ID_ScaleRatio_B_52 = value;
}
inline static int32_t get_offset_of_ID_ScaleRatio_C_53() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ID_ScaleRatio_C_53)); }
inline int32_t get_ID_ScaleRatio_C_53() const { return ___ID_ScaleRatio_C_53; }
inline int32_t* get_address_of_ID_ScaleRatio_C_53() { return &___ID_ScaleRatio_C_53; }
inline void set_ID_ScaleRatio_C_53(int32_t value)
{
___ID_ScaleRatio_C_53 = value;
}
inline static int32_t get_offset_of_Keyword_Bevel_54() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___Keyword_Bevel_54)); }
inline String_t* get_Keyword_Bevel_54() const { return ___Keyword_Bevel_54; }
inline String_t** get_address_of_Keyword_Bevel_54() { return &___Keyword_Bevel_54; }
inline void set_Keyword_Bevel_54(String_t* value)
{
___Keyword_Bevel_54 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Keyword_Bevel_54), (void*)value);
}
inline static int32_t get_offset_of_Keyword_Glow_55() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___Keyword_Glow_55)); }
inline String_t* get_Keyword_Glow_55() const { return ___Keyword_Glow_55; }
inline String_t** get_address_of_Keyword_Glow_55() { return &___Keyword_Glow_55; }
inline void set_Keyword_Glow_55(String_t* value)
{
___Keyword_Glow_55 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Keyword_Glow_55), (void*)value);
}
inline static int32_t get_offset_of_Keyword_Underlay_56() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___Keyword_Underlay_56)); }
inline String_t* get_Keyword_Underlay_56() const { return ___Keyword_Underlay_56; }
inline String_t** get_address_of_Keyword_Underlay_56() { return &___Keyword_Underlay_56; }
inline void set_Keyword_Underlay_56(String_t* value)
{
___Keyword_Underlay_56 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Keyword_Underlay_56), (void*)value);
}
inline static int32_t get_offset_of_Keyword_Ratios_57() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___Keyword_Ratios_57)); }
inline String_t* get_Keyword_Ratios_57() const { return ___Keyword_Ratios_57; }
inline String_t** get_address_of_Keyword_Ratios_57() { return &___Keyword_Ratios_57; }
inline void set_Keyword_Ratios_57(String_t* value)
{
___Keyword_Ratios_57 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Keyword_Ratios_57), (void*)value);
}
inline static int32_t get_offset_of_Keyword_MASK_SOFT_58() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___Keyword_MASK_SOFT_58)); }
inline String_t* get_Keyword_MASK_SOFT_58() const { return ___Keyword_MASK_SOFT_58; }
inline String_t** get_address_of_Keyword_MASK_SOFT_58() { return &___Keyword_MASK_SOFT_58; }
inline void set_Keyword_MASK_SOFT_58(String_t* value)
{
___Keyword_MASK_SOFT_58 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Keyword_MASK_SOFT_58), (void*)value);
}
inline static int32_t get_offset_of_Keyword_MASK_HARD_59() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___Keyword_MASK_HARD_59)); }
inline String_t* get_Keyword_MASK_HARD_59() const { return ___Keyword_MASK_HARD_59; }
inline String_t** get_address_of_Keyword_MASK_HARD_59() { return &___Keyword_MASK_HARD_59; }
inline void set_Keyword_MASK_HARD_59(String_t* value)
{
___Keyword_MASK_HARD_59 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Keyword_MASK_HARD_59), (void*)value);
}
inline static int32_t get_offset_of_Keyword_MASK_TEX_60() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___Keyword_MASK_TEX_60)); }
inline String_t* get_Keyword_MASK_TEX_60() const { return ___Keyword_MASK_TEX_60; }
inline String_t** get_address_of_Keyword_MASK_TEX_60() { return &___Keyword_MASK_TEX_60; }
inline void set_Keyword_MASK_TEX_60(String_t* value)
{
___Keyword_MASK_TEX_60 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Keyword_MASK_TEX_60), (void*)value);
}
inline static int32_t get_offset_of_Keyword_Outline_61() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___Keyword_Outline_61)); }
inline String_t* get_Keyword_Outline_61() const { return ___Keyword_Outline_61; }
inline String_t** get_address_of_Keyword_Outline_61() { return &___Keyword_Outline_61; }
inline void set_Keyword_Outline_61(String_t* value)
{
___Keyword_Outline_61 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Keyword_Outline_61), (void*)value);
}
inline static int32_t get_offset_of_ShaderTag_ZTestMode_62() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ShaderTag_ZTestMode_62)); }
inline String_t* get_ShaderTag_ZTestMode_62() const { return ___ShaderTag_ZTestMode_62; }
inline String_t** get_address_of_ShaderTag_ZTestMode_62() { return &___ShaderTag_ZTestMode_62; }
inline void set_ShaderTag_ZTestMode_62(String_t* value)
{
___ShaderTag_ZTestMode_62 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ShaderTag_ZTestMode_62), (void*)value);
}
inline static int32_t get_offset_of_ShaderTag_CullMode_63() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___ShaderTag_CullMode_63)); }
inline String_t* get_ShaderTag_CullMode_63() const { return ___ShaderTag_CullMode_63; }
inline String_t** get_address_of_ShaderTag_CullMode_63() { return &___ShaderTag_CullMode_63; }
inline void set_ShaderTag_CullMode_63(String_t* value)
{
___ShaderTag_CullMode_63 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ShaderTag_CullMode_63), (void*)value);
}
inline static int32_t get_offset_of_m_clamp_64() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___m_clamp_64)); }
inline float get_m_clamp_64() const { return ___m_clamp_64; }
inline float* get_address_of_m_clamp_64() { return &___m_clamp_64; }
inline void set_m_clamp_64(float value)
{
___m_clamp_64 = value;
}
inline static int32_t get_offset_of_isInitialized_65() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___isInitialized_65)); }
inline bool get_isInitialized_65() const { return ___isInitialized_65; }
inline bool* get_address_of_isInitialized_65() { return &___isInitialized_65; }
inline void set_isInitialized_65(bool value)
{
___isInitialized_65 = value;
}
inline static int32_t get_offset_of_k_ShaderRef_MobileSDF_66() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___k_ShaderRef_MobileSDF_66)); }
inline Shader_tB2355DC4F3CAF20B2F1AB5AABBF37C3555FFBC39 * get_k_ShaderRef_MobileSDF_66() const { return ___k_ShaderRef_MobileSDF_66; }
inline Shader_tB2355DC4F3CAF20B2F1AB5AABBF37C3555FFBC39 ** get_address_of_k_ShaderRef_MobileSDF_66() { return &___k_ShaderRef_MobileSDF_66; }
inline void set_k_ShaderRef_MobileSDF_66(Shader_tB2355DC4F3CAF20B2F1AB5AABBF37C3555FFBC39 * value)
{
___k_ShaderRef_MobileSDF_66 = value;
Il2CppCodeGenWriteBarrier((void**)(&___k_ShaderRef_MobileSDF_66), (void*)value);
}
inline static int32_t get_offset_of_k_ShaderRef_MobileBitmap_67() { return static_cast<int32_t>(offsetof(ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields, ___k_ShaderRef_MobileBitmap_67)); }
inline Shader_tB2355DC4F3CAF20B2F1AB5AABBF37C3555FFBC39 * get_k_ShaderRef_MobileBitmap_67() const { return ___k_ShaderRef_MobileBitmap_67; }
inline Shader_tB2355DC4F3CAF20B2F1AB5AABBF37C3555FFBC39 ** get_address_of_k_ShaderRef_MobileBitmap_67() { return &___k_ShaderRef_MobileBitmap_67; }
inline void set_k_ShaderRef_MobileBitmap_67(Shader_tB2355DC4F3CAF20B2F1AB5AABBF37C3555FFBC39 * value)
{
___k_ShaderRef_MobileBitmap_67 = value;
Il2CppCodeGenWriteBarrier((void**)(&___k_ShaderRef_MobileBitmap_67), (void*)value);
}
};
// System.Text.RegularExpressions.SharedReference
struct SharedReference_t74AB40C102A76A7523C72269A49D2C8FBDD83926 : public RuntimeObject
{
public:
// System.WeakReference System.Text.RegularExpressions.SharedReference::_ref
WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 * ____ref_0;
// System.Int32 System.Text.RegularExpressions.SharedReference::_locked
int32_t ____locked_1;
public:
inline static int32_t get_offset_of__ref_0() { return static_cast<int32_t>(offsetof(SharedReference_t74AB40C102A76A7523C72269A49D2C8FBDD83926, ____ref_0)); }
inline WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 * get__ref_0() const { return ____ref_0; }
inline WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 ** get_address_of__ref_0() { return &____ref_0; }
inline void set__ref_0(WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 * value)
{
____ref_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____ref_0), (void*)value);
}
inline static int32_t get_offset_of__locked_1() { return static_cast<int32_t>(offsetof(SharedReference_t74AB40C102A76A7523C72269A49D2C8FBDD83926, ____locked_1)); }
inline int32_t get__locked_1() const { return ____locked_1; }
inline int32_t* get_address_of__locked_1() { return &____locked_1; }
inline void set__locked_1(int32_t value)
{
____locked_1 = value;
}
};
// UnityEngine.Localization.Metadata.SharedTableCollectionMetadata
struct SharedTableCollectionMetadata_tBCEFC3ADDFF5D44DAC473D0D37664BA3D51880FF : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<UnityEngine.Localization.Metadata.SharedTableCollectionMetadata/Item> UnityEngine.Localization.Metadata.SharedTableCollectionMetadata::m_Entries
List_1_t882B35F908E662D99F70B70DDE65D678DACED61C * ___m_Entries_0;
// System.Collections.Generic.Dictionary`2<System.Int64,System.Collections.Generic.HashSet`1<System.String>> UnityEngine.Localization.Metadata.SharedTableCollectionMetadata::<EntriesLookup>k__BackingField
Dictionary_2_t03ADF6B6FEB86B97A7FA886D54415E3AE61B539F * ___U3CEntriesLookupU3Ek__BackingField_1;
public:
inline static int32_t get_offset_of_m_Entries_0() { return static_cast<int32_t>(offsetof(SharedTableCollectionMetadata_tBCEFC3ADDFF5D44DAC473D0D37664BA3D51880FF, ___m_Entries_0)); }
inline List_1_t882B35F908E662D99F70B70DDE65D678DACED61C * get_m_Entries_0() const { return ___m_Entries_0; }
inline List_1_t882B35F908E662D99F70B70DDE65D678DACED61C ** get_address_of_m_Entries_0() { return &___m_Entries_0; }
inline void set_m_Entries_0(List_1_t882B35F908E662D99F70B70DDE65D678DACED61C * value)
{
___m_Entries_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Entries_0), (void*)value);
}
inline static int32_t get_offset_of_U3CEntriesLookupU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(SharedTableCollectionMetadata_tBCEFC3ADDFF5D44DAC473D0D37664BA3D51880FF, ___U3CEntriesLookupU3Ek__BackingField_1)); }
inline Dictionary_2_t03ADF6B6FEB86B97A7FA886D54415E3AE61B539F * get_U3CEntriesLookupU3Ek__BackingField_1() const { return ___U3CEntriesLookupU3Ek__BackingField_1; }
inline Dictionary_2_t03ADF6B6FEB86B97A7FA886D54415E3AE61B539F ** get_address_of_U3CEntriesLookupU3Ek__BackingField_1() { return &___U3CEntriesLookupU3Ek__BackingField_1; }
inline void set_U3CEntriesLookupU3Ek__BackingField_1(Dictionary_2_t03ADF6B6FEB86B97A7FA886D54415E3AE61B539F * value)
{
___U3CEntriesLookupU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CEntriesLookupU3Ek__BackingField_1), (void*)value);
}
};
// UnityEngine.Localization.Metadata.SharedTableEntryMetadata
struct SharedTableEntryMetadata_t6EA9874AE56F84087DDE506298F609E95D890BEF : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<System.Int64> UnityEngine.Localization.Metadata.SharedTableEntryMetadata::m_Entries
List_1_tC465E4AAC82F54C0A79B2CE3B797531B10B9ACE4 * ___m_Entries_0;
// System.Collections.Generic.HashSet`1<System.Int64> UnityEngine.Localization.Metadata.SharedTableEntryMetadata::m_EntriesLookup
HashSet_1_t2D571AE6BEFA0C2026CFD5B271FABF87AE822A07 * ___m_EntriesLookup_1;
public:
inline static int32_t get_offset_of_m_Entries_0() { return static_cast<int32_t>(offsetof(SharedTableEntryMetadata_t6EA9874AE56F84087DDE506298F609E95D890BEF, ___m_Entries_0)); }
inline List_1_tC465E4AAC82F54C0A79B2CE3B797531B10B9ACE4 * get_m_Entries_0() const { return ___m_Entries_0; }
inline List_1_tC465E4AAC82F54C0A79B2CE3B797531B10B9ACE4 ** get_address_of_m_Entries_0() { return &___m_Entries_0; }
inline void set_m_Entries_0(List_1_tC465E4AAC82F54C0A79B2CE3B797531B10B9ACE4 * value)
{
___m_Entries_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Entries_0), (void*)value);
}
inline static int32_t get_offset_of_m_EntriesLookup_1() { return static_cast<int32_t>(offsetof(SharedTableEntryMetadata_t6EA9874AE56F84087DDE506298F609E95D890BEF, ___m_EntriesLookup_1)); }
inline HashSet_1_t2D571AE6BEFA0C2026CFD5B271FABF87AE822A07 * get_m_EntriesLookup_1() const { return ___m_EntriesLookup_1; }
inline HashSet_1_t2D571AE6BEFA0C2026CFD5B271FABF87AE822A07 ** get_address_of_m_EntriesLookup_1() { return &___m_EntriesLookup_1; }
inline void set_m_EntriesLookup_1(HashSet_1_t2D571AE6BEFA0C2026CFD5B271FABF87AE822A07 * value)
{
___m_EntriesLookup_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_EntriesLookup_1), (void*)value);
}
};
// System.Reflection.Emit.SignatureHelper
struct SignatureHelper_t138E880C8444F02952E863AA9585EF2646EEDE89 : public RuntimeObject
{
public:
public:
};
// Mono.Globalization.Unicode.SimpleCollator
struct SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266 : public RuntimeObject
{
public:
// System.Globalization.TextInfo Mono.Globalization.Unicode.SimpleCollator::textInfo
TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C * ___textInfo_2;
// Mono.Globalization.Unicode.CodePointIndexer Mono.Globalization.Unicode.SimpleCollator::cjkIndexer
CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * ___cjkIndexer_3;
// Mono.Globalization.Unicode.Contraction[] Mono.Globalization.Unicode.SimpleCollator::contractions
ContractionU5BU5D_t167C2B086555CC0A9174F79685CDB93223C7307B* ___contractions_4;
// Mono.Globalization.Unicode.Level2Map[] Mono.Globalization.Unicode.SimpleCollator::level2Maps
Level2MapU5BU5D_t736BC7320E2D0A8E95BD20FE2F4E7E40B9246DBF* ___level2Maps_5;
// System.Byte[] Mono.Globalization.Unicode.SimpleCollator::unsafeFlags
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___unsafeFlags_6;
// System.Byte* Mono.Globalization.Unicode.SimpleCollator::cjkCatTable
uint8_t* ___cjkCatTable_7;
// System.Byte* Mono.Globalization.Unicode.SimpleCollator::cjkLv1Table
uint8_t* ___cjkLv1Table_8;
// System.Byte* Mono.Globalization.Unicode.SimpleCollator::cjkLv2Table
uint8_t* ___cjkLv2Table_9;
// Mono.Globalization.Unicode.CodePointIndexer Mono.Globalization.Unicode.SimpleCollator::cjkLv2Indexer
CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * ___cjkLv2Indexer_10;
// System.Int32 Mono.Globalization.Unicode.SimpleCollator::lcid
int32_t ___lcid_11;
// System.Boolean Mono.Globalization.Unicode.SimpleCollator::frenchSort
bool ___frenchSort_12;
public:
inline static int32_t get_offset_of_textInfo_2() { return static_cast<int32_t>(offsetof(SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266, ___textInfo_2)); }
inline TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C * get_textInfo_2() const { return ___textInfo_2; }
inline TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C ** get_address_of_textInfo_2() { return &___textInfo_2; }
inline void set_textInfo_2(TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C * value)
{
___textInfo_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___textInfo_2), (void*)value);
}
inline static int32_t get_offset_of_cjkIndexer_3() { return static_cast<int32_t>(offsetof(SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266, ___cjkIndexer_3)); }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * get_cjkIndexer_3() const { return ___cjkIndexer_3; }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 ** get_address_of_cjkIndexer_3() { return &___cjkIndexer_3; }
inline void set_cjkIndexer_3(CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * value)
{
___cjkIndexer_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___cjkIndexer_3), (void*)value);
}
inline static int32_t get_offset_of_contractions_4() { return static_cast<int32_t>(offsetof(SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266, ___contractions_4)); }
inline ContractionU5BU5D_t167C2B086555CC0A9174F79685CDB93223C7307B* get_contractions_4() const { return ___contractions_4; }
inline ContractionU5BU5D_t167C2B086555CC0A9174F79685CDB93223C7307B** get_address_of_contractions_4() { return &___contractions_4; }
inline void set_contractions_4(ContractionU5BU5D_t167C2B086555CC0A9174F79685CDB93223C7307B* value)
{
___contractions_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___contractions_4), (void*)value);
}
inline static int32_t get_offset_of_level2Maps_5() { return static_cast<int32_t>(offsetof(SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266, ___level2Maps_5)); }
inline Level2MapU5BU5D_t736BC7320E2D0A8E95BD20FE2F4E7E40B9246DBF* get_level2Maps_5() const { return ___level2Maps_5; }
inline Level2MapU5BU5D_t736BC7320E2D0A8E95BD20FE2F4E7E40B9246DBF** get_address_of_level2Maps_5() { return &___level2Maps_5; }
inline void set_level2Maps_5(Level2MapU5BU5D_t736BC7320E2D0A8E95BD20FE2F4E7E40B9246DBF* value)
{
___level2Maps_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___level2Maps_5), (void*)value);
}
inline static int32_t get_offset_of_unsafeFlags_6() { return static_cast<int32_t>(offsetof(SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266, ___unsafeFlags_6)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_unsafeFlags_6() const { return ___unsafeFlags_6; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_unsafeFlags_6() { return &___unsafeFlags_6; }
inline void set_unsafeFlags_6(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___unsafeFlags_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___unsafeFlags_6), (void*)value);
}
inline static int32_t get_offset_of_cjkCatTable_7() { return static_cast<int32_t>(offsetof(SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266, ___cjkCatTable_7)); }
inline uint8_t* get_cjkCatTable_7() const { return ___cjkCatTable_7; }
inline uint8_t** get_address_of_cjkCatTable_7() { return &___cjkCatTable_7; }
inline void set_cjkCatTable_7(uint8_t* value)
{
___cjkCatTable_7 = value;
}
inline static int32_t get_offset_of_cjkLv1Table_8() { return static_cast<int32_t>(offsetof(SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266, ___cjkLv1Table_8)); }
inline uint8_t* get_cjkLv1Table_8() const { return ___cjkLv1Table_8; }
inline uint8_t** get_address_of_cjkLv1Table_8() { return &___cjkLv1Table_8; }
inline void set_cjkLv1Table_8(uint8_t* value)
{
___cjkLv1Table_8 = value;
}
inline static int32_t get_offset_of_cjkLv2Table_9() { return static_cast<int32_t>(offsetof(SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266, ___cjkLv2Table_9)); }
inline uint8_t* get_cjkLv2Table_9() const { return ___cjkLv2Table_9; }
inline uint8_t** get_address_of_cjkLv2Table_9() { return &___cjkLv2Table_9; }
inline void set_cjkLv2Table_9(uint8_t* value)
{
___cjkLv2Table_9 = value;
}
inline static int32_t get_offset_of_cjkLv2Indexer_10() { return static_cast<int32_t>(offsetof(SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266, ___cjkLv2Indexer_10)); }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * get_cjkLv2Indexer_10() const { return ___cjkLv2Indexer_10; }
inline CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 ** get_address_of_cjkLv2Indexer_10() { return &___cjkLv2Indexer_10; }
inline void set_cjkLv2Indexer_10(CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81 * value)
{
___cjkLv2Indexer_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___cjkLv2Indexer_10), (void*)value);
}
inline static int32_t get_offset_of_lcid_11() { return static_cast<int32_t>(offsetof(SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266, ___lcid_11)); }
inline int32_t get_lcid_11() const { return ___lcid_11; }
inline int32_t* get_address_of_lcid_11() { return &___lcid_11; }
inline void set_lcid_11(int32_t value)
{
___lcid_11 = value;
}
inline static int32_t get_offset_of_frenchSort_12() { return static_cast<int32_t>(offsetof(SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266, ___frenchSort_12)); }
inline bool get_frenchSort_12() const { return ___frenchSort_12; }
inline bool* get_address_of_frenchSort_12() { return &___frenchSort_12; }
inline void set_frenchSort_12(bool value)
{
___frenchSort_12 = value;
}
};
struct SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266_StaticFields
{
public:
// System.Boolean Mono.Globalization.Unicode.SimpleCollator::QuickCheckDisabled
bool ___QuickCheckDisabled_0;
// Mono.Globalization.Unicode.SimpleCollator Mono.Globalization.Unicode.SimpleCollator::invariant
SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266 * ___invariant_1;
public:
inline static int32_t get_offset_of_QuickCheckDisabled_0() { return static_cast<int32_t>(offsetof(SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266_StaticFields, ___QuickCheckDisabled_0)); }
inline bool get_QuickCheckDisabled_0() const { return ___QuickCheckDisabled_0; }
inline bool* get_address_of_QuickCheckDisabled_0() { return &___QuickCheckDisabled_0; }
inline void set_QuickCheckDisabled_0(bool value)
{
___QuickCheckDisabled_0 = value;
}
inline static int32_t get_offset_of_invariant_1() { return static_cast<int32_t>(offsetof(SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266_StaticFields, ___invariant_1)); }
inline SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266 * get_invariant_1() const { return ___invariant_1; }
inline SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266 ** get_address_of_invariant_1() { return &___invariant_1; }
inline void set_invariant_1(SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266 * value)
{
___invariant_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___invariant_1), (void*)value);
}
};
// System.Runtime.Remoting.Channels.SinkProviderData
struct SinkProviderData_tDCF47C22643A26B1E1F6BB60FA7AE7034053D14E : public RuntimeObject
{
public:
// System.String System.Runtime.Remoting.Channels.SinkProviderData::sinkName
String_t* ___sinkName_0;
// System.Collections.ArrayList System.Runtime.Remoting.Channels.SinkProviderData::children
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * ___children_1;
// System.Collections.Hashtable System.Runtime.Remoting.Channels.SinkProviderData::properties
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___properties_2;
public:
inline static int32_t get_offset_of_sinkName_0() { return static_cast<int32_t>(offsetof(SinkProviderData_tDCF47C22643A26B1E1F6BB60FA7AE7034053D14E, ___sinkName_0)); }
inline String_t* get_sinkName_0() const { return ___sinkName_0; }
inline String_t** get_address_of_sinkName_0() { return &___sinkName_0; }
inline void set_sinkName_0(String_t* value)
{
___sinkName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sinkName_0), (void*)value);
}
inline static int32_t get_offset_of_children_1() { return static_cast<int32_t>(offsetof(SinkProviderData_tDCF47C22643A26B1E1F6BB60FA7AE7034053D14E, ___children_1)); }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * get_children_1() const { return ___children_1; }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 ** get_address_of_children_1() { return &___children_1; }
inline void set_children_1(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * value)
{
___children_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___children_1), (void*)value);
}
inline static int32_t get_offset_of_properties_2() { return static_cast<int32_t>(offsetof(SinkProviderData_tDCF47C22643A26B1E1F6BB60FA7AE7034053D14E, ___properties_2)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_properties_2() const { return ___properties_2; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_properties_2() { return &___properties_2; }
inline void set_properties_2(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___properties_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___properties_2), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.Binary.SizedArray
struct SizedArray_t774FEAB0344A9BE540F22DD0A4E8E9E83EE69C42 : public RuntimeObject
{
public:
// System.Object[] System.Runtime.Serialization.Formatters.Binary.SizedArray::objects
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___objects_0;
// System.Object[] System.Runtime.Serialization.Formatters.Binary.SizedArray::negObjects
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___negObjects_1;
public:
inline static int32_t get_offset_of_objects_0() { return static_cast<int32_t>(offsetof(SizedArray_t774FEAB0344A9BE540F22DD0A4E8E9E83EE69C42, ___objects_0)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_objects_0() const { return ___objects_0; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_objects_0() { return &___objects_0; }
inline void set_objects_0(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___objects_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objects_0), (void*)value);
}
inline static int32_t get_offset_of_negObjects_1() { return static_cast<int32_t>(offsetof(SizedArray_t774FEAB0344A9BE540F22DD0A4E8E9E83EE69C42, ___negObjects_1)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_negObjects_1() const { return ___negObjects_1; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_negObjects_1() { return &___negObjects_1; }
inline void set_negObjects_1(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___negObjects_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___negObjects_1), (void*)value);
}
};
// UnityEngine.SliderState
struct SliderState_t2A7A763A3DACB04584347A9FEEEB1B905A60880A : public RuntimeObject
{
public:
public:
};
// Mono.Xml.SmallXmlParser
struct SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7 : public RuntimeObject
{
public:
// Mono.Xml.SmallXmlParser/IContentHandler Mono.Xml.SmallXmlParser::handler
RuntimeObject* ___handler_0;
// System.IO.TextReader Mono.Xml.SmallXmlParser::reader
TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F * ___reader_1;
// System.Collections.Stack Mono.Xml.SmallXmlParser::elementNames
Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 * ___elementNames_2;
// System.Collections.Stack Mono.Xml.SmallXmlParser::xmlSpaces
Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 * ___xmlSpaces_3;
// System.String Mono.Xml.SmallXmlParser::xmlSpace
String_t* ___xmlSpace_4;
// System.Text.StringBuilder Mono.Xml.SmallXmlParser::buffer
StringBuilder_t * ___buffer_5;
// System.Char[] Mono.Xml.SmallXmlParser::nameBuffer
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___nameBuffer_6;
// System.Boolean Mono.Xml.SmallXmlParser::isWhitespace
bool ___isWhitespace_7;
// Mono.Xml.SmallXmlParser/AttrListImpl Mono.Xml.SmallXmlParser::attributes
AttrListImpl_t3FA46929BCFFF60313A5940AAB20513699DC58BA * ___attributes_8;
// System.Int32 Mono.Xml.SmallXmlParser::line
int32_t ___line_9;
// System.Int32 Mono.Xml.SmallXmlParser::column
int32_t ___column_10;
// System.Boolean Mono.Xml.SmallXmlParser::resetColumn
bool ___resetColumn_11;
public:
inline static int32_t get_offset_of_handler_0() { return static_cast<int32_t>(offsetof(SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7, ___handler_0)); }
inline RuntimeObject* get_handler_0() const { return ___handler_0; }
inline RuntimeObject** get_address_of_handler_0() { return &___handler_0; }
inline void set_handler_0(RuntimeObject* value)
{
___handler_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___handler_0), (void*)value);
}
inline static int32_t get_offset_of_reader_1() { return static_cast<int32_t>(offsetof(SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7, ___reader_1)); }
inline TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F * get_reader_1() const { return ___reader_1; }
inline TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F ** get_address_of_reader_1() { return &___reader_1; }
inline void set_reader_1(TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F * value)
{
___reader_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___reader_1), (void*)value);
}
inline static int32_t get_offset_of_elementNames_2() { return static_cast<int32_t>(offsetof(SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7, ___elementNames_2)); }
inline Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 * get_elementNames_2() const { return ___elementNames_2; }
inline Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 ** get_address_of_elementNames_2() { return &___elementNames_2; }
inline void set_elementNames_2(Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 * value)
{
___elementNames_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___elementNames_2), (void*)value);
}
inline static int32_t get_offset_of_xmlSpaces_3() { return static_cast<int32_t>(offsetof(SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7, ___xmlSpaces_3)); }
inline Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 * get_xmlSpaces_3() const { return ___xmlSpaces_3; }
inline Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 ** get_address_of_xmlSpaces_3() { return &___xmlSpaces_3; }
inline void set_xmlSpaces_3(Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 * value)
{
___xmlSpaces_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___xmlSpaces_3), (void*)value);
}
inline static int32_t get_offset_of_xmlSpace_4() { return static_cast<int32_t>(offsetof(SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7, ___xmlSpace_4)); }
inline String_t* get_xmlSpace_4() const { return ___xmlSpace_4; }
inline String_t** get_address_of_xmlSpace_4() { return &___xmlSpace_4; }
inline void set_xmlSpace_4(String_t* value)
{
___xmlSpace_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___xmlSpace_4), (void*)value);
}
inline static int32_t get_offset_of_buffer_5() { return static_cast<int32_t>(offsetof(SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7, ___buffer_5)); }
inline StringBuilder_t * get_buffer_5() const { return ___buffer_5; }
inline StringBuilder_t ** get_address_of_buffer_5() { return &___buffer_5; }
inline void set_buffer_5(StringBuilder_t * value)
{
___buffer_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___buffer_5), (void*)value);
}
inline static int32_t get_offset_of_nameBuffer_6() { return static_cast<int32_t>(offsetof(SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7, ___nameBuffer_6)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_nameBuffer_6() const { return ___nameBuffer_6; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_nameBuffer_6() { return &___nameBuffer_6; }
inline void set_nameBuffer_6(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___nameBuffer_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___nameBuffer_6), (void*)value);
}
inline static int32_t get_offset_of_isWhitespace_7() { return static_cast<int32_t>(offsetof(SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7, ___isWhitespace_7)); }
inline bool get_isWhitespace_7() const { return ___isWhitespace_7; }
inline bool* get_address_of_isWhitespace_7() { return &___isWhitespace_7; }
inline void set_isWhitespace_7(bool value)
{
___isWhitespace_7 = value;
}
inline static int32_t get_offset_of_attributes_8() { return static_cast<int32_t>(offsetof(SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7, ___attributes_8)); }
inline AttrListImpl_t3FA46929BCFFF60313A5940AAB20513699DC58BA * get_attributes_8() const { return ___attributes_8; }
inline AttrListImpl_t3FA46929BCFFF60313A5940AAB20513699DC58BA ** get_address_of_attributes_8() { return &___attributes_8; }
inline void set_attributes_8(AttrListImpl_t3FA46929BCFFF60313A5940AAB20513699DC58BA * value)
{
___attributes_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___attributes_8), (void*)value);
}
inline static int32_t get_offset_of_line_9() { return static_cast<int32_t>(offsetof(SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7, ___line_9)); }
inline int32_t get_line_9() const { return ___line_9; }
inline int32_t* get_address_of_line_9() { return &___line_9; }
inline void set_line_9(int32_t value)
{
___line_9 = value;
}
inline static int32_t get_offset_of_column_10() { return static_cast<int32_t>(offsetof(SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7, ___column_10)); }
inline int32_t get_column_10() const { return ___column_10; }
inline int32_t* get_address_of_column_10() { return &___column_10; }
inline void set_column_10(int32_t value)
{
___column_10 = value;
}
inline static int32_t get_offset_of_resetColumn_11() { return static_cast<int32_t>(offsetof(SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7, ___resetColumn_11)); }
inline bool get_resetColumn_11() const { return ___resetColumn_11; }
inline bool* get_address_of_resetColumn_11() { return &___resetColumn_11; }
inline void set_resetColumn_11(bool value)
{
___resetColumn_11 = value;
}
};
// UnityEngine.Localization.SmartFormat.Smart
struct Smart_t6F78E62CAE00F7562B3E4A062597CF92F2E71F9F : public RuntimeObject
{
public:
public:
};
struct Smart_t6F78E62CAE00F7562B3E4A062597CF92F2E71F9F_StaticFields
{
public:
// UnityEngine.Localization.SmartFormat.SmartFormatter UnityEngine.Localization.SmartFormat.Smart::<Default>k__BackingField
SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 * ___U3CDefaultU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CDefaultU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(Smart_t6F78E62CAE00F7562B3E4A062597CF92F2E71F9F_StaticFields, ___U3CDefaultU3Ek__BackingField_0)); }
inline SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 * get_U3CDefaultU3Ek__BackingField_0() const { return ___U3CDefaultU3Ek__BackingField_0; }
inline SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 ** get_address_of_U3CDefaultU3Ek__BackingField_0() { return &___U3CDefaultU3Ek__BackingField_0; }
inline void set_U3CDefaultU3Ek__BackingField_0(SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 * value)
{
___U3CDefaultU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CDefaultU3Ek__BackingField_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.SmartExtensions
struct SmartExtensions_t8AA0E5F86357AD828CA72F7DEC64CBDC71890AC9 : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.SmartFormatter
struct SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 : public RuntimeObject
{
public:
// UnityEngine.Localization.SmartFormat.Core.Settings.SmartSettings UnityEngine.Localization.SmartFormat.SmartFormatter::m_Settings
SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627 * ___m_Settings_0;
// UnityEngine.Localization.SmartFormat.Core.Parsing.Parser UnityEngine.Localization.SmartFormat.SmartFormatter::m_Parser
Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D * ___m_Parser_1;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.Core.Extensions.ISource> UnityEngine.Localization.SmartFormat.SmartFormatter::m_Sources
List_1_tDDEEBBC0186BF29A1B0907B71AD2CD1966BB07A0 * ___m_Sources_2;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.Core.Extensions.IFormatter> UnityEngine.Localization.SmartFormat.SmartFormatter::m_Formatters
List_1_t6A2219B23E65291D13F90135F4A7B300E705D21A * ___m_Formatters_3;
// System.Collections.Generic.List`1<System.String> UnityEngine.Localization.SmartFormat.SmartFormatter::m_NotEmptyFormatterExtensionNames
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___m_NotEmptyFormatterExtensionNames_4;
// System.EventHandler`1<UnityEngine.Localization.SmartFormat.FormattingErrorEventArgs> UnityEngine.Localization.SmartFormat.SmartFormatter::OnFormattingFailure
EventHandler_1_t3A7EAC5508F2BAE42A3533DF927CEF22CBF388D9 * ___OnFormattingFailure_6;
public:
inline static int32_t get_offset_of_m_Settings_0() { return static_cast<int32_t>(offsetof(SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858, ___m_Settings_0)); }
inline SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627 * get_m_Settings_0() const { return ___m_Settings_0; }
inline SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627 ** get_address_of_m_Settings_0() { return &___m_Settings_0; }
inline void set_m_Settings_0(SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627 * value)
{
___m_Settings_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Settings_0), (void*)value);
}
inline static int32_t get_offset_of_m_Parser_1() { return static_cast<int32_t>(offsetof(SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858, ___m_Parser_1)); }
inline Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D * get_m_Parser_1() const { return ___m_Parser_1; }
inline Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D ** get_address_of_m_Parser_1() { return &___m_Parser_1; }
inline void set_m_Parser_1(Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D * value)
{
___m_Parser_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Parser_1), (void*)value);
}
inline static int32_t get_offset_of_m_Sources_2() { return static_cast<int32_t>(offsetof(SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858, ___m_Sources_2)); }
inline List_1_tDDEEBBC0186BF29A1B0907B71AD2CD1966BB07A0 * get_m_Sources_2() const { return ___m_Sources_2; }
inline List_1_tDDEEBBC0186BF29A1B0907B71AD2CD1966BB07A0 ** get_address_of_m_Sources_2() { return &___m_Sources_2; }
inline void set_m_Sources_2(List_1_tDDEEBBC0186BF29A1B0907B71AD2CD1966BB07A0 * value)
{
___m_Sources_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Sources_2), (void*)value);
}
inline static int32_t get_offset_of_m_Formatters_3() { return static_cast<int32_t>(offsetof(SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858, ___m_Formatters_3)); }
inline List_1_t6A2219B23E65291D13F90135F4A7B300E705D21A * get_m_Formatters_3() const { return ___m_Formatters_3; }
inline List_1_t6A2219B23E65291D13F90135F4A7B300E705D21A ** get_address_of_m_Formatters_3() { return &___m_Formatters_3; }
inline void set_m_Formatters_3(List_1_t6A2219B23E65291D13F90135F4A7B300E705D21A * value)
{
___m_Formatters_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Formatters_3), (void*)value);
}
inline static int32_t get_offset_of_m_NotEmptyFormatterExtensionNames_4() { return static_cast<int32_t>(offsetof(SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858, ___m_NotEmptyFormatterExtensionNames_4)); }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * get_m_NotEmptyFormatterExtensionNames_4() const { return ___m_NotEmptyFormatterExtensionNames_4; }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 ** get_address_of_m_NotEmptyFormatterExtensionNames_4() { return &___m_NotEmptyFormatterExtensionNames_4; }
inline void set_m_NotEmptyFormatterExtensionNames_4(List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * value)
{
___m_NotEmptyFormatterExtensionNames_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_NotEmptyFormatterExtensionNames_4), (void*)value);
}
inline static int32_t get_offset_of_OnFormattingFailure_6() { return static_cast<int32_t>(offsetof(SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858, ___OnFormattingFailure_6)); }
inline EventHandler_1_t3A7EAC5508F2BAE42A3533DF927CEF22CBF388D9 * get_OnFormattingFailure_6() const { return ___OnFormattingFailure_6; }
inline EventHandler_1_t3A7EAC5508F2BAE42A3533DF927CEF22CBF388D9 ** get_address_of_OnFormattingFailure_6() { return &___OnFormattingFailure_6; }
inline void set_OnFormattingFailure_6(EventHandler_1_t3A7EAC5508F2BAE42A3533DF927CEF22CBF388D9 * value)
{
___OnFormattingFailure_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___OnFormattingFailure_6), (void*)value);
}
};
struct SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858_StaticFields
{
public:
// System.Object[] UnityEngine.Localization.SmartFormat.SmartFormatter::k_Empty
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___k_Empty_5;
public:
inline static int32_t get_offset_of_k_Empty_5() { return static_cast<int32_t>(offsetof(SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858_StaticFields, ___k_Empty_5)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_k_Empty_5() const { return ___k_Empty_5; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_k_Empty_5() { return &___k_Empty_5; }
inline void set_k_Empty_5(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___k_Empty_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___k_Empty_5), (void*)value);
}
};
// System.Runtime.Remoting.SoapServices
struct SoapServices_tF5C603622E5CA7C74CE4C673ADEB2AE77B95273B : public RuntimeObject
{
public:
public:
};
struct SoapServices_tF5C603622E5CA7C74CE4C673ADEB2AE77B95273B_StaticFields
{
public:
// System.Collections.Hashtable System.Runtime.Remoting.SoapServices::_xmlTypes
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ____xmlTypes_0;
// System.Collections.Hashtable System.Runtime.Remoting.SoapServices::_xmlElements
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ____xmlElements_1;
// System.Collections.Hashtable System.Runtime.Remoting.SoapServices::_soapActions
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ____soapActions_2;
// System.Collections.Hashtable System.Runtime.Remoting.SoapServices::_soapActionsMethods
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ____soapActionsMethods_3;
// System.Collections.Hashtable System.Runtime.Remoting.SoapServices::_typeInfos
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ____typeInfos_4;
public:
inline static int32_t get_offset_of__xmlTypes_0() { return static_cast<int32_t>(offsetof(SoapServices_tF5C603622E5CA7C74CE4C673ADEB2AE77B95273B_StaticFields, ____xmlTypes_0)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get__xmlTypes_0() const { return ____xmlTypes_0; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of__xmlTypes_0() { return &____xmlTypes_0; }
inline void set__xmlTypes_0(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
____xmlTypes_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____xmlTypes_0), (void*)value);
}
inline static int32_t get_offset_of__xmlElements_1() { return static_cast<int32_t>(offsetof(SoapServices_tF5C603622E5CA7C74CE4C673ADEB2AE77B95273B_StaticFields, ____xmlElements_1)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get__xmlElements_1() const { return ____xmlElements_1; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of__xmlElements_1() { return &____xmlElements_1; }
inline void set__xmlElements_1(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
____xmlElements_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____xmlElements_1), (void*)value);
}
inline static int32_t get_offset_of__soapActions_2() { return static_cast<int32_t>(offsetof(SoapServices_tF5C603622E5CA7C74CE4C673ADEB2AE77B95273B_StaticFields, ____soapActions_2)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get__soapActions_2() const { return ____soapActions_2; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of__soapActions_2() { return &____soapActions_2; }
inline void set__soapActions_2(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
____soapActions_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____soapActions_2), (void*)value);
}
inline static int32_t get_offset_of__soapActionsMethods_3() { return static_cast<int32_t>(offsetof(SoapServices_tF5C603622E5CA7C74CE4C673ADEB2AE77B95273B_StaticFields, ____soapActionsMethods_3)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get__soapActionsMethods_3() const { return ____soapActionsMethods_3; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of__soapActionsMethods_3() { return &____soapActionsMethods_3; }
inline void set__soapActionsMethods_3(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
____soapActionsMethods_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____soapActionsMethods_3), (void*)value);
}
inline static int32_t get_offset_of__typeInfos_4() { return static_cast<int32_t>(offsetof(SoapServices_tF5C603622E5CA7C74CE4C673ADEB2AE77B95273B_StaticFields, ____typeInfos_4)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get__typeInfos_4() const { return ____typeInfos_4; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of__typeInfos_4() { return &____typeInfos_4; }
inline void set__typeInfos_4(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
____typeInfos_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____typeInfos_4), (void*)value);
}
};
// System.Collections.SortedList
struct SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165 : public RuntimeObject
{
public:
// System.Object[] System.Collections.SortedList::keys
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___keys_0;
// System.Object[] System.Collections.SortedList::values
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___values_1;
// System.Int32 System.Collections.SortedList::_size
int32_t ____size_2;
// System.Int32 System.Collections.SortedList::version
int32_t ___version_3;
// System.Collections.IComparer System.Collections.SortedList::comparer
RuntimeObject* ___comparer_4;
public:
inline static int32_t get_offset_of_keys_0() { return static_cast<int32_t>(offsetof(SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165, ___keys_0)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_keys_0() const { return ___keys_0; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_keys_0() { return &___keys_0; }
inline void set_keys_0(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___keys_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___keys_0), (void*)value);
}
inline static int32_t get_offset_of_values_1() { return static_cast<int32_t>(offsetof(SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165, ___values_1)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_values_1() const { return ___values_1; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_values_1() { return &___values_1; }
inline void set_values_1(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___values_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___values_1), (void*)value);
}
inline static int32_t get_offset_of__size_2() { return static_cast<int32_t>(offsetof(SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165, ____size_2)); }
inline int32_t get__size_2() const { return ____size_2; }
inline int32_t* get_address_of__size_2() { return &____size_2; }
inline void set__size_2(int32_t value)
{
____size_2 = value;
}
inline static int32_t get_offset_of_version_3() { return static_cast<int32_t>(offsetof(SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165, ___version_3)); }
inline int32_t get_version_3() const { return ___version_3; }
inline int32_t* get_address_of_version_3() { return &___version_3; }
inline void set_version_3(int32_t value)
{
___version_3 = value;
}
inline static int32_t get_offset_of_comparer_4() { return static_cast<int32_t>(offsetof(SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165, ___comparer_4)); }
inline RuntimeObject* get_comparer_4() const { return ___comparer_4; }
inline RuntimeObject** get_address_of_comparer_4() { return &___comparer_4; }
inline void set_comparer_4(RuntimeObject* value)
{
___comparer_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___comparer_4), (void*)value);
}
};
struct SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165_StaticFields
{
public:
// System.Object[] System.Collections.SortedList::emptyArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___emptyArray_5;
public:
inline static int32_t get_offset_of_emptyArray_5() { return static_cast<int32_t>(offsetof(SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165_StaticFields, ___emptyArray_5)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_emptyArray_5() const { return ___emptyArray_5; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_emptyArray_5() { return &___emptyArray_5; }
inline void set_emptyArray_5(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___emptyArray_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___emptyArray_5), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.SplitListPool
struct SplitListPool_tA036000F564D12E970A728DF806917D53B129BB9 : public RuntimeObject
{
public:
public:
};
struct SplitListPool_tA036000F564D12E970A728DF806917D53B129BB9_StaticFields
{
public:
// UnityEngine.Pool.ObjectPool`1<UnityEngine.Localization.SmartFormat.Core.Parsing.Format/SplitList> UnityEngine.Localization.SmartFormat.SplitListPool::s_Pool
ObjectPool_1_t10D8ED278779D1B49627B1288E1FC1FA29CFF8D8 * ___s_Pool_0;
public:
inline static int32_t get_offset_of_s_Pool_0() { return static_cast<int32_t>(offsetof(SplitListPool_tA036000F564D12E970A728DF806917D53B129BB9_StaticFields, ___s_Pool_0)); }
inline ObjectPool_1_t10D8ED278779D1B49627B1288E1FC1FA29CFF8D8 * get_s_Pool_0() const { return ___s_Pool_0; }
inline ObjectPool_1_t10D8ED278779D1B49627B1288E1FC1FA29CFF8D8 ** get_address_of_s_Pool_0() { return &___s_Pool_0; }
inline void set_s_Pool_0(ObjectPool_1_t10D8ED278779D1B49627B1288E1FC1FA29CFF8D8 * value)
{
___s_Pool_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Pool_0), (void*)value);
}
};
// UnityEngine.U2D.SpriteAtlasManager
struct SpriteAtlasManager_t7D972A1381969245B36EB0ABCC60C3AE033FF53F : public RuntimeObject
{
public:
public:
};
struct SpriteAtlasManager_t7D972A1381969245B36EB0ABCC60C3AE033FF53F_StaticFields
{
public:
// System.Action`2<System.String,System.Action`1<UnityEngine.U2D.SpriteAtlas>> UnityEngine.U2D.SpriteAtlasManager::atlasRequested
Action_2_t2637D1ABC6F1C01B00FBBB3F1C73F8FF54A9BC5F * ___atlasRequested_0;
// System.Action`1<UnityEngine.U2D.SpriteAtlas> UnityEngine.U2D.SpriteAtlasManager::atlasRegistered
Action_1_tFA33A618CBBE03EC01FE6A4CD6489392526BA5FF * ___atlasRegistered_1;
public:
inline static int32_t get_offset_of_atlasRequested_0() { return static_cast<int32_t>(offsetof(SpriteAtlasManager_t7D972A1381969245B36EB0ABCC60C3AE033FF53F_StaticFields, ___atlasRequested_0)); }
inline Action_2_t2637D1ABC6F1C01B00FBBB3F1C73F8FF54A9BC5F * get_atlasRequested_0() const { return ___atlasRequested_0; }
inline Action_2_t2637D1ABC6F1C01B00FBBB3F1C73F8FF54A9BC5F ** get_address_of_atlasRequested_0() { return &___atlasRequested_0; }
inline void set_atlasRequested_0(Action_2_t2637D1ABC6F1C01B00FBBB3F1C73F8FF54A9BC5F * value)
{
___atlasRequested_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___atlasRequested_0), (void*)value);
}
inline static int32_t get_offset_of_atlasRegistered_1() { return static_cast<int32_t>(offsetof(SpriteAtlasManager_t7D972A1381969245B36EB0ABCC60C3AE033FF53F_StaticFields, ___atlasRegistered_1)); }
inline Action_1_tFA33A618CBBE03EC01FE6A4CD6489392526BA5FF * get_atlasRegistered_1() const { return ___atlasRegistered_1; }
inline Action_1_tFA33A618CBBE03EC01FE6A4CD6489392526BA5FF ** get_address_of_atlasRegistered_1() { return &___atlasRegistered_1; }
inline void set_atlasRegistered_1(Action_1_tFA33A618CBBE03EC01FE6A4CD6489392526BA5FF * value)
{
___atlasRegistered_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___atlasRegistered_1), (void*)value);
}
};
// UnityEngine.Experimental.U2D.SpriteRendererGroup
struct SpriteRendererGroup_tC158DDBE7C79A8EE915F52F3D3D0412B05F8522E : public RuntimeObject
{
public:
public:
};
// Native definition for P/Invoke marshalling of UnityEngine.Experimental.U2D.SpriteRendererGroup
struct SpriteRendererGroup_tC158DDBE7C79A8EE915F52F3D3D0412B05F8522E_marshaled_pinvoke
{
};
// Native definition for COM marshalling of UnityEngine.Experimental.U2D.SpriteRendererGroup
struct SpriteRendererGroup_tC158DDBE7C79A8EE915F52F3D3D0412B05F8522E_marshaled_com
{
};
// System.Collections.Stack
struct Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 : public RuntimeObject
{
public:
// System.Object[] System.Collections.Stack::_array
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ____array_0;
// System.Int32 System.Collections.Stack::_size
int32_t ____size_1;
// System.Int32 System.Collections.Stack::_version
int32_t ____version_2;
public:
inline static int32_t get_offset_of__array_0() { return static_cast<int32_t>(offsetof(Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8, ____array_0)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get__array_0() const { return ____array_0; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of__array_0() { return &____array_0; }
inline void set__array_0(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
____array_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____array_0), (void*)value);
}
inline static int32_t get_offset_of__size_1() { return static_cast<int32_t>(offsetof(Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8, ____size_1)); }
inline int32_t get__size_1() const { return ____size_1; }
inline int32_t* get_address_of__size_1() { return &____size_1; }
inline void set__size_1(int32_t value)
{
____size_1 = value;
}
inline static int32_t get_offset_of__version_2() { return static_cast<int32_t>(offsetof(Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8, ____version_2)); }
inline int32_t get__version_2() const { return ____version_2; }
inline int32_t* get_address_of__version_2() { return &____version_2; }
inline void set__version_2(int32_t value)
{
____version_2 = value;
}
};
// System.Runtime.Remoting.Messaging.StackBuilderSink
struct StackBuilderSink_tD852C1DCFA0CDA0B882EE8342D24F54FAE5D647A : public RuntimeObject
{
public:
// System.MarshalByRefObject System.Runtime.Remoting.Messaging.StackBuilderSink::_target
MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8 * ____target_0;
// System.Runtime.Remoting.Proxies.RealProxy System.Runtime.Remoting.Messaging.StackBuilderSink::_rp
RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744 * ____rp_1;
public:
inline static int32_t get_offset_of__target_0() { return static_cast<int32_t>(offsetof(StackBuilderSink_tD852C1DCFA0CDA0B882EE8342D24F54FAE5D647A, ____target_0)); }
inline MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8 * get__target_0() const { return ____target_0; }
inline MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8 ** get_address_of__target_0() { return &____target_0; }
inline void set__target_0(MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8 * value)
{
____target_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____target_0), (void*)value);
}
inline static int32_t get_offset_of__rp_1() { return static_cast<int32_t>(offsetof(StackBuilderSink_tD852C1DCFA0CDA0B882EE8342D24F54FAE5D647A, ____rp_1)); }
inline RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744 * get__rp_1() const { return ____rp_1; }
inline RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744 ** get_address_of__rp_1() { return &____rp_1; }
inline void set__rp_1(RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744 * value)
{
____rp_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____rp_1), (void*)value);
}
};
// System.Diagnostics.StackFrame
struct StackFrame_t6018A5362C2E8F6F80F153F3D40623D213094E0F : public RuntimeObject
{
public:
// System.Int32 System.Diagnostics.StackFrame::ilOffset
int32_t ___ilOffset_1;
// System.Int32 System.Diagnostics.StackFrame::nativeOffset
int32_t ___nativeOffset_2;
// System.Int64 System.Diagnostics.StackFrame::methodAddress
int64_t ___methodAddress_3;
// System.UInt32 System.Diagnostics.StackFrame::methodIndex
uint32_t ___methodIndex_4;
// System.Reflection.MethodBase System.Diagnostics.StackFrame::methodBase
MethodBase_t * ___methodBase_5;
// System.String System.Diagnostics.StackFrame::fileName
String_t* ___fileName_6;
// System.Int32 System.Diagnostics.StackFrame::lineNumber
int32_t ___lineNumber_7;
// System.Int32 System.Diagnostics.StackFrame::columnNumber
int32_t ___columnNumber_8;
// System.String System.Diagnostics.StackFrame::internalMethodName
String_t* ___internalMethodName_9;
public:
inline static int32_t get_offset_of_ilOffset_1() { return static_cast<int32_t>(offsetof(StackFrame_t6018A5362C2E8F6F80F153F3D40623D213094E0F, ___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_t6018A5362C2E8F6F80F153F3D40623D213094E0F, ___nativeOffset_2)); }
inline int32_t get_nativeOffset_2() const { return ___nativeOffset_2; }
inline int32_t* get_address_of_nativeOffset_2() { return &___nativeOffset_2; }
inline void set_nativeOffset_2(int32_t value)
{
___nativeOffset_2 = value;
}
inline static int32_t get_offset_of_methodAddress_3() { return static_cast<int32_t>(offsetof(StackFrame_t6018A5362C2E8F6F80F153F3D40623D213094E0F, ___methodAddress_3)); }
inline int64_t get_methodAddress_3() const { return ___methodAddress_3; }
inline int64_t* get_address_of_methodAddress_3() { return &___methodAddress_3; }
inline void set_methodAddress_3(int64_t value)
{
___methodAddress_3 = value;
}
inline static int32_t get_offset_of_methodIndex_4() { return static_cast<int32_t>(offsetof(StackFrame_t6018A5362C2E8F6F80F153F3D40623D213094E0F, ___methodIndex_4)); }
inline uint32_t get_methodIndex_4() const { return ___methodIndex_4; }
inline uint32_t* get_address_of_methodIndex_4() { return &___methodIndex_4; }
inline void set_methodIndex_4(uint32_t value)
{
___methodIndex_4 = value;
}
inline static int32_t get_offset_of_methodBase_5() { return static_cast<int32_t>(offsetof(StackFrame_t6018A5362C2E8F6F80F153F3D40623D213094E0F, ___methodBase_5)); }
inline MethodBase_t * get_methodBase_5() const { return ___methodBase_5; }
inline MethodBase_t ** get_address_of_methodBase_5() { return &___methodBase_5; }
inline void set_methodBase_5(MethodBase_t * value)
{
___methodBase_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___methodBase_5), (void*)value);
}
inline static int32_t get_offset_of_fileName_6() { return static_cast<int32_t>(offsetof(StackFrame_t6018A5362C2E8F6F80F153F3D40623D213094E0F, ___fileName_6)); }
inline String_t* get_fileName_6() const { return ___fileName_6; }
inline String_t** get_address_of_fileName_6() { return &___fileName_6; }
inline void set_fileName_6(String_t* value)
{
___fileName_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___fileName_6), (void*)value);
}
inline static int32_t get_offset_of_lineNumber_7() { return static_cast<int32_t>(offsetof(StackFrame_t6018A5362C2E8F6F80F153F3D40623D213094E0F, ___lineNumber_7)); }
inline int32_t get_lineNumber_7() const { return ___lineNumber_7; }
inline int32_t* get_address_of_lineNumber_7() { return &___lineNumber_7; }
inline void set_lineNumber_7(int32_t value)
{
___lineNumber_7 = value;
}
inline static int32_t get_offset_of_columnNumber_8() { return static_cast<int32_t>(offsetof(StackFrame_t6018A5362C2E8F6F80F153F3D40623D213094E0F, ___columnNumber_8)); }
inline int32_t get_columnNumber_8() const { return ___columnNumber_8; }
inline int32_t* get_address_of_columnNumber_8() { return &___columnNumber_8; }
inline void set_columnNumber_8(int32_t value)
{
___columnNumber_8 = value;
}
inline static int32_t get_offset_of_internalMethodName_9() { return static_cast<int32_t>(offsetof(StackFrame_t6018A5362C2E8F6F80F153F3D40623D213094E0F, ___internalMethodName_9)); }
inline String_t* get_internalMethodName_9() const { return ___internalMethodName_9; }
inline String_t** get_address_of_internalMethodName_9() { return &___internalMethodName_9; }
inline void set_internalMethodName_9(String_t* value)
{
___internalMethodName_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___internalMethodName_9), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Diagnostics.StackFrame
struct StackFrame_t6018A5362C2E8F6F80F153F3D40623D213094E0F_marshaled_pinvoke
{
int32_t ___ilOffset_1;
int32_t ___nativeOffset_2;
int64_t ___methodAddress_3;
uint32_t ___methodIndex_4;
MethodBase_t * ___methodBase_5;
char* ___fileName_6;
int32_t ___lineNumber_7;
int32_t ___columnNumber_8;
char* ___internalMethodName_9;
};
// Native definition for COM marshalling of System.Diagnostics.StackFrame
struct StackFrame_t6018A5362C2E8F6F80F153F3D40623D213094E0F_marshaled_com
{
int32_t ___ilOffset_1;
int32_t ___nativeOffset_2;
int64_t ___methodAddress_3;
uint32_t ___methodIndex_4;
MethodBase_t * ___methodBase_5;
Il2CppChar* ___fileName_6;
int32_t ___lineNumber_7;
int32_t ___columnNumber_8;
Il2CppChar* ___internalMethodName_9;
};
// System.Threading.Tasks.StackGuard
struct StackGuard_t88E1EE4741AD02CA5FEA04A4EB2CC70F230E0E6D : public RuntimeObject
{
public:
// System.Int32 System.Threading.Tasks.StackGuard::m_inliningDepth
int32_t ___m_inliningDepth_0;
public:
inline static int32_t get_offset_of_m_inliningDepth_0() { return static_cast<int32_t>(offsetof(StackGuard_t88E1EE4741AD02CA5FEA04A4EB2CC70F230E0E6D, ___m_inliningDepth_0)); }
inline int32_t get_m_inliningDepth_0() const { return ___m_inliningDepth_0; }
inline int32_t* get_address_of_m_inliningDepth_0() { return &___m_inliningDepth_0; }
inline void set_m_inliningDepth_0(int32_t value)
{
___m_inliningDepth_0 = value;
}
};
// System.Diagnostics.StackTrace
struct StackTrace_t43C03122C6B2AAF0DCCF684B2D5FA6E673F02888 : public RuntimeObject
{
public:
// System.Diagnostics.StackFrame[] System.Diagnostics.StackTrace::frames
StackFrameU5BU5D_t29238B62C287BAACD78F100511D4023931CEA8A1* ___frames_1;
// System.Diagnostics.StackTrace[] System.Diagnostics.StackTrace::captured_traces
StackTraceU5BU5D_t4AD999C288CB6D1F38A299D12B1598D606588971* ___captured_traces_2;
// System.Boolean System.Diagnostics.StackTrace::debug_info
bool ___debug_info_3;
public:
inline static int32_t get_offset_of_frames_1() { return static_cast<int32_t>(offsetof(StackTrace_t43C03122C6B2AAF0DCCF684B2D5FA6E673F02888, ___frames_1)); }
inline StackFrameU5BU5D_t29238B62C287BAACD78F100511D4023931CEA8A1* get_frames_1() const { return ___frames_1; }
inline StackFrameU5BU5D_t29238B62C287BAACD78F100511D4023931CEA8A1** get_address_of_frames_1() { return &___frames_1; }
inline void set_frames_1(StackFrameU5BU5D_t29238B62C287BAACD78F100511D4023931CEA8A1* value)
{
___frames_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___frames_1), (void*)value);
}
inline static int32_t get_offset_of_captured_traces_2() { return static_cast<int32_t>(offsetof(StackTrace_t43C03122C6B2AAF0DCCF684B2D5FA6E673F02888, ___captured_traces_2)); }
inline StackTraceU5BU5D_t4AD999C288CB6D1F38A299D12B1598D606588971* get_captured_traces_2() const { return ___captured_traces_2; }
inline StackTraceU5BU5D_t4AD999C288CB6D1F38A299D12B1598D606588971** get_address_of_captured_traces_2() { return &___captured_traces_2; }
inline void set_captured_traces_2(StackTraceU5BU5D_t4AD999C288CB6D1F38A299D12B1598D606588971* value)
{
___captured_traces_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___captured_traces_2), (void*)value);
}
inline static int32_t get_offset_of_debug_info_3() { return static_cast<int32_t>(offsetof(StackTrace_t43C03122C6B2AAF0DCCF684B2D5FA6E673F02888, ___debug_info_3)); }
inline bool get_debug_info_3() const { return ___debug_info_3; }
inline bool* get_address_of_debug_info_3() { return &___debug_info_3; }
inline void set_debug_info_3(bool value)
{
___debug_info_3 = value;
}
};
struct StackTrace_t43C03122C6B2AAF0DCCF684B2D5FA6E673F02888_StaticFields
{
public:
// System.Boolean System.Diagnostics.StackTrace::isAotidSet
bool ___isAotidSet_4;
// System.String System.Diagnostics.StackTrace::aotid
String_t* ___aotid_5;
public:
inline static int32_t get_offset_of_isAotidSet_4() { return static_cast<int32_t>(offsetof(StackTrace_t43C03122C6B2AAF0DCCF684B2D5FA6E673F02888_StaticFields, ___isAotidSet_4)); }
inline bool get_isAotidSet_4() const { return ___isAotidSet_4; }
inline bool* get_address_of_isAotidSet_4() { return &___isAotidSet_4; }
inline void set_isAotidSet_4(bool value)
{
___isAotidSet_4 = value;
}
inline static int32_t get_offset_of_aotid_5() { return static_cast<int32_t>(offsetof(StackTrace_t43C03122C6B2AAF0DCCF684B2D5FA6E673F02888_StaticFields, ___aotid_5)); }
inline String_t* get_aotid_5() const { return ___aotid_5; }
inline String_t** get_address_of_aotid_5() { return &___aotid_5; }
inline void set_aotid_5(String_t* value)
{
___aotid_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___aotid_5), (void*)value);
}
};
// UnityEngine.StackTraceUtility
struct StackTraceUtility_t1A2E0FBE43A568BD417C6D9DB78F5796F95506F8 : public RuntimeObject
{
public:
public:
};
struct StackTraceUtility_t1A2E0FBE43A568BD417C6D9DB78F5796F95506F8_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_t1A2E0FBE43A568BD417C6D9DB78F5796F95506F8_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((void**)(&___projectFolder_0), (void*)value);
}
};
// UnityEngine.UI.StencilMaterial
struct StencilMaterial_t498DA9A7C15643B79E27575F27F1D2FC2FEA6AC5 : public RuntimeObject
{
public:
public:
};
struct StencilMaterial_t498DA9A7C15643B79E27575F27F1D2FC2FEA6AC5_StaticFields
{
public:
// System.Collections.Generic.List`1<UnityEngine.UI.StencilMaterial/MatEntry> UnityEngine.UI.StencilMaterial::m_List
List_1_t81B435AD26EAEDC4948F109696316554CD0DC100 * ___m_List_0;
public:
inline static int32_t get_offset_of_m_List_0() { return static_cast<int32_t>(offsetof(StencilMaterial_t498DA9A7C15643B79E27575F27F1D2FC2FEA6AC5_StaticFields, ___m_List_0)); }
inline List_1_t81B435AD26EAEDC4948F109696316554CD0DC100 * get_m_List_0() const { return ___m_List_0; }
inline List_1_t81B435AD26EAEDC4948F109696316554CD0DC100 ** get_address_of_m_List_0() { return &___m_List_0; }
inline void set_m_List_0(List_1_t81B435AD26EAEDC4948F109696316554CD0DC100 * value)
{
___m_List_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_List_0), (void*)value);
}
};
// System.Diagnostics.Stopwatch
struct Stopwatch_t78C5E942A89311381E0D8894576457C33462DF89 : public RuntimeObject
{
public:
// System.Int64 System.Diagnostics.Stopwatch::elapsed
int64_t ___elapsed_2;
// System.Int64 System.Diagnostics.Stopwatch::started
int64_t ___started_3;
// System.Boolean System.Diagnostics.Stopwatch::is_running
bool ___is_running_4;
public:
inline static int32_t get_offset_of_elapsed_2() { return static_cast<int32_t>(offsetof(Stopwatch_t78C5E942A89311381E0D8894576457C33462DF89, ___elapsed_2)); }
inline int64_t get_elapsed_2() const { return ___elapsed_2; }
inline int64_t* get_address_of_elapsed_2() { return &___elapsed_2; }
inline void set_elapsed_2(int64_t value)
{
___elapsed_2 = value;
}
inline static int32_t get_offset_of_started_3() { return static_cast<int32_t>(offsetof(Stopwatch_t78C5E942A89311381E0D8894576457C33462DF89, ___started_3)); }
inline int64_t get_started_3() const { return ___started_3; }
inline int64_t* get_address_of_started_3() { return &___started_3; }
inline void set_started_3(int64_t value)
{
___started_3 = value;
}
inline static int32_t get_offset_of_is_running_4() { return static_cast<int32_t>(offsetof(Stopwatch_t78C5E942A89311381E0D8894576457C33462DF89, ___is_running_4)); }
inline bool get_is_running_4() const { return ___is_running_4; }
inline bool* get_address_of_is_running_4() { return &___is_running_4; }
inline void set_is_running_4(bool value)
{
___is_running_4 = value;
}
};
struct Stopwatch_t78C5E942A89311381E0D8894576457C33462DF89_StaticFields
{
public:
// System.Int64 System.Diagnostics.Stopwatch::Frequency
int64_t ___Frequency_0;
// System.Boolean System.Diagnostics.Stopwatch::IsHighResolution
bool ___IsHighResolution_1;
public:
inline static int32_t get_offset_of_Frequency_0() { return static_cast<int32_t>(offsetof(Stopwatch_t78C5E942A89311381E0D8894576457C33462DF89_StaticFields, ___Frequency_0)); }
inline int64_t get_Frequency_0() const { return ___Frequency_0; }
inline int64_t* get_address_of_Frequency_0() { return &___Frequency_0; }
inline void set_Frequency_0(int64_t value)
{
___Frequency_0 = value;
}
inline static int32_t get_offset_of_IsHighResolution_1() { return static_cast<int32_t>(offsetof(Stopwatch_t78C5E942A89311381E0D8894576457C33462DF89_StaticFields, ___IsHighResolution_1)); }
inline bool get_IsHighResolution_1() const { return ___IsHighResolution_1; }
inline bool* get_address_of_IsHighResolution_1() { return &___IsHighResolution_1; }
inline void set_IsHighResolution_1(bool value)
{
___IsHighResolution_1 = value;
}
};
// System.String
struct String_t : public RuntimeObject
{
public:
// System.Int32 System.String::m_stringLength
int32_t ___m_stringLength_0;
// System.Char System.String::m_firstChar
Il2CppChar ___m_firstChar_1;
public:
inline static int32_t get_offset_of_m_stringLength_0() { return static_cast<int32_t>(offsetof(String_t, ___m_stringLength_0)); }
inline int32_t get_m_stringLength_0() const { return ___m_stringLength_0; }
inline int32_t* get_address_of_m_stringLength_0() { return &___m_stringLength_0; }
inline void set_m_stringLength_0(int32_t value)
{
___m_stringLength_0 = value;
}
inline static int32_t get_offset_of_m_firstChar_1() { return static_cast<int32_t>(offsetof(String_t, ___m_firstChar_1)); }
inline Il2CppChar get_m_firstChar_1() const { return ___m_firstChar_1; }
inline Il2CppChar* get_address_of_m_firstChar_1() { return &___m_firstChar_1; }
inline void set_m_firstChar_1(Il2CppChar value)
{
___m_firstChar_1 = value;
}
};
struct String_t_StaticFields
{
public:
// System.String System.String::Empty
String_t* ___Empty_5;
public:
inline static int32_t get_offset_of_Empty_5() { return static_cast<int32_t>(offsetof(String_t_StaticFields, ___Empty_5)); }
inline String_t* get_Empty_5() const { return ___Empty_5; }
inline String_t** get_address_of_Empty_5() { return &___Empty_5; }
inline void set_Empty_5(String_t* value)
{
___Empty_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Empty_5), (void*)value);
}
};
// System.Text.StringBuilder
struct StringBuilder_t : public RuntimeObject
{
public:
// System.Char[] System.Text.StringBuilder::m_ChunkChars
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___m_ChunkChars_0;
// System.Text.StringBuilder System.Text.StringBuilder::m_ChunkPrevious
StringBuilder_t * ___m_ChunkPrevious_1;
// System.Int32 System.Text.StringBuilder::m_ChunkLength
int32_t ___m_ChunkLength_2;
// System.Int32 System.Text.StringBuilder::m_ChunkOffset
int32_t ___m_ChunkOffset_3;
// System.Int32 System.Text.StringBuilder::m_MaxCapacity
int32_t ___m_MaxCapacity_4;
public:
inline static int32_t get_offset_of_m_ChunkChars_0() { return static_cast<int32_t>(offsetof(StringBuilder_t, ___m_ChunkChars_0)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_m_ChunkChars_0() const { return ___m_ChunkChars_0; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_m_ChunkChars_0() { return &___m_ChunkChars_0; }
inline void set_m_ChunkChars_0(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___m_ChunkChars_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ChunkChars_0), (void*)value);
}
inline static int32_t get_offset_of_m_ChunkPrevious_1() { return static_cast<int32_t>(offsetof(StringBuilder_t, ___m_ChunkPrevious_1)); }
inline StringBuilder_t * get_m_ChunkPrevious_1() const { return ___m_ChunkPrevious_1; }
inline StringBuilder_t ** get_address_of_m_ChunkPrevious_1() { return &___m_ChunkPrevious_1; }
inline void set_m_ChunkPrevious_1(StringBuilder_t * value)
{
___m_ChunkPrevious_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ChunkPrevious_1), (void*)value);
}
inline static int32_t get_offset_of_m_ChunkLength_2() { return static_cast<int32_t>(offsetof(StringBuilder_t, ___m_ChunkLength_2)); }
inline int32_t get_m_ChunkLength_2() const { return ___m_ChunkLength_2; }
inline int32_t* get_address_of_m_ChunkLength_2() { return &___m_ChunkLength_2; }
inline void set_m_ChunkLength_2(int32_t value)
{
___m_ChunkLength_2 = value;
}
inline static int32_t get_offset_of_m_ChunkOffset_3() { return static_cast<int32_t>(offsetof(StringBuilder_t, ___m_ChunkOffset_3)); }
inline int32_t get_m_ChunkOffset_3() const { return ___m_ChunkOffset_3; }
inline int32_t* get_address_of_m_ChunkOffset_3() { return &___m_ChunkOffset_3; }
inline void set_m_ChunkOffset_3(int32_t value)
{
___m_ChunkOffset_3 = value;
}
inline static int32_t get_offset_of_m_MaxCapacity_4() { return static_cast<int32_t>(offsetof(StringBuilder_t, ___m_MaxCapacity_4)); }
inline int32_t get_m_MaxCapacity_4() const { return ___m_MaxCapacity_4; }
inline int32_t* get_address_of_m_MaxCapacity_4() { return &___m_MaxCapacity_4; }
inline void set_m_MaxCapacity_4(int32_t value)
{
___m_MaxCapacity_4 = value;
}
};
// System.Text.StringBuilderCache
struct StringBuilderCache_t43FF29E2107ABA63A4A31EC7399E34D53532BC78 : public RuntimeObject
{
public:
public:
};
struct StringBuilderCache_t43FF29E2107ABA63A4A31EC7399E34D53532BC78_ThreadStaticFields
{
public:
// System.Text.StringBuilder System.Text.StringBuilderCache::CachedInstance
StringBuilder_t * ___CachedInstance_0;
public:
inline static int32_t get_offset_of_CachedInstance_0() { return static_cast<int32_t>(offsetof(StringBuilderCache_t43FF29E2107ABA63A4A31EC7399E34D53532BC78_ThreadStaticFields, ___CachedInstance_0)); }
inline StringBuilder_t * get_CachedInstance_0() const { return ___CachedInstance_0; }
inline StringBuilder_t ** get_address_of_CachedInstance_0() { return &___CachedInstance_0; }
inline void set_CachedInstance_0(StringBuilder_t * value)
{
___CachedInstance_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___CachedInstance_0), (void*)value);
}
};
// UnityEngine.Localization.StringBuilderPool
struct StringBuilderPool_t66EF9650CCD3F0053F6CEFA6D1A1A9BA8D0746B5 : public RuntimeObject
{
public:
public:
};
struct StringBuilderPool_t66EF9650CCD3F0053F6CEFA6D1A1A9BA8D0746B5_StaticFields
{
public:
// UnityEngine.Pool.ObjectPool`1<System.Text.StringBuilder> UnityEngine.Localization.StringBuilderPool::s_Pool
ObjectPool_1_tB35711265C5BA9FF81DDBC92C5E4921C3A31AE05 * ___s_Pool_0;
public:
inline static int32_t get_offset_of_s_Pool_0() { return static_cast<int32_t>(offsetof(StringBuilderPool_t66EF9650CCD3F0053F6CEFA6D1A1A9BA8D0746B5_StaticFields, ___s_Pool_0)); }
inline ObjectPool_1_tB35711265C5BA9FF81DDBC92C5E4921C3A31AE05 * get_s_Pool_0() const { return ___s_Pool_0; }
inline ObjectPool_1_tB35711265C5BA9FF81DDBC92C5E4921C3A31AE05 ** get_address_of_s_Pool_0() { return &___s_Pool_0; }
inline void set_s_Pool_0(ObjectPool_1_tB35711265C5BA9FF81DDBC92C5E4921C3A31AE05 * value)
{
___s_Pool_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Pool_0), (void*)value);
}
};
// System.StringComparer
struct StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6 : public RuntimeObject
{
public:
public:
};
struct StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6_StaticFields
{
public:
// System.StringComparer System.StringComparer::_invariantCulture
StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6 * ____invariantCulture_0;
// System.StringComparer System.StringComparer::_invariantCultureIgnoreCase
StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6 * ____invariantCultureIgnoreCase_1;
// System.StringComparer System.StringComparer::_ordinal
StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6 * ____ordinal_2;
// System.StringComparer System.StringComparer::_ordinalIgnoreCase
StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6 * ____ordinalIgnoreCase_3;
public:
inline static int32_t get_offset_of__invariantCulture_0() { return static_cast<int32_t>(offsetof(StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6_StaticFields, ____invariantCulture_0)); }
inline StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6 * get__invariantCulture_0() const { return ____invariantCulture_0; }
inline StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6 ** get_address_of__invariantCulture_0() { return &____invariantCulture_0; }
inline void set__invariantCulture_0(StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6 * value)
{
____invariantCulture_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____invariantCulture_0), (void*)value);
}
inline static int32_t get_offset_of__invariantCultureIgnoreCase_1() { return static_cast<int32_t>(offsetof(StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6_StaticFields, ____invariantCultureIgnoreCase_1)); }
inline StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6 * get__invariantCultureIgnoreCase_1() const { return ____invariantCultureIgnoreCase_1; }
inline StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6 ** get_address_of__invariantCultureIgnoreCase_1() { return &____invariantCultureIgnoreCase_1; }
inline void set__invariantCultureIgnoreCase_1(StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6 * value)
{
____invariantCultureIgnoreCase_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____invariantCultureIgnoreCase_1), (void*)value);
}
inline static int32_t get_offset_of__ordinal_2() { return static_cast<int32_t>(offsetof(StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6_StaticFields, ____ordinal_2)); }
inline StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6 * get__ordinal_2() const { return ____ordinal_2; }
inline StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6 ** get_address_of__ordinal_2() { return &____ordinal_2; }
inline void set__ordinal_2(StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6 * value)
{
____ordinal_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____ordinal_2), (void*)value);
}
inline static int32_t get_offset_of__ordinalIgnoreCase_3() { return static_cast<int32_t>(offsetof(StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6_StaticFields, ____ordinalIgnoreCase_3)); }
inline StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6 * get__ordinalIgnoreCase_3() const { return ____ordinalIgnoreCase_3; }
inline StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6 ** get_address_of__ordinalIgnoreCase_3() { return &____ordinalIgnoreCase_3; }
inline void set__ordinalIgnoreCase_3(StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6 * value)
{
____ordinalIgnoreCase_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____ordinalIgnoreCase_3), (void*)value);
}
};
// UnityEngine.Localization.StringExtensionMethods
struct StringExtensionMethods_t84F2A9FC579850AF915D495F9C58981F08EF2011 : public RuntimeObject
{
public:
public:
};
struct StringExtensionMethods_t84F2A9FC579850AF915D495F9C58981F08EF2011_StaticFields
{
public:
// System.Text.RegularExpressions.Regex UnityEngine.Localization.StringExtensionMethods::s_WhitespaceRegex
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * ___s_WhitespaceRegex_0;
public:
inline static int32_t get_offset_of_s_WhitespaceRegex_0() { return static_cast<int32_t>(offsetof(StringExtensionMethods_t84F2A9FC579850AF915D495F9C58981F08EF2011_StaticFields, ___s_WhitespaceRegex_0)); }
inline Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * get_s_WhitespaceRegex_0() const { return ___s_WhitespaceRegex_0; }
inline Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F ** get_address_of_s_WhitespaceRegex_0() { return &___s_WhitespaceRegex_0; }
inline void set_s_WhitespaceRegex_0(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * value)
{
___s_WhitespaceRegex_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_WhitespaceRegex_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Core.Output.StringOutput
struct StringOutput_t02889D76152DED30CEF3F1ED564D2EE9BE79747E : public RuntimeObject
{
public:
// System.Text.StringBuilder UnityEngine.Localization.SmartFormat.Core.Output.StringOutput::output
StringBuilder_t * ___output_0;
public:
inline static int32_t get_offset_of_output_0() { return static_cast<int32_t>(offsetof(StringOutput_t02889D76152DED30CEF3F1ED564D2EE9BE79747E, ___output_0)); }
inline StringBuilder_t * get_output_0() const { return ___output_0; }
inline StringBuilder_t ** get_address_of_output_0() { return &___output_0; }
inline void set_output_0(StringBuilder_t * value)
{
___output_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___output_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.StringOutputPool
struct StringOutputPool_t8D064FFFB334B0B678E01F014C75E3A06B52DC9F : public RuntimeObject
{
public:
public:
};
struct StringOutputPool_t8D064FFFB334B0B678E01F014C75E3A06B52DC9F_StaticFields
{
public:
// UnityEngine.Pool.ObjectPool`1<UnityEngine.Localization.SmartFormat.Core.Output.StringOutput> UnityEngine.Localization.SmartFormat.StringOutputPool::s_Pool
ObjectPool_1_t0E3EC41DF66B2B8120BA819C5BE959768ACFD220 * ___s_Pool_0;
public:
inline static int32_t get_offset_of_s_Pool_0() { return static_cast<int32_t>(offsetof(StringOutputPool_t8D064FFFB334B0B678E01F014C75E3A06B52DC9F_StaticFields, ___s_Pool_0)); }
inline ObjectPool_1_t0E3EC41DF66B2B8120BA819C5BE959768ACFD220 * get_s_Pool_0() const { return ___s_Pool_0; }
inline ObjectPool_1_t0E3EC41DF66B2B8120BA819C5BE959768ACFD220 ** get_address_of_s_Pool_0() { return &___s_Pool_0; }
inline void set_s_Pool_0(ObjectPool_1_t0E3EC41DF66B2B8120BA819C5BE959768ACFD220 * value)
{
___s_Pool_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Pool_0), (void*)value);
}
};
// System.Linq.Expressions.Strings
struct Strings_t9B11E0633D7437BEE624F9A07F5EB7D217E29C07 : public RuntimeObject
{
public:
public:
};
// System.Reflection.StrongNameKeyPair
struct StrongNameKeyPair_tCA4C0AB8B98C6C03134BC8AB17DD4C76D8091FDF : public RuntimeObject
{
public:
// System.Byte[] System.Reflection.StrongNameKeyPair::_publicKey
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ____publicKey_0;
// System.String System.Reflection.StrongNameKeyPair::_keyPairContainer
String_t* ____keyPairContainer_1;
// System.Boolean System.Reflection.StrongNameKeyPair::_keyPairExported
bool ____keyPairExported_2;
// System.Byte[] System.Reflection.StrongNameKeyPair::_keyPairArray
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ____keyPairArray_3;
public:
inline static int32_t get_offset_of__publicKey_0() { return static_cast<int32_t>(offsetof(StrongNameKeyPair_tCA4C0AB8B98C6C03134BC8AB17DD4C76D8091FDF, ____publicKey_0)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get__publicKey_0() const { return ____publicKey_0; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of__publicKey_0() { return &____publicKey_0; }
inline void set__publicKey_0(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
____publicKey_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____publicKey_0), (void*)value);
}
inline static int32_t get_offset_of__keyPairContainer_1() { return static_cast<int32_t>(offsetof(StrongNameKeyPair_tCA4C0AB8B98C6C03134BC8AB17DD4C76D8091FDF, ____keyPairContainer_1)); }
inline String_t* get__keyPairContainer_1() const { return ____keyPairContainer_1; }
inline String_t** get_address_of__keyPairContainer_1() { return &____keyPairContainer_1; }
inline void set__keyPairContainer_1(String_t* value)
{
____keyPairContainer_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____keyPairContainer_1), (void*)value);
}
inline static int32_t get_offset_of__keyPairExported_2() { return static_cast<int32_t>(offsetof(StrongNameKeyPair_tCA4C0AB8B98C6C03134BC8AB17DD4C76D8091FDF, ____keyPairExported_2)); }
inline bool get__keyPairExported_2() const { return ____keyPairExported_2; }
inline bool* get_address_of__keyPairExported_2() { return &____keyPairExported_2; }
inline void set__keyPairExported_2(bool value)
{
____keyPairExported_2 = value;
}
inline static int32_t get_offset_of__keyPairArray_3() { return static_cast<int32_t>(offsetof(StrongNameKeyPair_tCA4C0AB8B98C6C03134BC8AB17DD4C76D8091FDF, ____keyPairArray_3)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get__keyPairArray_3() const { return ____keyPairArray_3; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of__keyPairArray_3() { return &____keyPairArray_3; }
inline void set__keyPairArray_3(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
____keyPairArray_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____keyPairArray_3), (void*)value);
}
};
// UnityEngine.Subsystem
struct Subsystem_t2D97454A946149D608974CB6B674F5F5C613A6A4 : public RuntimeObject
{
public:
public:
};
// UnityEngine.SubsystemBindings
struct SubsystemBindings_t138255E27DD11AC3A0E02BBF59BFCFAAAC914A33 : public RuntimeObject
{
public:
public:
};
// UnityEngine.SubsystemDescriptor
struct SubsystemDescriptor_tF663011CB44AB1D342821BBEF7B6811E799A7245 : public RuntimeObject
{
public:
// System.String UnityEngine.SubsystemDescriptor::<id>k__BackingField
String_t* ___U3CidU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CidU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(SubsystemDescriptor_tF663011CB44AB1D342821BBEF7B6811E799A7245, ___U3CidU3Ek__BackingField_0)); }
inline String_t* get_U3CidU3Ek__BackingField_0() const { return ___U3CidU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CidU3Ek__BackingField_0() { return &___U3CidU3Ek__BackingField_0; }
inline void set_U3CidU3Ek__BackingField_0(String_t* value)
{
___U3CidU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CidU3Ek__BackingField_0), (void*)value);
}
};
// UnityEngine.SubsystemDescriptorBindings
struct SubsystemDescriptorBindings_t76C3E565A7953CD735CB10C1EF0B2DA8734DD795 : public RuntimeObject
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemDescriptorStore
struct SubsystemDescriptorStore_tE5D99C3159868DE6506269CB6B830621F8BC31A6 : public RuntimeObject
{
public:
public:
};
struct SubsystemDescriptorStore_tE5D99C3159868DE6506269CB6B830621F8BC31A6_StaticFields
{
public:
// System.Collections.Generic.List`1<UnityEngine.IntegratedSubsystemDescriptor> UnityEngine.SubsystemsImplementation.SubsystemDescriptorStore::s_IntegratedDescriptors
List_1_t13B7F19BE124BF950C29583D073B7D2174DCA122 * ___s_IntegratedDescriptors_0;
// System.Collections.Generic.List`1<UnityEngine.SubsystemsImplementation.SubsystemDescriptorWithProvider> UnityEngine.SubsystemsImplementation.SubsystemDescriptorStore::s_StandaloneDescriptors
List_1_t4DCA5C48F3390AC8CD79C7AD8D0963D5DAE5CF2E * ___s_StandaloneDescriptors_1;
// System.Collections.Generic.List`1<UnityEngine.SubsystemDescriptor> UnityEngine.SubsystemsImplementation.SubsystemDescriptorStore::s_DeprecatedDescriptors
List_1_t32E50BD66297C6541AEA401E1C13D4EC530CC56B * ___s_DeprecatedDescriptors_2;
public:
inline static int32_t get_offset_of_s_IntegratedDescriptors_0() { return static_cast<int32_t>(offsetof(SubsystemDescriptorStore_tE5D99C3159868DE6506269CB6B830621F8BC31A6_StaticFields, ___s_IntegratedDescriptors_0)); }
inline List_1_t13B7F19BE124BF950C29583D073B7D2174DCA122 * get_s_IntegratedDescriptors_0() const { return ___s_IntegratedDescriptors_0; }
inline List_1_t13B7F19BE124BF950C29583D073B7D2174DCA122 ** get_address_of_s_IntegratedDescriptors_0() { return &___s_IntegratedDescriptors_0; }
inline void set_s_IntegratedDescriptors_0(List_1_t13B7F19BE124BF950C29583D073B7D2174DCA122 * value)
{
___s_IntegratedDescriptors_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_IntegratedDescriptors_0), (void*)value);
}
inline static int32_t get_offset_of_s_StandaloneDescriptors_1() { return static_cast<int32_t>(offsetof(SubsystemDescriptorStore_tE5D99C3159868DE6506269CB6B830621F8BC31A6_StaticFields, ___s_StandaloneDescriptors_1)); }
inline List_1_t4DCA5C48F3390AC8CD79C7AD8D0963D5DAE5CF2E * get_s_StandaloneDescriptors_1() const { return ___s_StandaloneDescriptors_1; }
inline List_1_t4DCA5C48F3390AC8CD79C7AD8D0963D5DAE5CF2E ** get_address_of_s_StandaloneDescriptors_1() { return &___s_StandaloneDescriptors_1; }
inline void set_s_StandaloneDescriptors_1(List_1_t4DCA5C48F3390AC8CD79C7AD8D0963D5DAE5CF2E * value)
{
___s_StandaloneDescriptors_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_StandaloneDescriptors_1), (void*)value);
}
inline static int32_t get_offset_of_s_DeprecatedDescriptors_2() { return static_cast<int32_t>(offsetof(SubsystemDescriptorStore_tE5D99C3159868DE6506269CB6B830621F8BC31A6_StaticFields, ___s_DeprecatedDescriptors_2)); }
inline List_1_t32E50BD66297C6541AEA401E1C13D4EC530CC56B * get_s_DeprecatedDescriptors_2() const { return ___s_DeprecatedDescriptors_2; }
inline List_1_t32E50BD66297C6541AEA401E1C13D4EC530CC56B ** get_address_of_s_DeprecatedDescriptors_2() { return &___s_DeprecatedDescriptors_2; }
inline void set_s_DeprecatedDescriptors_2(List_1_t32E50BD66297C6541AEA401E1C13D4EC530CC56B * value)
{
___s_DeprecatedDescriptors_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_DeprecatedDescriptors_2), (void*)value);
}
};
// UnityEngine.SubsystemsImplementation.SubsystemDescriptorWithProvider
struct SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E : public RuntimeObject
{
public:
// System.String UnityEngine.SubsystemsImplementation.SubsystemDescriptorWithProvider::<id>k__BackingField
String_t* ___U3CidU3Ek__BackingField_0;
// System.Type UnityEngine.SubsystemsImplementation.SubsystemDescriptorWithProvider::<providerType>k__BackingField
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
// System.Type UnityEngine.SubsystemsImplementation.SubsystemDescriptorWithProvider::<subsystemTypeOverride>k__BackingField
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CidU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E, ___U3CidU3Ek__BackingField_0)); }
inline String_t* get_U3CidU3Ek__BackingField_0() const { return ___U3CidU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CidU3Ek__BackingField_0() { return &___U3CidU3Ek__BackingField_0; }
inline void set_U3CidU3Ek__BackingField_0(String_t* value)
{
___U3CidU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CidU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderTypeU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E, ___U3CproviderTypeU3Ek__BackingField_1)); }
inline Type_t * get_U3CproviderTypeU3Ek__BackingField_1() const { return ___U3CproviderTypeU3Ek__BackingField_1; }
inline Type_t ** get_address_of_U3CproviderTypeU3Ek__BackingField_1() { return &___U3CproviderTypeU3Ek__BackingField_1; }
inline void set_U3CproviderTypeU3Ek__BackingField_1(Type_t * value)
{
___U3CproviderTypeU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderTypeU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E, ___U3CsubsystemTypeOverrideU3Ek__BackingField_2)); }
inline Type_t * get_U3CsubsystemTypeOverrideU3Ek__BackingField_2() const { return ___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline Type_t ** get_address_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return &___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline void set_U3CsubsystemTypeOverrideU3Ek__BackingField_2(Type_t * value)
{
___U3CsubsystemTypeOverrideU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemTypeOverrideU3Ek__BackingField_2), (void*)value);
}
};
// UnityEngine.SubsystemManager
struct SubsystemManager_t4397CEF2ED795CB9B3DDBA2BB468BCB6B45B76D9 : public RuntimeObject
{
public:
public:
};
struct SubsystemManager_t4397CEF2ED795CB9B3DDBA2BB468BCB6B45B76D9_StaticFields
{
public:
// System.Action UnityEngine.SubsystemManager::beforeReloadSubsystems
Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * ___beforeReloadSubsystems_0;
// System.Action UnityEngine.SubsystemManager::afterReloadSubsystems
Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * ___afterReloadSubsystems_1;
// System.Collections.Generic.List`1<UnityEngine.IntegratedSubsystem> UnityEngine.SubsystemManager::s_IntegratedSubsystems
List_1_t2DAF7481782912A6F8E6180AC19B83A5EEFEE9EF * ___s_IntegratedSubsystems_2;
// System.Collections.Generic.List`1<UnityEngine.SubsystemsImplementation.SubsystemWithProvider> UnityEngine.SubsystemManager::s_StandaloneSubsystems
List_1_t6E613DAFFAFE896B759F1C5260D6234F04C9DD41 * ___s_StandaloneSubsystems_3;
// System.Collections.Generic.List`1<UnityEngine.Subsystem> UnityEngine.SubsystemManager::s_DeprecatedSubsystems
List_1_t58BB84B47855540E6D2640B387506E01436DCF82 * ___s_DeprecatedSubsystems_4;
// System.Action UnityEngine.SubsystemManager::reloadSubsytemsStarted
Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * ___reloadSubsytemsStarted_5;
// System.Action UnityEngine.SubsystemManager::reloadSubsytemsCompleted
Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * ___reloadSubsytemsCompleted_6;
public:
inline static int32_t get_offset_of_beforeReloadSubsystems_0() { return static_cast<int32_t>(offsetof(SubsystemManager_t4397CEF2ED795CB9B3DDBA2BB468BCB6B45B76D9_StaticFields, ___beforeReloadSubsystems_0)); }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * get_beforeReloadSubsystems_0() const { return ___beforeReloadSubsystems_0; }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 ** get_address_of_beforeReloadSubsystems_0() { return &___beforeReloadSubsystems_0; }
inline void set_beforeReloadSubsystems_0(Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * value)
{
___beforeReloadSubsystems_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___beforeReloadSubsystems_0), (void*)value);
}
inline static int32_t get_offset_of_afterReloadSubsystems_1() { return static_cast<int32_t>(offsetof(SubsystemManager_t4397CEF2ED795CB9B3DDBA2BB468BCB6B45B76D9_StaticFields, ___afterReloadSubsystems_1)); }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * get_afterReloadSubsystems_1() const { return ___afterReloadSubsystems_1; }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 ** get_address_of_afterReloadSubsystems_1() { return &___afterReloadSubsystems_1; }
inline void set_afterReloadSubsystems_1(Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * value)
{
___afterReloadSubsystems_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___afterReloadSubsystems_1), (void*)value);
}
inline static int32_t get_offset_of_s_IntegratedSubsystems_2() { return static_cast<int32_t>(offsetof(SubsystemManager_t4397CEF2ED795CB9B3DDBA2BB468BCB6B45B76D9_StaticFields, ___s_IntegratedSubsystems_2)); }
inline List_1_t2DAF7481782912A6F8E6180AC19B83A5EEFEE9EF * get_s_IntegratedSubsystems_2() const { return ___s_IntegratedSubsystems_2; }
inline List_1_t2DAF7481782912A6F8E6180AC19B83A5EEFEE9EF ** get_address_of_s_IntegratedSubsystems_2() { return &___s_IntegratedSubsystems_2; }
inline void set_s_IntegratedSubsystems_2(List_1_t2DAF7481782912A6F8E6180AC19B83A5EEFEE9EF * value)
{
___s_IntegratedSubsystems_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_IntegratedSubsystems_2), (void*)value);
}
inline static int32_t get_offset_of_s_StandaloneSubsystems_3() { return static_cast<int32_t>(offsetof(SubsystemManager_t4397CEF2ED795CB9B3DDBA2BB468BCB6B45B76D9_StaticFields, ___s_StandaloneSubsystems_3)); }
inline List_1_t6E613DAFFAFE896B759F1C5260D6234F04C9DD41 * get_s_StandaloneSubsystems_3() const { return ___s_StandaloneSubsystems_3; }
inline List_1_t6E613DAFFAFE896B759F1C5260D6234F04C9DD41 ** get_address_of_s_StandaloneSubsystems_3() { return &___s_StandaloneSubsystems_3; }
inline void set_s_StandaloneSubsystems_3(List_1_t6E613DAFFAFE896B759F1C5260D6234F04C9DD41 * value)
{
___s_StandaloneSubsystems_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_StandaloneSubsystems_3), (void*)value);
}
inline static int32_t get_offset_of_s_DeprecatedSubsystems_4() { return static_cast<int32_t>(offsetof(SubsystemManager_t4397CEF2ED795CB9B3DDBA2BB468BCB6B45B76D9_StaticFields, ___s_DeprecatedSubsystems_4)); }
inline List_1_t58BB84B47855540E6D2640B387506E01436DCF82 * get_s_DeprecatedSubsystems_4() const { return ___s_DeprecatedSubsystems_4; }
inline List_1_t58BB84B47855540E6D2640B387506E01436DCF82 ** get_address_of_s_DeprecatedSubsystems_4() { return &___s_DeprecatedSubsystems_4; }
inline void set_s_DeprecatedSubsystems_4(List_1_t58BB84B47855540E6D2640B387506E01436DCF82 * value)
{
___s_DeprecatedSubsystems_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_DeprecatedSubsystems_4), (void*)value);
}
inline static int32_t get_offset_of_reloadSubsytemsStarted_5() { return static_cast<int32_t>(offsetof(SubsystemManager_t4397CEF2ED795CB9B3DDBA2BB468BCB6B45B76D9_StaticFields, ___reloadSubsytemsStarted_5)); }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * get_reloadSubsytemsStarted_5() const { return ___reloadSubsytemsStarted_5; }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 ** get_address_of_reloadSubsytemsStarted_5() { return &___reloadSubsytemsStarted_5; }
inline void set_reloadSubsytemsStarted_5(Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * value)
{
___reloadSubsytemsStarted_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___reloadSubsytemsStarted_5), (void*)value);
}
inline static int32_t get_offset_of_reloadSubsytemsCompleted_6() { return static_cast<int32_t>(offsetof(SubsystemManager_t4397CEF2ED795CB9B3DDBA2BB468BCB6B45B76D9_StaticFields, ___reloadSubsytemsCompleted_6)); }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * get_reloadSubsytemsCompleted_6() const { return ___reloadSubsytemsCompleted_6; }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 ** get_address_of_reloadSubsytemsCompleted_6() { return &___reloadSubsytemsCompleted_6; }
inline void set_reloadSubsytemsCompleted_6(Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * value)
{
___reloadSubsytemsCompleted_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___reloadSubsytemsCompleted_6), (void*)value);
}
};
// UnityEngine.SubsystemsImplementation.SubsystemProvider
struct SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9 : public RuntimeObject
{
public:
// System.Boolean UnityEngine.SubsystemsImplementation.SubsystemProvider::m_Running
bool ___m_Running_0;
public:
inline static int32_t get_offset_of_m_Running_0() { return static_cast<int32_t>(offsetof(SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9, ___m_Running_0)); }
inline bool get_m_Running_0() const { return ___m_Running_0; }
inline bool* get_address_of_m_Running_0() { return &___m_Running_0; }
inline void set_m_Running_0(bool value)
{
___m_Running_0 = value;
}
};
// UnityEngine.SubsystemsImplementation.SubsystemWithProvider
struct SubsystemWithProvider_t1C1868CF8676F5596C1AD20A7CE69BDF7C7DE73E : public RuntimeObject
{
public:
// System.Boolean UnityEngine.SubsystemsImplementation.SubsystemWithProvider::<running>k__BackingField
bool ___U3CrunningU3Ek__BackingField_0;
// UnityEngine.SubsystemsImplementation.SubsystemProvider UnityEngine.SubsystemsImplementation.SubsystemWithProvider::<providerBase>k__BackingField
SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9 * ___U3CproviderBaseU3Ek__BackingField_1;
public:
inline static int32_t get_offset_of_U3CrunningU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_t1C1868CF8676F5596C1AD20A7CE69BDF7C7DE73E, ___U3CrunningU3Ek__BackingField_0)); }
inline bool get_U3CrunningU3Ek__BackingField_0() const { return ___U3CrunningU3Ek__BackingField_0; }
inline bool* get_address_of_U3CrunningU3Ek__BackingField_0() { return &___U3CrunningU3Ek__BackingField_0; }
inline void set_U3CrunningU3Ek__BackingField_0(bool value)
{
___U3CrunningU3Ek__BackingField_0 = value;
}
inline static int32_t get_offset_of_U3CproviderBaseU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_t1C1868CF8676F5596C1AD20A7CE69BDF7C7DE73E, ___U3CproviderBaseU3Ek__BackingField_1)); }
inline SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9 * get_U3CproviderBaseU3Ek__BackingField_1() const { return ___U3CproviderBaseU3Ek__BackingField_1; }
inline SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9 ** get_address_of_U3CproviderBaseU3Ek__BackingField_1() { return &___U3CproviderBaseU3Ek__BackingField_1; }
inline void set_U3CproviderBaseU3Ek__BackingField_1(SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9 * value)
{
___U3CproviderBaseU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderBaseU3Ek__BackingField_1), (void*)value);
}
};
// System.Runtime.Serialization.SurrogateForCyclicalReference
struct SurrogateForCyclicalReference_t1B3F082F05B7F379E6366461AF03144E563D3D06 : public RuntimeObject
{
public:
public:
};
// System.Threading.SynchronizationContext
struct SynchronizationContext_t17D9365B5E0D30A0910A16FA4351C525232EF069 : public RuntimeObject
{
public:
public:
};
// UnityEngine.SystemInfo
struct SystemInfo_t649647E096A6051CE590854C2FBEC1E8161CF33C : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.SystemLanguageConverter
struct SystemLanguageConverter_t34B65EC6D9E7217362F905123E70C212D179D443 : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.Settings.SystemLocaleSelector
struct SystemLocaleSelector_t7C9FA9AE3F9FA015B7D38BD197A1C0F795A52C9D : public RuntimeObject
{
public:
public:
};
// System.Threading.Tasks.SystemThreadingTasks_TaskDebugView
struct SystemThreadingTasks_TaskDebugView_t9314CDAD51E4E01D1113FD9495E7DAF16AB5C782 : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.Net.Utilities.SystemTime
struct SystemTime_t665F4116DE23082A8C818CE524059950261E7936 : public RuntimeObject
{
public:
public:
};
struct SystemTime_t665F4116DE23082A8C818CE524059950261E7936_StaticFields
{
public:
// System.Func`1<System.DateTime> UnityEngine.Localization.SmartFormat.Net.Utilities.SystemTime::Now
Func_1_tF7A4F80A83ED82791CD660ED19558BF22C52103D * ___Now_0;
// System.Func`1<System.DateTimeOffset> UnityEngine.Localization.SmartFormat.Net.Utilities.SystemTime::OffsetNow
Func_1_t5DFE9F53113522E155333FEB78DB88CF6C93BD54 * ___OffsetNow_1;
public:
inline static int32_t get_offset_of_Now_0() { return static_cast<int32_t>(offsetof(SystemTime_t665F4116DE23082A8C818CE524059950261E7936_StaticFields, ___Now_0)); }
inline Func_1_tF7A4F80A83ED82791CD660ED19558BF22C52103D * get_Now_0() const { return ___Now_0; }
inline Func_1_tF7A4F80A83ED82791CD660ED19558BF22C52103D ** get_address_of_Now_0() { return &___Now_0; }
inline void set_Now_0(Func_1_tF7A4F80A83ED82791CD660ED19558BF22C52103D * value)
{
___Now_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Now_0), (void*)value);
}
inline static int32_t get_offset_of_OffsetNow_1() { return static_cast<int32_t>(offsetof(SystemTime_t665F4116DE23082A8C818CE524059950261E7936_StaticFields, ___OffsetNow_1)); }
inline Func_1_t5DFE9F53113522E155333FEB78DB88CF6C93BD54 * get_OffsetNow_1() const { return ___OffsetNow_1; }
inline Func_1_t5DFE9F53113522E155333FEB78DB88CF6C93BD54 ** get_address_of_OffsetNow_1() { return &___OffsetNow_1; }
inline void set_OffsetNow_1(Func_1_t5DFE9F53113522E155333FEB78DB88CF6C93BD54 * value)
{
___OffsetNow_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___OffsetNow_1), (void*)value);
}
};
// TMPro.TMP_Compatibility
struct TMP_Compatibility_t393BE223BD9FF6810DE4FE6AA26E20EDB432D3D1 : public RuntimeObject
{
public:
public:
};
// TMPro.TMP_FontAssetUtilities
struct TMP_FontAssetUtilities_t2583EED4C3204E36709D05D384BB9A3A072CA114 : public RuntimeObject
{
public:
public:
};
struct TMP_FontAssetUtilities_t2583EED4C3204E36709D05D384BB9A3A072CA114_StaticFields
{
public:
// TMPro.TMP_FontAssetUtilities TMPro.TMP_FontAssetUtilities::s_Instance
TMP_FontAssetUtilities_t2583EED4C3204E36709D05D384BB9A3A072CA114 * ___s_Instance_0;
// System.Collections.Generic.HashSet`1<System.Int32> TMPro.TMP_FontAssetUtilities::k_SearchedAssets
HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * ___k_SearchedAssets_1;
// System.Boolean TMPro.TMP_FontAssetUtilities::k_IsFontEngineInitialized
bool ___k_IsFontEngineInitialized_2;
public:
inline static int32_t get_offset_of_s_Instance_0() { return static_cast<int32_t>(offsetof(TMP_FontAssetUtilities_t2583EED4C3204E36709D05D384BB9A3A072CA114_StaticFields, ___s_Instance_0)); }
inline TMP_FontAssetUtilities_t2583EED4C3204E36709D05D384BB9A3A072CA114 * get_s_Instance_0() const { return ___s_Instance_0; }
inline TMP_FontAssetUtilities_t2583EED4C3204E36709D05D384BB9A3A072CA114 ** get_address_of_s_Instance_0() { return &___s_Instance_0; }
inline void set_s_Instance_0(TMP_FontAssetUtilities_t2583EED4C3204E36709D05D384BB9A3A072CA114 * value)
{
___s_Instance_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Instance_0), (void*)value);
}
inline static int32_t get_offset_of_k_SearchedAssets_1() { return static_cast<int32_t>(offsetof(TMP_FontAssetUtilities_t2583EED4C3204E36709D05D384BB9A3A072CA114_StaticFields, ___k_SearchedAssets_1)); }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * get_k_SearchedAssets_1() const { return ___k_SearchedAssets_1; }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 ** get_address_of_k_SearchedAssets_1() { return &___k_SearchedAssets_1; }
inline void set_k_SearchedAssets_1(HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * value)
{
___k_SearchedAssets_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___k_SearchedAssets_1), (void*)value);
}
inline static int32_t get_offset_of_k_IsFontEngineInitialized_2() { return static_cast<int32_t>(offsetof(TMP_FontAssetUtilities_t2583EED4C3204E36709D05D384BB9A3A072CA114_StaticFields, ___k_IsFontEngineInitialized_2)); }
inline bool get_k_IsFontEngineInitialized_2() const { return ___k_IsFontEngineInitialized_2; }
inline bool* get_address_of_k_IsFontEngineInitialized_2() { return &___k_IsFontEngineInitialized_2; }
inline void set_k_IsFontEngineInitialized_2(bool value)
{
___k_IsFontEngineInitialized_2 = value;
}
};
// TMPro.TMP_FontFeatureTable
struct TMP_FontFeatureTable_t4A06C31656BB8CB686657DC85E0179FA3D15E2F1 : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<TMPro.TMP_GlyphPairAdjustmentRecord> TMPro.TMP_FontFeatureTable::m_GlyphPairAdjustmentRecords
List_1_tDFE35C4D82EC736078A1C899175E5F6747C41D60 * ___m_GlyphPairAdjustmentRecords_0;
// System.Collections.Generic.Dictionary`2<System.UInt32,TMPro.TMP_GlyphPairAdjustmentRecord> TMPro.TMP_FontFeatureTable::m_GlyphPairAdjustmentRecordLookupDictionary
Dictionary_2_t0583F646DAE1361FD64601FB5FBF7B4C57DDBDF4 * ___m_GlyphPairAdjustmentRecordLookupDictionary_1;
public:
inline static int32_t get_offset_of_m_GlyphPairAdjustmentRecords_0() { return static_cast<int32_t>(offsetof(TMP_FontFeatureTable_t4A06C31656BB8CB686657DC85E0179FA3D15E2F1, ___m_GlyphPairAdjustmentRecords_0)); }
inline List_1_tDFE35C4D82EC736078A1C899175E5F6747C41D60 * get_m_GlyphPairAdjustmentRecords_0() const { return ___m_GlyphPairAdjustmentRecords_0; }
inline List_1_tDFE35C4D82EC736078A1C899175E5F6747C41D60 ** get_address_of_m_GlyphPairAdjustmentRecords_0() { return &___m_GlyphPairAdjustmentRecords_0; }
inline void set_m_GlyphPairAdjustmentRecords_0(List_1_tDFE35C4D82EC736078A1C899175E5F6747C41D60 * value)
{
___m_GlyphPairAdjustmentRecords_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GlyphPairAdjustmentRecords_0), (void*)value);
}
inline static int32_t get_offset_of_m_GlyphPairAdjustmentRecordLookupDictionary_1() { return static_cast<int32_t>(offsetof(TMP_FontFeatureTable_t4A06C31656BB8CB686657DC85E0179FA3D15E2F1, ___m_GlyphPairAdjustmentRecordLookupDictionary_1)); }
inline Dictionary_2_t0583F646DAE1361FD64601FB5FBF7B4C57DDBDF4 * get_m_GlyphPairAdjustmentRecordLookupDictionary_1() const { return ___m_GlyphPairAdjustmentRecordLookupDictionary_1; }
inline Dictionary_2_t0583F646DAE1361FD64601FB5FBF7B4C57DDBDF4 ** get_address_of_m_GlyphPairAdjustmentRecordLookupDictionary_1() { return &___m_GlyphPairAdjustmentRecordLookupDictionary_1; }
inline void set_m_GlyphPairAdjustmentRecordLookupDictionary_1(Dictionary_2_t0583F646DAE1361FD64601FB5FBF7B4C57DDBDF4 * value)
{
___m_GlyphPairAdjustmentRecordLookupDictionary_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GlyphPairAdjustmentRecordLookupDictionary_1), (void*)value);
}
};
// TMPro.TMP_FontUtilities
struct TMP_FontUtilities_tB8945027F475F44CD3906AC5AF32B7FE0313C91B : public RuntimeObject
{
public:
public:
};
struct TMP_FontUtilities_tB8945027F475F44CD3906AC5AF32B7FE0313C91B_StaticFields
{
public:
// System.Collections.Generic.List`1<System.Int32> TMPro.TMP_FontUtilities::k_searchedFontAssets
List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * ___k_searchedFontAssets_0;
public:
inline static int32_t get_offset_of_k_searchedFontAssets_0() { return static_cast<int32_t>(offsetof(TMP_FontUtilities_tB8945027F475F44CD3906AC5AF32B7FE0313C91B_StaticFields, ___k_searchedFontAssets_0)); }
inline List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * get_k_searchedFontAssets_0() const { return ___k_searchedFontAssets_0; }
inline List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 ** get_address_of_k_searchedFontAssets_0() { return &___k_searchedFontAssets_0; }
inline void set_k_searchedFontAssets_0(List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * value)
{
___k_searchedFontAssets_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___k_searchedFontAssets_0), (void*)value);
}
};
// TMPro.TMP_MaterialManager
struct TMP_MaterialManager_t79DA77A77FC0A305FCC9D9DBCD89A768F678D758 : public RuntimeObject
{
public:
public:
};
struct TMP_MaterialManager_t79DA77A77FC0A305FCC9D9DBCD89A768F678D758_StaticFields
{
public:
// System.Collections.Generic.List`1<TMPro.TMP_MaterialManager/MaskingMaterial> TMPro.TMP_MaterialManager::m_materialList
List_1_t7F0330023CCB609BDA9447C2081F0A5BE5B6DE61 * ___m_materialList_0;
// System.Collections.Generic.Dictionary`2<System.Int64,TMPro.TMP_MaterialManager/FallbackMaterial> TMPro.TMP_MaterialManager::m_fallbackMaterials
Dictionary_2_tF37F71739257A9F8484D38DF8ADAA587B68C88BE * ___m_fallbackMaterials_1;
// System.Collections.Generic.Dictionary`2<System.Int32,System.Int64> TMPro.TMP_MaterialManager::m_fallbackMaterialLookup
Dictionary_2_t9AE0BA863BA88FABCBFC4CA835E0A6E00D948984 * ___m_fallbackMaterialLookup_2;
// System.Collections.Generic.List`1<TMPro.TMP_MaterialManager/FallbackMaterial> TMPro.TMP_MaterialManager::m_fallbackCleanupList
List_1_t52EF20F3FEC7480FDBB0298C8BC22308B8AC4671 * ___m_fallbackCleanupList_3;
// System.Boolean TMPro.TMP_MaterialManager::isFallbackListDirty
bool ___isFallbackListDirty_4;
public:
inline static int32_t get_offset_of_m_materialList_0() { return static_cast<int32_t>(offsetof(TMP_MaterialManager_t79DA77A77FC0A305FCC9D9DBCD89A768F678D758_StaticFields, ___m_materialList_0)); }
inline List_1_t7F0330023CCB609BDA9447C2081F0A5BE5B6DE61 * get_m_materialList_0() const { return ___m_materialList_0; }
inline List_1_t7F0330023CCB609BDA9447C2081F0A5BE5B6DE61 ** get_address_of_m_materialList_0() { return &___m_materialList_0; }
inline void set_m_materialList_0(List_1_t7F0330023CCB609BDA9447C2081F0A5BE5B6DE61 * value)
{
___m_materialList_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_materialList_0), (void*)value);
}
inline static int32_t get_offset_of_m_fallbackMaterials_1() { return static_cast<int32_t>(offsetof(TMP_MaterialManager_t79DA77A77FC0A305FCC9D9DBCD89A768F678D758_StaticFields, ___m_fallbackMaterials_1)); }
inline Dictionary_2_tF37F71739257A9F8484D38DF8ADAA587B68C88BE * get_m_fallbackMaterials_1() const { return ___m_fallbackMaterials_1; }
inline Dictionary_2_tF37F71739257A9F8484D38DF8ADAA587B68C88BE ** get_address_of_m_fallbackMaterials_1() { return &___m_fallbackMaterials_1; }
inline void set_m_fallbackMaterials_1(Dictionary_2_tF37F71739257A9F8484D38DF8ADAA587B68C88BE * value)
{
___m_fallbackMaterials_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fallbackMaterials_1), (void*)value);
}
inline static int32_t get_offset_of_m_fallbackMaterialLookup_2() { return static_cast<int32_t>(offsetof(TMP_MaterialManager_t79DA77A77FC0A305FCC9D9DBCD89A768F678D758_StaticFields, ___m_fallbackMaterialLookup_2)); }
inline Dictionary_2_t9AE0BA863BA88FABCBFC4CA835E0A6E00D948984 * get_m_fallbackMaterialLookup_2() const { return ___m_fallbackMaterialLookup_2; }
inline Dictionary_2_t9AE0BA863BA88FABCBFC4CA835E0A6E00D948984 ** get_address_of_m_fallbackMaterialLookup_2() { return &___m_fallbackMaterialLookup_2; }
inline void set_m_fallbackMaterialLookup_2(Dictionary_2_t9AE0BA863BA88FABCBFC4CA835E0A6E00D948984 * value)
{
___m_fallbackMaterialLookup_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fallbackMaterialLookup_2), (void*)value);
}
inline static int32_t get_offset_of_m_fallbackCleanupList_3() { return static_cast<int32_t>(offsetof(TMP_MaterialManager_t79DA77A77FC0A305FCC9D9DBCD89A768F678D758_StaticFields, ___m_fallbackCleanupList_3)); }
inline List_1_t52EF20F3FEC7480FDBB0298C8BC22308B8AC4671 * get_m_fallbackCleanupList_3() const { return ___m_fallbackCleanupList_3; }
inline List_1_t52EF20F3FEC7480FDBB0298C8BC22308B8AC4671 ** get_address_of_m_fallbackCleanupList_3() { return &___m_fallbackCleanupList_3; }
inline void set_m_fallbackCleanupList_3(List_1_t52EF20F3FEC7480FDBB0298C8BC22308B8AC4671 * value)
{
___m_fallbackCleanupList_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fallbackCleanupList_3), (void*)value);
}
inline static int32_t get_offset_of_isFallbackListDirty_4() { return static_cast<int32_t>(offsetof(TMP_MaterialManager_t79DA77A77FC0A305FCC9D9DBCD89A768F678D758_StaticFields, ___isFallbackListDirty_4)); }
inline bool get_isFallbackListDirty_4() const { return ___isFallbackListDirty_4; }
inline bool* get_address_of_isFallbackListDirty_4() { return &___isFallbackListDirty_4; }
inline void set_isFallbackListDirty_4(bool value)
{
___isFallbackListDirty_4 = value;
}
};
// TMPro.TMP_ResourceManager
struct TMP_ResourceManager_t4433212C7BA80649F2A08C6B4D3F43BD0D035489 : public RuntimeObject
{
public:
public:
};
struct TMP_ResourceManager_t4433212C7BA80649F2A08C6B4D3F43BD0D035489_StaticFields
{
public:
// TMPro.TMP_ResourceManager TMPro.TMP_ResourceManager::s_instance
TMP_ResourceManager_t4433212C7BA80649F2A08C6B4D3F43BD0D035489 * ___s_instance_0;
// TMPro.TMP_Settings TMPro.TMP_ResourceManager::s_TextSettings
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7 * ___s_TextSettings_1;
// System.Collections.Generic.List`1<TMPro.TMP_FontAsset> TMPro.TMP_ResourceManager::s_FontAssetReferences
List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD * ___s_FontAssetReferences_2;
// System.Collections.Generic.Dictionary`2<System.Int32,TMPro.TMP_FontAsset> TMPro.TMP_ResourceManager::s_FontAssetReferenceLookup
Dictionary_2_tAB557C4BCEBDF7E2339209187287588CF6C63579 * ___s_FontAssetReferenceLookup_3;
public:
inline static int32_t get_offset_of_s_instance_0() { return static_cast<int32_t>(offsetof(TMP_ResourceManager_t4433212C7BA80649F2A08C6B4D3F43BD0D035489_StaticFields, ___s_instance_0)); }
inline TMP_ResourceManager_t4433212C7BA80649F2A08C6B4D3F43BD0D035489 * get_s_instance_0() const { return ___s_instance_0; }
inline TMP_ResourceManager_t4433212C7BA80649F2A08C6B4D3F43BD0D035489 ** get_address_of_s_instance_0() { return &___s_instance_0; }
inline void set_s_instance_0(TMP_ResourceManager_t4433212C7BA80649F2A08C6B4D3F43BD0D035489 * value)
{
___s_instance_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_instance_0), (void*)value);
}
inline static int32_t get_offset_of_s_TextSettings_1() { return static_cast<int32_t>(offsetof(TMP_ResourceManager_t4433212C7BA80649F2A08C6B4D3F43BD0D035489_StaticFields, ___s_TextSettings_1)); }
inline TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7 * get_s_TextSettings_1() const { return ___s_TextSettings_1; }
inline TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7 ** get_address_of_s_TextSettings_1() { return &___s_TextSettings_1; }
inline void set_s_TextSettings_1(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7 * value)
{
___s_TextSettings_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_TextSettings_1), (void*)value);
}
inline static int32_t get_offset_of_s_FontAssetReferences_2() { return static_cast<int32_t>(offsetof(TMP_ResourceManager_t4433212C7BA80649F2A08C6B4D3F43BD0D035489_StaticFields, ___s_FontAssetReferences_2)); }
inline List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD * get_s_FontAssetReferences_2() const { return ___s_FontAssetReferences_2; }
inline List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD ** get_address_of_s_FontAssetReferences_2() { return &___s_FontAssetReferences_2; }
inline void set_s_FontAssetReferences_2(List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD * value)
{
___s_FontAssetReferences_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_FontAssetReferences_2), (void*)value);
}
inline static int32_t get_offset_of_s_FontAssetReferenceLookup_3() { return static_cast<int32_t>(offsetof(TMP_ResourceManager_t4433212C7BA80649F2A08C6B4D3F43BD0D035489_StaticFields, ___s_FontAssetReferenceLookup_3)); }
inline Dictionary_2_tAB557C4BCEBDF7E2339209187287588CF6C63579 * get_s_FontAssetReferenceLookup_3() const { return ___s_FontAssetReferenceLookup_3; }
inline Dictionary_2_tAB557C4BCEBDF7E2339209187287588CF6C63579 ** get_address_of_s_FontAssetReferenceLookup_3() { return &___s_FontAssetReferenceLookup_3; }
inline void set_s_FontAssetReferenceLookup_3(Dictionary_2_tAB557C4BCEBDF7E2339209187287588CF6C63579 * value)
{
___s_FontAssetReferenceLookup_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_FontAssetReferenceLookup_3), (void*)value);
}
};
// TMPro.TMP_Style
struct TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB : public RuntimeObject
{
public:
// System.String TMPro.TMP_Style::m_Name
String_t* ___m_Name_1;
// System.Int32 TMPro.TMP_Style::m_HashCode
int32_t ___m_HashCode_2;
// System.String TMPro.TMP_Style::m_OpeningDefinition
String_t* ___m_OpeningDefinition_3;
// System.String TMPro.TMP_Style::m_ClosingDefinition
String_t* ___m_ClosingDefinition_4;
// System.Int32[] TMPro.TMP_Style::m_OpeningTagArray
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___m_OpeningTagArray_5;
// System.Int32[] TMPro.TMP_Style::m_ClosingTagArray
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___m_ClosingTagArray_6;
// System.UInt32[] TMPro.TMP_Style::m_OpeningTagUnicodeArray
UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* ___m_OpeningTagUnicodeArray_7;
// System.UInt32[] TMPro.TMP_Style::m_ClosingTagUnicodeArray
UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* ___m_ClosingTagUnicodeArray_8;
public:
inline static int32_t get_offset_of_m_Name_1() { return static_cast<int32_t>(offsetof(TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB, ___m_Name_1)); }
inline String_t* get_m_Name_1() const { return ___m_Name_1; }
inline String_t** get_address_of_m_Name_1() { return &___m_Name_1; }
inline void set_m_Name_1(String_t* value)
{
___m_Name_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Name_1), (void*)value);
}
inline static int32_t get_offset_of_m_HashCode_2() { return static_cast<int32_t>(offsetof(TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB, ___m_HashCode_2)); }
inline int32_t get_m_HashCode_2() const { return ___m_HashCode_2; }
inline int32_t* get_address_of_m_HashCode_2() { return &___m_HashCode_2; }
inline void set_m_HashCode_2(int32_t value)
{
___m_HashCode_2 = value;
}
inline static int32_t get_offset_of_m_OpeningDefinition_3() { return static_cast<int32_t>(offsetof(TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB, ___m_OpeningDefinition_3)); }
inline String_t* get_m_OpeningDefinition_3() const { return ___m_OpeningDefinition_3; }
inline String_t** get_address_of_m_OpeningDefinition_3() { return &___m_OpeningDefinition_3; }
inline void set_m_OpeningDefinition_3(String_t* value)
{
___m_OpeningDefinition_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OpeningDefinition_3), (void*)value);
}
inline static int32_t get_offset_of_m_ClosingDefinition_4() { return static_cast<int32_t>(offsetof(TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB, ___m_ClosingDefinition_4)); }
inline String_t* get_m_ClosingDefinition_4() const { return ___m_ClosingDefinition_4; }
inline String_t** get_address_of_m_ClosingDefinition_4() { return &___m_ClosingDefinition_4; }
inline void set_m_ClosingDefinition_4(String_t* value)
{
___m_ClosingDefinition_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ClosingDefinition_4), (void*)value);
}
inline static int32_t get_offset_of_m_OpeningTagArray_5() { return static_cast<int32_t>(offsetof(TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB, ___m_OpeningTagArray_5)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_m_OpeningTagArray_5() const { return ___m_OpeningTagArray_5; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_m_OpeningTagArray_5() { return &___m_OpeningTagArray_5; }
inline void set_m_OpeningTagArray_5(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___m_OpeningTagArray_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OpeningTagArray_5), (void*)value);
}
inline static int32_t get_offset_of_m_ClosingTagArray_6() { return static_cast<int32_t>(offsetof(TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB, ___m_ClosingTagArray_6)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_m_ClosingTagArray_6() const { return ___m_ClosingTagArray_6; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_m_ClosingTagArray_6() { return &___m_ClosingTagArray_6; }
inline void set_m_ClosingTagArray_6(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___m_ClosingTagArray_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ClosingTagArray_6), (void*)value);
}
inline static int32_t get_offset_of_m_OpeningTagUnicodeArray_7() { return static_cast<int32_t>(offsetof(TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB, ___m_OpeningTagUnicodeArray_7)); }
inline UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* get_m_OpeningTagUnicodeArray_7() const { return ___m_OpeningTagUnicodeArray_7; }
inline UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF** get_address_of_m_OpeningTagUnicodeArray_7() { return &___m_OpeningTagUnicodeArray_7; }
inline void set_m_OpeningTagUnicodeArray_7(UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* value)
{
___m_OpeningTagUnicodeArray_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OpeningTagUnicodeArray_7), (void*)value);
}
inline static int32_t get_offset_of_m_ClosingTagUnicodeArray_8() { return static_cast<int32_t>(offsetof(TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB, ___m_ClosingTagUnicodeArray_8)); }
inline UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* get_m_ClosingTagUnicodeArray_8() const { return ___m_ClosingTagUnicodeArray_8; }
inline UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF** get_address_of_m_ClosingTagUnicodeArray_8() { return &___m_ClosingTagUnicodeArray_8; }
inline void set_m_ClosingTagUnicodeArray_8(UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* value)
{
___m_ClosingTagUnicodeArray_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ClosingTagUnicodeArray_8), (void*)value);
}
};
struct TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB_StaticFields
{
public:
// TMPro.TMP_Style TMPro.TMP_Style::k_NormalStyle
TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB * ___k_NormalStyle_0;
public:
inline static int32_t get_offset_of_k_NormalStyle_0() { return static_cast<int32_t>(offsetof(TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB_StaticFields, ___k_NormalStyle_0)); }
inline TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB * get_k_NormalStyle_0() const { return ___k_NormalStyle_0; }
inline TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB ** get_address_of_k_NormalStyle_0() { return &___k_NormalStyle_0; }
inline void set_k_NormalStyle_0(TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB * value)
{
___k_NormalStyle_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___k_NormalStyle_0), (void*)value);
}
};
// TMPro.TMP_TextElement_Legacy
struct TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA : public RuntimeObject
{
public:
// System.Int32 TMPro.TMP_TextElement_Legacy::id
int32_t ___id_0;
// System.Single TMPro.TMP_TextElement_Legacy::x
float ___x_1;
// System.Single TMPro.TMP_TextElement_Legacy::y
float ___y_2;
// System.Single TMPro.TMP_TextElement_Legacy::width
float ___width_3;
// System.Single TMPro.TMP_TextElement_Legacy::height
float ___height_4;
// System.Single TMPro.TMP_TextElement_Legacy::xOffset
float ___xOffset_5;
// System.Single TMPro.TMP_TextElement_Legacy::yOffset
float ___yOffset_6;
// System.Single TMPro.TMP_TextElement_Legacy::xAdvance
float ___xAdvance_7;
// System.Single TMPro.TMP_TextElement_Legacy::scale
float ___scale_8;
public:
inline static int32_t get_offset_of_id_0() { return static_cast<int32_t>(offsetof(TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA, ___id_0)); }
inline int32_t get_id_0() const { return ___id_0; }
inline int32_t* get_address_of_id_0() { return &___id_0; }
inline void set_id_0(int32_t value)
{
___id_0 = value;
}
inline static int32_t get_offset_of_x_1() { return static_cast<int32_t>(offsetof(TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA, ___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(TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA, ___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_width_3() { return static_cast<int32_t>(offsetof(TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA, ___width_3)); }
inline float get_width_3() const { return ___width_3; }
inline float* get_address_of_width_3() { return &___width_3; }
inline void set_width_3(float value)
{
___width_3 = value;
}
inline static int32_t get_offset_of_height_4() { return static_cast<int32_t>(offsetof(TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA, ___height_4)); }
inline float get_height_4() const { return ___height_4; }
inline float* get_address_of_height_4() { return &___height_4; }
inline void set_height_4(float value)
{
___height_4 = value;
}
inline static int32_t get_offset_of_xOffset_5() { return static_cast<int32_t>(offsetof(TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA, ___xOffset_5)); }
inline float get_xOffset_5() const { return ___xOffset_5; }
inline float* get_address_of_xOffset_5() { return &___xOffset_5; }
inline void set_xOffset_5(float value)
{
___xOffset_5 = value;
}
inline static int32_t get_offset_of_yOffset_6() { return static_cast<int32_t>(offsetof(TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA, ___yOffset_6)); }
inline float get_yOffset_6() const { return ___yOffset_6; }
inline float* get_address_of_yOffset_6() { return &___yOffset_6; }
inline void set_yOffset_6(float value)
{
___yOffset_6 = value;
}
inline static int32_t get_offset_of_xAdvance_7() { return static_cast<int32_t>(offsetof(TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA, ___xAdvance_7)); }
inline float get_xAdvance_7() const { return ___xAdvance_7; }
inline float* get_address_of_xAdvance_7() { return &___xAdvance_7; }
inline void set_xAdvance_7(float value)
{
___xAdvance_7 = value;
}
inline static int32_t get_offset_of_scale_8() { return static_cast<int32_t>(offsetof(TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA, ___scale_8)); }
inline float get_scale_8() const { return ___scale_8; }
inline float* get_address_of_scale_8() { return &___scale_8; }
inline void set_scale_8(float value)
{
___scale_8 = value;
}
};
// TMPro.TMP_TextParsingUtilities
struct TMP_TextParsingUtilities_t845792ABB1A30432C444A226C892D25B815A009B : public RuntimeObject
{
public:
public:
};
struct TMP_TextParsingUtilities_t845792ABB1A30432C444A226C892D25B815A009B_StaticFields
{
public:
// TMPro.TMP_TextParsingUtilities TMPro.TMP_TextParsingUtilities::s_Instance
TMP_TextParsingUtilities_t845792ABB1A30432C444A226C892D25B815A009B * ___s_Instance_0;
public:
inline static int32_t get_offset_of_s_Instance_0() { return static_cast<int32_t>(offsetof(TMP_TextParsingUtilities_t845792ABB1A30432C444A226C892D25B815A009B_StaticFields, ___s_Instance_0)); }
inline TMP_TextParsingUtilities_t845792ABB1A30432C444A226C892D25B815A009B * get_s_Instance_0() const { return ___s_Instance_0; }
inline TMP_TextParsingUtilities_t845792ABB1A30432C444A226C892D25B815A009B ** get_address_of_s_Instance_0() { return &___s_Instance_0; }
inline void set_s_Instance_0(TMP_TextParsingUtilities_t845792ABB1A30432C444A226C892D25B815A009B * value)
{
___s_Instance_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Instance_0), (void*)value);
}
};
// TMPro.TMP_TextUtilities
struct TMP_TextUtilities_t10EED8029408480141690D0F3D3A17239920837F : public RuntimeObject
{
public:
public:
};
struct TMP_TextUtilities_t10EED8029408480141690D0F3D3A17239920837F_StaticFields
{
public:
// UnityEngine.Vector3[] TMPro.TMP_TextUtilities::m_rectWorldCorners
Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* ___m_rectWorldCorners_0;
public:
inline static int32_t get_offset_of_m_rectWorldCorners_0() { return static_cast<int32_t>(offsetof(TMP_TextUtilities_t10EED8029408480141690D0F3D3A17239920837F_StaticFields, ___m_rectWorldCorners_0)); }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* get_m_rectWorldCorners_0() const { return ___m_rectWorldCorners_0; }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4** get_address_of_m_rectWorldCorners_0() { return &___m_rectWorldCorners_0; }
inline void set_m_rectWorldCorners_0(Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* value)
{
___m_rectWorldCorners_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_rectWorldCorners_0), (void*)value);
}
};
// TMPro.TMP_UpdateRegistry
struct TMP_UpdateRegistry_t4F3B7A977A49346D2EBADCC1B29A5DAA15DB3FC0 : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<UnityEngine.UI.ICanvasElement> TMPro.TMP_UpdateRegistry::m_LayoutRebuildQueue
List_1_tA0F66F22AB0543957B73ABDF4C5C946AB15074C6 * ___m_LayoutRebuildQueue_1;
// System.Collections.Generic.HashSet`1<System.Int32> TMPro.TMP_UpdateRegistry::m_LayoutQueueLookup
HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * ___m_LayoutQueueLookup_2;
// System.Collections.Generic.List`1<UnityEngine.UI.ICanvasElement> TMPro.TMP_UpdateRegistry::m_GraphicRebuildQueue
List_1_tA0F66F22AB0543957B73ABDF4C5C946AB15074C6 * ___m_GraphicRebuildQueue_3;
// System.Collections.Generic.HashSet`1<System.Int32> TMPro.TMP_UpdateRegistry::m_GraphicQueueLookup
HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * ___m_GraphicQueueLookup_4;
public:
inline static int32_t get_offset_of_m_LayoutRebuildQueue_1() { return static_cast<int32_t>(offsetof(TMP_UpdateRegistry_t4F3B7A977A49346D2EBADCC1B29A5DAA15DB3FC0, ___m_LayoutRebuildQueue_1)); }
inline List_1_tA0F66F22AB0543957B73ABDF4C5C946AB15074C6 * get_m_LayoutRebuildQueue_1() const { return ___m_LayoutRebuildQueue_1; }
inline List_1_tA0F66F22AB0543957B73ABDF4C5C946AB15074C6 ** get_address_of_m_LayoutRebuildQueue_1() { return &___m_LayoutRebuildQueue_1; }
inline void set_m_LayoutRebuildQueue_1(List_1_tA0F66F22AB0543957B73ABDF4C5C946AB15074C6 * value)
{
___m_LayoutRebuildQueue_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LayoutRebuildQueue_1), (void*)value);
}
inline static int32_t get_offset_of_m_LayoutQueueLookup_2() { return static_cast<int32_t>(offsetof(TMP_UpdateRegistry_t4F3B7A977A49346D2EBADCC1B29A5DAA15DB3FC0, ___m_LayoutQueueLookup_2)); }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * get_m_LayoutQueueLookup_2() const { return ___m_LayoutQueueLookup_2; }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 ** get_address_of_m_LayoutQueueLookup_2() { return &___m_LayoutQueueLookup_2; }
inline void set_m_LayoutQueueLookup_2(HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * value)
{
___m_LayoutQueueLookup_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LayoutQueueLookup_2), (void*)value);
}
inline static int32_t get_offset_of_m_GraphicRebuildQueue_3() { return static_cast<int32_t>(offsetof(TMP_UpdateRegistry_t4F3B7A977A49346D2EBADCC1B29A5DAA15DB3FC0, ___m_GraphicRebuildQueue_3)); }
inline List_1_tA0F66F22AB0543957B73ABDF4C5C946AB15074C6 * get_m_GraphicRebuildQueue_3() const { return ___m_GraphicRebuildQueue_3; }
inline List_1_tA0F66F22AB0543957B73ABDF4C5C946AB15074C6 ** get_address_of_m_GraphicRebuildQueue_3() { return &___m_GraphicRebuildQueue_3; }
inline void set_m_GraphicRebuildQueue_3(List_1_tA0F66F22AB0543957B73ABDF4C5C946AB15074C6 * value)
{
___m_GraphicRebuildQueue_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GraphicRebuildQueue_3), (void*)value);
}
inline static int32_t get_offset_of_m_GraphicQueueLookup_4() { return static_cast<int32_t>(offsetof(TMP_UpdateRegistry_t4F3B7A977A49346D2EBADCC1B29A5DAA15DB3FC0, ___m_GraphicQueueLookup_4)); }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * get_m_GraphicQueueLookup_4() const { return ___m_GraphicQueueLookup_4; }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 ** get_address_of_m_GraphicQueueLookup_4() { return &___m_GraphicQueueLookup_4; }
inline void set_m_GraphicQueueLookup_4(HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * value)
{
___m_GraphicQueueLookup_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GraphicQueueLookup_4), (void*)value);
}
};
struct TMP_UpdateRegistry_t4F3B7A977A49346D2EBADCC1B29A5DAA15DB3FC0_StaticFields
{
public:
// TMPro.TMP_UpdateRegistry TMPro.TMP_UpdateRegistry::s_Instance
TMP_UpdateRegistry_t4F3B7A977A49346D2EBADCC1B29A5DAA15DB3FC0 * ___s_Instance_0;
public:
inline static int32_t get_offset_of_s_Instance_0() { return static_cast<int32_t>(offsetof(TMP_UpdateRegistry_t4F3B7A977A49346D2EBADCC1B29A5DAA15DB3FC0_StaticFields, ___s_Instance_0)); }
inline TMP_UpdateRegistry_t4F3B7A977A49346D2EBADCC1B29A5DAA15DB3FC0 * get_s_Instance_0() const { return ___s_Instance_0; }
inline TMP_UpdateRegistry_t4F3B7A977A49346D2EBADCC1B29A5DAA15DB3FC0 ** get_address_of_s_Instance_0() { return &___s_Instance_0; }
inline void set_s_Instance_0(TMP_UpdateRegistry_t4F3B7A977A49346D2EBADCC1B29A5DAA15DB3FC0 * value)
{
___s_Instance_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Instance_0), (void*)value);
}
};
// TMPro.TMPro_EventManager
struct TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1 : public RuntimeObject
{
public:
public:
};
struct TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields
{
public:
// TMPro.FastAction`2<System.Object,TMPro.Compute_DT_EventArgs> TMPro.TMPro_EventManager::COMPUTE_DT_EVENT
FastAction_2_t251B7D87855C9C20395DD41A2262FF3765B409D8 * ___COMPUTE_DT_EVENT_0;
// TMPro.FastAction`2<System.Boolean,UnityEngine.Material> TMPro.TMPro_EventManager::MATERIAL_PROPERTY_EVENT
FastAction_2_t0617135A42D314DE39D7C7E05AF8644FDAF0AF9B * ___MATERIAL_PROPERTY_EVENT_1;
// TMPro.FastAction`2<System.Boolean,UnityEngine.Object> TMPro.TMPro_EventManager::FONT_PROPERTY_EVENT
FastAction_2_tB8818519A1AC2CA666C56F136249517F638F6A1D * ___FONT_PROPERTY_EVENT_2;
// TMPro.FastAction`2<System.Boolean,UnityEngine.Object> TMPro.TMPro_EventManager::SPRITE_ASSET_PROPERTY_EVENT
FastAction_2_tB8818519A1AC2CA666C56F136249517F638F6A1D * ___SPRITE_ASSET_PROPERTY_EVENT_3;
// TMPro.FastAction`2<System.Boolean,UnityEngine.Object> TMPro.TMPro_EventManager::TEXTMESHPRO_PROPERTY_EVENT
FastAction_2_tB8818519A1AC2CA666C56F136249517F638F6A1D * ___TEXTMESHPRO_PROPERTY_EVENT_4;
// TMPro.FastAction`3<UnityEngine.GameObject,UnityEngine.Material,UnityEngine.Material> TMPro.TMPro_EventManager::DRAG_AND_DROP_MATERIAL_EVENT
FastAction_3_t05B67C203CF03CCC06EA6A315EFE76A231AB1A22 * ___DRAG_AND_DROP_MATERIAL_EVENT_5;
// TMPro.FastAction`1<System.Boolean> TMPro.TMPro_EventManager::TEXT_STYLE_PROPERTY_EVENT
FastAction_1_t0256216D55569A7059E38E7F79D8B1C844C6D472 * ___TEXT_STYLE_PROPERTY_EVENT_6;
// TMPro.FastAction`1<UnityEngine.Object> TMPro.TMPro_EventManager::COLOR_GRADIENT_PROPERTY_EVENT
FastAction_1_t83A8F378D15744DC0F2F81BEEECE0C0D1DDC6798 * ___COLOR_GRADIENT_PROPERTY_EVENT_7;
// TMPro.FastAction TMPro.TMPro_EventManager::TMP_SETTINGS_PROPERTY_EVENT
FastAction_tE1E0598414A65086C904C55ED0DCB45F330C9EFC * ___TMP_SETTINGS_PROPERTY_EVENT_8;
// TMPro.FastAction TMPro.TMPro_EventManager::RESOURCE_LOAD_EVENT
FastAction_tE1E0598414A65086C904C55ED0DCB45F330C9EFC * ___RESOURCE_LOAD_EVENT_9;
// TMPro.FastAction`2<System.Boolean,UnityEngine.Object> TMPro.TMPro_EventManager::TEXTMESHPRO_UGUI_PROPERTY_EVENT
FastAction_2_tB8818519A1AC2CA666C56F136249517F638F6A1D * ___TEXTMESHPRO_UGUI_PROPERTY_EVENT_10;
// TMPro.FastAction`1<UnityEngine.Object> TMPro.TMPro_EventManager::TEXT_CHANGED_EVENT
FastAction_1_t83A8F378D15744DC0F2F81BEEECE0C0D1DDC6798 * ___TEXT_CHANGED_EVENT_11;
public:
inline static int32_t get_offset_of_COMPUTE_DT_EVENT_0() { return static_cast<int32_t>(offsetof(TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields, ___COMPUTE_DT_EVENT_0)); }
inline FastAction_2_t251B7D87855C9C20395DD41A2262FF3765B409D8 * get_COMPUTE_DT_EVENT_0() const { return ___COMPUTE_DT_EVENT_0; }
inline FastAction_2_t251B7D87855C9C20395DD41A2262FF3765B409D8 ** get_address_of_COMPUTE_DT_EVENT_0() { return &___COMPUTE_DT_EVENT_0; }
inline void set_COMPUTE_DT_EVENT_0(FastAction_2_t251B7D87855C9C20395DD41A2262FF3765B409D8 * value)
{
___COMPUTE_DT_EVENT_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___COMPUTE_DT_EVENT_0), (void*)value);
}
inline static int32_t get_offset_of_MATERIAL_PROPERTY_EVENT_1() { return static_cast<int32_t>(offsetof(TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields, ___MATERIAL_PROPERTY_EVENT_1)); }
inline FastAction_2_t0617135A42D314DE39D7C7E05AF8644FDAF0AF9B * get_MATERIAL_PROPERTY_EVENT_1() const { return ___MATERIAL_PROPERTY_EVENT_1; }
inline FastAction_2_t0617135A42D314DE39D7C7E05AF8644FDAF0AF9B ** get_address_of_MATERIAL_PROPERTY_EVENT_1() { return &___MATERIAL_PROPERTY_EVENT_1; }
inline void set_MATERIAL_PROPERTY_EVENT_1(FastAction_2_t0617135A42D314DE39D7C7E05AF8644FDAF0AF9B * value)
{
___MATERIAL_PROPERTY_EVENT_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___MATERIAL_PROPERTY_EVENT_1), (void*)value);
}
inline static int32_t get_offset_of_FONT_PROPERTY_EVENT_2() { return static_cast<int32_t>(offsetof(TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields, ___FONT_PROPERTY_EVENT_2)); }
inline FastAction_2_tB8818519A1AC2CA666C56F136249517F638F6A1D * get_FONT_PROPERTY_EVENT_2() const { return ___FONT_PROPERTY_EVENT_2; }
inline FastAction_2_tB8818519A1AC2CA666C56F136249517F638F6A1D ** get_address_of_FONT_PROPERTY_EVENT_2() { return &___FONT_PROPERTY_EVENT_2; }
inline void set_FONT_PROPERTY_EVENT_2(FastAction_2_tB8818519A1AC2CA666C56F136249517F638F6A1D * value)
{
___FONT_PROPERTY_EVENT_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___FONT_PROPERTY_EVENT_2), (void*)value);
}
inline static int32_t get_offset_of_SPRITE_ASSET_PROPERTY_EVENT_3() { return static_cast<int32_t>(offsetof(TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields, ___SPRITE_ASSET_PROPERTY_EVENT_3)); }
inline FastAction_2_tB8818519A1AC2CA666C56F136249517F638F6A1D * get_SPRITE_ASSET_PROPERTY_EVENT_3() const { return ___SPRITE_ASSET_PROPERTY_EVENT_3; }
inline FastAction_2_tB8818519A1AC2CA666C56F136249517F638F6A1D ** get_address_of_SPRITE_ASSET_PROPERTY_EVENT_3() { return &___SPRITE_ASSET_PROPERTY_EVENT_3; }
inline void set_SPRITE_ASSET_PROPERTY_EVENT_3(FastAction_2_tB8818519A1AC2CA666C56F136249517F638F6A1D * value)
{
___SPRITE_ASSET_PROPERTY_EVENT_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___SPRITE_ASSET_PROPERTY_EVENT_3), (void*)value);
}
inline static int32_t get_offset_of_TEXTMESHPRO_PROPERTY_EVENT_4() { return static_cast<int32_t>(offsetof(TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields, ___TEXTMESHPRO_PROPERTY_EVENT_4)); }
inline FastAction_2_tB8818519A1AC2CA666C56F136249517F638F6A1D * get_TEXTMESHPRO_PROPERTY_EVENT_4() const { return ___TEXTMESHPRO_PROPERTY_EVENT_4; }
inline FastAction_2_tB8818519A1AC2CA666C56F136249517F638F6A1D ** get_address_of_TEXTMESHPRO_PROPERTY_EVENT_4() { return &___TEXTMESHPRO_PROPERTY_EVENT_4; }
inline void set_TEXTMESHPRO_PROPERTY_EVENT_4(FastAction_2_tB8818519A1AC2CA666C56F136249517F638F6A1D * value)
{
___TEXTMESHPRO_PROPERTY_EVENT_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___TEXTMESHPRO_PROPERTY_EVENT_4), (void*)value);
}
inline static int32_t get_offset_of_DRAG_AND_DROP_MATERIAL_EVENT_5() { return static_cast<int32_t>(offsetof(TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields, ___DRAG_AND_DROP_MATERIAL_EVENT_5)); }
inline FastAction_3_t05B67C203CF03CCC06EA6A315EFE76A231AB1A22 * get_DRAG_AND_DROP_MATERIAL_EVENT_5() const { return ___DRAG_AND_DROP_MATERIAL_EVENT_5; }
inline FastAction_3_t05B67C203CF03CCC06EA6A315EFE76A231AB1A22 ** get_address_of_DRAG_AND_DROP_MATERIAL_EVENT_5() { return &___DRAG_AND_DROP_MATERIAL_EVENT_5; }
inline void set_DRAG_AND_DROP_MATERIAL_EVENT_5(FastAction_3_t05B67C203CF03CCC06EA6A315EFE76A231AB1A22 * value)
{
___DRAG_AND_DROP_MATERIAL_EVENT_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DRAG_AND_DROP_MATERIAL_EVENT_5), (void*)value);
}
inline static int32_t get_offset_of_TEXT_STYLE_PROPERTY_EVENT_6() { return static_cast<int32_t>(offsetof(TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields, ___TEXT_STYLE_PROPERTY_EVENT_6)); }
inline FastAction_1_t0256216D55569A7059E38E7F79D8B1C844C6D472 * get_TEXT_STYLE_PROPERTY_EVENT_6() const { return ___TEXT_STYLE_PROPERTY_EVENT_6; }
inline FastAction_1_t0256216D55569A7059E38E7F79D8B1C844C6D472 ** get_address_of_TEXT_STYLE_PROPERTY_EVENT_6() { return &___TEXT_STYLE_PROPERTY_EVENT_6; }
inline void set_TEXT_STYLE_PROPERTY_EVENT_6(FastAction_1_t0256216D55569A7059E38E7F79D8B1C844C6D472 * value)
{
___TEXT_STYLE_PROPERTY_EVENT_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___TEXT_STYLE_PROPERTY_EVENT_6), (void*)value);
}
inline static int32_t get_offset_of_COLOR_GRADIENT_PROPERTY_EVENT_7() { return static_cast<int32_t>(offsetof(TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields, ___COLOR_GRADIENT_PROPERTY_EVENT_7)); }
inline FastAction_1_t83A8F378D15744DC0F2F81BEEECE0C0D1DDC6798 * get_COLOR_GRADIENT_PROPERTY_EVENT_7() const { return ___COLOR_GRADIENT_PROPERTY_EVENT_7; }
inline FastAction_1_t83A8F378D15744DC0F2F81BEEECE0C0D1DDC6798 ** get_address_of_COLOR_GRADIENT_PROPERTY_EVENT_7() { return &___COLOR_GRADIENT_PROPERTY_EVENT_7; }
inline void set_COLOR_GRADIENT_PROPERTY_EVENT_7(FastAction_1_t83A8F378D15744DC0F2F81BEEECE0C0D1DDC6798 * value)
{
___COLOR_GRADIENT_PROPERTY_EVENT_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___COLOR_GRADIENT_PROPERTY_EVENT_7), (void*)value);
}
inline static int32_t get_offset_of_TMP_SETTINGS_PROPERTY_EVENT_8() { return static_cast<int32_t>(offsetof(TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields, ___TMP_SETTINGS_PROPERTY_EVENT_8)); }
inline FastAction_tE1E0598414A65086C904C55ED0DCB45F330C9EFC * get_TMP_SETTINGS_PROPERTY_EVENT_8() const { return ___TMP_SETTINGS_PROPERTY_EVENT_8; }
inline FastAction_tE1E0598414A65086C904C55ED0DCB45F330C9EFC ** get_address_of_TMP_SETTINGS_PROPERTY_EVENT_8() { return &___TMP_SETTINGS_PROPERTY_EVENT_8; }
inline void set_TMP_SETTINGS_PROPERTY_EVENT_8(FastAction_tE1E0598414A65086C904C55ED0DCB45F330C9EFC * value)
{
___TMP_SETTINGS_PROPERTY_EVENT_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___TMP_SETTINGS_PROPERTY_EVENT_8), (void*)value);
}
inline static int32_t get_offset_of_RESOURCE_LOAD_EVENT_9() { return static_cast<int32_t>(offsetof(TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields, ___RESOURCE_LOAD_EVENT_9)); }
inline FastAction_tE1E0598414A65086C904C55ED0DCB45F330C9EFC * get_RESOURCE_LOAD_EVENT_9() const { return ___RESOURCE_LOAD_EVENT_9; }
inline FastAction_tE1E0598414A65086C904C55ED0DCB45F330C9EFC ** get_address_of_RESOURCE_LOAD_EVENT_9() { return &___RESOURCE_LOAD_EVENT_9; }
inline void set_RESOURCE_LOAD_EVENT_9(FastAction_tE1E0598414A65086C904C55ED0DCB45F330C9EFC * value)
{
___RESOURCE_LOAD_EVENT_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___RESOURCE_LOAD_EVENT_9), (void*)value);
}
inline static int32_t get_offset_of_TEXTMESHPRO_UGUI_PROPERTY_EVENT_10() { return static_cast<int32_t>(offsetof(TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields, ___TEXTMESHPRO_UGUI_PROPERTY_EVENT_10)); }
inline FastAction_2_tB8818519A1AC2CA666C56F136249517F638F6A1D * get_TEXTMESHPRO_UGUI_PROPERTY_EVENT_10() const { return ___TEXTMESHPRO_UGUI_PROPERTY_EVENT_10; }
inline FastAction_2_tB8818519A1AC2CA666C56F136249517F638F6A1D ** get_address_of_TEXTMESHPRO_UGUI_PROPERTY_EVENT_10() { return &___TEXTMESHPRO_UGUI_PROPERTY_EVENT_10; }
inline void set_TEXTMESHPRO_UGUI_PROPERTY_EVENT_10(FastAction_2_tB8818519A1AC2CA666C56F136249517F638F6A1D * value)
{
___TEXTMESHPRO_UGUI_PROPERTY_EVENT_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___TEXTMESHPRO_UGUI_PROPERTY_EVENT_10), (void*)value);
}
inline static int32_t get_offset_of_TEXT_CHANGED_EVENT_11() { return static_cast<int32_t>(offsetof(TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields, ___TEXT_CHANGED_EVENT_11)); }
inline FastAction_1_t83A8F378D15744DC0F2F81BEEECE0C0D1DDC6798 * get_TEXT_CHANGED_EVENT_11() const { return ___TEXT_CHANGED_EVENT_11; }
inline FastAction_1_t83A8F378D15744DC0F2F81BEEECE0C0D1DDC6798 ** get_address_of_TEXT_CHANGED_EVENT_11() { return &___TEXT_CHANGED_EVENT_11; }
inline void set_TEXT_CHANGED_EVENT_11(FastAction_1_t83A8F378D15744DC0F2F81BEEECE0C0D1DDC6798 * value)
{
___TEXT_CHANGED_EVENT_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___TEXT_CHANGED_EVENT_11), (void*)value);
}
};
// TMPro.TMPro_ExtensionMethods
struct TMPro_ExtensionMethods_t38D6271A5C07EEE7A7AA3B151B5950B8F50C9CED : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.Tables.TableEntry
struct TableEntry_tA427D0F61CA32E93B0D893A4DB2A5BB793DF9F3F : public RuntimeObject
{
public:
// UnityEngine.Localization.Tables.SharedTableData/SharedTableEntry UnityEngine.Localization.Tables.TableEntry::m_SharedTableEntry
SharedTableEntry_tF52A697114343CFD6DD566A7B600E1D4B860552B * ___m_SharedTableEntry_0;
// UnityEngine.Localization.Tables.LocalizationTable UnityEngine.Localization.Tables.TableEntry::<Table>k__BackingField
LocalizationTable_t663E5614B59380B6CE76CFF2FD8500C82CF8F707 * ___U3CTableU3Ek__BackingField_1;
// UnityEngine.Localization.Tables.TableEntryData UnityEngine.Localization.Tables.TableEntry::<Data>k__BackingField
TableEntryData_t8B850C9555DC3790200D386D4F74F9441E015DA2 * ___U3CDataU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_m_SharedTableEntry_0() { return static_cast<int32_t>(offsetof(TableEntry_tA427D0F61CA32E93B0D893A4DB2A5BB793DF9F3F, ___m_SharedTableEntry_0)); }
inline SharedTableEntry_tF52A697114343CFD6DD566A7B600E1D4B860552B * get_m_SharedTableEntry_0() const { return ___m_SharedTableEntry_0; }
inline SharedTableEntry_tF52A697114343CFD6DD566A7B600E1D4B860552B ** get_address_of_m_SharedTableEntry_0() { return &___m_SharedTableEntry_0; }
inline void set_m_SharedTableEntry_0(SharedTableEntry_tF52A697114343CFD6DD566A7B600E1D4B860552B * value)
{
___m_SharedTableEntry_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SharedTableEntry_0), (void*)value);
}
inline static int32_t get_offset_of_U3CTableU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(TableEntry_tA427D0F61CA32E93B0D893A4DB2A5BB793DF9F3F, ___U3CTableU3Ek__BackingField_1)); }
inline LocalizationTable_t663E5614B59380B6CE76CFF2FD8500C82CF8F707 * get_U3CTableU3Ek__BackingField_1() const { return ___U3CTableU3Ek__BackingField_1; }
inline LocalizationTable_t663E5614B59380B6CE76CFF2FD8500C82CF8F707 ** get_address_of_U3CTableU3Ek__BackingField_1() { return &___U3CTableU3Ek__BackingField_1; }
inline void set_U3CTableU3Ek__BackingField_1(LocalizationTable_t663E5614B59380B6CE76CFF2FD8500C82CF8F707 * value)
{
___U3CTableU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CTableU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CDataU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(TableEntry_tA427D0F61CA32E93B0D893A4DB2A5BB793DF9F3F, ___U3CDataU3Ek__BackingField_2)); }
inline TableEntryData_t8B850C9555DC3790200D386D4F74F9441E015DA2 * get_U3CDataU3Ek__BackingField_2() const { return ___U3CDataU3Ek__BackingField_2; }
inline TableEntryData_t8B850C9555DC3790200D386D4F74F9441E015DA2 ** get_address_of_U3CDataU3Ek__BackingField_2() { return &___U3CDataU3Ek__BackingField_2; }
inline void set_U3CDataU3Ek__BackingField_2(TableEntryData_t8B850C9555DC3790200D386D4F74F9441E015DA2 * value)
{
___U3CDataU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CDataU3Ek__BackingField_2), (void*)value);
}
};
// UnityEngine.Localization.Tables.TableEntryData
struct TableEntryData_t8B850C9555DC3790200D386D4F74F9441E015DA2 : public RuntimeObject
{
public:
// System.Int64 UnityEngine.Localization.Tables.TableEntryData::m_Id
int64_t ___m_Id_0;
// System.String UnityEngine.Localization.Tables.TableEntryData::m_Localized
String_t* ___m_Localized_1;
// UnityEngine.Localization.Metadata.MetadataCollection UnityEngine.Localization.Tables.TableEntryData::m_Metadata
MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 * ___m_Metadata_2;
public:
inline static int32_t get_offset_of_m_Id_0() { return static_cast<int32_t>(offsetof(TableEntryData_t8B850C9555DC3790200D386D4F74F9441E015DA2, ___m_Id_0)); }
inline int64_t get_m_Id_0() const { return ___m_Id_0; }
inline int64_t* get_address_of_m_Id_0() { return &___m_Id_0; }
inline void set_m_Id_0(int64_t value)
{
___m_Id_0 = value;
}
inline static int32_t get_offset_of_m_Localized_1() { return static_cast<int32_t>(offsetof(TableEntryData_t8B850C9555DC3790200D386D4F74F9441E015DA2, ___m_Localized_1)); }
inline String_t* get_m_Localized_1() const { return ___m_Localized_1; }
inline String_t** get_address_of_m_Localized_1() { return &___m_Localized_1; }
inline void set_m_Localized_1(String_t* value)
{
___m_Localized_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Localized_1), (void*)value);
}
inline static int32_t get_offset_of_m_Metadata_2() { return static_cast<int32_t>(offsetof(TableEntryData_t8B850C9555DC3790200D386D4F74F9441E015DA2, ___m_Metadata_2)); }
inline MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 * get_m_Metadata_2() const { return ___m_Metadata_2; }
inline MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 ** get_address_of_m_Metadata_2() { return &___m_Metadata_2; }
inline void set_m_Metadata_2(MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 * value)
{
___m_Metadata_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Metadata_2), (void*)value);
}
};
// Mono.Globalization.Unicode.TailoringInfo
struct TailoringInfo_t4758E387C3F277F71A15B53A99782DD712EF654A : public RuntimeObject
{
public:
// System.Int32 Mono.Globalization.Unicode.TailoringInfo::LCID
int32_t ___LCID_0;
// System.Int32 Mono.Globalization.Unicode.TailoringInfo::TailoringIndex
int32_t ___TailoringIndex_1;
// System.Int32 Mono.Globalization.Unicode.TailoringInfo::TailoringCount
int32_t ___TailoringCount_2;
// System.Boolean Mono.Globalization.Unicode.TailoringInfo::FrenchSort
bool ___FrenchSort_3;
public:
inline static int32_t get_offset_of_LCID_0() { return static_cast<int32_t>(offsetof(TailoringInfo_t4758E387C3F277F71A15B53A99782DD712EF654A, ___LCID_0)); }
inline int32_t get_LCID_0() const { return ___LCID_0; }
inline int32_t* get_address_of_LCID_0() { return &___LCID_0; }
inline void set_LCID_0(int32_t value)
{
___LCID_0 = value;
}
inline static int32_t get_offset_of_TailoringIndex_1() { return static_cast<int32_t>(offsetof(TailoringInfo_t4758E387C3F277F71A15B53A99782DD712EF654A, ___TailoringIndex_1)); }
inline int32_t get_TailoringIndex_1() const { return ___TailoringIndex_1; }
inline int32_t* get_address_of_TailoringIndex_1() { return &___TailoringIndex_1; }
inline void set_TailoringIndex_1(int32_t value)
{
___TailoringIndex_1 = value;
}
inline static int32_t get_offset_of_TailoringCount_2() { return static_cast<int32_t>(offsetof(TailoringInfo_t4758E387C3F277F71A15B53A99782DD712EF654A, ___TailoringCount_2)); }
inline int32_t get_TailoringCount_2() const { return ___TailoringCount_2; }
inline int32_t* get_address_of_TailoringCount_2() { return &___TailoringCount_2; }
inline void set_TailoringCount_2(int32_t value)
{
___TailoringCount_2 = value;
}
inline static int32_t get_offset_of_FrenchSort_3() { return static_cast<int32_t>(offsetof(TailoringInfo_t4758E387C3F277F71A15B53A99782DD712EF654A, ___FrenchSort_3)); }
inline bool get_FrenchSort_3() const { return ___FrenchSort_3; }
inline bool* get_address_of_FrenchSort_3() { return &___FrenchSort_3; }
inline void set_FrenchSort_3(bool value)
{
___FrenchSort_3 = value;
}
};
// UnityEngine.XR.Tango.TangoInputTracking
struct TangoInputTracking_t304D3DAB1AE120AC3C4351A28FC9641AEC90D5F9 : public RuntimeObject
{
public:
public:
};
// System.Threading.Tasks.TaskContinuation
struct TaskContinuation_t7DB04E82749A3EF935DB28E54C213451D635E7C0 : public RuntimeObject
{
public:
public:
};
// System.TermInfoReader
struct TermInfoReader_t2E8E4A86C0450CF03E110E870EB8378C7A617F62 : public RuntimeObject
{
public:
// System.Int32 System.TermInfoReader::boolSize
int32_t ___boolSize_0;
// System.Int32 System.TermInfoReader::numSize
int32_t ___numSize_1;
// System.Int32 System.TermInfoReader::strOffsets
int32_t ___strOffsets_2;
// System.Byte[] System.TermInfoReader::buffer
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___buffer_3;
// System.Int32 System.TermInfoReader::booleansOffset
int32_t ___booleansOffset_4;
// System.Int32 System.TermInfoReader::intOffset
int32_t ___intOffset_5;
public:
inline static int32_t get_offset_of_boolSize_0() { return static_cast<int32_t>(offsetof(TermInfoReader_t2E8E4A86C0450CF03E110E870EB8378C7A617F62, ___boolSize_0)); }
inline int32_t get_boolSize_0() const { return ___boolSize_0; }
inline int32_t* get_address_of_boolSize_0() { return &___boolSize_0; }
inline void set_boolSize_0(int32_t value)
{
___boolSize_0 = value;
}
inline static int32_t get_offset_of_numSize_1() { return static_cast<int32_t>(offsetof(TermInfoReader_t2E8E4A86C0450CF03E110E870EB8378C7A617F62, ___numSize_1)); }
inline int32_t get_numSize_1() const { return ___numSize_1; }
inline int32_t* get_address_of_numSize_1() { return &___numSize_1; }
inline void set_numSize_1(int32_t value)
{
___numSize_1 = value;
}
inline static int32_t get_offset_of_strOffsets_2() { return static_cast<int32_t>(offsetof(TermInfoReader_t2E8E4A86C0450CF03E110E870EB8378C7A617F62, ___strOffsets_2)); }
inline int32_t get_strOffsets_2() const { return ___strOffsets_2; }
inline int32_t* get_address_of_strOffsets_2() { return &___strOffsets_2; }
inline void set_strOffsets_2(int32_t value)
{
___strOffsets_2 = value;
}
inline static int32_t get_offset_of_buffer_3() { return static_cast<int32_t>(offsetof(TermInfoReader_t2E8E4A86C0450CF03E110E870EB8378C7A617F62, ___buffer_3)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_buffer_3() const { return ___buffer_3; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_buffer_3() { return &___buffer_3; }
inline void set_buffer_3(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___buffer_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___buffer_3), (void*)value);
}
inline static int32_t get_offset_of_booleansOffset_4() { return static_cast<int32_t>(offsetof(TermInfoReader_t2E8E4A86C0450CF03E110E870EB8378C7A617F62, ___booleansOffset_4)); }
inline int32_t get_booleansOffset_4() const { return ___booleansOffset_4; }
inline int32_t* get_address_of_booleansOffset_4() { return &___booleansOffset_4; }
inline void set_booleansOffset_4(int32_t value)
{
___booleansOffset_4 = value;
}
inline static int32_t get_offset_of_intOffset_5() { return static_cast<int32_t>(offsetof(TermInfoReader_t2E8E4A86C0450CF03E110E870EB8378C7A617F62, ___intOffset_5)); }
inline int32_t get_intOffset_5() const { return ___intOffset_5; }
inline int32_t* get_address_of_intOffset_5() { return &___intOffset_5; }
inline void set_intOffset_5(int32_t value)
{
___intOffset_5 = value;
}
};
// System.Globalization.TextInfoToLowerData
struct TextInfoToLowerData_tF86AB77938F5B622C7DAF81DB7FB79E19697DA6C : public RuntimeObject
{
public:
public:
};
struct TextInfoToLowerData_tF86AB77938F5B622C7DAF81DB7FB79E19697DA6C_StaticFields
{
public:
// System.Char[] System.Globalization.TextInfoToLowerData::range_00c0_0556
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___range_00c0_0556_0;
// System.Char[] System.Globalization.TextInfoToLowerData::range_10a0_10c5
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___range_10a0_10c5_1;
// System.Char[] System.Globalization.TextInfoToLowerData::range_1e00_1ffc
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___range_1e00_1ffc_2;
// System.Char[] System.Globalization.TextInfoToLowerData::range_2160_216f
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___range_2160_216f_3;
// System.Char[] System.Globalization.TextInfoToLowerData::range_24b6_24cf
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___range_24b6_24cf_4;
// System.Char[] System.Globalization.TextInfoToLowerData::range_2c00_2c2e
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___range_2c00_2c2e_5;
// System.Char[] System.Globalization.TextInfoToLowerData::range_2c60_2ce2
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___range_2c60_2ce2_6;
// System.Char[] System.Globalization.TextInfoToLowerData::range_a640_a696
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___range_a640_a696_7;
// System.Char[] System.Globalization.TextInfoToLowerData::range_a722_a78b
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___range_a722_a78b_8;
public:
inline static int32_t get_offset_of_range_00c0_0556_0() { return static_cast<int32_t>(offsetof(TextInfoToLowerData_tF86AB77938F5B622C7DAF81DB7FB79E19697DA6C_StaticFields, ___range_00c0_0556_0)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_range_00c0_0556_0() const { return ___range_00c0_0556_0; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_range_00c0_0556_0() { return &___range_00c0_0556_0; }
inline void set_range_00c0_0556_0(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___range_00c0_0556_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___range_00c0_0556_0), (void*)value);
}
inline static int32_t get_offset_of_range_10a0_10c5_1() { return static_cast<int32_t>(offsetof(TextInfoToLowerData_tF86AB77938F5B622C7DAF81DB7FB79E19697DA6C_StaticFields, ___range_10a0_10c5_1)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_range_10a0_10c5_1() const { return ___range_10a0_10c5_1; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_range_10a0_10c5_1() { return &___range_10a0_10c5_1; }
inline void set_range_10a0_10c5_1(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___range_10a0_10c5_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___range_10a0_10c5_1), (void*)value);
}
inline static int32_t get_offset_of_range_1e00_1ffc_2() { return static_cast<int32_t>(offsetof(TextInfoToLowerData_tF86AB77938F5B622C7DAF81DB7FB79E19697DA6C_StaticFields, ___range_1e00_1ffc_2)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_range_1e00_1ffc_2() const { return ___range_1e00_1ffc_2; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_range_1e00_1ffc_2() { return &___range_1e00_1ffc_2; }
inline void set_range_1e00_1ffc_2(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___range_1e00_1ffc_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___range_1e00_1ffc_2), (void*)value);
}
inline static int32_t get_offset_of_range_2160_216f_3() { return static_cast<int32_t>(offsetof(TextInfoToLowerData_tF86AB77938F5B622C7DAF81DB7FB79E19697DA6C_StaticFields, ___range_2160_216f_3)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_range_2160_216f_3() const { return ___range_2160_216f_3; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_range_2160_216f_3() { return &___range_2160_216f_3; }
inline void set_range_2160_216f_3(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___range_2160_216f_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___range_2160_216f_3), (void*)value);
}
inline static int32_t get_offset_of_range_24b6_24cf_4() { return static_cast<int32_t>(offsetof(TextInfoToLowerData_tF86AB77938F5B622C7DAF81DB7FB79E19697DA6C_StaticFields, ___range_24b6_24cf_4)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_range_24b6_24cf_4() const { return ___range_24b6_24cf_4; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_range_24b6_24cf_4() { return &___range_24b6_24cf_4; }
inline void set_range_24b6_24cf_4(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___range_24b6_24cf_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___range_24b6_24cf_4), (void*)value);
}
inline static int32_t get_offset_of_range_2c00_2c2e_5() { return static_cast<int32_t>(offsetof(TextInfoToLowerData_tF86AB77938F5B622C7DAF81DB7FB79E19697DA6C_StaticFields, ___range_2c00_2c2e_5)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_range_2c00_2c2e_5() const { return ___range_2c00_2c2e_5; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_range_2c00_2c2e_5() { return &___range_2c00_2c2e_5; }
inline void set_range_2c00_2c2e_5(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___range_2c00_2c2e_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___range_2c00_2c2e_5), (void*)value);
}
inline static int32_t get_offset_of_range_2c60_2ce2_6() { return static_cast<int32_t>(offsetof(TextInfoToLowerData_tF86AB77938F5B622C7DAF81DB7FB79E19697DA6C_StaticFields, ___range_2c60_2ce2_6)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_range_2c60_2ce2_6() const { return ___range_2c60_2ce2_6; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_range_2c60_2ce2_6() { return &___range_2c60_2ce2_6; }
inline void set_range_2c60_2ce2_6(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___range_2c60_2ce2_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___range_2c60_2ce2_6), (void*)value);
}
inline static int32_t get_offset_of_range_a640_a696_7() { return static_cast<int32_t>(offsetof(TextInfoToLowerData_tF86AB77938F5B622C7DAF81DB7FB79E19697DA6C_StaticFields, ___range_a640_a696_7)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_range_a640_a696_7() const { return ___range_a640_a696_7; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_range_a640_a696_7() { return &___range_a640_a696_7; }
inline void set_range_a640_a696_7(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___range_a640_a696_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___range_a640_a696_7), (void*)value);
}
inline static int32_t get_offset_of_range_a722_a78b_8() { return static_cast<int32_t>(offsetof(TextInfoToLowerData_tF86AB77938F5B622C7DAF81DB7FB79E19697DA6C_StaticFields, ___range_a722_a78b_8)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_range_a722_a78b_8() const { return ___range_a722_a78b_8; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_range_a722_a78b_8() { return &___range_a722_a78b_8; }
inline void set_range_a722_a78b_8(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___range_a722_a78b_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___range_a722_a78b_8), (void*)value);
}
};
// System.Globalization.TextInfoToUpperData
struct TextInfoToUpperData_t4E0FBAA2D572DF72E87C53DD5E2E2AF7C5A7892B : public RuntimeObject
{
public:
public:
};
struct TextInfoToUpperData_t4E0FBAA2D572DF72E87C53DD5E2E2AF7C5A7892B_StaticFields
{
public:
// System.Char[] System.Globalization.TextInfoToUpperData::range_00e0_0586
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___range_00e0_0586_0;
// System.Char[] System.Globalization.TextInfoToUpperData::range_1e01_1ff3
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___range_1e01_1ff3_1;
// System.Char[] System.Globalization.TextInfoToUpperData::range_2170_2184
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___range_2170_2184_2;
// System.Char[] System.Globalization.TextInfoToUpperData::range_24d0_24e9
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___range_24d0_24e9_3;
// System.Char[] System.Globalization.TextInfoToUpperData::range_2c30_2ce3
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___range_2c30_2ce3_4;
// System.Char[] System.Globalization.TextInfoToUpperData::range_2d00_2d25
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___range_2d00_2d25_5;
// System.Char[] System.Globalization.TextInfoToUpperData::range_a641_a697
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___range_a641_a697_6;
// System.Char[] System.Globalization.TextInfoToUpperData::range_a723_a78c
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___range_a723_a78c_7;
public:
inline static int32_t get_offset_of_range_00e0_0586_0() { return static_cast<int32_t>(offsetof(TextInfoToUpperData_t4E0FBAA2D572DF72E87C53DD5E2E2AF7C5A7892B_StaticFields, ___range_00e0_0586_0)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_range_00e0_0586_0() const { return ___range_00e0_0586_0; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_range_00e0_0586_0() { return &___range_00e0_0586_0; }
inline void set_range_00e0_0586_0(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___range_00e0_0586_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___range_00e0_0586_0), (void*)value);
}
inline static int32_t get_offset_of_range_1e01_1ff3_1() { return static_cast<int32_t>(offsetof(TextInfoToUpperData_t4E0FBAA2D572DF72E87C53DD5E2E2AF7C5A7892B_StaticFields, ___range_1e01_1ff3_1)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_range_1e01_1ff3_1() const { return ___range_1e01_1ff3_1; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_range_1e01_1ff3_1() { return &___range_1e01_1ff3_1; }
inline void set_range_1e01_1ff3_1(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___range_1e01_1ff3_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___range_1e01_1ff3_1), (void*)value);
}
inline static int32_t get_offset_of_range_2170_2184_2() { return static_cast<int32_t>(offsetof(TextInfoToUpperData_t4E0FBAA2D572DF72E87C53DD5E2E2AF7C5A7892B_StaticFields, ___range_2170_2184_2)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_range_2170_2184_2() const { return ___range_2170_2184_2; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_range_2170_2184_2() { return &___range_2170_2184_2; }
inline void set_range_2170_2184_2(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___range_2170_2184_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___range_2170_2184_2), (void*)value);
}
inline static int32_t get_offset_of_range_24d0_24e9_3() { return static_cast<int32_t>(offsetof(TextInfoToUpperData_t4E0FBAA2D572DF72E87C53DD5E2E2AF7C5A7892B_StaticFields, ___range_24d0_24e9_3)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_range_24d0_24e9_3() const { return ___range_24d0_24e9_3; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_range_24d0_24e9_3() { return &___range_24d0_24e9_3; }
inline void set_range_24d0_24e9_3(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___range_24d0_24e9_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___range_24d0_24e9_3), (void*)value);
}
inline static int32_t get_offset_of_range_2c30_2ce3_4() { return static_cast<int32_t>(offsetof(TextInfoToUpperData_t4E0FBAA2D572DF72E87C53DD5E2E2AF7C5A7892B_StaticFields, ___range_2c30_2ce3_4)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_range_2c30_2ce3_4() const { return ___range_2c30_2ce3_4; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_range_2c30_2ce3_4() { return &___range_2c30_2ce3_4; }
inline void set_range_2c30_2ce3_4(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___range_2c30_2ce3_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___range_2c30_2ce3_4), (void*)value);
}
inline static int32_t get_offset_of_range_2d00_2d25_5() { return static_cast<int32_t>(offsetof(TextInfoToUpperData_t4E0FBAA2D572DF72E87C53DD5E2E2AF7C5A7892B_StaticFields, ___range_2d00_2d25_5)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_range_2d00_2d25_5() const { return ___range_2d00_2d25_5; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_range_2d00_2d25_5() { return &___range_2d00_2d25_5; }
inline void set_range_2d00_2d25_5(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___range_2d00_2d25_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___range_2d00_2d25_5), (void*)value);
}
inline static int32_t get_offset_of_range_a641_a697_6() { return static_cast<int32_t>(offsetof(TextInfoToUpperData_t4E0FBAA2D572DF72E87C53DD5E2E2AF7C5A7892B_StaticFields, ___range_a641_a697_6)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_range_a641_a697_6() const { return ___range_a641_a697_6; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_range_a641_a697_6() { return &___range_a641_a697_6; }
inline void set_range_a641_a697_6(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___range_a641_a697_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___range_a641_a697_6), (void*)value);
}
inline static int32_t get_offset_of_range_a723_a78c_7() { return static_cast<int32_t>(offsetof(TextInfoToUpperData_t4E0FBAA2D572DF72E87C53DD5E2E2AF7C5A7892B_StaticFields, ___range_a723_a78c_7)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_range_a723_a78c_7() const { return ___range_a723_a78c_7; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_range_a723_a78c_7() { return &___range_a723_a78c_7; }
inline void set_range_a723_a78c_7(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___range_a723_a78c_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___range_a723_a78c_7), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Core.Output.TextWriterOutput
struct TextWriterOutput_t32BEEFF58B91E742CC0CE48C111060FA4591C315 : public RuntimeObject
{
public:
// System.IO.TextWriter UnityEngine.Localization.SmartFormat.Core.Output.TextWriterOutput::<Output>k__BackingField
TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 * ___U3COutputU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3COutputU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(TextWriterOutput_t32BEEFF58B91E742CC0CE48C111060FA4591C315, ___U3COutputU3Ek__BackingField_0)); }
inline TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 * get_U3COutputU3Ek__BackingField_0() const { return ___U3COutputU3Ek__BackingField_0; }
inline TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 ** get_address_of_U3COutputU3Ek__BackingField_0() { return &___U3COutputU3Ek__BackingField_0; }
inline void set_U3COutputU3Ek__BackingField_0(TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 * value)
{
___U3COutputU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3COutputU3Ek__BackingField_0), (void*)value);
}
};
// TMPro.SpriteAssetUtilities.TexturePacker_JsonArray
struct TexturePacker_JsonArray_t801AC714365BCB15A688E7B55D3C151502DEF719 : public RuntimeObject
{
public:
public:
};
// System.Threading.ThreadHelper
struct ThreadHelper_t7958FA16432CE4696D922D505D04B5AA66560E2C : public RuntimeObject
{
public:
// System.Delegate System.Threading.ThreadHelper::_start
Delegate_t * ____start_0;
// System.Object System.Threading.ThreadHelper::_startArg
RuntimeObject * ____startArg_1;
// System.Threading.ExecutionContext System.Threading.ThreadHelper::_executionContext
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * ____executionContext_2;
public:
inline static int32_t get_offset_of__start_0() { return static_cast<int32_t>(offsetof(ThreadHelper_t7958FA16432CE4696D922D505D04B5AA66560E2C, ____start_0)); }
inline Delegate_t * get__start_0() const { return ____start_0; }
inline Delegate_t ** get_address_of__start_0() { return &____start_0; }
inline void set__start_0(Delegate_t * value)
{
____start_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____start_0), (void*)value);
}
inline static int32_t get_offset_of__startArg_1() { return static_cast<int32_t>(offsetof(ThreadHelper_t7958FA16432CE4696D922D505D04B5AA66560E2C, ____startArg_1)); }
inline RuntimeObject * get__startArg_1() const { return ____startArg_1; }
inline RuntimeObject ** get_address_of__startArg_1() { return &____startArg_1; }
inline void set__startArg_1(RuntimeObject * value)
{
____startArg_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____startArg_1), (void*)value);
}
inline static int32_t get_offset_of__executionContext_2() { return static_cast<int32_t>(offsetof(ThreadHelper_t7958FA16432CE4696D922D505D04B5AA66560E2C, ____executionContext_2)); }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * get__executionContext_2() const { return ____executionContext_2; }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 ** get_address_of__executionContext_2() { return &____executionContext_2; }
inline void set__executionContext_2(ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * value)
{
____executionContext_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____executionContext_2), (void*)value);
}
};
struct ThreadHelper_t7958FA16432CE4696D922D505D04B5AA66560E2C_StaticFields
{
public:
// System.Threading.ContextCallback System.Threading.ThreadHelper::_ccb
ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * ____ccb_3;
public:
inline static int32_t get_offset_of__ccb_3() { return static_cast<int32_t>(offsetof(ThreadHelper_t7958FA16432CE4696D922D505D04B5AA66560E2C_StaticFields, ____ccb_3)); }
inline ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * get__ccb_3() const { return ____ccb_3; }
inline ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B ** get_address_of__ccb_3() { return &____ccb_3; }
inline void set__ccb_3(ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * value)
{
____ccb_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____ccb_3), (void*)value);
}
};
// System.Threading.ThreadPool
struct ThreadPool_tE969AA7EB10D0F888DE9D2A406248B1FAB4FAF63 : public RuntimeObject
{
public:
public:
};
// System.Threading.ThreadPoolWorkQueueThreadLocals
struct ThreadPoolWorkQueueThreadLocals_t34944E0B6933A8905A98B697463E2EF2AB3FA54E : public RuntimeObject
{
public:
// System.Threading.ThreadPoolWorkQueue System.Threading.ThreadPoolWorkQueueThreadLocals::workQueue
ThreadPoolWorkQueue_t2CB6EE2051BFDA85C9B8785B89272E8DDD95CB35 * ___workQueue_1;
// System.Threading.ThreadPoolWorkQueue/WorkStealingQueue System.Threading.ThreadPoolWorkQueueThreadLocals::workStealingQueue
WorkStealingQueue_t0D430FD823CAB6C050301484CE7516E1573728A0 * ___workStealingQueue_2;
// System.Random System.Threading.ThreadPoolWorkQueueThreadLocals::random
Random_t6C9E9775A149D0ADCFEB4B252C408F03EE870118 * ___random_3;
public:
inline static int32_t get_offset_of_workQueue_1() { return static_cast<int32_t>(offsetof(ThreadPoolWorkQueueThreadLocals_t34944E0B6933A8905A98B697463E2EF2AB3FA54E, ___workQueue_1)); }
inline ThreadPoolWorkQueue_t2CB6EE2051BFDA85C9B8785B89272E8DDD95CB35 * get_workQueue_1() const { return ___workQueue_1; }
inline ThreadPoolWorkQueue_t2CB6EE2051BFDA85C9B8785B89272E8DDD95CB35 ** get_address_of_workQueue_1() { return &___workQueue_1; }
inline void set_workQueue_1(ThreadPoolWorkQueue_t2CB6EE2051BFDA85C9B8785B89272E8DDD95CB35 * value)
{
___workQueue_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___workQueue_1), (void*)value);
}
inline static int32_t get_offset_of_workStealingQueue_2() { return static_cast<int32_t>(offsetof(ThreadPoolWorkQueueThreadLocals_t34944E0B6933A8905A98B697463E2EF2AB3FA54E, ___workStealingQueue_2)); }
inline WorkStealingQueue_t0D430FD823CAB6C050301484CE7516E1573728A0 * get_workStealingQueue_2() const { return ___workStealingQueue_2; }
inline WorkStealingQueue_t0D430FD823CAB6C050301484CE7516E1573728A0 ** get_address_of_workStealingQueue_2() { return &___workStealingQueue_2; }
inline void set_workStealingQueue_2(WorkStealingQueue_t0D430FD823CAB6C050301484CE7516E1573728A0 * value)
{
___workStealingQueue_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___workStealingQueue_2), (void*)value);
}
inline static int32_t get_offset_of_random_3() { return static_cast<int32_t>(offsetof(ThreadPoolWorkQueueThreadLocals_t34944E0B6933A8905A98B697463E2EF2AB3FA54E, ___random_3)); }
inline Random_t6C9E9775A149D0ADCFEB4B252C408F03EE870118 * get_random_3() const { return ___random_3; }
inline Random_t6C9E9775A149D0ADCFEB4B252C408F03EE870118 ** get_address_of_random_3() { return &___random_3; }
inline void set_random_3(Random_t6C9E9775A149D0ADCFEB4B252C408F03EE870118 * value)
{
___random_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___random_3), (void*)value);
}
};
struct ThreadPoolWorkQueueThreadLocals_t34944E0B6933A8905A98B697463E2EF2AB3FA54E_ThreadStaticFields
{
public:
// System.Threading.ThreadPoolWorkQueueThreadLocals System.Threading.ThreadPoolWorkQueueThreadLocals::threadLocals
ThreadPoolWorkQueueThreadLocals_t34944E0B6933A8905A98B697463E2EF2AB3FA54E * ___threadLocals_0;
public:
inline static int32_t get_offset_of_threadLocals_0() { return static_cast<int32_t>(offsetof(ThreadPoolWorkQueueThreadLocals_t34944E0B6933A8905A98B697463E2EF2AB3FA54E_ThreadStaticFields, ___threadLocals_0)); }
inline ThreadPoolWorkQueueThreadLocals_t34944E0B6933A8905A98B697463E2EF2AB3FA54E * get_threadLocals_0() const { return ___threadLocals_0; }
inline ThreadPoolWorkQueueThreadLocals_t34944E0B6933A8905A98B697463E2EF2AB3FA54E ** get_address_of_threadLocals_0() { return &___threadLocals_0; }
inline void set_threadLocals_0(ThreadPoolWorkQueueThreadLocals_t34944E0B6933A8905A98B697463E2EF2AB3FA54E * value)
{
___threadLocals_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___threadLocals_0), (void*)value);
}
};
// System.ThrowHelper
struct ThrowHelper_t396052A7B504E698E9DF1B91F7A52F4D2EA47246 : public RuntimeObject
{
public:
public:
};
// UnityEngine.Time
struct Time_tCE5C6E624BDC86B30112C860F5622AFA25F1EC9F : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.Utilities.TimeSpanFormatOptionsConverter
struct TimeSpanFormatOptionsConverter_t70FE8B07338D4199BA66BDF00A97AC71B2311E84 : public RuntimeObject
{
public:
public:
};
struct TimeSpanFormatOptionsConverter_t70FE8B07338D4199BA66BDF00A97AC71B2311E84_StaticFields
{
public:
// System.Text.RegularExpressions.Regex UnityEngine.Localization.SmartFormat.Utilities.TimeSpanFormatOptionsConverter::parser
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * ___parser_0;
public:
inline static int32_t get_offset_of_parser_0() { return static_cast<int32_t>(offsetof(TimeSpanFormatOptionsConverter_t70FE8B07338D4199BA66BDF00A97AC71B2311E84_StaticFields, ___parser_0)); }
inline Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * get_parser_0() const { return ___parser_0; }
inline Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F ** get_address_of_parser_0() { return &___parser_0; }
inline void set_parser_0(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * value)
{
___parser_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___parser_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Utilities.TimeTextInfo
struct TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619 : public RuntimeObject
{
public:
// System.String[] UnityEngine.Localization.SmartFormat.Utilities.TimeTextInfo::d
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___d_0;
// System.String[] UnityEngine.Localization.SmartFormat.Utilities.TimeTextInfo::day
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___day_1;
// System.String[] UnityEngine.Localization.SmartFormat.Utilities.TimeTextInfo::h
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___h_2;
// System.String[] UnityEngine.Localization.SmartFormat.Utilities.TimeTextInfo::hour
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___hour_3;
// System.String UnityEngine.Localization.SmartFormat.Utilities.TimeTextInfo::lessThan
String_t* ___lessThan_4;
// System.String[] UnityEngine.Localization.SmartFormat.Utilities.TimeTextInfo::m
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___m_5;
// System.String[] UnityEngine.Localization.SmartFormat.Utilities.TimeTextInfo::millisecond
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___millisecond_6;
// System.String[] UnityEngine.Localization.SmartFormat.Utilities.TimeTextInfo::minute
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___minute_7;
// System.String[] UnityEngine.Localization.SmartFormat.Utilities.TimeTextInfo::ms
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___ms_8;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.TimeTextInfo::PluralRule
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___PluralRule_9;
// System.String[] UnityEngine.Localization.SmartFormat.Utilities.TimeTextInfo::s
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___s_10;
// System.String[] UnityEngine.Localization.SmartFormat.Utilities.TimeTextInfo::second
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___second_11;
// System.String[] UnityEngine.Localization.SmartFormat.Utilities.TimeTextInfo::w
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___w_12;
// System.String[] UnityEngine.Localization.SmartFormat.Utilities.TimeTextInfo::week
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___week_13;
public:
inline static int32_t get_offset_of_d_0() { return static_cast<int32_t>(offsetof(TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619, ___d_0)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_d_0() const { return ___d_0; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_d_0() { return &___d_0; }
inline void set_d_0(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___d_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___d_0), (void*)value);
}
inline static int32_t get_offset_of_day_1() { return static_cast<int32_t>(offsetof(TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619, ___day_1)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_day_1() const { return ___day_1; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_day_1() { return &___day_1; }
inline void set_day_1(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___day_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___day_1), (void*)value);
}
inline static int32_t get_offset_of_h_2() { return static_cast<int32_t>(offsetof(TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619, ___h_2)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_h_2() const { return ___h_2; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_h_2() { return &___h_2; }
inline void set_h_2(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___h_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___h_2), (void*)value);
}
inline static int32_t get_offset_of_hour_3() { return static_cast<int32_t>(offsetof(TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619, ___hour_3)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_hour_3() const { return ___hour_3; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_hour_3() { return &___hour_3; }
inline void set_hour_3(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___hour_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___hour_3), (void*)value);
}
inline static int32_t get_offset_of_lessThan_4() { return static_cast<int32_t>(offsetof(TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619, ___lessThan_4)); }
inline String_t* get_lessThan_4() const { return ___lessThan_4; }
inline String_t** get_address_of_lessThan_4() { return &___lessThan_4; }
inline void set_lessThan_4(String_t* value)
{
___lessThan_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___lessThan_4), (void*)value);
}
inline static int32_t get_offset_of_m_5() { return static_cast<int32_t>(offsetof(TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619, ___m_5)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_m_5() const { return ___m_5; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_m_5() { return &___m_5; }
inline void set_m_5(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___m_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_5), (void*)value);
}
inline static int32_t get_offset_of_millisecond_6() { return static_cast<int32_t>(offsetof(TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619, ___millisecond_6)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_millisecond_6() const { return ___millisecond_6; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_millisecond_6() { return &___millisecond_6; }
inline void set_millisecond_6(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___millisecond_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___millisecond_6), (void*)value);
}
inline static int32_t get_offset_of_minute_7() { return static_cast<int32_t>(offsetof(TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619, ___minute_7)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_minute_7() const { return ___minute_7; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_minute_7() { return &___minute_7; }
inline void set_minute_7(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___minute_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___minute_7), (void*)value);
}
inline static int32_t get_offset_of_ms_8() { return static_cast<int32_t>(offsetof(TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619, ___ms_8)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_ms_8() const { return ___ms_8; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_ms_8() { return &___ms_8; }
inline void set_ms_8(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___ms_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ms_8), (void*)value);
}
inline static int32_t get_offset_of_PluralRule_9() { return static_cast<int32_t>(offsetof(TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619, ___PluralRule_9)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_PluralRule_9() const { return ___PluralRule_9; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_PluralRule_9() { return &___PluralRule_9; }
inline void set_PluralRule_9(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___PluralRule_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PluralRule_9), (void*)value);
}
inline static int32_t get_offset_of_s_10() { return static_cast<int32_t>(offsetof(TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619, ___s_10)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_s_10() const { return ___s_10; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_s_10() { return &___s_10; }
inline void set_s_10(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___s_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_10), (void*)value);
}
inline static int32_t get_offset_of_second_11() { return static_cast<int32_t>(offsetof(TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619, ___second_11)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_second_11() const { return ___second_11; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_second_11() { return &___second_11; }
inline void set_second_11(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___second_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___second_11), (void*)value);
}
inline static int32_t get_offset_of_w_12() { return static_cast<int32_t>(offsetof(TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619, ___w_12)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_w_12() const { return ___w_12; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_w_12() { return &___w_12; }
inline void set_w_12(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___w_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___w_12), (void*)value);
}
inline static int32_t get_offset_of_week_13() { return static_cast<int32_t>(offsetof(TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619, ___week_13)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_week_13() const { return ___week_13; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_week_13() { return &___week_13; }
inline void set_week_13(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___week_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___week_13), (void*)value);
}
};
// System.TimeType
struct TimeType_tE37C25AC39BA57BBB8D27E9F20FFED6E4EB9CCDF : public RuntimeObject
{
public:
// System.Int32 System.TimeType::Offset
int32_t ___Offset_0;
// System.Boolean System.TimeType::IsDst
bool ___IsDst_1;
// System.String System.TimeType::Name
String_t* ___Name_2;
public:
inline static int32_t get_offset_of_Offset_0() { return static_cast<int32_t>(offsetof(TimeType_tE37C25AC39BA57BBB8D27E9F20FFED6E4EB9CCDF, ___Offset_0)); }
inline int32_t get_Offset_0() const { return ___Offset_0; }
inline int32_t* get_address_of_Offset_0() { return &___Offset_0; }
inline void set_Offset_0(int32_t value)
{
___Offset_0 = value;
}
inline static int32_t get_offset_of_IsDst_1() { return static_cast<int32_t>(offsetof(TimeType_tE37C25AC39BA57BBB8D27E9F20FFED6E4EB9CCDF, ___IsDst_1)); }
inline bool get_IsDst_1() const { return ___IsDst_1; }
inline bool* get_address_of_IsDst_1() { return &___IsDst_1; }
inline void set_IsDst_1(bool value)
{
___IsDst_1 = value;
}
inline static int32_t get_offset_of_Name_2() { return static_cast<int32_t>(offsetof(TimeType_tE37C25AC39BA57BBB8D27E9F20FFED6E4EB9CCDF, ___Name_2)); }
inline String_t* get_Name_2() const { return ___Name_2; }
inline String_t** get_address_of_Name_2() { return &___Name_2; }
inline void set_Name_2(String_t* value)
{
___Name_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Name_2), (void*)value);
}
};
// System.TimeZone
struct TimeZone_t7BDF23D00BD0964D237E34664984422C85EB43F5 : public RuntimeObject
{
public:
public:
};
struct TimeZone_t7BDF23D00BD0964D237E34664984422C85EB43F5_StaticFields
{
public:
// System.Object System.TimeZone::tz_lock
RuntimeObject * ___tz_lock_0;
public:
inline static int32_t get_offset_of_tz_lock_0() { return static_cast<int32_t>(offsetof(TimeZone_t7BDF23D00BD0964D237E34664984422C85EB43F5_StaticFields, ___tz_lock_0)); }
inline RuntimeObject * get_tz_lock_0() const { return ___tz_lock_0; }
inline RuntimeObject ** get_address_of_tz_lock_0() { return &___tz_lock_0; }
inline void set_tz_lock_0(RuntimeObject * value)
{
___tz_lock_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___tz_lock_0), (void*)value);
}
};
// System.Threading.TimeoutHelper
struct TimeoutHelper_t101FCB6A2D978DCA5D3E75172352F03AC3B9C811 : public RuntimeObject
{
public:
public:
};
// UnityEngine.SpatialTracking.TrackedPoseDriverDataDescription
struct TrackedPoseDriverDataDescription_t1DDD4ABD8892762FC3F4825233D1EA413197B9A1 : public RuntimeObject
{
public:
public:
};
struct TrackedPoseDriverDataDescription_t1DDD4ABD8892762FC3F4825233D1EA413197B9A1_StaticFields
{
public:
// System.Collections.Generic.List`1<UnityEngine.SpatialTracking.TrackedPoseDriverDataDescription/PoseData> UnityEngine.SpatialTracking.TrackedPoseDriverDataDescription::DeviceData
List_1_t33EFE71131470863D507CAF630920B63D09EBA7D * ___DeviceData_0;
public:
inline static int32_t get_offset_of_DeviceData_0() { return static_cast<int32_t>(offsetof(TrackedPoseDriverDataDescription_t1DDD4ABD8892762FC3F4825233D1EA413197B9A1_StaticFields, ___DeviceData_0)); }
inline List_1_t33EFE71131470863D507CAF630920B63D09EBA7D * get_DeviceData_0() const { return ___DeviceData_0; }
inline List_1_t33EFE71131470863D507CAF630920B63D09EBA7D ** get_address_of_DeviceData_0() { return &___DeviceData_0; }
inline void set_DeviceData_0(List_1_t33EFE71131470863D507CAF630920B63D09EBA7D * value)
{
___DeviceData_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DeviceData_0), (void*)value);
}
};
// System.Runtime.Remoting.Services.TrackingServices
struct TrackingServices_tE9FED3B66D252F90D53A326F5A889DB465F2E474 : public RuntimeObject
{
public:
public:
};
struct TrackingServices_tE9FED3B66D252F90D53A326F5A889DB465F2E474_StaticFields
{
public:
// System.Collections.ArrayList System.Runtime.Remoting.Services.TrackingServices::_handlers
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * ____handlers_0;
public:
inline static int32_t get_offset_of__handlers_0() { return static_cast<int32_t>(offsetof(TrackingServices_tE9FED3B66D252F90D53A326F5A889DB465F2E474_StaticFields, ____handlers_0)); }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * get__handlers_0() const { return ____handlers_0; }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 ** get_address_of__handlers_0() { return &____handlers_0; }
inline void set__handlers_0(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * value)
{
____handlers_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____handlers_0), (void*)value);
}
};
// System.Tuple
struct Tuple_t04ED51FC9876E74A8E2D69E20EC4D89DAF554A9F : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.Utilities.TupleExtensions
struct TupleExtensions_t766DBDC6D2D2DE2BF99007F81E241C8E2158F465 : public RuntimeObject
{
public:
public:
};
struct TupleExtensions_t766DBDC6D2D2DE2BF99007F81E241C8E2158F465_StaticFields
{
public:
// System.Collections.Generic.HashSet`1<System.Type> UnityEngine.Localization.SmartFormat.Utilities.TupleExtensions::ValueTupleTypes
HashSet_1_t6DF4EF51925F07D2DF32F6A9A96C6B4624263BB9 * ___ValueTupleTypes_0;
public:
inline static int32_t get_offset_of_ValueTupleTypes_0() { return static_cast<int32_t>(offsetof(TupleExtensions_t766DBDC6D2D2DE2BF99007F81E241C8E2158F465_StaticFields, ___ValueTupleTypes_0)); }
inline HashSet_1_t6DF4EF51925F07D2DF32F6A9A96C6B4624263BB9 * get_ValueTupleTypes_0() const { return ___ValueTupleTypes_0; }
inline HashSet_1_t6DF4EF51925F07D2DF32F6A9A96C6B4624263BB9 ** get_address_of_ValueTupleTypes_0() { return &___ValueTupleTypes_0; }
inline void set_ValueTupleTypes_0(HashSet_1_t6DF4EF51925F07D2DF32F6A9A96C6B4624263BB9 * value)
{
___ValueTupleTypes_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ValueTupleTypes_0), (void*)value);
}
};
// System.ComponentModel.TypeDescriptionProvider
struct TypeDescriptionProvider_t122A1EB346B118B569F333CECF3DCB613CD793D0 : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.TypeEntry
struct TypeEntry_tE6A29217B055E31F4568B08F627D9BD7E4B28DE5 : public RuntimeObject
{
public:
// System.String System.Runtime.Remoting.TypeEntry::assembly_name
String_t* ___assembly_name_0;
// System.String System.Runtime.Remoting.TypeEntry::type_name
String_t* ___type_name_1;
public:
inline static int32_t get_offset_of_assembly_name_0() { return static_cast<int32_t>(offsetof(TypeEntry_tE6A29217B055E31F4568B08F627D9BD7E4B28DE5, ___assembly_name_0)); }
inline String_t* get_assembly_name_0() const { return ___assembly_name_0; }
inline String_t** get_address_of_assembly_name_0() { return &___assembly_name_0; }
inline void set_assembly_name_0(String_t* value)
{
___assembly_name_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assembly_name_0), (void*)value);
}
inline static int32_t get_offset_of_type_name_1() { return static_cast<int32_t>(offsetof(TypeEntry_tE6A29217B055E31F4568B08F627D9BD7E4B28DE5, ___type_name_1)); }
inline String_t* get_type_name_1() const { return ___type_name_1; }
inline String_t** get_address_of_type_name_1() { return &___type_name_1; }
inline void set_type_name_1(String_t* value)
{
___type_name_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___type_name_1), (void*)value);
}
};
// System.Dynamic.Utils.TypeExtensions
struct TypeExtensions_t4621AFAE95D2F74DC128EE8B4364AE8ABA654831 : public RuntimeObject
{
public:
public:
};
struct TypeExtensions_t4621AFAE95D2F74DC128EE8B4364AE8ABA654831_StaticFields
{
public:
// System.Dynamic.Utils.CacheDict`2<System.Reflection.MethodBase,System.Reflection.ParameterInfo[]> System.Dynamic.Utils.TypeExtensions::s_paramInfoCache
CacheDict_2_tB3623498F80C0C04E8804E45A814364C12F9CB1F * ___s_paramInfoCache_0;
public:
inline static int32_t get_offset_of_s_paramInfoCache_0() { return static_cast<int32_t>(offsetof(TypeExtensions_t4621AFAE95D2F74DC128EE8B4364AE8ABA654831_StaticFields, ___s_paramInfoCache_0)); }
inline CacheDict_2_tB3623498F80C0C04E8804E45A814364C12F9CB1F * get_s_paramInfoCache_0() const { return ___s_paramInfoCache_0; }
inline CacheDict_2_tB3623498F80C0C04E8804E45A814364C12F9CB1F ** get_address_of_s_paramInfoCache_0() { return &___s_paramInfoCache_0; }
inline void set_s_paramInfoCache_0(CacheDict_2_tB3623498F80C0C04E8804E45A814364C12F9CB1F * value)
{
___s_paramInfoCache_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_paramInfoCache_0), (void*)value);
}
};
// System.TypeIdentifiers
struct TypeIdentifiers_t12FCC9660F6161BEE95E7D47F426EB52EF54026E : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.TypeInfo
struct TypeInfo_t78759231E8CBE4651477B12B4D57399542F4FB46 : public RuntimeObject
{
public:
// System.String System.Runtime.Remoting.TypeInfo::serverType
String_t* ___serverType_0;
// System.String[] System.Runtime.Remoting.TypeInfo::serverHierarchy
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___serverHierarchy_1;
// System.String[] System.Runtime.Remoting.TypeInfo::interfacesImplemented
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___interfacesImplemented_2;
public:
inline static int32_t get_offset_of_serverType_0() { return static_cast<int32_t>(offsetof(TypeInfo_t78759231E8CBE4651477B12B4D57399542F4FB46, ___serverType_0)); }
inline String_t* get_serverType_0() const { return ___serverType_0; }
inline String_t** get_address_of_serverType_0() { return &___serverType_0; }
inline void set_serverType_0(String_t* value)
{
___serverType_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___serverType_0), (void*)value);
}
inline static int32_t get_offset_of_serverHierarchy_1() { return static_cast<int32_t>(offsetof(TypeInfo_t78759231E8CBE4651477B12B4D57399542F4FB46, ___serverHierarchy_1)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_serverHierarchy_1() const { return ___serverHierarchy_1; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_serverHierarchy_1() { return &___serverHierarchy_1; }
inline void set_serverHierarchy_1(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___serverHierarchy_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___serverHierarchy_1), (void*)value);
}
inline static int32_t get_offset_of_interfacesImplemented_2() { return static_cast<int32_t>(offsetof(TypeInfo_t78759231E8CBE4651477B12B4D57399542F4FB46, ___interfacesImplemented_2)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_interfacesImplemented_2() const { return ___interfacesImplemented_2; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_interfacesImplemented_2() { return &___interfacesImplemented_2; }
inline void set_interfacesImplemented_2(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___interfacesImplemented_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___interfacesImplemented_2), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.Binary.TypeInformation
struct TypeInformation_t3503150669B72C7392EACBC8F63F3E0392C3B34B : public RuntimeObject
{
public:
// System.String System.Runtime.Serialization.Formatters.Binary.TypeInformation::fullTypeName
String_t* ___fullTypeName_0;
// System.String System.Runtime.Serialization.Formatters.Binary.TypeInformation::assemblyString
String_t* ___assemblyString_1;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.TypeInformation::hasTypeForwardedFrom
bool ___hasTypeForwardedFrom_2;
public:
inline static int32_t get_offset_of_fullTypeName_0() { return static_cast<int32_t>(offsetof(TypeInformation_t3503150669B72C7392EACBC8F63F3E0392C3B34B, ___fullTypeName_0)); }
inline String_t* get_fullTypeName_0() const { return ___fullTypeName_0; }
inline String_t** get_address_of_fullTypeName_0() { return &___fullTypeName_0; }
inline void set_fullTypeName_0(String_t* value)
{
___fullTypeName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___fullTypeName_0), (void*)value);
}
inline static int32_t get_offset_of_assemblyString_1() { return static_cast<int32_t>(offsetof(TypeInformation_t3503150669B72C7392EACBC8F63F3E0392C3B34B, ___assemblyString_1)); }
inline String_t* get_assemblyString_1() const { return ___assemblyString_1; }
inline String_t** get_address_of_assemblyString_1() { return &___assemblyString_1; }
inline void set_assemblyString_1(String_t* value)
{
___assemblyString_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assemblyString_1), (void*)value);
}
inline static int32_t get_offset_of_hasTypeForwardedFrom_2() { return static_cast<int32_t>(offsetof(TypeInformation_t3503150669B72C7392EACBC8F63F3E0392C3B34B, ___hasTypeForwardedFrom_2)); }
inline bool get_hasTypeForwardedFrom_2() const { return ___hasTypeForwardedFrom_2; }
inline bool* get_address_of_hasTypeForwardedFrom_2() { return &___hasTypeForwardedFrom_2; }
inline void set_hasTypeForwardedFrom_2(bool value)
{
___hasTypeForwardedFrom_2 = value;
}
};
// System.Runtime.Serialization.TypeLoadExceptionHolder
struct TypeLoadExceptionHolder_t20AB0C4A3995BE52D344B37DDEFAE330659147E2 : public RuntimeObject
{
public:
// System.String System.Runtime.Serialization.TypeLoadExceptionHolder::m_typeName
String_t* ___m_typeName_0;
public:
inline static int32_t get_offset_of_m_typeName_0() { return static_cast<int32_t>(offsetof(TypeLoadExceptionHolder_t20AB0C4A3995BE52D344B37DDEFAE330659147E2, ___m_typeName_0)); }
inline String_t* get_m_typeName_0() const { return ___m_typeName_0; }
inline String_t** get_address_of_m_typeName_0() { return &___m_typeName_0; }
inline void set_m_typeName_0(String_t* value)
{
___m_typeName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_typeName_0), (void*)value);
}
};
// System.TypeNameParser
struct TypeNameParser_t970C620012EA91C9DA7671582B69F258D00C15BC : public RuntimeObject
{
public:
public:
};
// System.TypeNames
struct TypeNames_tC875F611547F8FDCCFA4C8E1AD715608B9CB4708 : public RuntimeObject
{
public:
public:
};
// System.TypeSpec
struct TypeSpec_tE9E80FF0411D2895C6D07A09A5B02E65D6AFCF29 : public RuntimeObject
{
public:
// System.TypeIdentifier System.TypeSpec::name
RuntimeObject* ___name_0;
// System.String System.TypeSpec::assembly_name
String_t* ___assembly_name_1;
// System.Collections.Generic.List`1<System.TypeIdentifier> System.TypeSpec::nested
List_1_tF05116F77D9D1198FCD80D3C852416C146DA5708 * ___nested_2;
// System.Collections.Generic.List`1<System.TypeSpec> System.TypeSpec::generic_params
List_1_tFCE6826611DDA07BF7BC248A498D8C3690364635 * ___generic_params_3;
// System.Collections.Generic.List`1<System.ModifierSpec> System.TypeSpec::modifier_spec
List_1_tF0C12A80ED2228F19412CFF80CBDD6C9D3C7021E * ___modifier_spec_4;
// System.Boolean System.TypeSpec::is_byref
bool ___is_byref_5;
// System.String System.TypeSpec::display_fullname
String_t* ___display_fullname_6;
public:
inline static int32_t get_offset_of_name_0() { return static_cast<int32_t>(offsetof(TypeSpec_tE9E80FF0411D2895C6D07A09A5B02E65D6AFCF29, ___name_0)); }
inline RuntimeObject* get_name_0() const { return ___name_0; }
inline RuntimeObject** get_address_of_name_0() { return &___name_0; }
inline void set_name_0(RuntimeObject* value)
{
___name_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_0), (void*)value);
}
inline static int32_t get_offset_of_assembly_name_1() { return static_cast<int32_t>(offsetof(TypeSpec_tE9E80FF0411D2895C6D07A09A5B02E65D6AFCF29, ___assembly_name_1)); }
inline String_t* get_assembly_name_1() const { return ___assembly_name_1; }
inline String_t** get_address_of_assembly_name_1() { return &___assembly_name_1; }
inline void set_assembly_name_1(String_t* value)
{
___assembly_name_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assembly_name_1), (void*)value);
}
inline static int32_t get_offset_of_nested_2() { return static_cast<int32_t>(offsetof(TypeSpec_tE9E80FF0411D2895C6D07A09A5B02E65D6AFCF29, ___nested_2)); }
inline List_1_tF05116F77D9D1198FCD80D3C852416C146DA5708 * get_nested_2() const { return ___nested_2; }
inline List_1_tF05116F77D9D1198FCD80D3C852416C146DA5708 ** get_address_of_nested_2() { return &___nested_2; }
inline void set_nested_2(List_1_tF05116F77D9D1198FCD80D3C852416C146DA5708 * value)
{
___nested_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___nested_2), (void*)value);
}
inline static int32_t get_offset_of_generic_params_3() { return static_cast<int32_t>(offsetof(TypeSpec_tE9E80FF0411D2895C6D07A09A5B02E65D6AFCF29, ___generic_params_3)); }
inline List_1_tFCE6826611DDA07BF7BC248A498D8C3690364635 * get_generic_params_3() const { return ___generic_params_3; }
inline List_1_tFCE6826611DDA07BF7BC248A498D8C3690364635 ** get_address_of_generic_params_3() { return &___generic_params_3; }
inline void set_generic_params_3(List_1_tFCE6826611DDA07BF7BC248A498D8C3690364635 * value)
{
___generic_params_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___generic_params_3), (void*)value);
}
inline static int32_t get_offset_of_modifier_spec_4() { return static_cast<int32_t>(offsetof(TypeSpec_tE9E80FF0411D2895C6D07A09A5B02E65D6AFCF29, ___modifier_spec_4)); }
inline List_1_tF0C12A80ED2228F19412CFF80CBDD6C9D3C7021E * get_modifier_spec_4() const { return ___modifier_spec_4; }
inline List_1_tF0C12A80ED2228F19412CFF80CBDD6C9D3C7021E ** get_address_of_modifier_spec_4() { return &___modifier_spec_4; }
inline void set_modifier_spec_4(List_1_tF0C12A80ED2228F19412CFF80CBDD6C9D3C7021E * value)
{
___modifier_spec_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___modifier_spec_4), (void*)value);
}
inline static int32_t get_offset_of_is_byref_5() { return static_cast<int32_t>(offsetof(TypeSpec_tE9E80FF0411D2895C6D07A09A5B02E65D6AFCF29, ___is_byref_5)); }
inline bool get_is_byref_5() const { return ___is_byref_5; }
inline bool* get_address_of_is_byref_5() { return &___is_byref_5; }
inline void set_is_byref_5(bool value)
{
___is_byref_5 = value;
}
inline static int32_t get_offset_of_display_fullname_6() { return static_cast<int32_t>(offsetof(TypeSpec_tE9E80FF0411D2895C6D07A09A5B02E65D6AFCF29, ___display_fullname_6)); }
inline String_t* get_display_fullname_6() const { return ___display_fullname_6; }
inline String_t** get_address_of_display_fullname_6() { return &___display_fullname_6; }
inline void set_display_fullname_6(String_t* value)
{
___display_fullname_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___display_fullname_6), (void*)value);
}
};
// System.Dynamic.Utils.TypeUtils
struct TypeUtils_t0A0AEA36D37671B596506F28FDF658970AA2DC0A : public RuntimeObject
{
public:
public:
};
struct TypeUtils_t0A0AEA36D37671B596506F28FDF658970AA2DC0A_StaticFields
{
public:
// System.Reflection.Assembly System.Dynamic.Utils.TypeUtils::s_mscorlib
Assembly_t * ___s_mscorlib_0;
public:
inline static int32_t get_offset_of_s_mscorlib_0() { return static_cast<int32_t>(offsetof(TypeUtils_t0A0AEA36D37671B596506F28FDF658970AA2DC0A_StaticFields, ___s_mscorlib_0)); }
inline Assembly_t * get_s_mscorlib_0() const { return ___s_mscorlib_0; }
inline Assembly_t ** get_address_of_s_mscorlib_0() { return &___s_mscorlib_0; }
inline void set_s_mscorlib_0(Assembly_t * value)
{
___s_mscorlib_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_mscorlib_0), (void*)value);
}
};
// UnityEngine.Localization.Pseudo.TypicalCharacterSets
struct TypicalCharacterSets_t29843768AF12C1914F1456840617CFABD5DFB774 : public RuntimeObject
{
public:
public:
};
struct TypicalCharacterSets_t29843768AF12C1914F1456840617CFABD5DFB774_StaticFields
{
public:
// System.Collections.Generic.Dictionary`2<UnityEngine.SystemLanguage,System.Char[]> UnityEngine.Localization.Pseudo.TypicalCharacterSets::s_TypicalCharacterSets
Dictionary_2_tCA2C87E080668A5EFD401147600C2030D6FC2EAF * ___s_TypicalCharacterSets_0;
public:
inline static int32_t get_offset_of_s_TypicalCharacterSets_0() { return static_cast<int32_t>(offsetof(TypicalCharacterSets_t29843768AF12C1914F1456840617CFABD5DFB774_StaticFields, ___s_TypicalCharacterSets_0)); }
inline Dictionary_2_tCA2C87E080668A5EFD401147600C2030D6FC2EAF * get_s_TypicalCharacterSets_0() const { return ___s_TypicalCharacterSets_0; }
inline Dictionary_2_tCA2C87E080668A5EFD401147600C2030D6FC2EAF ** get_address_of_s_TypicalCharacterSets_0() { return &___s_TypicalCharacterSets_0; }
inline void set_s_TypicalCharacterSets_0(Dictionary_2_tCA2C87E080668A5EFD401147600C2030D6FC2EAF * value)
{
___s_TypicalCharacterSets_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_TypicalCharacterSets_0), (void*)value);
}
};
// UnityEngine.UISystemProfilerApi
struct UISystemProfilerApi_t642D38AFC1B80CA673E5BB3235E14C831E630EAB : public RuntimeObject
{
public:
public:
};
// System.UncNameHelper
struct UncNameHelper_t8588082B217370E41636ED5A9EF5A608858709E9 : public RuntimeObject
{
public:
public:
};
// UnityEngine.UnhandledExceptionHandler
struct UnhandledExceptionHandler_tB9372CACCD13A470B7F86851C9707042D211D1DC : public RuntimeObject
{
public:
public:
};
// UnityEngine.Events.UnityEventBase
struct UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB : public RuntimeObject
{
public:
// UnityEngine.Events.InvokableCallList UnityEngine.Events.UnityEventBase::m_Calls
InvokableCallList_tB7C66AA0C00F9C102C8BDC17A144E569AC7527A9 * ___m_Calls_0;
// UnityEngine.Events.PersistentCallGroup UnityEngine.Events.UnityEventBase::m_PersistentCalls
PersistentCallGroup_t9A1D83DA2BA3118C103FA87D93CE92557A956FDC * ___m_PersistentCalls_1;
// System.Boolean UnityEngine.Events.UnityEventBase::m_CallsDirty
bool ___m_CallsDirty_2;
public:
inline static int32_t get_offset_of_m_Calls_0() { return static_cast<int32_t>(offsetof(UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB, ___m_Calls_0)); }
inline InvokableCallList_tB7C66AA0C00F9C102C8BDC17A144E569AC7527A9 * get_m_Calls_0() const { return ___m_Calls_0; }
inline InvokableCallList_tB7C66AA0C00F9C102C8BDC17A144E569AC7527A9 ** get_address_of_m_Calls_0() { return &___m_Calls_0; }
inline void set_m_Calls_0(InvokableCallList_tB7C66AA0C00F9C102C8BDC17A144E569AC7527A9 * value)
{
___m_Calls_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Calls_0), (void*)value);
}
inline static int32_t get_offset_of_m_PersistentCalls_1() { return static_cast<int32_t>(offsetof(UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB, ___m_PersistentCalls_1)); }
inline PersistentCallGroup_t9A1D83DA2BA3118C103FA87D93CE92557A956FDC * get_m_PersistentCalls_1() const { return ___m_PersistentCalls_1; }
inline PersistentCallGroup_t9A1D83DA2BA3118C103FA87D93CE92557A956FDC ** get_address_of_m_PersistentCalls_1() { return &___m_PersistentCalls_1; }
inline void set_m_PersistentCalls_1(PersistentCallGroup_t9A1D83DA2BA3118C103FA87D93CE92557A956FDC * value)
{
___m_PersistentCalls_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PersistentCalls_1), (void*)value);
}
inline static int32_t get_offset_of_m_CallsDirty_2() { return static_cast<int32_t>(offsetof(UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB, ___m_CallsDirty_2)); }
inline bool get_m_CallsDirty_2() const { return ___m_CallsDirty_2; }
inline bool* get_address_of_m_CallsDirty_2() { return &___m_CallsDirty_2; }
inline void set_m_CallsDirty_2(bool value)
{
___m_CallsDirty_2 = value;
}
};
// UnityEngine.Events.UnityEventTools
struct UnityEventTools_t91C81DC8D297A00FAD8427BEC49C6773E0950A09 : public RuntimeObject
{
public:
public:
};
// System.UnitySerializationHolder
struct UnitySerializationHolder_tC37284C3EDCF2C91B5AB93206565CCCFD6ACC49B : public RuntimeObject
{
public:
// System.Type[] System.UnitySerializationHolder::m_instantiation
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ___m_instantiation_0;
// System.Int32[] System.UnitySerializationHolder::m_elementTypes
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___m_elementTypes_1;
// System.Int32 System.UnitySerializationHolder::m_genericParameterPosition
int32_t ___m_genericParameterPosition_2;
// System.Type System.UnitySerializationHolder::m_declaringType
Type_t * ___m_declaringType_3;
// System.Reflection.MethodBase System.UnitySerializationHolder::m_declaringMethod
MethodBase_t * ___m_declaringMethod_4;
// System.String System.UnitySerializationHolder::m_data
String_t* ___m_data_5;
// System.String System.UnitySerializationHolder::m_assemblyName
String_t* ___m_assemblyName_6;
// System.Int32 System.UnitySerializationHolder::m_unityType
int32_t ___m_unityType_7;
public:
inline static int32_t get_offset_of_m_instantiation_0() { return static_cast<int32_t>(offsetof(UnitySerializationHolder_tC37284C3EDCF2C91B5AB93206565CCCFD6ACC49B, ___m_instantiation_0)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get_m_instantiation_0() const { return ___m_instantiation_0; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of_m_instantiation_0() { return &___m_instantiation_0; }
inline void set_m_instantiation_0(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
___m_instantiation_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_instantiation_0), (void*)value);
}
inline static int32_t get_offset_of_m_elementTypes_1() { return static_cast<int32_t>(offsetof(UnitySerializationHolder_tC37284C3EDCF2C91B5AB93206565CCCFD6ACC49B, ___m_elementTypes_1)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_m_elementTypes_1() const { return ___m_elementTypes_1; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_m_elementTypes_1() { return &___m_elementTypes_1; }
inline void set_m_elementTypes_1(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___m_elementTypes_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_elementTypes_1), (void*)value);
}
inline static int32_t get_offset_of_m_genericParameterPosition_2() { return static_cast<int32_t>(offsetof(UnitySerializationHolder_tC37284C3EDCF2C91B5AB93206565CCCFD6ACC49B, ___m_genericParameterPosition_2)); }
inline int32_t get_m_genericParameterPosition_2() const { return ___m_genericParameterPosition_2; }
inline int32_t* get_address_of_m_genericParameterPosition_2() { return &___m_genericParameterPosition_2; }
inline void set_m_genericParameterPosition_2(int32_t value)
{
___m_genericParameterPosition_2 = value;
}
inline static int32_t get_offset_of_m_declaringType_3() { return static_cast<int32_t>(offsetof(UnitySerializationHolder_tC37284C3EDCF2C91B5AB93206565CCCFD6ACC49B, ___m_declaringType_3)); }
inline Type_t * get_m_declaringType_3() const { return ___m_declaringType_3; }
inline Type_t ** get_address_of_m_declaringType_3() { return &___m_declaringType_3; }
inline void set_m_declaringType_3(Type_t * value)
{
___m_declaringType_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_declaringType_3), (void*)value);
}
inline static int32_t get_offset_of_m_declaringMethod_4() { return static_cast<int32_t>(offsetof(UnitySerializationHolder_tC37284C3EDCF2C91B5AB93206565CCCFD6ACC49B, ___m_declaringMethod_4)); }
inline MethodBase_t * get_m_declaringMethod_4() const { return ___m_declaringMethod_4; }
inline MethodBase_t ** get_address_of_m_declaringMethod_4() { return &___m_declaringMethod_4; }
inline void set_m_declaringMethod_4(MethodBase_t * value)
{
___m_declaringMethod_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_declaringMethod_4), (void*)value);
}
inline static int32_t get_offset_of_m_data_5() { return static_cast<int32_t>(offsetof(UnitySerializationHolder_tC37284C3EDCF2C91B5AB93206565CCCFD6ACC49B, ___m_data_5)); }
inline String_t* get_m_data_5() const { return ___m_data_5; }
inline String_t** get_address_of_m_data_5() { return &___m_data_5; }
inline void set_m_data_5(String_t* value)
{
___m_data_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_data_5), (void*)value);
}
inline static int32_t get_offset_of_m_assemblyName_6() { return static_cast<int32_t>(offsetof(UnitySerializationHolder_tC37284C3EDCF2C91B5AB93206565CCCFD6ACC49B, ___m_assemblyName_6)); }
inline String_t* get_m_assemblyName_6() const { return ___m_assemblyName_6; }
inline String_t** get_address_of_m_assemblyName_6() { return &___m_assemblyName_6; }
inline void set_m_assemblyName_6(String_t* value)
{
___m_assemblyName_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_assemblyName_6), (void*)value);
}
inline static int32_t get_offset_of_m_unityType_7() { return static_cast<int32_t>(offsetof(UnitySerializationHolder_tC37284C3EDCF2C91B5AB93206565CCCFD6ACC49B, ___m_unityType_7)); }
inline int32_t get_m_unityType_7() const { return ___m_unityType_7; }
inline int32_t* get_address_of_m_unityType_7() { return &___m_unityType_7; }
inline void set_m_unityType_7(int32_t value)
{
___m_unityType_7 = value;
}
};
// UnityEngine.UnityString
struct UnityString_t1F0FC4EA4EF5A9AAB2BF779CD416EB85F9F86609 : public RuntimeObject
{
public:
public:
};
// UnityEngine.ResourceManagement.Util.UnityWebRequestUtilities
struct UnityWebRequestUtilities_tDC1EF6EF674A799E3258909A843166DBFC876301 : public RuntimeObject
{
public:
public:
};
// Microsoft.Win32.UnixRegistryApi
struct UnixRegistryApi_tCC770C9223CF6108FB264A7BA5142227C2BC6D22 : public RuntimeObject
{
public:
public:
};
// System.Reflection.Emit.UnmanagedMarshal
struct UnmanagedMarshal_t12CF87C3315BAEC76D023A7D5C30FF8D0882F37F : public RuntimeObject
{
public:
public:
};
// Unity.Collections.LowLevel.Unsafe.UnsafeUtility
struct UnsafeUtility_tAA965823E05BE8ADD69F58C82BF0DF723476E551 : public RuntimeObject
{
public:
public:
};
// System.UriHelper
struct UriHelper_tBEFC75B3A4E9E35CB41ADAAE22E0D1D7EE65E53D : public RuntimeObject
{
public:
public:
};
struct UriHelper_tBEFC75B3A4E9E35CB41ADAAE22E0D1D7EE65E53D_StaticFields
{
public:
// System.Char[] System.UriHelper::HexUpperChars
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___HexUpperChars_0;
public:
inline static int32_t get_offset_of_HexUpperChars_0() { return static_cast<int32_t>(offsetof(UriHelper_tBEFC75B3A4E9E35CB41ADAAE22E0D1D7EE65E53D_StaticFields, ___HexUpperChars_0)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_HexUpperChars_0() const { return ___HexUpperChars_0; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_HexUpperChars_0() { return &___HexUpperChars_0; }
inline void set_HexUpperChars_0(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___HexUpperChars_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___HexUpperChars_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Extensions.ValueTupleSource
struct ValueTupleSource_t2CF3B6D442EF6FEBC98E0E0F1EE4042BD19A3A15 : public RuntimeObject
{
public:
// UnityEngine.Localization.SmartFormat.SmartFormatter UnityEngine.Localization.SmartFormat.Extensions.ValueTupleSource::_formatter
SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 * ____formatter_0;
public:
inline static int32_t get_offset_of__formatter_0() { return static_cast<int32_t>(offsetof(ValueTupleSource_t2CF3B6D442EF6FEBC98E0E0F1EE4042BD19A3A15, ____formatter_0)); }
inline SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 * get__formatter_0() const { return ____formatter_0; }
inline SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 ** get_address_of__formatter_0() { return &____formatter_0; }
inline void set__formatter_0(SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 * value)
{
____formatter_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____formatter_0), (void*)value);
}
};
// System.ValueType
struct ValueType_tDBF999C1B75C48C68621878250DBF6CDBCF51E52 : public RuntimeObject
{
public:
public:
};
// Native definition for P/Invoke marshalling of System.ValueType
struct ValueType_tDBF999C1B75C48C68621878250DBF6CDBCF51E52_marshaled_pinvoke
{
};
// Native definition for COM marshalling of System.ValueType
struct ValueType_tDBF999C1B75C48C68621878250DBF6CDBCF51E52_marshaled_com
{
};
// System.Runtime.Serialization.ValueTypeFixupInfo
struct ValueTypeFixupInfo_tBA01D7B8EF22CA79A46AA25F4EFCE2B312E9E547 : public RuntimeObject
{
public:
// System.Int64 System.Runtime.Serialization.ValueTypeFixupInfo::m_containerID
int64_t ___m_containerID_0;
// System.Reflection.FieldInfo System.Runtime.Serialization.ValueTypeFixupInfo::m_parentField
FieldInfo_t * ___m_parentField_1;
// System.Int32[] System.Runtime.Serialization.ValueTypeFixupInfo::m_parentIndex
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___m_parentIndex_2;
public:
inline static int32_t get_offset_of_m_containerID_0() { return static_cast<int32_t>(offsetof(ValueTypeFixupInfo_tBA01D7B8EF22CA79A46AA25F4EFCE2B312E9E547, ___m_containerID_0)); }
inline int64_t get_m_containerID_0() const { return ___m_containerID_0; }
inline int64_t* get_address_of_m_containerID_0() { return &___m_containerID_0; }
inline void set_m_containerID_0(int64_t value)
{
___m_containerID_0 = value;
}
inline static int32_t get_offset_of_m_parentField_1() { return static_cast<int32_t>(offsetof(ValueTypeFixupInfo_tBA01D7B8EF22CA79A46AA25F4EFCE2B312E9E547, ___m_parentField_1)); }
inline FieldInfo_t * get_m_parentField_1() const { return ___m_parentField_1; }
inline FieldInfo_t ** get_address_of_m_parentField_1() { return &___m_parentField_1; }
inline void set_m_parentField_1(FieldInfo_t * value)
{
___m_parentField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_parentField_1), (void*)value);
}
inline static int32_t get_offset_of_m_parentIndex_2() { return static_cast<int32_t>(offsetof(ValueTypeFixupInfo_tBA01D7B8EF22CA79A46AA25F4EFCE2B312E9E547, ___m_parentIndex_2)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_m_parentIndex_2() const { return ___m_parentIndex_2; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_m_parentIndex_2() { return &___m_parentIndex_2; }
inline void set_m_parentIndex_2(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___m_parentIndex_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_parentIndex_2), (void*)value);
}
};
// System.Version
struct Version_tBDAEDED25425A1D09910468B8BD1759115646E3C : public RuntimeObject
{
public:
// System.Int32 System.Version::_Major
int32_t ____Major_0;
// System.Int32 System.Version::_Minor
int32_t ____Minor_1;
// System.Int32 System.Version::_Build
int32_t ____Build_2;
// System.Int32 System.Version::_Revision
int32_t ____Revision_3;
public:
inline static int32_t get_offset_of__Major_0() { return static_cast<int32_t>(offsetof(Version_tBDAEDED25425A1D09910468B8BD1759115646E3C, ____Major_0)); }
inline int32_t get__Major_0() const { return ____Major_0; }
inline int32_t* get_address_of__Major_0() { return &____Major_0; }
inline void set__Major_0(int32_t value)
{
____Major_0 = value;
}
inline static int32_t get_offset_of__Minor_1() { return static_cast<int32_t>(offsetof(Version_tBDAEDED25425A1D09910468B8BD1759115646E3C, ____Minor_1)); }
inline int32_t get__Minor_1() const { return ____Minor_1; }
inline int32_t* get_address_of__Minor_1() { return &____Minor_1; }
inline void set__Minor_1(int32_t value)
{
____Minor_1 = value;
}
inline static int32_t get_offset_of__Build_2() { return static_cast<int32_t>(offsetof(Version_tBDAEDED25425A1D09910468B8BD1759115646E3C, ____Build_2)); }
inline int32_t get__Build_2() const { return ____Build_2; }
inline int32_t* get_address_of__Build_2() { return &____Build_2; }
inline void set__Build_2(int32_t value)
{
____Build_2 = value;
}
inline static int32_t get_offset_of__Revision_3() { return static_cast<int32_t>(offsetof(Version_tBDAEDED25425A1D09910468B8BD1759115646E3C, ____Revision_3)); }
inline int32_t get__Revision_3() const { return ____Revision_3; }
inline int32_t* get_address_of__Revision_3() { return &____Revision_3; }
inline void set__Revision_3(int32_t value)
{
____Revision_3 = value;
}
};
struct Version_tBDAEDED25425A1D09910468B8BD1759115646E3C_StaticFields
{
public:
// System.Char[] System.Version::SeparatorsArray
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___SeparatorsArray_4;
public:
inline static int32_t get_offset_of_SeparatorsArray_4() { return static_cast<int32_t>(offsetof(Version_tBDAEDED25425A1D09910468B8BD1759115646E3C_StaticFields, ___SeparatorsArray_4)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_SeparatorsArray_4() const { return ___SeparatorsArray_4; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_SeparatorsArray_4() { return &___SeparatorsArray_4; }
inline void set_SeparatorsArray_4(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___SeparatorsArray_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___SeparatorsArray_4), (void*)value);
}
};
// System.Threading.Volatile
struct Volatile_t7A8B2983396C4500A8FC226CDB66FE9067DA4AE6 : public RuntimeObject
{
public:
public:
};
// UnityEngine.WWWForm
struct WWWForm_t078274293DA1BDA9AB5689AF8BCBF0EE17A2BABB : public RuntimeObject
{
public:
public:
};
// UnityEngine.WWWTranscoder
struct WWWTranscoder_t61D467EE2097E0FE6FA215AAEA4D3BF4216CB771 : public RuntimeObject
{
public:
public:
};
struct WWWTranscoder_t61D467EE2097E0FE6FA215AAEA4D3BF4216CB771_StaticFields
{
public:
// System.Byte[] UnityEngine.WWWTranscoder::ucHexChars
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___ucHexChars_0;
// System.Byte[] UnityEngine.WWWTranscoder::lcHexChars
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___lcHexChars_1;
// System.Byte UnityEngine.WWWTranscoder::urlEscapeChar
uint8_t ___urlEscapeChar_2;
// System.Byte[] UnityEngine.WWWTranscoder::urlSpace
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___urlSpace_3;
// System.Byte[] UnityEngine.WWWTranscoder::dataSpace
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___dataSpace_4;
// System.Byte[] UnityEngine.WWWTranscoder::urlForbidden
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___urlForbidden_5;
// System.Byte UnityEngine.WWWTranscoder::qpEscapeChar
uint8_t ___qpEscapeChar_6;
// System.Byte[] UnityEngine.WWWTranscoder::qpSpace
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___qpSpace_7;
// System.Byte[] UnityEngine.WWWTranscoder::qpForbidden
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___qpForbidden_8;
public:
inline static int32_t get_offset_of_ucHexChars_0() { return static_cast<int32_t>(offsetof(WWWTranscoder_t61D467EE2097E0FE6FA215AAEA4D3BF4216CB771_StaticFields, ___ucHexChars_0)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_ucHexChars_0() const { return ___ucHexChars_0; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_ucHexChars_0() { return &___ucHexChars_0; }
inline void set_ucHexChars_0(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___ucHexChars_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ucHexChars_0), (void*)value);
}
inline static int32_t get_offset_of_lcHexChars_1() { return static_cast<int32_t>(offsetof(WWWTranscoder_t61D467EE2097E0FE6FA215AAEA4D3BF4216CB771_StaticFields, ___lcHexChars_1)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_lcHexChars_1() const { return ___lcHexChars_1; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_lcHexChars_1() { return &___lcHexChars_1; }
inline void set_lcHexChars_1(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___lcHexChars_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___lcHexChars_1), (void*)value);
}
inline static int32_t get_offset_of_urlEscapeChar_2() { return static_cast<int32_t>(offsetof(WWWTranscoder_t61D467EE2097E0FE6FA215AAEA4D3BF4216CB771_StaticFields, ___urlEscapeChar_2)); }
inline uint8_t get_urlEscapeChar_2() const { return ___urlEscapeChar_2; }
inline uint8_t* get_address_of_urlEscapeChar_2() { return &___urlEscapeChar_2; }
inline void set_urlEscapeChar_2(uint8_t value)
{
___urlEscapeChar_2 = value;
}
inline static int32_t get_offset_of_urlSpace_3() { return static_cast<int32_t>(offsetof(WWWTranscoder_t61D467EE2097E0FE6FA215AAEA4D3BF4216CB771_StaticFields, ___urlSpace_3)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_urlSpace_3() const { return ___urlSpace_3; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_urlSpace_3() { return &___urlSpace_3; }
inline void set_urlSpace_3(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___urlSpace_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___urlSpace_3), (void*)value);
}
inline static int32_t get_offset_of_dataSpace_4() { return static_cast<int32_t>(offsetof(WWWTranscoder_t61D467EE2097E0FE6FA215AAEA4D3BF4216CB771_StaticFields, ___dataSpace_4)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_dataSpace_4() const { return ___dataSpace_4; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_dataSpace_4() { return &___dataSpace_4; }
inline void set_dataSpace_4(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___dataSpace_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___dataSpace_4), (void*)value);
}
inline static int32_t get_offset_of_urlForbidden_5() { return static_cast<int32_t>(offsetof(WWWTranscoder_t61D467EE2097E0FE6FA215AAEA4D3BF4216CB771_StaticFields, ___urlForbidden_5)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_urlForbidden_5() const { return ___urlForbidden_5; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_urlForbidden_5() { return &___urlForbidden_5; }
inline void set_urlForbidden_5(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___urlForbidden_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___urlForbidden_5), (void*)value);
}
inline static int32_t get_offset_of_qpEscapeChar_6() { return static_cast<int32_t>(offsetof(WWWTranscoder_t61D467EE2097E0FE6FA215AAEA4D3BF4216CB771_StaticFields, ___qpEscapeChar_6)); }
inline uint8_t get_qpEscapeChar_6() const { return ___qpEscapeChar_6; }
inline uint8_t* get_address_of_qpEscapeChar_6() { return &___qpEscapeChar_6; }
inline void set_qpEscapeChar_6(uint8_t value)
{
___qpEscapeChar_6 = value;
}
inline static int32_t get_offset_of_qpSpace_7() { return static_cast<int32_t>(offsetof(WWWTranscoder_t61D467EE2097E0FE6FA215AAEA4D3BF4216CB771_StaticFields, ___qpSpace_7)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_qpSpace_7() const { return ___qpSpace_7; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_qpSpace_7() { return &___qpSpace_7; }
inline void set_qpSpace_7(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___qpSpace_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___qpSpace_7), (void*)value);
}
inline static int32_t get_offset_of_qpForbidden_8() { return static_cast<int32_t>(offsetof(WWWTranscoder_t61D467EE2097E0FE6FA215AAEA4D3BF4216CB771_StaticFields, ___qpForbidden_8)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_qpForbidden_8() const { return ___qpForbidden_8; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_qpForbidden_8() { return &___qpForbidden_8; }
inline void set_qpForbidden_8(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___qpForbidden_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___qpForbidden_8), (void*)value);
}
};
// UnityEngine.ResourceManagement.WebRequestQueue
struct WebRequestQueue_tF61BB018FE0D4E900245AB6612FCDBED34E81D39 : public RuntimeObject
{
public:
public:
};
struct WebRequestQueue_tF61BB018FE0D4E900245AB6612FCDBED34E81D39_StaticFields
{
public:
// System.Int32 UnityEngine.ResourceManagement.WebRequestQueue::s_MaxRequest
int32_t ___s_MaxRequest_0;
// System.Collections.Generic.Queue`1<UnityEngine.ResourceManagement.WebRequestQueueOperation> UnityEngine.ResourceManagement.WebRequestQueue::s_QueuedOperations
Queue_1_t6A60F42682496491972A28489112505D2032BA35 * ___s_QueuedOperations_1;
// System.Collections.Generic.List`1<UnityEngine.Networking.UnityWebRequestAsyncOperation> UnityEngine.ResourceManagement.WebRequestQueue::s_ActiveRequests
List_1_t172C5687DE1B9C80F50F12947091A97FDBED2B2D * ___s_ActiveRequests_2;
public:
inline static int32_t get_offset_of_s_MaxRequest_0() { return static_cast<int32_t>(offsetof(WebRequestQueue_tF61BB018FE0D4E900245AB6612FCDBED34E81D39_StaticFields, ___s_MaxRequest_0)); }
inline int32_t get_s_MaxRequest_0() const { return ___s_MaxRequest_0; }
inline int32_t* get_address_of_s_MaxRequest_0() { return &___s_MaxRequest_0; }
inline void set_s_MaxRequest_0(int32_t value)
{
___s_MaxRequest_0 = value;
}
inline static int32_t get_offset_of_s_QueuedOperations_1() { return static_cast<int32_t>(offsetof(WebRequestQueue_tF61BB018FE0D4E900245AB6612FCDBED34E81D39_StaticFields, ___s_QueuedOperations_1)); }
inline Queue_1_t6A60F42682496491972A28489112505D2032BA35 * get_s_QueuedOperations_1() const { return ___s_QueuedOperations_1; }
inline Queue_1_t6A60F42682496491972A28489112505D2032BA35 ** get_address_of_s_QueuedOperations_1() { return &___s_QueuedOperations_1; }
inline void set_s_QueuedOperations_1(Queue_1_t6A60F42682496491972A28489112505D2032BA35 * value)
{
___s_QueuedOperations_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_QueuedOperations_1), (void*)value);
}
inline static int32_t get_offset_of_s_ActiveRequests_2() { return static_cast<int32_t>(offsetof(WebRequestQueue_tF61BB018FE0D4E900245AB6612FCDBED34E81D39_StaticFields, ___s_ActiveRequests_2)); }
inline List_1_t172C5687DE1B9C80F50F12947091A97FDBED2B2D * get_s_ActiveRequests_2() const { return ___s_ActiveRequests_2; }
inline List_1_t172C5687DE1B9C80F50F12947091A97FDBED2B2D ** get_address_of_s_ActiveRequests_2() { return &___s_ActiveRequests_2; }
inline void set_s_ActiveRequests_2(List_1_t172C5687DE1B9C80F50F12947091A97FDBED2B2D * value)
{
___s_ActiveRequests_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_ActiveRequests_2), (void*)value);
}
};
// UnityEngine.ResourceManagement.WebRequestQueueOperation
struct WebRequestQueueOperation_tFC444676FD6ECC4D7F23A1C6CA9864124DC0D151 : public RuntimeObject
{
public:
// UnityEngine.Networking.UnityWebRequestAsyncOperation UnityEngine.ResourceManagement.WebRequestQueueOperation::Result
UnityWebRequestAsyncOperation_tDCAC6B6C7D51563F8DFD4963E3BE362470125396 * ___Result_0;
// System.Action`1<UnityEngine.Networking.UnityWebRequestAsyncOperation> UnityEngine.ResourceManagement.WebRequestQueueOperation::OnComplete
Action_1_tB9BFE9047605113DA05289A8C362B9699EBCF696 * ___OnComplete_1;
// UnityEngine.Networking.UnityWebRequest UnityEngine.ResourceManagement.WebRequestQueueOperation::m_WebRequest
UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E * ___m_WebRequest_2;
public:
inline static int32_t get_offset_of_Result_0() { return static_cast<int32_t>(offsetof(WebRequestQueueOperation_tFC444676FD6ECC4D7F23A1C6CA9864124DC0D151, ___Result_0)); }
inline UnityWebRequestAsyncOperation_tDCAC6B6C7D51563F8DFD4963E3BE362470125396 * get_Result_0() const { return ___Result_0; }
inline UnityWebRequestAsyncOperation_tDCAC6B6C7D51563F8DFD4963E3BE362470125396 ** get_address_of_Result_0() { return &___Result_0; }
inline void set_Result_0(UnityWebRequestAsyncOperation_tDCAC6B6C7D51563F8DFD4963E3BE362470125396 * value)
{
___Result_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Result_0), (void*)value);
}
inline static int32_t get_offset_of_OnComplete_1() { return static_cast<int32_t>(offsetof(WebRequestQueueOperation_tFC444676FD6ECC4D7F23A1C6CA9864124DC0D151, ___OnComplete_1)); }
inline Action_1_tB9BFE9047605113DA05289A8C362B9699EBCF696 * get_OnComplete_1() const { return ___OnComplete_1; }
inline Action_1_tB9BFE9047605113DA05289A8C362B9699EBCF696 ** get_address_of_OnComplete_1() { return &___OnComplete_1; }
inline void set_OnComplete_1(Action_1_tB9BFE9047605113DA05289A8C362B9699EBCF696 * value)
{
___OnComplete_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___OnComplete_1), (void*)value);
}
inline static int32_t get_offset_of_m_WebRequest_2() { return static_cast<int32_t>(offsetof(WebRequestQueueOperation_tFC444676FD6ECC4D7F23A1C6CA9864124DC0D151, ___m_WebRequest_2)); }
inline UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E * get_m_WebRequest_2() const { return ___m_WebRequest_2; }
inline UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E ** get_address_of_m_WebRequest_2() { return &___m_WebRequest_2; }
inline void set_m_WebRequest_2(UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E * value)
{
___m_WebRequest_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_WebRequest_2), (void*)value);
}
};
// UnityEngineInternal.WebRequestUtils
struct WebRequestUtils_t3FE2D9FD71A02CD3AF8C91B81280F59E5CF26392 : public RuntimeObject
{
public:
public:
};
struct WebRequestUtils_t3FE2D9FD71A02CD3AF8C91B81280F59E5CF26392_StaticFields
{
public:
// System.Text.RegularExpressions.Regex UnityEngineInternal.WebRequestUtils::domainRegex
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * ___domainRegex_0;
public:
inline static int32_t get_offset_of_domainRegex_0() { return static_cast<int32_t>(offsetof(WebRequestUtils_t3FE2D9FD71A02CD3AF8C91B81280F59E5CF26392_StaticFields, ___domainRegex_0)); }
inline Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * get_domainRegex_0() const { return ___domainRegex_0; }
inline Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F ** get_address_of_domainRegex_0() { return &___domainRegex_0; }
inline void set_domainRegex_0(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * value)
{
___domainRegex_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___domainRegex_0), (void*)value);
}
};
// Microsoft.Win32.Win32Native
struct Win32Native_t8215A4D65A436D8F5C7E28758E77E6C56D0E70BC : public RuntimeObject
{
public:
public:
};
// Microsoft.Win32.Win32RegistryApi
struct Win32RegistryApi_t62018042705CDFC186719F012DAEFE11D789957B : public RuntimeObject
{
public:
// System.Int32 Microsoft.Win32.Win32RegistryApi::NativeBytesPerCharacter
int32_t ___NativeBytesPerCharacter_0;
public:
inline static int32_t get_offset_of_NativeBytesPerCharacter_0() { return static_cast<int32_t>(offsetof(Win32RegistryApi_t62018042705CDFC186719F012DAEFE11D789957B, ___NativeBytesPerCharacter_0)); }
inline int32_t get_NativeBytesPerCharacter_0() const { return ___NativeBytesPerCharacter_0; }
inline int32_t* get_address_of_NativeBytesPerCharacter_0() { return &___NativeBytesPerCharacter_0; }
inline void set_NativeBytesPerCharacter_0(int32_t value)
{
___NativeBytesPerCharacter_0 = value;
}
};
// System.Security.Cryptography.X509Certificates.X509Utils
struct X509Utils_tC790ED685B9F900AAEC02480B011B3492CD44BE9 : public RuntimeObject
{
public:
public:
};
// System.Xml.Linq.XName
struct XName_t03F670C1FC8B039AC94EB7B0BAE881E6E3545956 : public RuntimeObject
{
public:
// System.Xml.Linq.XNamespace System.Xml.Linq.XName::ns
XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7 * ___ns_0;
// System.String System.Xml.Linq.XName::localName
String_t* ___localName_1;
// System.Int32 System.Xml.Linq.XName::hashCode
int32_t ___hashCode_2;
public:
inline static int32_t get_offset_of_ns_0() { return static_cast<int32_t>(offsetof(XName_t03F670C1FC8B039AC94EB7B0BAE881E6E3545956, ___ns_0)); }
inline XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7 * get_ns_0() const { return ___ns_0; }
inline XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7 ** get_address_of_ns_0() { return &___ns_0; }
inline void set_ns_0(XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7 * value)
{
___ns_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ns_0), (void*)value);
}
inline static int32_t get_offset_of_localName_1() { return static_cast<int32_t>(offsetof(XName_t03F670C1FC8B039AC94EB7B0BAE881E6E3545956, ___localName_1)); }
inline String_t* get_localName_1() const { return ___localName_1; }
inline String_t** get_address_of_localName_1() { return &___localName_1; }
inline void set_localName_1(String_t* value)
{
___localName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___localName_1), (void*)value);
}
inline static int32_t get_offset_of_hashCode_2() { return static_cast<int32_t>(offsetof(XName_t03F670C1FC8B039AC94EB7B0BAE881E6E3545956, ___hashCode_2)); }
inline int32_t get_hashCode_2() const { return ___hashCode_2; }
inline int32_t* get_address_of_hashCode_2() { return &___hashCode_2; }
inline void set_hashCode_2(int32_t value)
{
___hashCode_2 = value;
}
};
// System.Xml.Linq.XNamespace
struct XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7 : public RuntimeObject
{
public:
// System.String System.Xml.Linq.XNamespace::namespaceName
String_t* ___namespaceName_4;
// System.Int32 System.Xml.Linq.XNamespace::hashCode
int32_t ___hashCode_5;
// System.Xml.Linq.XHashtable`1<System.Xml.Linq.XName> System.Xml.Linq.XNamespace::names
XHashtable_1_tED019C524F9D180B656801A9DA06DAE1BBF0E49F * ___names_6;
public:
inline static int32_t get_offset_of_namespaceName_4() { return static_cast<int32_t>(offsetof(XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7, ___namespaceName_4)); }
inline String_t* get_namespaceName_4() const { return ___namespaceName_4; }
inline String_t** get_address_of_namespaceName_4() { return &___namespaceName_4; }
inline void set_namespaceName_4(String_t* value)
{
___namespaceName_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___namespaceName_4), (void*)value);
}
inline static int32_t get_offset_of_hashCode_5() { return static_cast<int32_t>(offsetof(XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7, ___hashCode_5)); }
inline int32_t get_hashCode_5() const { return ___hashCode_5; }
inline int32_t* get_address_of_hashCode_5() { return &___hashCode_5; }
inline void set_hashCode_5(int32_t value)
{
___hashCode_5 = value;
}
inline static int32_t get_offset_of_names_6() { return static_cast<int32_t>(offsetof(XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7, ___names_6)); }
inline XHashtable_1_tED019C524F9D180B656801A9DA06DAE1BBF0E49F * get_names_6() const { return ___names_6; }
inline XHashtable_1_tED019C524F9D180B656801A9DA06DAE1BBF0E49F ** get_address_of_names_6() { return &___names_6; }
inline void set_names_6(XHashtable_1_tED019C524F9D180B656801A9DA06DAE1BBF0E49F * value)
{
___names_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___names_6), (void*)value);
}
};
struct XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7_StaticFields
{
public:
// System.Xml.Linq.XHashtable`1<System.WeakReference> System.Xml.Linq.XNamespace::namespaces
XHashtable_1_tADB9EC257A4C5D4BA119F82D8518A518A69352BD * ___namespaces_0;
// System.WeakReference System.Xml.Linq.XNamespace::refNone
WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 * ___refNone_1;
// System.WeakReference System.Xml.Linq.XNamespace::refXml
WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 * ___refXml_2;
// System.WeakReference System.Xml.Linq.XNamespace::refXmlns
WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 * ___refXmlns_3;
public:
inline static int32_t get_offset_of_namespaces_0() { return static_cast<int32_t>(offsetof(XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7_StaticFields, ___namespaces_0)); }
inline XHashtable_1_tADB9EC257A4C5D4BA119F82D8518A518A69352BD * get_namespaces_0() const { return ___namespaces_0; }
inline XHashtable_1_tADB9EC257A4C5D4BA119F82D8518A518A69352BD ** get_address_of_namespaces_0() { return &___namespaces_0; }
inline void set_namespaces_0(XHashtable_1_tADB9EC257A4C5D4BA119F82D8518A518A69352BD * value)
{
___namespaces_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___namespaces_0), (void*)value);
}
inline static int32_t get_offset_of_refNone_1() { return static_cast<int32_t>(offsetof(XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7_StaticFields, ___refNone_1)); }
inline WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 * get_refNone_1() const { return ___refNone_1; }
inline WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 ** get_address_of_refNone_1() { return &___refNone_1; }
inline void set_refNone_1(WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 * value)
{
___refNone_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___refNone_1), (void*)value);
}
inline static int32_t get_offset_of_refXml_2() { return static_cast<int32_t>(offsetof(XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7_StaticFields, ___refXml_2)); }
inline WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 * get_refXml_2() const { return ___refXml_2; }
inline WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 ** get_address_of_refXml_2() { return &___refXml_2; }
inline void set_refXml_2(WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 * value)
{
___refXml_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___refXml_2), (void*)value);
}
inline static int32_t get_offset_of_refXmlns_3() { return static_cast<int32_t>(offsetof(XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7_StaticFields, ___refXmlns_3)); }
inline WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 * get_refXmlns_3() const { return ___refXmlns_3; }
inline WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 ** get_address_of_refXmlns_3() { return &___refXmlns_3; }
inline void set_refXmlns_3(WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 * value)
{
___refXmlns_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___refXmlns_3), (void*)value);
}
};
// System.Xml.Linq.XObject
struct XObject_tD3CAB609801011E5C4A0FC219FA717B6B382C5D6 : public RuntimeObject
{
public:
// System.Xml.Linq.XContainer System.Xml.Linq.XObject::parent
XContainer_t195526C99472280E1DE55FCBAF9060CD9DE37525 * ___parent_0;
public:
inline static int32_t get_offset_of_parent_0() { return static_cast<int32_t>(offsetof(XObject_tD3CAB609801011E5C4A0FC219FA717B6B382C5D6, ___parent_0)); }
inline XContainer_t195526C99472280E1DE55FCBAF9060CD9DE37525 * get_parent_0() const { return ___parent_0; }
inline XContainer_t195526C99472280E1DE55FCBAF9060CD9DE37525 ** get_address_of_parent_0() { return &___parent_0; }
inline void set_parent_0(XContainer_t195526C99472280E1DE55FCBAF9060CD9DE37525 * value)
{
___parent_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___parent_0), (void*)value);
}
};
// UnityEngine.XR.ARSubsystems.XRCpuImageAsyncConversionStatusExtensions
struct XRCpuImageAsyncConversionStatusExtensions_t7164D356FBAB03DC5B3EE152FB8E2697F616FA2B : public RuntimeObject
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRCpuImageFormatExtensions
struct XRCpuImageFormatExtensions_t076F5D70EF8D4E4F930C7ABB9B2BF2646DFA7AED : public RuntimeObject
{
public:
public:
};
// UnityEngine.XR.Management.XRManagementAnalytics
struct XRManagementAnalytics_tDE4A4982DC5ED0711D2F4A52850AB7F44E446251 : public RuntimeObject
{
public:
public:
};
struct XRManagementAnalytics_tDE4A4982DC5ED0711D2F4A52850AB7F44E446251_StaticFields
{
public:
// System.Boolean UnityEngine.XR.Management.XRManagementAnalytics::s_Initialized
bool ___s_Initialized_4;
public:
inline static int32_t get_offset_of_s_Initialized_4() { return static_cast<int32_t>(offsetof(XRManagementAnalytics_tDE4A4982DC5ED0711D2F4A52850AB7F44E446251_StaticFields, ___s_Initialized_4)); }
inline bool get_s_Initialized_4() const { return ___s_Initialized_4; }
inline bool* get_address_of_s_Initialized_4() { return &___s_Initialized_4; }
inline void set_s_Initialized_4(bool value)
{
___s_Initialized_4 = value;
}
};
// System.Xml.XmlNode
struct XmlNode_t26782CDADA207DFC891B2772C8DB236DD3D324A1 : public RuntimeObject
{
public:
public:
};
// System.Xml.XmlReader
struct XmlReader_tECCB3D8B757F8CE744EF0430F338BEF15E060138 : public RuntimeObject
{
public:
public:
};
struct XmlReader_tECCB3D8B757F8CE744EF0430F338BEF15E060138_StaticFields
{
public:
// System.UInt32 System.Xml.XmlReader::IsTextualNodeBitmap
uint32_t ___IsTextualNodeBitmap_0;
// System.UInt32 System.Xml.XmlReader::CanReadContentAsBitmap
uint32_t ___CanReadContentAsBitmap_1;
// System.UInt32 System.Xml.XmlReader::HasValueBitmap
uint32_t ___HasValueBitmap_2;
public:
inline static int32_t get_offset_of_IsTextualNodeBitmap_0() { return static_cast<int32_t>(offsetof(XmlReader_tECCB3D8B757F8CE744EF0430F338BEF15E060138_StaticFields, ___IsTextualNodeBitmap_0)); }
inline uint32_t get_IsTextualNodeBitmap_0() const { return ___IsTextualNodeBitmap_0; }
inline uint32_t* get_address_of_IsTextualNodeBitmap_0() { return &___IsTextualNodeBitmap_0; }
inline void set_IsTextualNodeBitmap_0(uint32_t value)
{
___IsTextualNodeBitmap_0 = value;
}
inline static int32_t get_offset_of_CanReadContentAsBitmap_1() { return static_cast<int32_t>(offsetof(XmlReader_tECCB3D8B757F8CE744EF0430F338BEF15E060138_StaticFields, ___CanReadContentAsBitmap_1)); }
inline uint32_t get_CanReadContentAsBitmap_1() const { return ___CanReadContentAsBitmap_1; }
inline uint32_t* get_address_of_CanReadContentAsBitmap_1() { return &___CanReadContentAsBitmap_1; }
inline void set_CanReadContentAsBitmap_1(uint32_t value)
{
___CanReadContentAsBitmap_1 = value;
}
inline static int32_t get_offset_of_HasValueBitmap_2() { return static_cast<int32_t>(offsetof(XmlReader_tECCB3D8B757F8CE744EF0430F338BEF15E060138_StaticFields, ___HasValueBitmap_2)); }
inline uint32_t get_HasValueBitmap_2() const { return ___HasValueBitmap_2; }
inline uint32_t* get_address_of_HasValueBitmap_2() { return &___HasValueBitmap_2; }
inline void set_HasValueBitmap_2(uint32_t value)
{
___HasValueBitmap_2 = value;
}
};
// UnityEngine.Localization.SmartFormat.Extensions.XmlSource
struct XmlSource_tEC3A1EEE4810C2BBB24FD178509C9511FA0298B7 : public RuntimeObject
{
public:
public:
};
// UnityEngine.YieldInstruction
struct YieldInstruction_tB0B4E05316710E51ECCC1E57174C27FE6DEBBEAF : public RuntimeObject
{
public:
public:
};
// Native definition for P/Invoke marshalling of UnityEngine.YieldInstruction
struct YieldInstruction_tB0B4E05316710E51ECCC1E57174C27FE6DEBBEAF_marshaled_pinvoke
{
};
// Native definition for COM marshalling of UnityEngine.YieldInstruction
struct YieldInstruction_tB0B4E05316710E51ECCC1E57174C27FE6DEBBEAF_marshaled_com
{
};
// System.Threading._ThreadPoolWaitCallback
struct _ThreadPoolWaitCallback_t4143CBF487D01C0851E77A5081826096356E2DCA : public RuntimeObject
{
public:
public:
};
// System.__ComObject
struct __ComObject_t4152BACD0EC1101BF0FAF0E775F69F4193ABF26A : public RuntimeObject
{
public:
public:
};
// System.IO.__Error
struct __Error_t3224F94DEF85A959CF9F7C931AF88FF1F33048DF : public RuntimeObject
{
public:
public:
};
// System.__Filters
struct __Filters_tAF4A49AFB460D93A6F8DFE00DAF3D2A087A653A7 : public RuntimeObject
{
public:
public:
};
struct __Filters_tAF4A49AFB460D93A6F8DFE00DAF3D2A087A653A7_StaticFields
{
public:
// System.__Filters System.__Filters::Instance
__Filters_tAF4A49AFB460D93A6F8DFE00DAF3D2A087A653A7 * ___Instance_0;
public:
inline static int32_t get_offset_of_Instance_0() { return static_cast<int32_t>(offsetof(__Filters_tAF4A49AFB460D93A6F8DFE00DAF3D2A087A653A7_StaticFields, ___Instance_0)); }
inline __Filters_tAF4A49AFB460D93A6F8DFE00DAF3D2A087A653A7 * get_Instance_0() const { return ___Instance_0; }
inline __Filters_tAF4A49AFB460D93A6F8DFE00DAF3D2A087A653A7 ** get_address_of_Instance_0() { return &___Instance_0; }
inline void set_Instance_0(__Filters_tAF4A49AFB460D93A6F8DFE00DAF3D2A087A653A7 * value)
{
___Instance_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Instance_0), (void*)value);
}
};
// System.__Il2CppComObject
// UnityEngine.XR.ARFoundation.ARMeshManager/TrackableIdComparer
struct TrackableIdComparer_tCD1A65D85AA496BEA82722E9EE819158EE0DC0CB : public RuntimeObject
{
public:
public:
};
// UnityEngine.AddressableAssets.AddressablesImpl/<>c__DisplayClass120_0
struct U3CU3Ec__DisplayClass120_0_t0AFEDA5C3A09134C2BFD9EF2598325C00820998F : public RuntimeObject
{
public:
// UnityEngine.AddressableAssets.AddressablesImpl UnityEngine.AddressableAssets.AddressablesImpl/<>c__DisplayClass120_0::<>4__this
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * ___U3CU3E4__this_0;
// System.Boolean UnityEngine.AddressableAssets.AddressablesImpl/<>c__DisplayClass120_0::autoReleaseHandle
bool ___autoReleaseHandle_1;
public:
inline static int32_t get_offset_of_U3CU3E4__this_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass120_0_t0AFEDA5C3A09134C2BFD9EF2598325C00820998F, ___U3CU3E4__this_0)); }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * get_U3CU3E4__this_0() const { return ___U3CU3E4__this_0; }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 ** get_address_of_U3CU3E4__this_0() { return &___U3CU3E4__this_0; }
inline void set_U3CU3E4__this_0(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * value)
{
___U3CU3E4__this_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_0), (void*)value);
}
inline static int32_t get_offset_of_autoReleaseHandle_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass120_0_t0AFEDA5C3A09134C2BFD9EF2598325C00820998F, ___autoReleaseHandle_1)); }
inline bool get_autoReleaseHandle_1() const { return ___autoReleaseHandle_1; }
inline bool* get_address_of_autoReleaseHandle_1() { return &___autoReleaseHandle_1; }
inline void set_autoReleaseHandle_1(bool value)
{
___autoReleaseHandle_1 = value;
}
};
// UnityEngine.AddressableAssets.AddressablesImpl/<>c__DisplayClass121_0
struct U3CU3Ec__DisplayClass121_0_tED23EC987266944A8AF7E3CF834CC167903E171F : public RuntimeObject
{
public:
// UnityEngine.AddressableAssets.AddressablesImpl UnityEngine.AddressableAssets.AddressablesImpl/<>c__DisplayClass121_0::<>4__this
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * ___U3CU3E4__this_0;
// System.Boolean UnityEngine.AddressableAssets.AddressablesImpl/<>c__DisplayClass121_0::autoReleaseHandle
bool ___autoReleaseHandle_1;
public:
inline static int32_t get_offset_of_U3CU3E4__this_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass121_0_tED23EC987266944A8AF7E3CF834CC167903E171F, ___U3CU3E4__this_0)); }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * get_U3CU3E4__this_0() const { return ___U3CU3E4__this_0; }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 ** get_address_of_U3CU3E4__this_0() { return &___U3CU3E4__this_0; }
inline void set_U3CU3E4__this_0(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * value)
{
___U3CU3E4__this_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_0), (void*)value);
}
inline static int32_t get_offset_of_autoReleaseHandle_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass121_0_tED23EC987266944A8AF7E3CF834CC167903E171F, ___autoReleaseHandle_1)); }
inline bool get_autoReleaseHandle_1() const { return ___autoReleaseHandle_1; }
inline bool* get_address_of_autoReleaseHandle_1() { return &___autoReleaseHandle_1; }
inline void set_autoReleaseHandle_1(bool value)
{
___autoReleaseHandle_1 = value;
}
};
// UnityEngine.AddressableAssets.AddressablesImpl/<>c__DisplayClass57_0
struct U3CU3Ec__DisplayClass57_0_t3BB07C6ADD529F6C903AC139E1A8E3B3961D6FB2 : public RuntimeObject
{
public:
// UnityEngine.AddressableAssets.ResourceLocators.IResourceLocator UnityEngine.AddressableAssets.AddressablesImpl/<>c__DisplayClass57_0::loc
RuntimeObject* ___loc_0;
public:
inline static int32_t get_offset_of_loc_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass57_0_t3BB07C6ADD529F6C903AC139E1A8E3B3961D6FB2, ___loc_0)); }
inline RuntimeObject* get_loc_0() const { return ___loc_0; }
inline RuntimeObject** get_address_of_loc_0() { return &___loc_0; }
inline void set_loc_0(RuntimeObject* value)
{
___loc_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___loc_0), (void*)value);
}
};
// UnityEngine.AddressableAssets.AddressablesImpl/<>c__DisplayClass76_0
struct U3CU3Ec__DisplayClass76_0_t34CD0C81B6845D67064D2B6465BB4AF7F1334B64 : public RuntimeObject
{
public:
// UnityEngine.AddressableAssets.AddressablesImpl UnityEngine.AddressableAssets.AddressablesImpl/<>c__DisplayClass76_0::<>4__this
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * ___U3CU3E4__this_0;
// System.Object UnityEngine.AddressableAssets.AddressablesImpl/<>c__DisplayClass76_0::key
RuntimeObject * ___key_1;
// System.Type UnityEngine.AddressableAssets.AddressablesImpl/<>c__DisplayClass76_0::type
Type_t * ___type_2;
public:
inline static int32_t get_offset_of_U3CU3E4__this_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass76_0_t34CD0C81B6845D67064D2B6465BB4AF7F1334B64, ___U3CU3E4__this_0)); }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * get_U3CU3E4__this_0() const { return ___U3CU3E4__this_0; }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 ** get_address_of_U3CU3E4__this_0() { return &___U3CU3E4__this_0; }
inline void set_U3CU3E4__this_0(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * value)
{
___U3CU3E4__this_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_0), (void*)value);
}
inline static int32_t get_offset_of_key_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass76_0_t34CD0C81B6845D67064D2B6465BB4AF7F1334B64, ___key_1)); }
inline RuntimeObject * get_key_1() const { return ___key_1; }
inline RuntimeObject ** get_address_of_key_1() { return &___key_1; }
inline void set_key_1(RuntimeObject * value)
{
___key_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___key_1), (void*)value);
}
inline static int32_t get_offset_of_type_2() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass76_0_t34CD0C81B6845D67064D2B6465BB4AF7F1334B64, ___type_2)); }
inline Type_t * get_type_2() const { return ___type_2; }
inline Type_t ** get_address_of_type_2() { return &___type_2; }
inline void set_type_2(Type_t * value)
{
___type_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___type_2), (void*)value);
}
};
// UnityEngine.AddressableAssets.AddressablesImpl/ResourceLocatorInfo
struct ResourceLocatorInfo_t5DCB229AC92B8EC0FDF55ED49BCFD84C6E14C4DA : public RuntimeObject
{
public:
// UnityEngine.AddressableAssets.ResourceLocators.IResourceLocator UnityEngine.AddressableAssets.AddressablesImpl/ResourceLocatorInfo::<Locator>k__BackingField
RuntimeObject* ___U3CLocatorU3Ek__BackingField_0;
// System.String UnityEngine.AddressableAssets.AddressablesImpl/ResourceLocatorInfo::<LocalHash>k__BackingField
String_t* ___U3CLocalHashU3Ek__BackingField_1;
// UnityEngine.ResourceManagement.ResourceLocations.IResourceLocation UnityEngine.AddressableAssets.AddressablesImpl/ResourceLocatorInfo::<CatalogLocation>k__BackingField
RuntimeObject* ___U3CCatalogLocationU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CLocatorU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(ResourceLocatorInfo_t5DCB229AC92B8EC0FDF55ED49BCFD84C6E14C4DA, ___U3CLocatorU3Ek__BackingField_0)); }
inline RuntimeObject* get_U3CLocatorU3Ek__BackingField_0() const { return ___U3CLocatorU3Ek__BackingField_0; }
inline RuntimeObject** get_address_of_U3CLocatorU3Ek__BackingField_0() { return &___U3CLocatorU3Ek__BackingField_0; }
inline void set_U3CLocatorU3Ek__BackingField_0(RuntimeObject* value)
{
___U3CLocatorU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CLocatorU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CLocalHashU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(ResourceLocatorInfo_t5DCB229AC92B8EC0FDF55ED49BCFD84C6E14C4DA, ___U3CLocalHashU3Ek__BackingField_1)); }
inline String_t* get_U3CLocalHashU3Ek__BackingField_1() const { return ___U3CLocalHashU3Ek__BackingField_1; }
inline String_t** get_address_of_U3CLocalHashU3Ek__BackingField_1() { return &___U3CLocalHashU3Ek__BackingField_1; }
inline void set_U3CLocalHashU3Ek__BackingField_1(String_t* value)
{
___U3CLocalHashU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CLocalHashU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CCatalogLocationU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(ResourceLocatorInfo_t5DCB229AC92B8EC0FDF55ED49BCFD84C6E14C4DA, ___U3CCatalogLocationU3Ek__BackingField_2)); }
inline RuntimeObject* get_U3CCatalogLocationU3Ek__BackingField_2() const { return ___U3CCatalogLocationU3Ek__BackingField_2; }
inline RuntimeObject** get_address_of_U3CCatalogLocationU3Ek__BackingField_2() { return &___U3CCatalogLocationU3Ek__BackingField_2; }
inline void set_U3CCatalogLocationU3Ek__BackingField_2(RuntimeObject* value)
{
___U3CCatalogLocationU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CCatalogLocationU3Ek__BackingField_2), (void*)value);
}
};
// System.Array/ArrayEnumerator
struct ArrayEnumerator_tDE9ED3F94A2C580188D156806F5AD64DC601D3A6 : public RuntimeObject
{
public:
// System.Array System.Array/ArrayEnumerator::_array
RuntimeArray * ____array_0;
// System.Int32 System.Array/ArrayEnumerator::_index
int32_t ____index_1;
// System.Int32 System.Array/ArrayEnumerator::_endIndex
int32_t ____endIndex_2;
public:
inline static int32_t get_offset_of__array_0() { return static_cast<int32_t>(offsetof(ArrayEnumerator_tDE9ED3F94A2C580188D156806F5AD64DC601D3A6, ____array_0)); }
inline RuntimeArray * get__array_0() const { return ____array_0; }
inline RuntimeArray ** get_address_of__array_0() { return &____array_0; }
inline void set__array_0(RuntimeArray * value)
{
____array_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____array_0), (void*)value);
}
inline static int32_t get_offset_of__index_1() { return static_cast<int32_t>(offsetof(ArrayEnumerator_tDE9ED3F94A2C580188D156806F5AD64DC601D3A6, ____index_1)); }
inline int32_t get__index_1() const { return ____index_1; }
inline int32_t* get_address_of__index_1() { return &____index_1; }
inline void set__index_1(int32_t value)
{
____index_1 = value;
}
inline static int32_t get_offset_of__endIndex_2() { return static_cast<int32_t>(offsetof(ArrayEnumerator_tDE9ED3F94A2C580188D156806F5AD64DC601D3A6, ____endIndex_2)); }
inline int32_t get__endIndex_2() const { return ____endIndex_2; }
inline int32_t* get_address_of__endIndex_2() { return &____endIndex_2; }
inline void set__endIndex_2(int32_t value)
{
____endIndex_2 = value;
}
};
// System.Collections.ArrayList/ArrayListDebugView
struct ArrayListDebugView_tFCE81FAD67EB5A5DF76AA58A250422C2B765D2BF : public RuntimeObject
{
public:
public:
};
// System.Collections.ArrayList/ArrayListEnumeratorSimple
struct ArrayListEnumeratorSimple_tFB1052DD459DDB4287EB29C529551B217BFB25CB : public RuntimeObject
{
public:
// System.Collections.ArrayList System.Collections.ArrayList/ArrayListEnumeratorSimple::list
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * ___list_0;
// System.Int32 System.Collections.ArrayList/ArrayListEnumeratorSimple::index
int32_t ___index_1;
// System.Int32 System.Collections.ArrayList/ArrayListEnumeratorSimple::version
int32_t ___version_2;
// System.Object System.Collections.ArrayList/ArrayListEnumeratorSimple::currentElement
RuntimeObject * ___currentElement_3;
// System.Boolean System.Collections.ArrayList/ArrayListEnumeratorSimple::isArrayList
bool ___isArrayList_4;
public:
inline static int32_t get_offset_of_list_0() { return static_cast<int32_t>(offsetof(ArrayListEnumeratorSimple_tFB1052DD459DDB4287EB29C529551B217BFB25CB, ___list_0)); }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * get_list_0() const { return ___list_0; }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 ** get_address_of_list_0() { return &___list_0; }
inline void set_list_0(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * value)
{
___list_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___list_0), (void*)value);
}
inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(ArrayListEnumeratorSimple_tFB1052DD459DDB4287EB29C529551B217BFB25CB, ___index_1)); }
inline int32_t get_index_1() const { return ___index_1; }
inline int32_t* get_address_of_index_1() { return &___index_1; }
inline void set_index_1(int32_t value)
{
___index_1 = value;
}
inline static int32_t get_offset_of_version_2() { return static_cast<int32_t>(offsetof(ArrayListEnumeratorSimple_tFB1052DD459DDB4287EB29C529551B217BFB25CB, ___version_2)); }
inline int32_t get_version_2() const { return ___version_2; }
inline int32_t* get_address_of_version_2() { return &___version_2; }
inline void set_version_2(int32_t value)
{
___version_2 = value;
}
inline static int32_t get_offset_of_currentElement_3() { return static_cast<int32_t>(offsetof(ArrayListEnumeratorSimple_tFB1052DD459DDB4287EB29C529551B217BFB25CB, ___currentElement_3)); }
inline RuntimeObject * get_currentElement_3() const { return ___currentElement_3; }
inline RuntimeObject ** get_address_of_currentElement_3() { return &___currentElement_3; }
inline void set_currentElement_3(RuntimeObject * value)
{
___currentElement_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currentElement_3), (void*)value);
}
inline static int32_t get_offset_of_isArrayList_4() { return static_cast<int32_t>(offsetof(ArrayListEnumeratorSimple_tFB1052DD459DDB4287EB29C529551B217BFB25CB, ___isArrayList_4)); }
inline bool get_isArrayList_4() const { return ___isArrayList_4; }
inline bool* get_address_of_isArrayList_4() { return &___isArrayList_4; }
inline void set_isArrayList_4(bool value)
{
___isArrayList_4 = value;
}
};
struct ArrayListEnumeratorSimple_tFB1052DD459DDB4287EB29C529551B217BFB25CB_StaticFields
{
public:
// System.Object System.Collections.ArrayList/ArrayListEnumeratorSimple::dummyObject
RuntimeObject * ___dummyObject_5;
public:
inline static int32_t get_offset_of_dummyObject_5() { return static_cast<int32_t>(offsetof(ArrayListEnumeratorSimple_tFB1052DD459DDB4287EB29C529551B217BFB25CB_StaticFields, ___dummyObject_5)); }
inline RuntimeObject * get_dummyObject_5() const { return ___dummyObject_5; }
inline RuntimeObject ** get_address_of_dummyObject_5() { return &___dummyObject_5; }
inline void set_dummyObject_5(RuntimeObject * value)
{
___dummyObject_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___dummyObject_5), (void*)value);
}
};
// System.Reflection.Assembly/ResolveEventHolder
struct ResolveEventHolder_tA37081FAEBE21D83D216225B4489BA8A37B4E13C : public RuntimeObject
{
public:
public:
};
// System.Runtime.CompilerServices.AsyncMethodBuilderCore/<>c
struct U3CU3Ec_t4202B038B520398A74BB9C92F9213CF50603874F : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t4202B038B520398A74BB9C92F9213CF50603874F_StaticFields
{
public:
// System.Runtime.CompilerServices.AsyncMethodBuilderCore/<>c System.Runtime.CompilerServices.AsyncMethodBuilderCore/<>c::<>9
U3CU3Ec_t4202B038B520398A74BB9C92F9213CF50603874F * ___U3CU3E9_0;
// System.Threading.SendOrPostCallback System.Runtime.CompilerServices.AsyncMethodBuilderCore/<>c::<>9__6_0
SendOrPostCallback_t6B7334CE017AF595535507519400AC02D688DC3C * ___U3CU3E9__6_0_1;
// System.Threading.WaitCallback System.Runtime.CompilerServices.AsyncMethodBuilderCore/<>c::<>9__6_1
WaitCallback_t82C85517E973DCC6390AFB0BC3C2276F3328A319 * ___U3CU3E9__6_1_2;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t4202B038B520398A74BB9C92F9213CF50603874F_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t4202B038B520398A74BB9C92F9213CF50603874F * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t4202B038B520398A74BB9C92F9213CF50603874F ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t4202B038B520398A74BB9C92F9213CF50603874F * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__6_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_t4202B038B520398A74BB9C92F9213CF50603874F_StaticFields, ___U3CU3E9__6_0_1)); }
inline SendOrPostCallback_t6B7334CE017AF595535507519400AC02D688DC3C * get_U3CU3E9__6_0_1() const { return ___U3CU3E9__6_0_1; }
inline SendOrPostCallback_t6B7334CE017AF595535507519400AC02D688DC3C ** get_address_of_U3CU3E9__6_0_1() { return &___U3CU3E9__6_0_1; }
inline void set_U3CU3E9__6_0_1(SendOrPostCallback_t6B7334CE017AF595535507519400AC02D688DC3C * value)
{
___U3CU3E9__6_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__6_0_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__6_1_2() { return static_cast<int32_t>(offsetof(U3CU3Ec_t4202B038B520398A74BB9C92F9213CF50603874F_StaticFields, ___U3CU3E9__6_1_2)); }
inline WaitCallback_t82C85517E973DCC6390AFB0BC3C2276F3328A319 * get_U3CU3E9__6_1_2() const { return ___U3CU3E9__6_1_2; }
inline WaitCallback_t82C85517E973DCC6390AFB0BC3C2276F3328A319 ** get_address_of_U3CU3E9__6_1_2() { return &___U3CU3E9__6_1_2; }
inline void set_U3CU3E9__6_1_2(WaitCallback_t82C85517E973DCC6390AFB0BC3C2276F3328A319 * value)
{
___U3CU3E9__6_1_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__6_1_2), (void*)value);
}
};
// System.Runtime.CompilerServices.AsyncMethodBuilderCore/<>c__DisplayClass4_0
struct U3CU3Ec__DisplayClass4_0_t38B3E16316858B21DD5DEED1FFA2F925C066AC80 : public RuntimeObject
{
public:
// System.Threading.Tasks.Task System.Runtime.CompilerServices.AsyncMethodBuilderCore/<>c__DisplayClass4_0::innerTask
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * ___innerTask_0;
// System.Action System.Runtime.CompilerServices.AsyncMethodBuilderCore/<>c__DisplayClass4_0::continuation
Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * ___continuation_1;
public:
inline static int32_t get_offset_of_innerTask_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass4_0_t38B3E16316858B21DD5DEED1FFA2F925C066AC80, ___innerTask_0)); }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * get_innerTask_0() const { return ___innerTask_0; }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 ** get_address_of_innerTask_0() { return &___innerTask_0; }
inline void set_innerTask_0(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * value)
{
___innerTask_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___innerTask_0), (void*)value);
}
inline static int32_t get_offset_of_continuation_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass4_0_t38B3E16316858B21DD5DEED1FFA2F925C066AC80, ___continuation_1)); }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * get_continuation_1() const { return ___continuation_1; }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 ** get_address_of_continuation_1() { return &___continuation_1; }
inline void set_continuation_1(Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * value)
{
___continuation_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___continuation_1), (void*)value);
}
};
// System.Runtime.CompilerServices.AsyncMethodBuilderCore/ContinuationWrapper
struct ContinuationWrapper_t45D03017A5535E2179980E8A7F507EF5971B9CF7 : public RuntimeObject
{
public:
// System.Action System.Runtime.CompilerServices.AsyncMethodBuilderCore/ContinuationWrapper::m_continuation
Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * ___m_continuation_0;
// System.Action System.Runtime.CompilerServices.AsyncMethodBuilderCore/ContinuationWrapper::m_invokeAction
Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * ___m_invokeAction_1;
// System.Threading.Tasks.Task System.Runtime.CompilerServices.AsyncMethodBuilderCore/ContinuationWrapper::m_innerTask
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * ___m_innerTask_2;
public:
inline static int32_t get_offset_of_m_continuation_0() { return static_cast<int32_t>(offsetof(ContinuationWrapper_t45D03017A5535E2179980E8A7F507EF5971B9CF7, ___m_continuation_0)); }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * get_m_continuation_0() const { return ___m_continuation_0; }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 ** get_address_of_m_continuation_0() { return &___m_continuation_0; }
inline void set_m_continuation_0(Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * value)
{
___m_continuation_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_continuation_0), (void*)value);
}
inline static int32_t get_offset_of_m_invokeAction_1() { return static_cast<int32_t>(offsetof(ContinuationWrapper_t45D03017A5535E2179980E8A7F507EF5971B9CF7, ___m_invokeAction_1)); }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * get_m_invokeAction_1() const { return ___m_invokeAction_1; }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 ** get_address_of_m_invokeAction_1() { return &___m_invokeAction_1; }
inline void set_m_invokeAction_1(Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * value)
{
___m_invokeAction_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_invokeAction_1), (void*)value);
}
inline static int32_t get_offset_of_m_innerTask_2() { return static_cast<int32_t>(offsetof(ContinuationWrapper_t45D03017A5535E2179980E8A7F507EF5971B9CF7, ___m_innerTask_2)); }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * get_m_innerTask_2() const { return ___m_innerTask_2; }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 ** get_address_of_m_innerTask_2() { return &___m_innerTask_2; }
inline void set_m_innerTask_2(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * value)
{
___m_innerTask_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_innerTask_2), (void*)value);
}
};
// System.Runtime.CompilerServices.AsyncMethodBuilderCore/MoveNextRunner
struct MoveNextRunner_tFAEA0BEDD353E2E34E8E287C67B1F5572FD30C2D : public RuntimeObject
{
public:
// System.Threading.ExecutionContext System.Runtime.CompilerServices.AsyncMethodBuilderCore/MoveNextRunner::m_context
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * ___m_context_0;
// System.Runtime.CompilerServices.IAsyncStateMachine System.Runtime.CompilerServices.AsyncMethodBuilderCore/MoveNextRunner::m_stateMachine
RuntimeObject* ___m_stateMachine_1;
public:
inline static int32_t get_offset_of_m_context_0() { return static_cast<int32_t>(offsetof(MoveNextRunner_tFAEA0BEDD353E2E34E8E287C67B1F5572FD30C2D, ___m_context_0)); }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * get_m_context_0() const { return ___m_context_0; }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 ** get_address_of_m_context_0() { return &___m_context_0; }
inline void set_m_context_0(ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * value)
{
___m_context_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_context_0), (void*)value);
}
inline static int32_t get_offset_of_m_stateMachine_1() { return static_cast<int32_t>(offsetof(MoveNextRunner_tFAEA0BEDD353E2E34E8E287C67B1F5572FD30C2D, ___m_stateMachine_1)); }
inline RuntimeObject* get_m_stateMachine_1() const { return ___m_stateMachine_1; }
inline RuntimeObject** get_address_of_m_stateMachine_1() { return &___m_stateMachine_1; }
inline void set_m_stateMachine_1(RuntimeObject* value)
{
___m_stateMachine_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_stateMachine_1), (void*)value);
}
};
struct MoveNextRunner_tFAEA0BEDD353E2E34E8E287C67B1F5572FD30C2D_StaticFields
{
public:
// System.Threading.ContextCallback System.Runtime.CompilerServices.AsyncMethodBuilderCore/MoveNextRunner::s_invokeMoveNext
ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * ___s_invokeMoveNext_2;
public:
inline static int32_t get_offset_of_s_invokeMoveNext_2() { return static_cast<int32_t>(offsetof(MoveNextRunner_tFAEA0BEDD353E2E34E8E287C67B1F5572FD30C2D_StaticFields, ___s_invokeMoveNext_2)); }
inline ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * get_s_invokeMoveNext_2() const { return ___s_invokeMoveNext_2; }
inline ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B ** get_address_of_s_invokeMoveNext_2() { return &___s_invokeMoveNext_2; }
inline void set_s_invokeMoveNext_2(ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * value)
{
___s_invokeMoveNext_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_invokeMoveNext_2), (void*)value);
}
};
// UnityEngine.AudioSettings/Mobile
struct Mobile_t9F8A04EF1ADC739B4107A38F0103CB72ECD23F5E : public RuntimeObject
{
public:
public:
};
struct Mobile_t9F8A04EF1ADC739B4107A38F0103CB72ECD23F5E_StaticFields
{
public:
// System.Boolean UnityEngine.AudioSettings/Mobile::<muteState>k__BackingField
bool ___U3CmuteStateU3Ek__BackingField_0;
// System.Boolean UnityEngine.AudioSettings/Mobile::_stopAudioOutputOnMute
bool ____stopAudioOutputOnMute_1;
// System.Action`1<System.Boolean> UnityEngine.AudioSettings/Mobile::OnMuteStateChanged
Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83 * ___OnMuteStateChanged_2;
public:
inline static int32_t get_offset_of_U3CmuteStateU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(Mobile_t9F8A04EF1ADC739B4107A38F0103CB72ECD23F5E_StaticFields, ___U3CmuteStateU3Ek__BackingField_0)); }
inline bool get_U3CmuteStateU3Ek__BackingField_0() const { return ___U3CmuteStateU3Ek__BackingField_0; }
inline bool* get_address_of_U3CmuteStateU3Ek__BackingField_0() { return &___U3CmuteStateU3Ek__BackingField_0; }
inline void set_U3CmuteStateU3Ek__BackingField_0(bool value)
{
___U3CmuteStateU3Ek__BackingField_0 = value;
}
inline static int32_t get_offset_of__stopAudioOutputOnMute_1() { return static_cast<int32_t>(offsetof(Mobile_t9F8A04EF1ADC739B4107A38F0103CB72ECD23F5E_StaticFields, ____stopAudioOutputOnMute_1)); }
inline bool get__stopAudioOutputOnMute_1() const { return ____stopAudioOutputOnMute_1; }
inline bool* get_address_of__stopAudioOutputOnMute_1() { return &____stopAudioOutputOnMute_1; }
inline void set__stopAudioOutputOnMute_1(bool value)
{
____stopAudioOutputOnMute_1 = value;
}
inline static int32_t get_offset_of_OnMuteStateChanged_2() { return static_cast<int32_t>(offsetof(Mobile_t9F8A04EF1ADC739B4107A38F0103CB72ECD23F5E_StaticFields, ___OnMuteStateChanged_2)); }
inline Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83 * get_OnMuteStateChanged_2() const { return ___OnMuteStateChanged_2; }
inline Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83 ** get_address_of_OnMuteStateChanged_2() { return &___OnMuteStateChanged_2; }
inline void set_OnMuteStateChanged_2(Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83 * value)
{
___OnMuteStateChanged_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___OnMuteStateChanged_2), (void*)value);
}
};
// System.Threading.Tasks.AwaitTaskContinuation/<>c
struct U3CU3Ec_tF4745C95FFF946A19C2E246825F60484196CEB31 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_tF4745C95FFF946A19C2E246825F60484196CEB31_StaticFields
{
public:
// System.Threading.Tasks.AwaitTaskContinuation/<>c System.Threading.Tasks.AwaitTaskContinuation/<>c::<>9
U3CU3Ec_tF4745C95FFF946A19C2E246825F60484196CEB31 * ___U3CU3E9_0;
// System.Threading.WaitCallback System.Threading.Tasks.AwaitTaskContinuation/<>c::<>9__17_0
WaitCallback_t82C85517E973DCC6390AFB0BC3C2276F3328A319 * ___U3CU3E9__17_0_1;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_tF4745C95FFF946A19C2E246825F60484196CEB31_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_tF4745C95FFF946A19C2E246825F60484196CEB31 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_tF4745C95FFF946A19C2E246825F60484196CEB31 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_tF4745C95FFF946A19C2E246825F60484196CEB31 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__17_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_tF4745C95FFF946A19C2E246825F60484196CEB31_StaticFields, ___U3CU3E9__17_0_1)); }
inline WaitCallback_t82C85517E973DCC6390AFB0BC3C2276F3328A319 * get_U3CU3E9__17_0_1() const { return ___U3CU3E9__17_0_1; }
inline WaitCallback_t82C85517E973DCC6390AFB0BC3C2276F3328A319 ** get_address_of_U3CU3E9__17_0_1() { return &___U3CU3E9__17_0_1; }
inline void set_U3CU3E9__17_0_1(WaitCallback_t82C85517E973DCC6390AFB0BC3C2276F3328A319 * value)
{
___U3CU3E9__17_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__17_0_1), (void*)value);
}
};
// UnityEngine.UI.Button/<OnFinishSubmit>d__9
struct U3COnFinishSubmitU3Ed__9_t270CA6BB596B5C583A2E70FB6BED90A6D04C43C0 : public RuntimeObject
{
public:
// System.Int32 UnityEngine.UI.Button/<OnFinishSubmit>d__9::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Object UnityEngine.UI.Button/<OnFinishSubmit>d__9::<>2__current
RuntimeObject * ___U3CU3E2__current_1;
// UnityEngine.UI.Button UnityEngine.UI.Button/<OnFinishSubmit>d__9::<>4__this
Button_tA893FC15AB26E1439AC25BDCA7079530587BB65D * ___U3CU3E4__this_2;
// System.Single UnityEngine.UI.Button/<OnFinishSubmit>d__9::<fadeTime>5__2
float ___U3CfadeTimeU3E5__2_3;
// System.Single UnityEngine.UI.Button/<OnFinishSubmit>d__9::<elapsedTime>5__3
float ___U3CelapsedTimeU3E5__3_4;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3COnFinishSubmitU3Ed__9_t270CA6BB596B5C583A2E70FB6BED90A6D04C43C0, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3COnFinishSubmitU3Ed__9_t270CA6BB596B5C583A2E70FB6BED90A6D04C43C0, ___U3CU3E2__current_1)); }
inline RuntimeObject * get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline RuntimeObject ** get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(RuntimeObject * value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E2__current_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E4__this_2() { return static_cast<int32_t>(offsetof(U3COnFinishSubmitU3Ed__9_t270CA6BB596B5C583A2E70FB6BED90A6D04C43C0, ___U3CU3E4__this_2)); }
inline Button_tA893FC15AB26E1439AC25BDCA7079530587BB65D * get_U3CU3E4__this_2() const { return ___U3CU3E4__this_2; }
inline Button_tA893FC15AB26E1439AC25BDCA7079530587BB65D ** get_address_of_U3CU3E4__this_2() { return &___U3CU3E4__this_2; }
inline void set_U3CU3E4__this_2(Button_tA893FC15AB26E1439AC25BDCA7079530587BB65D * value)
{
___U3CU3E4__this_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_2), (void*)value);
}
inline static int32_t get_offset_of_U3CfadeTimeU3E5__2_3() { return static_cast<int32_t>(offsetof(U3COnFinishSubmitU3Ed__9_t270CA6BB596B5C583A2E70FB6BED90A6D04C43C0, ___U3CfadeTimeU3E5__2_3)); }
inline float get_U3CfadeTimeU3E5__2_3() const { return ___U3CfadeTimeU3E5__2_3; }
inline float* get_address_of_U3CfadeTimeU3E5__2_3() { return &___U3CfadeTimeU3E5__2_3; }
inline void set_U3CfadeTimeU3E5__2_3(float value)
{
___U3CfadeTimeU3E5__2_3 = value;
}
inline static int32_t get_offset_of_U3CelapsedTimeU3E5__3_4() { return static_cast<int32_t>(offsetof(U3COnFinishSubmitU3Ed__9_t270CA6BB596B5C583A2E70FB6BED90A6D04C43C0, ___U3CelapsedTimeU3E5__3_4)); }
inline float get_U3CelapsedTimeU3E5__3_4() const { return ___U3CelapsedTimeU3E5__3_4; }
inline float* get_address_of_U3CelapsedTimeU3E5__3_4() { return &___U3CelapsedTimeU3E5__3_4; }
inline void set_U3CelapsedTimeU3E5__3_4(float value)
{
___U3CelapsedTimeU3E5__3_4 = value;
}
};
// System.Globalization.CharUnicodeInfo/Debug
struct Debug_t2C981757B596CA7F34FB03C9E7F74215E80510CF : public RuntimeObject
{
public:
public:
};
// System.Console/WindowsConsole
struct WindowsConsole_t58EC7E343EDA088F88F23C034CFE1A9C951E3E98 : public RuntimeObject
{
public:
public:
};
struct WindowsConsole_t58EC7E343EDA088F88F23C034CFE1A9C951E3E98_StaticFields
{
public:
// System.Boolean System.Console/WindowsConsole::ctrlHandlerAdded
bool ___ctrlHandlerAdded_0;
// System.Console/WindowsConsole/WindowsCancelHandler System.Console/WindowsConsole::cancelHandler
WindowsCancelHandler_tFD0F0B721F93ACA04D9CD9340DA39075A8FF2ACF * ___cancelHandler_1;
public:
inline static int32_t get_offset_of_ctrlHandlerAdded_0() { return static_cast<int32_t>(offsetof(WindowsConsole_t58EC7E343EDA088F88F23C034CFE1A9C951E3E98_StaticFields, ___ctrlHandlerAdded_0)); }
inline bool get_ctrlHandlerAdded_0() const { return ___ctrlHandlerAdded_0; }
inline bool* get_address_of_ctrlHandlerAdded_0() { return &___ctrlHandlerAdded_0; }
inline void set_ctrlHandlerAdded_0(bool value)
{
___ctrlHandlerAdded_0 = value;
}
inline static int32_t get_offset_of_cancelHandler_1() { return static_cast<int32_t>(offsetof(WindowsConsole_t58EC7E343EDA088F88F23C034CFE1A9C951E3E98_StaticFields, ___cancelHandler_1)); }
inline WindowsCancelHandler_tFD0F0B721F93ACA04D9CD9340DA39075A8FF2ACF * get_cancelHandler_1() const { return ___cancelHandler_1; }
inline WindowsCancelHandler_tFD0F0B721F93ACA04D9CD9340DA39075A8FF2ACF ** get_address_of_cancelHandler_1() { return &___cancelHandler_1; }
inline void set_cancelHandler_1(WindowsCancelHandler_tFD0F0B721F93ACA04D9CD9340DA39075A8FF2ACF * value)
{
___cancelHandler_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___cancelHandler_1), (void*)value);
}
};
// UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData/CompactLocation
struct CompactLocation_t195264F28EC81544A9B30CAE8CF48A88BEE2BE56 : public RuntimeObject
{
public:
// UnityEngine.AddressableAssets.ResourceLocators.ResourceLocationMap UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData/CompactLocation::m_Locator
ResourceLocationMap_t14A3D5C863FAE0D257213393BC576B3EEF04A6A8 * ___m_Locator_0;
// System.String UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData/CompactLocation::m_InternalId
String_t* ___m_InternalId_1;
// System.String UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData/CompactLocation::m_ProviderId
String_t* ___m_ProviderId_2;
// System.Object UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData/CompactLocation::m_Dependency
RuntimeObject * ___m_Dependency_3;
// System.Object UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData/CompactLocation::m_Data
RuntimeObject * ___m_Data_4;
// System.Int32 UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData/CompactLocation::m_HashCode
int32_t ___m_HashCode_5;
// System.Int32 UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData/CompactLocation::m_DependencyHashCode
int32_t ___m_DependencyHashCode_6;
// System.String UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData/CompactLocation::m_PrimaryKey
String_t* ___m_PrimaryKey_7;
// System.Type UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData/CompactLocation::m_Type
Type_t * ___m_Type_8;
public:
inline static int32_t get_offset_of_m_Locator_0() { return static_cast<int32_t>(offsetof(CompactLocation_t195264F28EC81544A9B30CAE8CF48A88BEE2BE56, ___m_Locator_0)); }
inline ResourceLocationMap_t14A3D5C863FAE0D257213393BC576B3EEF04A6A8 * get_m_Locator_0() const { return ___m_Locator_0; }
inline ResourceLocationMap_t14A3D5C863FAE0D257213393BC576B3EEF04A6A8 ** get_address_of_m_Locator_0() { return &___m_Locator_0; }
inline void set_m_Locator_0(ResourceLocationMap_t14A3D5C863FAE0D257213393BC576B3EEF04A6A8 * value)
{
___m_Locator_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Locator_0), (void*)value);
}
inline static int32_t get_offset_of_m_InternalId_1() { return static_cast<int32_t>(offsetof(CompactLocation_t195264F28EC81544A9B30CAE8CF48A88BEE2BE56, ___m_InternalId_1)); }
inline String_t* get_m_InternalId_1() const { return ___m_InternalId_1; }
inline String_t** get_address_of_m_InternalId_1() { return &___m_InternalId_1; }
inline void set_m_InternalId_1(String_t* value)
{
___m_InternalId_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalId_1), (void*)value);
}
inline static int32_t get_offset_of_m_ProviderId_2() { return static_cast<int32_t>(offsetof(CompactLocation_t195264F28EC81544A9B30CAE8CF48A88BEE2BE56, ___m_ProviderId_2)); }
inline String_t* get_m_ProviderId_2() const { return ___m_ProviderId_2; }
inline String_t** get_address_of_m_ProviderId_2() { return &___m_ProviderId_2; }
inline void set_m_ProviderId_2(String_t* value)
{
___m_ProviderId_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ProviderId_2), (void*)value);
}
inline static int32_t get_offset_of_m_Dependency_3() { return static_cast<int32_t>(offsetof(CompactLocation_t195264F28EC81544A9B30CAE8CF48A88BEE2BE56, ___m_Dependency_3)); }
inline RuntimeObject * get_m_Dependency_3() const { return ___m_Dependency_3; }
inline RuntimeObject ** get_address_of_m_Dependency_3() { return &___m_Dependency_3; }
inline void set_m_Dependency_3(RuntimeObject * value)
{
___m_Dependency_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Dependency_3), (void*)value);
}
inline static int32_t get_offset_of_m_Data_4() { return static_cast<int32_t>(offsetof(CompactLocation_t195264F28EC81544A9B30CAE8CF48A88BEE2BE56, ___m_Data_4)); }
inline RuntimeObject * get_m_Data_4() const { return ___m_Data_4; }
inline RuntimeObject ** get_address_of_m_Data_4() { return &___m_Data_4; }
inline void set_m_Data_4(RuntimeObject * value)
{
___m_Data_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Data_4), (void*)value);
}
inline static int32_t get_offset_of_m_HashCode_5() { return static_cast<int32_t>(offsetof(CompactLocation_t195264F28EC81544A9B30CAE8CF48A88BEE2BE56, ___m_HashCode_5)); }
inline int32_t get_m_HashCode_5() const { return ___m_HashCode_5; }
inline int32_t* get_address_of_m_HashCode_5() { return &___m_HashCode_5; }
inline void set_m_HashCode_5(int32_t value)
{
___m_HashCode_5 = value;
}
inline static int32_t get_offset_of_m_DependencyHashCode_6() { return static_cast<int32_t>(offsetof(CompactLocation_t195264F28EC81544A9B30CAE8CF48A88BEE2BE56, ___m_DependencyHashCode_6)); }
inline int32_t get_m_DependencyHashCode_6() const { return ___m_DependencyHashCode_6; }
inline int32_t* get_address_of_m_DependencyHashCode_6() { return &___m_DependencyHashCode_6; }
inline void set_m_DependencyHashCode_6(int32_t value)
{
___m_DependencyHashCode_6 = value;
}
inline static int32_t get_offset_of_m_PrimaryKey_7() { return static_cast<int32_t>(offsetof(CompactLocation_t195264F28EC81544A9B30CAE8CF48A88BEE2BE56, ___m_PrimaryKey_7)); }
inline String_t* get_m_PrimaryKey_7() const { return ___m_PrimaryKey_7; }
inline String_t** get_address_of_m_PrimaryKey_7() { return &___m_PrimaryKey_7; }
inline void set_m_PrimaryKey_7(String_t* value)
{
___m_PrimaryKey_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PrimaryKey_7), (void*)value);
}
inline static int32_t get_offset_of_m_Type_8() { return static_cast<int32_t>(offsetof(CompactLocation_t195264F28EC81544A9B30CAE8CF48A88BEE2BE56, ___m_Type_8)); }
inline Type_t * get_m_Type_8() const { return ___m_Type_8; }
inline Type_t ** get_address_of_m_Type_8() { return &___m_Type_8; }
inline void set_m_Type_8(Type_t * value)
{
___m_Type_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Type_8), (void*)value);
}
};
// System.Runtime.Remoting.Contexts.CrossContextChannel/ContextRestoreSink
struct ContextRestoreSink_t4EE56AAAB8ED750D86FBE07D214946B076F05D99 : public RuntimeObject
{
public:
// System.Runtime.Remoting.Messaging.IMessageSink System.Runtime.Remoting.Contexts.CrossContextChannel/ContextRestoreSink::_next
RuntimeObject* ____next_0;
// System.Runtime.Remoting.Contexts.Context System.Runtime.Remoting.Contexts.CrossContextChannel/ContextRestoreSink::_context
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 * ____context_1;
// System.Runtime.Remoting.Messaging.IMessage System.Runtime.Remoting.Contexts.CrossContextChannel/ContextRestoreSink::_call
RuntimeObject* ____call_2;
public:
inline static int32_t get_offset_of__next_0() { return static_cast<int32_t>(offsetof(ContextRestoreSink_t4EE56AAAB8ED750D86FBE07D214946B076F05D99, ____next_0)); }
inline RuntimeObject* get__next_0() const { return ____next_0; }
inline RuntimeObject** get_address_of__next_0() { return &____next_0; }
inline void set__next_0(RuntimeObject* value)
{
____next_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____next_0), (void*)value);
}
inline static int32_t get_offset_of__context_1() { return static_cast<int32_t>(offsetof(ContextRestoreSink_t4EE56AAAB8ED750D86FBE07D214946B076F05D99, ____context_1)); }
inline Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 * get__context_1() const { return ____context_1; }
inline Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 ** get_address_of__context_1() { return &____context_1; }
inline void set__context_1(Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 * value)
{
____context_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____context_1), (void*)value);
}
inline static int32_t get_offset_of__call_2() { return static_cast<int32_t>(offsetof(ContextRestoreSink_t4EE56AAAB8ED750D86FBE07D214946B076F05D99, ____call_2)); }
inline RuntimeObject* get__call_2() const { return ____call_2; }
inline RuntimeObject** get_address_of__call_2() { return &____call_2; }
inline void set__call_2(RuntimeObject* value)
{
____call_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____call_2), (void*)value);
}
};
// System.DefaultBinder/<>c
struct U3CU3Ec_t8E13ABBD257B1FDD18CD40A774D631087D521F67 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t8E13ABBD257B1FDD18CD40A774D631087D521F67_StaticFields
{
public:
// System.DefaultBinder/<>c System.DefaultBinder/<>c::<>9
U3CU3Ec_t8E13ABBD257B1FDD18CD40A774D631087D521F67 * ___U3CU3E9_0;
// System.Predicate`1<System.Type> System.DefaultBinder/<>c::<>9__3_0
Predicate_1_t64135A89D51E5A42E4CB59A0184A388BF5152BDE * ___U3CU3E9__3_0_1;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t8E13ABBD257B1FDD18CD40A774D631087D521F67_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t8E13ABBD257B1FDD18CD40A774D631087D521F67 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t8E13ABBD257B1FDD18CD40A774D631087D521F67 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t8E13ABBD257B1FDD18CD40A774D631087D521F67 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__3_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_t8E13ABBD257B1FDD18CD40A774D631087D521F67_StaticFields, ___U3CU3E9__3_0_1)); }
inline Predicate_1_t64135A89D51E5A42E4CB59A0184A388BF5152BDE * get_U3CU3E9__3_0_1() const { return ___U3CU3E9__3_0_1; }
inline Predicate_1_t64135A89D51E5A42E4CB59A0184A388BF5152BDE ** get_address_of_U3CU3E9__3_0_1() { return &___U3CU3E9__3_0_1; }
inline void set_U3CU3E9__3_0_1(Predicate_1_t64135A89D51E5A42E4CB59A0184A388BF5152BDE * value)
{
___U3CU3E9__3_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__3_0_1), (void*)value);
}
};
// System.DefaultBinder/BinderState
struct BinderState_t7D6BA6A794E92B5B3C56B638A52AA8932EA3BBA2 : public RuntimeObject
{
public:
// System.Int32[] System.DefaultBinder/BinderState::m_argsMap
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___m_argsMap_0;
// System.Int32 System.DefaultBinder/BinderState::m_originalSize
int32_t ___m_originalSize_1;
// System.Boolean System.DefaultBinder/BinderState::m_isParamArray
bool ___m_isParamArray_2;
public:
inline static int32_t get_offset_of_m_argsMap_0() { return static_cast<int32_t>(offsetof(BinderState_t7D6BA6A794E92B5B3C56B638A52AA8932EA3BBA2, ___m_argsMap_0)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_m_argsMap_0() const { return ___m_argsMap_0; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_m_argsMap_0() { return &___m_argsMap_0; }
inline void set_m_argsMap_0(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___m_argsMap_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_argsMap_0), (void*)value);
}
inline static int32_t get_offset_of_m_originalSize_1() { return static_cast<int32_t>(offsetof(BinderState_t7D6BA6A794E92B5B3C56B638A52AA8932EA3BBA2, ___m_originalSize_1)); }
inline int32_t get_m_originalSize_1() const { return ___m_originalSize_1; }
inline int32_t* get_address_of_m_originalSize_1() { return &___m_originalSize_1; }
inline void set_m_originalSize_1(int32_t value)
{
___m_originalSize_1 = value;
}
inline static int32_t get_offset_of_m_isParamArray_2() { return static_cast<int32_t>(offsetof(BinderState_t7D6BA6A794E92B5B3C56B638A52AA8932EA3BBA2, ___m_isParamArray_2)); }
inline bool get_m_isParamArray_2() const { return ___m_isParamArray_2; }
inline bool* get_address_of_m_isParamArray_2() { return &___m_isParamArray_2; }
inline void set_m_isParamArray_2(bool value)
{
___m_isParamArray_2 = value;
}
};
// UnityEngine.UI.DefaultControls/DefaultRuntimeFactory
struct DefaultRuntimeFactory_t4E24DBF7E133BB9F56A10FB79743B3EEB6F4AF36 : public RuntimeObject
{
public:
public:
};
struct DefaultRuntimeFactory_t4E24DBF7E133BB9F56A10FB79743B3EEB6F4AF36_StaticFields
{
public:
// UnityEngine.UI.DefaultControls/IFactoryControls UnityEngine.UI.DefaultControls/DefaultRuntimeFactory::Default
RuntimeObject* ___Default_0;
public:
inline static int32_t get_offset_of_Default_0() { return static_cast<int32_t>(offsetof(DefaultRuntimeFactory_t4E24DBF7E133BB9F56A10FB79743B3EEB6F4AF36_StaticFields, ___Default_0)); }
inline RuntimeObject* get_Default_0() const { return ___Default_0; }
inline RuntimeObject** get_address_of_Default_0() { return &___Default_0; }
inline void set_Default_0(RuntimeObject* value)
{
___Default_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Default_0), (void*)value);
}
};
// System.DelegateSerializationHolder/DelegateEntry
struct DelegateEntry_tEE26E044FFE7CDC60A1509459E5D4E8AF9CB0FF5 : public RuntimeObject
{
public:
// System.String System.DelegateSerializationHolder/DelegateEntry::type
String_t* ___type_0;
// System.String System.DelegateSerializationHolder/DelegateEntry::assembly
String_t* ___assembly_1;
// System.Object System.DelegateSerializationHolder/DelegateEntry::target
RuntimeObject * ___target_2;
// System.String System.DelegateSerializationHolder/DelegateEntry::targetTypeAssembly
String_t* ___targetTypeAssembly_3;
// System.String System.DelegateSerializationHolder/DelegateEntry::targetTypeName
String_t* ___targetTypeName_4;
// System.String System.DelegateSerializationHolder/DelegateEntry::methodName
String_t* ___methodName_5;
// System.DelegateSerializationHolder/DelegateEntry System.DelegateSerializationHolder/DelegateEntry::delegateEntry
DelegateEntry_tEE26E044FFE7CDC60A1509459E5D4E8AF9CB0FF5 * ___delegateEntry_6;
public:
inline static int32_t get_offset_of_type_0() { return static_cast<int32_t>(offsetof(DelegateEntry_tEE26E044FFE7CDC60A1509459E5D4E8AF9CB0FF5, ___type_0)); }
inline String_t* get_type_0() const { return ___type_0; }
inline String_t** get_address_of_type_0() { return &___type_0; }
inline void set_type_0(String_t* value)
{
___type_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___type_0), (void*)value);
}
inline static int32_t get_offset_of_assembly_1() { return static_cast<int32_t>(offsetof(DelegateEntry_tEE26E044FFE7CDC60A1509459E5D4E8AF9CB0FF5, ___assembly_1)); }
inline String_t* get_assembly_1() const { return ___assembly_1; }
inline String_t** get_address_of_assembly_1() { return &___assembly_1; }
inline void set_assembly_1(String_t* value)
{
___assembly_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assembly_1), (void*)value);
}
inline static int32_t get_offset_of_target_2() { return static_cast<int32_t>(offsetof(DelegateEntry_tEE26E044FFE7CDC60A1509459E5D4E8AF9CB0FF5, ___target_2)); }
inline RuntimeObject * get_target_2() const { return ___target_2; }
inline RuntimeObject ** get_address_of_target_2() { return &___target_2; }
inline void set_target_2(RuntimeObject * value)
{
___target_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___target_2), (void*)value);
}
inline static int32_t get_offset_of_targetTypeAssembly_3() { return static_cast<int32_t>(offsetof(DelegateEntry_tEE26E044FFE7CDC60A1509459E5D4E8AF9CB0FF5, ___targetTypeAssembly_3)); }
inline String_t* get_targetTypeAssembly_3() const { return ___targetTypeAssembly_3; }
inline String_t** get_address_of_targetTypeAssembly_3() { return &___targetTypeAssembly_3; }
inline void set_targetTypeAssembly_3(String_t* value)
{
___targetTypeAssembly_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___targetTypeAssembly_3), (void*)value);
}
inline static int32_t get_offset_of_targetTypeName_4() { return static_cast<int32_t>(offsetof(DelegateEntry_tEE26E044FFE7CDC60A1509459E5D4E8AF9CB0FF5, ___targetTypeName_4)); }
inline String_t* get_targetTypeName_4() const { return ___targetTypeName_4; }
inline String_t** get_address_of_targetTypeName_4() { return &___targetTypeName_4; }
inline void set_targetTypeName_4(String_t* value)
{
___targetTypeName_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___targetTypeName_4), (void*)value);
}
inline static int32_t get_offset_of_methodName_5() { return static_cast<int32_t>(offsetof(DelegateEntry_tEE26E044FFE7CDC60A1509459E5D4E8AF9CB0FF5, ___methodName_5)); }
inline String_t* get_methodName_5() const { return ___methodName_5; }
inline String_t** get_address_of_methodName_5() { return &___methodName_5; }
inline void set_methodName_5(String_t* value)
{
___methodName_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___methodName_5), (void*)value);
}
inline static int32_t get_offset_of_delegateEntry_6() { return static_cast<int32_t>(offsetof(DelegateEntry_tEE26E044FFE7CDC60A1509459E5D4E8AF9CB0FF5, ___delegateEntry_6)); }
inline DelegateEntry_tEE26E044FFE7CDC60A1509459E5D4E8AF9CB0FF5 * get_delegateEntry_6() const { return ___delegateEntry_6; }
inline DelegateEntry_tEE26E044FFE7CDC60A1509459E5D4E8AF9CB0FF5 ** get_address_of_delegateEntry_6() { return &___delegateEntry_6; }
inline void set_delegateEntry_6(DelegateEntry_tEE26E044FFE7CDC60A1509459E5D4E8AF9CB0FF5 * value)
{
___delegateEntry_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___delegateEntry_6), (void*)value);
}
};
// UnityEngine.ResourceManagement.Diagnostics.DiagnosticEventCollectorSingleton/<>c
struct U3CU3Ec_tEC7BDB58A1CB9CA4F1CDE168E271DC97E43D0272 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_tEC7BDB58A1CB9CA4F1CDE168E271DC97E43D0272_StaticFields
{
public:
// UnityEngine.ResourceManagement.Diagnostics.DiagnosticEventCollectorSingleton/<>c UnityEngine.ResourceManagement.Diagnostics.DiagnosticEventCollectorSingleton/<>c::<>9
U3CU3Ec_tEC7BDB58A1CB9CA4F1CDE168E271DC97E43D0272 * ___U3CU3E9_0;
// System.Func`2<UnityEngine.ResourceManagement.Diagnostics.DiagnosticEvent,System.Int32> UnityEngine.ResourceManagement.Diagnostics.DiagnosticEventCollectorSingleton/<>c::<>9__8_0
Func_2_tF77A5A36D2BF90D179293F246E1895C9E7A1AA89 * ___U3CU3E9__8_0_1;
// System.Action`1<UnityEngine.ResourceManagement.Diagnostics.DiagnosticEvent> UnityEngine.ResourceManagement.Diagnostics.DiagnosticEventCollectorSingleton/<>c::<>9__11_0
Action_1_t9DFBA98CF738F56EDFC9EBB69DA3EB7CB256491F * ___U3CU3E9__11_0_2;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_tEC7BDB58A1CB9CA4F1CDE168E271DC97E43D0272_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_tEC7BDB58A1CB9CA4F1CDE168E271DC97E43D0272 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_tEC7BDB58A1CB9CA4F1CDE168E271DC97E43D0272 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_tEC7BDB58A1CB9CA4F1CDE168E271DC97E43D0272 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__8_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_tEC7BDB58A1CB9CA4F1CDE168E271DC97E43D0272_StaticFields, ___U3CU3E9__8_0_1)); }
inline Func_2_tF77A5A36D2BF90D179293F246E1895C9E7A1AA89 * get_U3CU3E9__8_0_1() const { return ___U3CU3E9__8_0_1; }
inline Func_2_tF77A5A36D2BF90D179293F246E1895C9E7A1AA89 ** get_address_of_U3CU3E9__8_0_1() { return &___U3CU3E9__8_0_1; }
inline void set_U3CU3E9__8_0_1(Func_2_tF77A5A36D2BF90D179293F246E1895C9E7A1AA89 * value)
{
___U3CU3E9__8_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__8_0_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__11_0_2() { return static_cast<int32_t>(offsetof(U3CU3Ec_tEC7BDB58A1CB9CA4F1CDE168E271DC97E43D0272_StaticFields, ___U3CU3E9__11_0_2)); }
inline Action_1_t9DFBA98CF738F56EDFC9EBB69DA3EB7CB256491F * get_U3CU3E9__11_0_2() const { return ___U3CU3E9__11_0_2; }
inline Action_1_t9DFBA98CF738F56EDFC9EBB69DA3EB7CB256491F ** get_address_of_U3CU3E9__11_0_2() { return &___U3CU3E9__11_0_2; }
inline void set_U3CU3E9__11_0_2(Action_1_t9DFBA98CF738F56EDFC9EBB69DA3EB7CB256491F * value)
{
___U3CU3E9__11_0_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__11_0_2), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Extensions.DictionarySource/<>c__DisplayClass1_0
struct U3CU3Ec__DisplayClass1_0_t6E96D83D926B669F854F9CC0C1478FB49706BC05 : public RuntimeObject
{
public:
// System.String UnityEngine.Localization.SmartFormat.Extensions.DictionarySource/<>c__DisplayClass1_0::selector
String_t* ___selector_0;
// UnityEngine.Localization.SmartFormat.Core.Extensions.ISelectorInfo UnityEngine.Localization.SmartFormat.Extensions.DictionarySource/<>c__DisplayClass1_0::selectorInfo
RuntimeObject* ___selectorInfo_1;
public:
inline static int32_t get_offset_of_selector_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass1_0_t6E96D83D926B669F854F9CC0C1478FB49706BC05, ___selector_0)); }
inline String_t* get_selector_0() const { return ___selector_0; }
inline String_t** get_address_of_selector_0() { return &___selector_0; }
inline void set_selector_0(String_t* value)
{
___selector_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___selector_0), (void*)value);
}
inline static int32_t get_offset_of_selectorInfo_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass1_0_t6E96D83D926B669F854F9CC0C1478FB49706BC05, ___selectorInfo_1)); }
inline RuntimeObject* get_selectorInfo_1() const { return ___selectorInfo_1; }
inline RuntimeObject** get_address_of_selectorInfo_1() { return &___selectorInfo_1; }
inline void set_selectorInfo_1(RuntimeObject* value)
{
___selectorInfo_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___selectorInfo_1), (void*)value);
}
};
// UnityEngine.UI.Dropdown/<>c__DisplayClass62_0
struct U3CU3Ec__DisplayClass62_0_t96A019B47E3FFDA79D4582E287B82C36070F25C1 : public RuntimeObject
{
public:
// UnityEngine.UI.Dropdown/DropdownItem UnityEngine.UI.Dropdown/<>c__DisplayClass62_0::item
DropdownItem_t4D0754A7D4953D1DDC5663E6877182138BF8DEEB * ___item_0;
// UnityEngine.UI.Dropdown UnityEngine.UI.Dropdown/<>c__DisplayClass62_0::<>4__this
Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96 * ___U3CU3E4__this_1;
public:
inline static int32_t get_offset_of_item_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass62_0_t96A019B47E3FFDA79D4582E287B82C36070F25C1, ___item_0)); }
inline DropdownItem_t4D0754A7D4953D1DDC5663E6877182138BF8DEEB * get_item_0() const { return ___item_0; }
inline DropdownItem_t4D0754A7D4953D1DDC5663E6877182138BF8DEEB ** get_address_of_item_0() { return &___item_0; }
inline void set_item_0(DropdownItem_t4D0754A7D4953D1DDC5663E6877182138BF8DEEB * value)
{
___item_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___item_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E4__this_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass62_0_t96A019B47E3FFDA79D4582E287B82C36070F25C1, ___U3CU3E4__this_1)); }
inline Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96 * get_U3CU3E4__this_1() const { return ___U3CU3E4__this_1; }
inline Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96 ** get_address_of_U3CU3E4__this_1() { return &___U3CU3E4__this_1; }
inline void set_U3CU3E4__this_1(Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96 * value)
{
___U3CU3E4__this_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_1), (void*)value);
}
};
// UnityEngine.UI.Dropdown/<DelayedDestroyDropdownList>d__74
struct U3CDelayedDestroyDropdownListU3Ed__74_tFA5A06284A89E19506BA684072E3EF1C366FC38E : public RuntimeObject
{
public:
// System.Int32 UnityEngine.UI.Dropdown/<DelayedDestroyDropdownList>d__74::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Object UnityEngine.UI.Dropdown/<DelayedDestroyDropdownList>d__74::<>2__current
RuntimeObject * ___U3CU3E2__current_1;
// System.Single UnityEngine.UI.Dropdown/<DelayedDestroyDropdownList>d__74::delay
float ___delay_2;
// UnityEngine.UI.Dropdown UnityEngine.UI.Dropdown/<DelayedDestroyDropdownList>d__74::<>4__this
Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96 * ___U3CU3E4__this_3;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CDelayedDestroyDropdownListU3Ed__74_tFA5A06284A89E19506BA684072E3EF1C366FC38E, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CDelayedDestroyDropdownListU3Ed__74_tFA5A06284A89E19506BA684072E3EF1C366FC38E, ___U3CU3E2__current_1)); }
inline RuntimeObject * get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline RuntimeObject ** get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(RuntimeObject * value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E2__current_1), (void*)value);
}
inline static int32_t get_offset_of_delay_2() { return static_cast<int32_t>(offsetof(U3CDelayedDestroyDropdownListU3Ed__74_tFA5A06284A89E19506BA684072E3EF1C366FC38E, ___delay_2)); }
inline float get_delay_2() const { return ___delay_2; }
inline float* get_address_of_delay_2() { return &___delay_2; }
inline void set_delay_2(float value)
{
___delay_2 = value;
}
inline static int32_t get_offset_of_U3CU3E4__this_3() { return static_cast<int32_t>(offsetof(U3CDelayedDestroyDropdownListU3Ed__74_tFA5A06284A89E19506BA684072E3EF1C366FC38E, ___U3CU3E4__this_3)); }
inline Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96 * get_U3CU3E4__this_3() const { return ___U3CU3E4__this_3; }
inline Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96 ** get_address_of_U3CU3E4__this_3() { return &___U3CU3E4__this_3; }
inline void set_U3CU3E4__this_3(Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96 * value)
{
___U3CU3E4__this_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_3), (void*)value);
}
};
// UnityEngine.UI.Dropdown/OptionData
struct OptionData_t5F665DC13C1E4307727D66ECC1100B3A77E3E857 : public RuntimeObject
{
public:
// System.String UnityEngine.UI.Dropdown/OptionData::m_Text
String_t* ___m_Text_0;
// UnityEngine.Sprite UnityEngine.UI.Dropdown/OptionData::m_Image
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___m_Image_1;
public:
inline static int32_t get_offset_of_m_Text_0() { return static_cast<int32_t>(offsetof(OptionData_t5F665DC13C1E4307727D66ECC1100B3A77E3E857, ___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((void**)(&___m_Text_0), (void*)value);
}
inline static int32_t get_offset_of_m_Image_1() { return static_cast<int32_t>(offsetof(OptionData_t5F665DC13C1E4307727D66ECC1100B3A77E3E857, ___m_Image_1)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_m_Image_1() const { return ___m_Image_1; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_m_Image_1() { return &___m_Image_1; }
inline void set_m_Image_1(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___m_Image_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Image_1), (void*)value);
}
};
// UnityEngine.UI.Dropdown/OptionDataList
struct OptionDataList_t524EBDB7A2B178269FD5B4740108D0EC6404B4B6 : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<UnityEngine.UI.Dropdown/OptionData> UnityEngine.UI.Dropdown/OptionDataList::m_Options
List_1_tAF6577A540702C9F6C407DE69A8FAFB502339DC4 * ___m_Options_0;
public:
inline static int32_t get_offset_of_m_Options_0() { return static_cast<int32_t>(offsetof(OptionDataList_t524EBDB7A2B178269FD5B4740108D0EC6404B4B6, ___m_Options_0)); }
inline List_1_tAF6577A540702C9F6C407DE69A8FAFB502339DC4 * get_m_Options_0() const { return ___m_Options_0; }
inline List_1_tAF6577A540702C9F6C407DE69A8FAFB502339DC4 ** get_address_of_m_Options_0() { return &___m_Options_0; }
inline void set_m_Options_0(List_1_tAF6577A540702C9F6C407DE69A8FAFB502339DC4 * value)
{
___m_Options_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Options_0), (void*)value);
}
};
// System.Runtime.Remoting.Contexts.DynamicPropertyCollection/DynamicPropertyReg
struct DynamicPropertyReg_t100305A4DE3BC003606AB35190DFA0B167DF544E : public RuntimeObject
{
public:
// System.Runtime.Remoting.Contexts.IDynamicProperty System.Runtime.Remoting.Contexts.DynamicPropertyCollection/DynamicPropertyReg::Property
RuntimeObject* ___Property_0;
// System.Runtime.Remoting.Contexts.IDynamicMessageSink System.Runtime.Remoting.Contexts.DynamicPropertyCollection/DynamicPropertyReg::Sink
RuntimeObject* ___Sink_1;
public:
inline static int32_t get_offset_of_Property_0() { return static_cast<int32_t>(offsetof(DynamicPropertyReg_t100305A4DE3BC003606AB35190DFA0B167DF544E, ___Property_0)); }
inline RuntimeObject* get_Property_0() const { return ___Property_0; }
inline RuntimeObject** get_address_of_Property_0() { return &___Property_0; }
inline void set_Property_0(RuntimeObject* value)
{
___Property_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Property_0), (void*)value);
}
inline static int32_t get_offset_of_Sink_1() { return static_cast<int32_t>(offsetof(DynamicPropertyReg_t100305A4DE3BC003606AB35190DFA0B167DF544E, ___Sink_1)); }
inline RuntimeObject* get_Sink_1() const { return ___Sink_1; }
inline RuntimeObject** get_address_of_Sink_1() { return &___Sink_1; }
inline void set_Sink_1(RuntimeObject* value)
{
___Sink_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Sink_1), (void*)value);
}
};
// System.Collections.EmptyReadOnlyDictionaryInternal/NodeEnumerator
struct NodeEnumerator_t4D5FAF9813D82307244721D1FAE079426F6251CF : public RuntimeObject
{
public:
public:
};
// System.Text.Encoding/EncodingByteBuffer
struct EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A : public RuntimeObject
{
public:
// System.Byte* System.Text.Encoding/EncodingByteBuffer::bytes
uint8_t* ___bytes_0;
// System.Byte* System.Text.Encoding/EncodingByteBuffer::byteStart
uint8_t* ___byteStart_1;
// System.Byte* System.Text.Encoding/EncodingByteBuffer::byteEnd
uint8_t* ___byteEnd_2;
// System.Char* System.Text.Encoding/EncodingByteBuffer::chars
Il2CppChar* ___chars_3;
// System.Char* System.Text.Encoding/EncodingByteBuffer::charStart
Il2CppChar* ___charStart_4;
// System.Char* System.Text.Encoding/EncodingByteBuffer::charEnd
Il2CppChar* ___charEnd_5;
// System.Int32 System.Text.Encoding/EncodingByteBuffer::byteCountResult
int32_t ___byteCountResult_6;
// System.Text.Encoding System.Text.Encoding/EncodingByteBuffer::enc
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___enc_7;
// System.Text.EncoderNLS System.Text.Encoding/EncodingByteBuffer::encoder
EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712 * ___encoder_8;
// System.Text.EncoderFallbackBuffer System.Text.Encoding/EncodingByteBuffer::fallbackBuffer
EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0 * ___fallbackBuffer_9;
public:
inline static int32_t get_offset_of_bytes_0() { return static_cast<int32_t>(offsetof(EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A, ___bytes_0)); }
inline uint8_t* get_bytes_0() const { return ___bytes_0; }
inline uint8_t** get_address_of_bytes_0() { return &___bytes_0; }
inline void set_bytes_0(uint8_t* value)
{
___bytes_0 = value;
}
inline static int32_t get_offset_of_byteStart_1() { return static_cast<int32_t>(offsetof(EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A, ___byteStart_1)); }
inline uint8_t* get_byteStart_1() const { return ___byteStart_1; }
inline uint8_t** get_address_of_byteStart_1() { return &___byteStart_1; }
inline void set_byteStart_1(uint8_t* value)
{
___byteStart_1 = value;
}
inline static int32_t get_offset_of_byteEnd_2() { return static_cast<int32_t>(offsetof(EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A, ___byteEnd_2)); }
inline uint8_t* get_byteEnd_2() const { return ___byteEnd_2; }
inline uint8_t** get_address_of_byteEnd_2() { return &___byteEnd_2; }
inline void set_byteEnd_2(uint8_t* value)
{
___byteEnd_2 = value;
}
inline static int32_t get_offset_of_chars_3() { return static_cast<int32_t>(offsetof(EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A, ___chars_3)); }
inline Il2CppChar* get_chars_3() const { return ___chars_3; }
inline Il2CppChar** get_address_of_chars_3() { return &___chars_3; }
inline void set_chars_3(Il2CppChar* value)
{
___chars_3 = value;
}
inline static int32_t get_offset_of_charStart_4() { return static_cast<int32_t>(offsetof(EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A, ___charStart_4)); }
inline Il2CppChar* get_charStart_4() const { return ___charStart_4; }
inline Il2CppChar** get_address_of_charStart_4() { return &___charStart_4; }
inline void set_charStart_4(Il2CppChar* value)
{
___charStart_4 = value;
}
inline static int32_t get_offset_of_charEnd_5() { return static_cast<int32_t>(offsetof(EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A, ___charEnd_5)); }
inline Il2CppChar* get_charEnd_5() const { return ___charEnd_5; }
inline Il2CppChar** get_address_of_charEnd_5() { return &___charEnd_5; }
inline void set_charEnd_5(Il2CppChar* value)
{
___charEnd_5 = value;
}
inline static int32_t get_offset_of_byteCountResult_6() { return static_cast<int32_t>(offsetof(EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A, ___byteCountResult_6)); }
inline int32_t get_byteCountResult_6() const { return ___byteCountResult_6; }
inline int32_t* get_address_of_byteCountResult_6() { return &___byteCountResult_6; }
inline void set_byteCountResult_6(int32_t value)
{
___byteCountResult_6 = value;
}
inline static int32_t get_offset_of_enc_7() { return static_cast<int32_t>(offsetof(EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A, ___enc_7)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_enc_7() const { return ___enc_7; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_enc_7() { return &___enc_7; }
inline void set_enc_7(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___enc_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___enc_7), (void*)value);
}
inline static int32_t get_offset_of_encoder_8() { return static_cast<int32_t>(offsetof(EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A, ___encoder_8)); }
inline EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712 * get_encoder_8() const { return ___encoder_8; }
inline EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712 ** get_address_of_encoder_8() { return &___encoder_8; }
inline void set_encoder_8(EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712 * value)
{
___encoder_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___encoder_8), (void*)value);
}
inline static int32_t get_offset_of_fallbackBuffer_9() { return static_cast<int32_t>(offsetof(EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A, ___fallbackBuffer_9)); }
inline EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0 * get_fallbackBuffer_9() const { return ___fallbackBuffer_9; }
inline EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0 ** get_address_of_fallbackBuffer_9() { return &___fallbackBuffer_9; }
inline void set_fallbackBuffer_9(EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0 * value)
{
___fallbackBuffer_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___fallbackBuffer_9), (void*)value);
}
};
// System.Text.Encoding/EncodingCharBuffer
struct EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A : public RuntimeObject
{
public:
// System.Char* System.Text.Encoding/EncodingCharBuffer::chars
Il2CppChar* ___chars_0;
// System.Char* System.Text.Encoding/EncodingCharBuffer::charStart
Il2CppChar* ___charStart_1;
// System.Char* System.Text.Encoding/EncodingCharBuffer::charEnd
Il2CppChar* ___charEnd_2;
// System.Int32 System.Text.Encoding/EncodingCharBuffer::charCountResult
int32_t ___charCountResult_3;
// System.Text.Encoding System.Text.Encoding/EncodingCharBuffer::enc
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___enc_4;
// System.Text.DecoderNLS System.Text.Encoding/EncodingCharBuffer::decoder
DecoderNLS_tE5B1B7D68B698C0B65FBEE94EAE2453FFD3D538A * ___decoder_5;
// System.Byte* System.Text.Encoding/EncodingCharBuffer::byteStart
uint8_t* ___byteStart_6;
// System.Byte* System.Text.Encoding/EncodingCharBuffer::byteEnd
uint8_t* ___byteEnd_7;
// System.Byte* System.Text.Encoding/EncodingCharBuffer::bytes
uint8_t* ___bytes_8;
// System.Text.DecoderFallbackBuffer System.Text.Encoding/EncodingCharBuffer::fallbackBuffer
DecoderFallbackBuffer_t236B3D4172A9BAD1C2150ED78958227F8F20C94B * ___fallbackBuffer_9;
public:
inline static int32_t get_offset_of_chars_0() { return static_cast<int32_t>(offsetof(EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A, ___chars_0)); }
inline Il2CppChar* get_chars_0() const { return ___chars_0; }
inline Il2CppChar** get_address_of_chars_0() { return &___chars_0; }
inline void set_chars_0(Il2CppChar* value)
{
___chars_0 = value;
}
inline static int32_t get_offset_of_charStart_1() { return static_cast<int32_t>(offsetof(EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A, ___charStart_1)); }
inline Il2CppChar* get_charStart_1() const { return ___charStart_1; }
inline Il2CppChar** get_address_of_charStart_1() { return &___charStart_1; }
inline void set_charStart_1(Il2CppChar* value)
{
___charStart_1 = value;
}
inline static int32_t get_offset_of_charEnd_2() { return static_cast<int32_t>(offsetof(EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A, ___charEnd_2)); }
inline Il2CppChar* get_charEnd_2() const { return ___charEnd_2; }
inline Il2CppChar** get_address_of_charEnd_2() { return &___charEnd_2; }
inline void set_charEnd_2(Il2CppChar* value)
{
___charEnd_2 = value;
}
inline static int32_t get_offset_of_charCountResult_3() { return static_cast<int32_t>(offsetof(EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A, ___charCountResult_3)); }
inline int32_t get_charCountResult_3() const { return ___charCountResult_3; }
inline int32_t* get_address_of_charCountResult_3() { return &___charCountResult_3; }
inline void set_charCountResult_3(int32_t value)
{
___charCountResult_3 = value;
}
inline static int32_t get_offset_of_enc_4() { return static_cast<int32_t>(offsetof(EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A, ___enc_4)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_enc_4() const { return ___enc_4; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_enc_4() { return &___enc_4; }
inline void set_enc_4(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___enc_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___enc_4), (void*)value);
}
inline static int32_t get_offset_of_decoder_5() { return static_cast<int32_t>(offsetof(EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A, ___decoder_5)); }
inline DecoderNLS_tE5B1B7D68B698C0B65FBEE94EAE2453FFD3D538A * get_decoder_5() const { return ___decoder_5; }
inline DecoderNLS_tE5B1B7D68B698C0B65FBEE94EAE2453FFD3D538A ** get_address_of_decoder_5() { return &___decoder_5; }
inline void set_decoder_5(DecoderNLS_tE5B1B7D68B698C0B65FBEE94EAE2453FFD3D538A * value)
{
___decoder_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___decoder_5), (void*)value);
}
inline static int32_t get_offset_of_byteStart_6() { return static_cast<int32_t>(offsetof(EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A, ___byteStart_6)); }
inline uint8_t* get_byteStart_6() const { return ___byteStart_6; }
inline uint8_t** get_address_of_byteStart_6() { return &___byteStart_6; }
inline void set_byteStart_6(uint8_t* value)
{
___byteStart_6 = value;
}
inline static int32_t get_offset_of_byteEnd_7() { return static_cast<int32_t>(offsetof(EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A, ___byteEnd_7)); }
inline uint8_t* get_byteEnd_7() const { return ___byteEnd_7; }
inline uint8_t** get_address_of_byteEnd_7() { return &___byteEnd_7; }
inline void set_byteEnd_7(uint8_t* value)
{
___byteEnd_7 = value;
}
inline static int32_t get_offset_of_bytes_8() { return static_cast<int32_t>(offsetof(EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A, ___bytes_8)); }
inline uint8_t* get_bytes_8() const { return ___bytes_8; }
inline uint8_t** get_address_of_bytes_8() { return &___bytes_8; }
inline void set_bytes_8(uint8_t* value)
{
___bytes_8 = value;
}
inline static int32_t get_offset_of_fallbackBuffer_9() { return static_cast<int32_t>(offsetof(EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A, ___fallbackBuffer_9)); }
inline DecoderFallbackBuffer_t236B3D4172A9BAD1C2150ED78958227F8F20C94B * get_fallbackBuffer_9() const { return ___fallbackBuffer_9; }
inline DecoderFallbackBuffer_t236B3D4172A9BAD1C2150ED78958227F8F20C94B ** get_address_of_fallbackBuffer_9() { return &___fallbackBuffer_9; }
inline void set_fallbackBuffer_9(DecoderFallbackBuffer_t236B3D4172A9BAD1C2150ED78958227F8F20C94B * value)
{
___fallbackBuffer_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___fallbackBuffer_9), (void*)value);
}
};
// System.Enum/ValuesAndNames
struct ValuesAndNames_tA5AA76EB07994B4DFB08076774EADC438D77D0E4 : public RuntimeObject
{
public:
// System.UInt64[] System.Enum/ValuesAndNames::Values
UInt64U5BU5D_t7C6E32D10F47677C1CEF3C30F4E4CE95B3A633E2* ___Values_0;
// System.String[] System.Enum/ValuesAndNames::Names
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___Names_1;
public:
inline static int32_t get_offset_of_Values_0() { return static_cast<int32_t>(offsetof(ValuesAndNames_tA5AA76EB07994B4DFB08076774EADC438D77D0E4, ___Values_0)); }
inline UInt64U5BU5D_t7C6E32D10F47677C1CEF3C30F4E4CE95B3A633E2* get_Values_0() const { return ___Values_0; }
inline UInt64U5BU5D_t7C6E32D10F47677C1CEF3C30F4E4CE95B3A633E2** get_address_of_Values_0() { return &___Values_0; }
inline void set_Values_0(UInt64U5BU5D_t7C6E32D10F47677C1CEF3C30F4E4CE95B3A633E2* value)
{
___Values_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Values_0), (void*)value);
}
inline static int32_t get_offset_of_Names_1() { return static_cast<int32_t>(offsetof(ValuesAndNames_tA5AA76EB07994B4DFB08076774EADC438D77D0E4, ___Names_1)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_Names_1() const { return ___Names_1; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_Names_1() { return &___Names_1; }
inline void set_Names_1(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___Names_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Names_1), (void*)value);
}
};
// System.Security.Policy.Evidence/EvidenceEnumerator
struct EvidenceEnumerator_tE5611DB8DCE6DDABAE0CD267B199DB7FBC59A6D4 : public RuntimeObject
{
public:
// System.Collections.IEnumerator System.Security.Policy.Evidence/EvidenceEnumerator::currentEnum
RuntimeObject* ___currentEnum_0;
// System.Collections.IEnumerator System.Security.Policy.Evidence/EvidenceEnumerator::hostEnum
RuntimeObject* ___hostEnum_1;
// System.Collections.IEnumerator System.Security.Policy.Evidence/EvidenceEnumerator::assemblyEnum
RuntimeObject* ___assemblyEnum_2;
public:
inline static int32_t get_offset_of_currentEnum_0() { return static_cast<int32_t>(offsetof(EvidenceEnumerator_tE5611DB8DCE6DDABAE0CD267B199DB7FBC59A6D4, ___currentEnum_0)); }
inline RuntimeObject* get_currentEnum_0() const { return ___currentEnum_0; }
inline RuntimeObject** get_address_of_currentEnum_0() { return &___currentEnum_0; }
inline void set_currentEnum_0(RuntimeObject* value)
{
___currentEnum_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currentEnum_0), (void*)value);
}
inline static int32_t get_offset_of_hostEnum_1() { return static_cast<int32_t>(offsetof(EvidenceEnumerator_tE5611DB8DCE6DDABAE0CD267B199DB7FBC59A6D4, ___hostEnum_1)); }
inline RuntimeObject* get_hostEnum_1() const { return ___hostEnum_1; }
inline RuntimeObject** get_address_of_hostEnum_1() { return &___hostEnum_1; }
inline void set_hostEnum_1(RuntimeObject* value)
{
___hostEnum_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___hostEnum_1), (void*)value);
}
inline static int32_t get_offset_of_assemblyEnum_2() { return static_cast<int32_t>(offsetof(EvidenceEnumerator_tE5611DB8DCE6DDABAE0CD267B199DB7FBC59A6D4, ___assemblyEnum_2)); }
inline RuntimeObject* get_assemblyEnum_2() const { return ___assemblyEnum_2; }
inline RuntimeObject** get_address_of_assemblyEnum_2() { return &___assemblyEnum_2; }
inline void set_assemblyEnum_2(RuntimeObject* value)
{
___assemblyEnum_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assemblyEnum_2), (void*)value);
}
};
// UnityEngine.EventSystems.ExecuteEvents/<>c
struct U3CU3Ec_t20C9A4C48478BFCA11C0533F07831530FE1782BB : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t20C9A4C48478BFCA11C0533F07831530FE1782BB_StaticFields
{
public:
// UnityEngine.EventSystems.ExecuteEvents/<>c UnityEngine.EventSystems.ExecuteEvents/<>c::<>9
U3CU3Ec_t20C9A4C48478BFCA11C0533F07831530FE1782BB * ___U3CU3E9_0;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t20C9A4C48478BFCA11C0533F07831530FE1782BB_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t20C9A4C48478BFCA11C0533F07831530FE1782BB * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t20C9A4C48478BFCA11C0533F07831530FE1782BB ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t20C9A4C48478BFCA11C0533F07831530FE1782BB * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
};
// System.Linq.Expressions.Expression/BinaryExpressionProxy
struct BinaryExpressionProxy_tB8DEB0944D2D5486E0A0701E1AA5F0C3C111AC9F : public RuntimeObject
{
public:
public:
};
// System.Linq.Expressions.Expression/BlockExpressionProxy
struct BlockExpressionProxy_t0CAC642B8B7EA92F15CC5F9A7D5890BB7165803E : public RuntimeObject
{
public:
public:
};
// System.Linq.Expressions.Expression/ConstantExpressionProxy
struct ConstantExpressionProxy_t39C76EDECAC93F67F8A1BF7A38F00C0A13ADAF68 : public RuntimeObject
{
public:
public:
};
// System.Linq.Expressions.Expression/IndexExpressionProxy
struct IndexExpressionProxy_t9985142CBCD8894FC1BDEDF34635BE29891C1AC5 : public RuntimeObject
{
public:
public:
};
// System.Linq.Expressions.Expression/InvocationExpressionProxy
struct InvocationExpressionProxy_tCFAF246C3589E14D4A659DF734B23620683F9F5B : public RuntimeObject
{
public:
public:
};
// System.Linq.Expressions.Expression/LambdaExpressionProxy
struct LambdaExpressionProxy_tCFCD1E710B676197F6BBCC3B2053A41DEACDE609 : public RuntimeObject
{
public:
public:
};
// System.Linq.Expressions.Expression/MemberExpressionProxy
struct MemberExpressionProxy_tBC5E42816C96013399A5321568AC30D26A8FD504 : public RuntimeObject
{
public:
public:
};
// System.Linq.Expressions.Expression/MethodCallExpressionProxy
struct MethodCallExpressionProxy_t98FE50C2E48A56C4A9FBFAEC917DEED84E44EA5E : public RuntimeObject
{
public:
public:
};
// System.Linq.Expressions.Expression/ParameterExpressionProxy
struct ParameterExpressionProxy_t5935C21AA621E72481284EA4F65B27522E5DC063 : public RuntimeObject
{
public:
public:
};
// System.Linq.Expressions.Expression/UnaryExpressionProxy
struct UnaryExpressionProxy_t62185167441E4321A9C435B9941A74CBF74B5814 : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.Core.Parsing.Format/SplitList
struct SplitList_t426F20506F82FD8E8819BBBFAF3C5B6464497E8F : public RuntimeObject
{
public:
// UnityEngine.Localization.SmartFormat.Core.Parsing.Format UnityEngine.Localization.SmartFormat.Core.Parsing.Format/SplitList::m_Format
Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * ___m_Format_0;
// System.Collections.Generic.List`1<System.Int32> UnityEngine.Localization.SmartFormat.Core.Parsing.Format/SplitList::m_Splits
List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * ___m_Splits_1;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.Core.Parsing.Format> UnityEngine.Localization.SmartFormat.Core.Parsing.Format/SplitList::m_FormatCache
List_1_t65430745339F01A4033FA67CB0A7D557A964B3D0 * ___m_FormatCache_2;
public:
inline static int32_t get_offset_of_m_Format_0() { return static_cast<int32_t>(offsetof(SplitList_t426F20506F82FD8E8819BBBFAF3C5B6464497E8F, ___m_Format_0)); }
inline Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * get_m_Format_0() const { return ___m_Format_0; }
inline Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E ** get_address_of_m_Format_0() { return &___m_Format_0; }
inline void set_m_Format_0(Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * value)
{
___m_Format_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Format_0), (void*)value);
}
inline static int32_t get_offset_of_m_Splits_1() { return static_cast<int32_t>(offsetof(SplitList_t426F20506F82FD8E8819BBBFAF3C5B6464497E8F, ___m_Splits_1)); }
inline List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * get_m_Splits_1() const { return ___m_Splits_1; }
inline List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 ** get_address_of_m_Splits_1() { return &___m_Splits_1; }
inline void set_m_Splits_1(List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * value)
{
___m_Splits_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Splits_1), (void*)value);
}
inline static int32_t get_offset_of_m_FormatCache_2() { return static_cast<int32_t>(offsetof(SplitList_t426F20506F82FD8E8819BBBFAF3C5B6464497E8F, ___m_FormatCache_2)); }
inline List_1_t65430745339F01A4033FA67CB0A7D557A964B3D0 * get_m_FormatCache_2() const { return ___m_FormatCache_2; }
inline List_1_t65430745339F01A4033FA67CB0A7D557A964B3D0 ** get_address_of_m_FormatCache_2() { return &___m_FormatCache_2; }
inline void set_m_FormatCache_2(List_1_t65430745339F01A4033FA67CB0A7D557A964B3D0 * value)
{
___m_FormatCache_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_FormatCache_2), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.FormatCachePool/<>c
struct U3CU3Ec_t6BAD9EB2D484BF022A8FFF196790CE1592A285D0 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t6BAD9EB2D484BF022A8FFF196790CE1592A285D0_StaticFields
{
public:
// UnityEngine.Localization.SmartFormat.FormatCachePool/<>c UnityEngine.Localization.SmartFormat.FormatCachePool/<>c::<>9
U3CU3Ec_t6BAD9EB2D484BF022A8FFF196790CE1592A285D0 * ___U3CU3E9_0;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t6BAD9EB2D484BF022A8FFF196790CE1592A285D0_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t6BAD9EB2D484BF022A8FFF196790CE1592A285D0 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t6BAD9EB2D484BF022A8FFF196790CE1592A285D0 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t6BAD9EB2D484BF022A8FFF196790CE1592A285D0 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.FormatDetailsPool/<>c
struct U3CU3Ec_tF8DBC54F3412448AE4F8E4E39251275326CEF620 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_tF8DBC54F3412448AE4F8E4E39251275326CEF620_StaticFields
{
public:
// UnityEngine.Localization.SmartFormat.FormatDetailsPool/<>c UnityEngine.Localization.SmartFormat.FormatDetailsPool/<>c::<>9
U3CU3Ec_tF8DBC54F3412448AE4F8E4E39251275326CEF620 * ___U3CU3E9_0;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_tF8DBC54F3412448AE4F8E4E39251275326CEF620_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_tF8DBC54F3412448AE4F8E4E39251275326CEF620 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_tF8DBC54F3412448AE4F8E4E39251275326CEF620 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_tF8DBC54F3412448AE4F8E4E39251275326CEF620 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.FormatItemPool/<>c
struct U3CU3Ec_t6DD5094ED00310DB3C588B18F5465FECD9258F49 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t6DD5094ED00310DB3C588B18F5465FECD9258F49_StaticFields
{
public:
// UnityEngine.Localization.SmartFormat.FormatItemPool/<>c UnityEngine.Localization.SmartFormat.FormatItemPool/<>c::<>9
U3CU3Ec_t6DD5094ED00310DB3C588B18F5465FECD9258F49 * ___U3CU3E9_0;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t6DD5094ED00310DB3C588B18F5465FECD9258F49_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t6DD5094ED00310DB3C588B18F5465FECD9258F49 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t6DD5094ED00310DB3C588B18F5465FECD9258F49 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t6DD5094ED00310DB3C588B18F5465FECD9258F49 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
};
// System.Runtime.Serialization.FormatterServices/<>c__DisplayClass9_0
struct U3CU3Ec__DisplayClass9_0_tB1E40E73A23715AC3F1239BA98BEA07A5F3836E3 : public RuntimeObject
{
public:
// System.Type System.Runtime.Serialization.FormatterServices/<>c__DisplayClass9_0::type
Type_t * ___type_0;
public:
inline static int32_t get_offset_of_type_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass9_0_tB1E40E73A23715AC3F1239BA98BEA07A5F3836E3, ___type_0)); }
inline Type_t * get_type_0() const { return ___type_0; }
inline Type_t ** get_address_of_type_0() { return &___type_0; }
inline void set_type_0(Type_t * value)
{
___type_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___type_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.FormattingInfoPool/<>c
struct U3CU3Ec_t5F607CDD6E2CA14EEA2ADB1112B3A5B98C3E90F1 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t5F607CDD6E2CA14EEA2ADB1112B3A5B98C3E90F1_StaticFields
{
public:
// UnityEngine.Localization.SmartFormat.FormattingInfoPool/<>c UnityEngine.Localization.SmartFormat.FormattingInfoPool/<>c::<>9
U3CU3Ec_t5F607CDD6E2CA14EEA2ADB1112B3A5B98C3E90F1 * ___U3CU3E9_0;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t5F607CDD6E2CA14EEA2ADB1112B3A5B98C3E90F1_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t5F607CDD6E2CA14EEA2ADB1112B3A5B98C3E90F1 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t5F607CDD6E2CA14EEA2ADB1112B3A5B98C3E90F1 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t5F607CDD6E2CA14EEA2ADB1112B3A5B98C3E90F1 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
};
// UnityEngine.GUILayoutUtility/LayoutCache
struct LayoutCache_t4C0528EE626F95B53EFE2AB59B8D56CB70BBDFE8 : public RuntimeObject
{
public:
// System.Int32 UnityEngine.GUILayoutUtility/LayoutCache::<id>k__BackingField
int32_t ___U3CidU3Ek__BackingField_0;
// UnityEngine.GUILayoutGroup UnityEngine.GUILayoutUtility/LayoutCache::topLevel
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9 * ___topLevel_1;
// UnityEngineInternal.GenericStack UnityEngine.GUILayoutUtility/LayoutCache::layoutGroups
GenericStack_tFE88EF4FAC2E3519951AC2A4D721C3BD1A02E24C * ___layoutGroups_2;
// UnityEngine.GUILayoutGroup UnityEngine.GUILayoutUtility/LayoutCache::windows
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9 * ___windows_3;
public:
inline static int32_t get_offset_of_U3CidU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(LayoutCache_t4C0528EE626F95B53EFE2AB59B8D56CB70BBDFE8, ___U3CidU3Ek__BackingField_0)); }
inline int32_t get_U3CidU3Ek__BackingField_0() const { return ___U3CidU3Ek__BackingField_0; }
inline int32_t* get_address_of_U3CidU3Ek__BackingField_0() { return &___U3CidU3Ek__BackingField_0; }
inline void set_U3CidU3Ek__BackingField_0(int32_t value)
{
___U3CidU3Ek__BackingField_0 = value;
}
inline static int32_t get_offset_of_topLevel_1() { return static_cast<int32_t>(offsetof(LayoutCache_t4C0528EE626F95B53EFE2AB59B8D56CB70BBDFE8, ___topLevel_1)); }
inline GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9 * get_topLevel_1() const { return ___topLevel_1; }
inline GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9 ** get_address_of_topLevel_1() { return &___topLevel_1; }
inline void set_topLevel_1(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9 * value)
{
___topLevel_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___topLevel_1), (void*)value);
}
inline static int32_t get_offset_of_layoutGroups_2() { return static_cast<int32_t>(offsetof(LayoutCache_t4C0528EE626F95B53EFE2AB59B8D56CB70BBDFE8, ___layoutGroups_2)); }
inline GenericStack_tFE88EF4FAC2E3519951AC2A4D721C3BD1A02E24C * get_layoutGroups_2() const { return ___layoutGroups_2; }
inline GenericStack_tFE88EF4FAC2E3519951AC2A4D721C3BD1A02E24C ** get_address_of_layoutGroups_2() { return &___layoutGroups_2; }
inline void set_layoutGroups_2(GenericStack_tFE88EF4FAC2E3519951AC2A4D721C3BD1A02E24C * value)
{
___layoutGroups_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___layoutGroups_2), (void*)value);
}
inline static int32_t get_offset_of_windows_3() { return static_cast<int32_t>(offsetof(LayoutCache_t4C0528EE626F95B53EFE2AB59B8D56CB70BBDFE8, ___windows_3)); }
inline GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9 * get_windows_3() const { return ___windows_3; }
inline GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9 ** get_address_of_windows_3() { return &___windows_3; }
inline void set_windows_3(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9 * value)
{
___windows_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___windows_3), (void*)value);
}
};
// UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform/<>c__DisplayClass21_0
struct U3CU3Ec__DisplayClass21_0_t640615F596448CA7D86AAC8EE3A104A2CE70A95A : public RuntimeObject
{
public:
// System.Action`1<System.Boolean> UnityEngine.SocialPlatforms.GameCenter.GameCenterPlatform/<>c__DisplayClass21_0::callback
Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83 * ___callback_0;
public:
inline static int32_t get_offset_of_callback_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass21_0_t640615F596448CA7D86AAC8EE3A104A2CE70A95A, ___callback_0)); }
inline Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83 * get_callback_0() const { return ___callback_0; }
inline Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83 ** get_address_of_callback_0() { return &___callback_0; }
inline void set_callback_0(Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83 * value)
{
___callback_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___callback_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/<>c
struct U3CU3Ec_t885C017A81D8E9F93DAC1DA7F81F1C15AC432CC6 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t885C017A81D8E9F93DAC1DA7F81F1C15AC432CC6_StaticFields
{
public:
// UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/<>c UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/<>c::<>9
U3CU3Ec_t885C017A81D8E9F93DAC1DA7F81F1C15AC432CC6 * ___U3CU3E9_0;
// System.Func`2<UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/NameValuePair,UnityEngine.Localization.SmartFormat.GlobalVariables.IGlobalVariable> UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/<>c::<>9__10_0
Func_2_t5CBD21E15E5B545925D93EFAE13E288BF257770A * ___U3CU3E9__10_0_1;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t885C017A81D8E9F93DAC1DA7F81F1C15AC432CC6_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t885C017A81D8E9F93DAC1DA7F81F1C15AC432CC6 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t885C017A81D8E9F93DAC1DA7F81F1C15AC432CC6 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t885C017A81D8E9F93DAC1DA7F81F1C15AC432CC6 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__10_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_t885C017A81D8E9F93DAC1DA7F81F1C15AC432CC6_StaticFields, ___U3CU3E9__10_0_1)); }
inline Func_2_t5CBD21E15E5B545925D93EFAE13E288BF257770A * get_U3CU3E9__10_0_1() const { return ___U3CU3E9__10_0_1; }
inline Func_2_t5CBD21E15E5B545925D93EFAE13E288BF257770A ** get_address_of_U3CU3E9__10_0_1() { return &___U3CU3E9__10_0_1; }
inline void set_U3CU3E9__10_0_1(Func_2_t5CBD21E15E5B545925D93EFAE13E288BF257770A * value)
{
___U3CU3E9__10_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__10_0_1), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/NameValuePair
struct NameValuePair_t5BEE3DA7E9D214707F7721C37CABF730B972BF97 : public RuntimeObject
{
public:
// System.String UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/NameValuePair::name
String_t* ___name_0;
// UnityEngine.Localization.SmartFormat.GlobalVariables.IGlobalVariable UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/NameValuePair::variable
RuntimeObject* ___variable_1;
public:
inline static int32_t get_offset_of_name_0() { return static_cast<int32_t>(offsetof(NameValuePair_t5BEE3DA7E9D214707F7721C37CABF730B972BF97, ___name_0)); }
inline String_t* get_name_0() const { return ___name_0; }
inline String_t** get_address_of_name_0() { return &___name_0; }
inline void set_name_0(String_t* value)
{
___name_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_0), (void*)value);
}
inline static int32_t get_offset_of_variable_1() { return static_cast<int32_t>(offsetof(NameValuePair_t5BEE3DA7E9D214707F7721C37CABF730B972BF97, ___variable_1)); }
inline RuntimeObject* get_variable_1() const { return ___variable_1; }
inline RuntimeObject** get_address_of_variable_1() { return &___variable_1; }
inline void set_variable_1(RuntimeObject* value)
{
___variable_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___variable_1), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/<>c
struct U3CU3Ec_tCAD9A6D5F5AF7B13974CA0839B293C8A9153AFF2 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_tCAD9A6D5F5AF7B13974CA0839B293C8A9153AFF2_StaticFields
{
public:
// UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/<>c UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/<>c::<>9
U3CU3Ec_tCAD9A6D5F5AF7B13974CA0839B293C8A9153AFF2 * ___U3CU3E9_0;
// System.Func`2<UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/NameValuePair,UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup> UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/<>c::<>9__14_0
Func_2_tE598C5F7A22BCA56FB8DD59FBF98733D0B14E32E * ___U3CU3E9__14_0_1;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_tCAD9A6D5F5AF7B13974CA0839B293C8A9153AFF2_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_tCAD9A6D5F5AF7B13974CA0839B293C8A9153AFF2 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_tCAD9A6D5F5AF7B13974CA0839B293C8A9153AFF2 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_tCAD9A6D5F5AF7B13974CA0839B293C8A9153AFF2 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__14_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_tCAD9A6D5F5AF7B13974CA0839B293C8A9153AFF2_StaticFields, ___U3CU3E9__14_0_1)); }
inline Func_2_tE598C5F7A22BCA56FB8DD59FBF98733D0B14E32E * get_U3CU3E9__14_0_1() const { return ___U3CU3E9__14_0_1; }
inline Func_2_tE598C5F7A22BCA56FB8DD59FBF98733D0B14E32E ** get_address_of_U3CU3E9__14_0_1() { return &___U3CU3E9__14_0_1; }
inline void set_U3CU3E9__14_0_1(Func_2_tE598C5F7A22BCA56FB8DD59FBF98733D0B14E32E * value)
{
___U3CU3E9__14_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__14_0_1), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/NameValuePair
struct NameValuePair_t094C9E03AB65EA488E72926E1D87B3815929D708 : public RuntimeObject
{
public:
// System.String UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/NameValuePair::name
String_t* ___name_0;
// UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/NameValuePair::group
GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A * ___group_1;
public:
inline static int32_t get_offset_of_name_0() { return static_cast<int32_t>(offsetof(NameValuePair_t094C9E03AB65EA488E72926E1D87B3815929D708, ___name_0)); }
inline String_t* get_name_0() const { return ___name_0; }
inline String_t** get_address_of_name_0() { return &___name_0; }
inline void set_name_0(String_t* value)
{
___name_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_0), (void*)value);
}
inline static int32_t get_offset_of_group_1() { return static_cast<int32_t>(offsetof(NameValuePair_t094C9E03AB65EA488E72926E1D87B3815929D708, ___group_1)); }
inline GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A * get_group_1() const { return ___group_1; }
inline GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A ** get_address_of_group_1() { return &___group_1; }
inline void set_group_1(GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A * value)
{
___group_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___group_1), (void*)value);
}
};
// UnityEngine.UI.GraphicRaycaster/<>c
struct U3CU3Ec_t43FDD2D1BAB9CBA1C02E24FEF16A3D9C757F6010 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t43FDD2D1BAB9CBA1C02E24FEF16A3D9C757F6010_StaticFields
{
public:
// UnityEngine.UI.GraphicRaycaster/<>c UnityEngine.UI.GraphicRaycaster/<>c::<>9
U3CU3Ec_t43FDD2D1BAB9CBA1C02E24FEF16A3D9C757F6010 * ___U3CU3E9_0;
// System.Comparison`1<UnityEngine.UI.Graphic> UnityEngine.UI.GraphicRaycaster/<>c::<>9__27_0
Comparison_1_t7BDDF85417DBC1A0C4817BF9F1D054C9F7128876 * ___U3CU3E9__27_0_1;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t43FDD2D1BAB9CBA1C02E24FEF16A3D9C757F6010_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t43FDD2D1BAB9CBA1C02E24FEF16A3D9C757F6010 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t43FDD2D1BAB9CBA1C02E24FEF16A3D9C757F6010 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t43FDD2D1BAB9CBA1C02E24FEF16A3D9C757F6010 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__27_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_t43FDD2D1BAB9CBA1C02E24FEF16A3D9C757F6010_StaticFields, ___U3CU3E9__27_0_1)); }
inline Comparison_1_t7BDDF85417DBC1A0C4817BF9F1D054C9F7128876 * get_U3CU3E9__27_0_1() const { return ___U3CU3E9__27_0_1; }
inline Comparison_1_t7BDDF85417DBC1A0C4817BF9F1D054C9F7128876 ** get_address_of_U3CU3E9__27_0_1() { return &___U3CU3E9__27_0_1; }
inline void set_U3CU3E9__27_0_1(Comparison_1_t7BDDF85417DBC1A0C4817BF9F1D054C9F7128876 * value)
{
___U3CU3E9__27_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__27_0_1), (void*)value);
}
};
// System.Collections.Hashtable/HashtableDebugView
struct HashtableDebugView_t65E564AE78AE34916BAB0CC38A1408E286ACEFFD : public RuntimeObject
{
public:
public:
};
// System.Collections.Hashtable/HashtableEnumerator
struct HashtableEnumerator_tE0C1E58CD53485371C1A23E5120E89BC93D97FDF : public RuntimeObject
{
public:
// System.Collections.Hashtable System.Collections.Hashtable/HashtableEnumerator::hashtable
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___hashtable_0;
// System.Int32 System.Collections.Hashtable/HashtableEnumerator::bucket
int32_t ___bucket_1;
// System.Int32 System.Collections.Hashtable/HashtableEnumerator::version
int32_t ___version_2;
// System.Boolean System.Collections.Hashtable/HashtableEnumerator::current
bool ___current_3;
// System.Int32 System.Collections.Hashtable/HashtableEnumerator::getObjectRetType
int32_t ___getObjectRetType_4;
// System.Object System.Collections.Hashtable/HashtableEnumerator::currentKey
RuntimeObject * ___currentKey_5;
// System.Object System.Collections.Hashtable/HashtableEnumerator::currentValue
RuntimeObject * ___currentValue_6;
public:
inline static int32_t get_offset_of_hashtable_0() { return static_cast<int32_t>(offsetof(HashtableEnumerator_tE0C1E58CD53485371C1A23E5120E89BC93D97FDF, ___hashtable_0)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_hashtable_0() const { return ___hashtable_0; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_hashtable_0() { return &___hashtable_0; }
inline void set_hashtable_0(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___hashtable_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___hashtable_0), (void*)value);
}
inline static int32_t get_offset_of_bucket_1() { return static_cast<int32_t>(offsetof(HashtableEnumerator_tE0C1E58CD53485371C1A23E5120E89BC93D97FDF, ___bucket_1)); }
inline int32_t get_bucket_1() const { return ___bucket_1; }
inline int32_t* get_address_of_bucket_1() { return &___bucket_1; }
inline void set_bucket_1(int32_t value)
{
___bucket_1 = value;
}
inline static int32_t get_offset_of_version_2() { return static_cast<int32_t>(offsetof(HashtableEnumerator_tE0C1E58CD53485371C1A23E5120E89BC93D97FDF, ___version_2)); }
inline int32_t get_version_2() const { return ___version_2; }
inline int32_t* get_address_of_version_2() { return &___version_2; }
inline void set_version_2(int32_t value)
{
___version_2 = value;
}
inline static int32_t get_offset_of_current_3() { return static_cast<int32_t>(offsetof(HashtableEnumerator_tE0C1E58CD53485371C1A23E5120E89BC93D97FDF, ___current_3)); }
inline bool get_current_3() const { return ___current_3; }
inline bool* get_address_of_current_3() { return &___current_3; }
inline void set_current_3(bool value)
{
___current_3 = value;
}
inline static int32_t get_offset_of_getObjectRetType_4() { return static_cast<int32_t>(offsetof(HashtableEnumerator_tE0C1E58CD53485371C1A23E5120E89BC93D97FDF, ___getObjectRetType_4)); }
inline int32_t get_getObjectRetType_4() const { return ___getObjectRetType_4; }
inline int32_t* get_address_of_getObjectRetType_4() { return &___getObjectRetType_4; }
inline void set_getObjectRetType_4(int32_t value)
{
___getObjectRetType_4 = value;
}
inline static int32_t get_offset_of_currentKey_5() { return static_cast<int32_t>(offsetof(HashtableEnumerator_tE0C1E58CD53485371C1A23E5120E89BC93D97FDF, ___currentKey_5)); }
inline RuntimeObject * get_currentKey_5() const { return ___currentKey_5; }
inline RuntimeObject ** get_address_of_currentKey_5() { return &___currentKey_5; }
inline void set_currentKey_5(RuntimeObject * value)
{
___currentKey_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currentKey_5), (void*)value);
}
inline static int32_t get_offset_of_currentValue_6() { return static_cast<int32_t>(offsetof(HashtableEnumerator_tE0C1E58CD53485371C1A23E5120E89BC93D97FDF, ___currentValue_6)); }
inline RuntimeObject * get_currentValue_6() const { return ___currentValue_6; }
inline RuntimeObject ** get_address_of_currentValue_6() { return &___currentValue_6; }
inline void set_currentValue_6(RuntimeObject * value)
{
___currentValue_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currentValue_6), (void*)value);
}
};
// System.Collections.Hashtable/KeyCollection
struct KeyCollection_tD156AF123B81AE9183976AA8743E5D6B30030CCE : public RuntimeObject
{
public:
// System.Collections.Hashtable System.Collections.Hashtable/KeyCollection::_hashtable
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ____hashtable_0;
public:
inline static int32_t get_offset_of__hashtable_0() { return static_cast<int32_t>(offsetof(KeyCollection_tD156AF123B81AE9183976AA8743E5D6B30030CCE, ____hashtable_0)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get__hashtable_0() const { return ____hashtable_0; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of__hashtable_0() { return &____hashtable_0; }
inline void set__hashtable_0(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
____hashtable_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____hashtable_0), (void*)value);
}
};
// UnityEngine.AddressableAssets.Initialization.InitializationOperation/<>c
struct U3CU3Ec_tE17B4DF6A08D70F6313ABCA926AC5827846947BB : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_tE17B4DF6A08D70F6313ABCA926AC5827846947BB_StaticFields
{
public:
// UnityEngine.AddressableAssets.Initialization.InitializationOperation/<>c UnityEngine.AddressableAssets.Initialization.InitializationOperation/<>c::<>9
U3CU3Ec_tE17B4DF6A08D70F6313ABCA926AC5827846947BB * ___U3CU3E9_0;
// System.Func`2<UnityEngine.ResourceManagement.ResourceProviders.IResourceProvider,System.Boolean> UnityEngine.AddressableAssets.Initialization.InitializationOperation/<>c::<>9__13_0
Func_2_t69C4F92AEBB32B94C7D556BD1CD790E8FC896B45 * ___U3CU3E9__13_0_1;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_tE17B4DF6A08D70F6313ABCA926AC5827846947BB_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_tE17B4DF6A08D70F6313ABCA926AC5827846947BB * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_tE17B4DF6A08D70F6313ABCA926AC5827846947BB ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_tE17B4DF6A08D70F6313ABCA926AC5827846947BB * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__13_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_tE17B4DF6A08D70F6313ABCA926AC5827846947BB_StaticFields, ___U3CU3E9__13_0_1)); }
inline Func_2_t69C4F92AEBB32B94C7D556BD1CD790E8FC896B45 * get_U3CU3E9__13_0_1() const { return ___U3CU3E9__13_0_1; }
inline Func_2_t69C4F92AEBB32B94C7D556BD1CD790E8FC896B45 ** get_address_of_U3CU3E9__13_0_1() { return &___U3CU3E9__13_0_1; }
inline void set_U3CU3E9__13_0_1(Func_2_t69C4F92AEBB32B94C7D556BD1CD790E8FC896B45 * value)
{
___U3CU3E9__13_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__13_0_1), (void*)value);
}
};
// UnityEngine.AddressableAssets.Initialization.InitializationOperation/<>c__DisplayClass16_0
struct U3CU3Ec__DisplayClass16_0_tF42A377A5088BDDD9F2C683DAA8C640D1A4D6A2D : public RuntimeObject
{
public:
// UnityEngine.AddressableAssets.AddressablesImpl UnityEngine.AddressableAssets.Initialization.InitializationOperation/<>c__DisplayClass16_0::addressables
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * ___addressables_0;
// System.String UnityEngine.AddressableAssets.Initialization.InitializationOperation/<>c__DisplayClass16_0::providerSuffix
String_t* ___providerSuffix_1;
public:
inline static int32_t get_offset_of_addressables_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass16_0_tF42A377A5088BDDD9F2C683DAA8C640D1A4D6A2D, ___addressables_0)); }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * get_addressables_0() const { return ___addressables_0; }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 ** get_address_of_addressables_0() { return &___addressables_0; }
inline void set_addressables_0(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * value)
{
___addressables_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___addressables_0), (void*)value);
}
inline static int32_t get_offset_of_providerSuffix_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass16_0_tF42A377A5088BDDD9F2C683DAA8C640D1A4D6A2D, ___providerSuffix_1)); }
inline String_t* get_providerSuffix_1() const { return ___providerSuffix_1; }
inline String_t** get_address_of_providerSuffix_1() { return &___providerSuffix_1; }
inline void set_providerSuffix_1(String_t* value)
{
___providerSuffix_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___providerSuffix_1), (void*)value);
}
};
// UnityEngine.AddressableAssets.Initialization.InitializationOperation/<>c__DisplayClass18_0
struct U3CU3Ec__DisplayClass18_0_tE67E92DF82A5AEC1124BF444A40FC210787F25BB : public RuntimeObject
{
public:
// UnityEngine.AddressableAssets.Initialization.InitializationOperation UnityEngine.AddressableAssets.Initialization.InitializationOperation/<>c__DisplayClass18_0::<>4__this
InitializationOperation_t6B5E499738C4AAD0D1566EC00551A0694C8094B0 * ___U3CU3E4__this_0;
// System.Collections.Generic.IList`1<UnityEngine.ResourceManagement.ResourceLocations.IResourceLocation> UnityEngine.AddressableAssets.Initialization.InitializationOperation/<>c__DisplayClass18_0::catalogs
RuntimeObject* ___catalogs_1;
// UnityEngine.AddressableAssets.ResourceLocators.ResourceLocationMap UnityEngine.AddressableAssets.Initialization.InitializationOperation/<>c__DisplayClass18_0::locMap
ResourceLocationMap_t14A3D5C863FAE0D257213393BC576B3EEF04A6A8 * ___locMap_2;
// System.Int32 UnityEngine.AddressableAssets.Initialization.InitializationOperation/<>c__DisplayClass18_0::index
int32_t ___index_3;
public:
inline static int32_t get_offset_of_U3CU3E4__this_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass18_0_tE67E92DF82A5AEC1124BF444A40FC210787F25BB, ___U3CU3E4__this_0)); }
inline InitializationOperation_t6B5E499738C4AAD0D1566EC00551A0694C8094B0 * get_U3CU3E4__this_0() const { return ___U3CU3E4__this_0; }
inline InitializationOperation_t6B5E499738C4AAD0D1566EC00551A0694C8094B0 ** get_address_of_U3CU3E4__this_0() { return &___U3CU3E4__this_0; }
inline void set_U3CU3E4__this_0(InitializationOperation_t6B5E499738C4AAD0D1566EC00551A0694C8094B0 * value)
{
___U3CU3E4__this_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_0), (void*)value);
}
inline static int32_t get_offset_of_catalogs_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass18_0_tE67E92DF82A5AEC1124BF444A40FC210787F25BB, ___catalogs_1)); }
inline RuntimeObject* get_catalogs_1() const { return ___catalogs_1; }
inline RuntimeObject** get_address_of_catalogs_1() { return &___catalogs_1; }
inline void set_catalogs_1(RuntimeObject* value)
{
___catalogs_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___catalogs_1), (void*)value);
}
inline static int32_t get_offset_of_locMap_2() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass18_0_tE67E92DF82A5AEC1124BF444A40FC210787F25BB, ___locMap_2)); }
inline ResourceLocationMap_t14A3D5C863FAE0D257213393BC576B3EEF04A6A8 * get_locMap_2() const { return ___locMap_2; }
inline ResourceLocationMap_t14A3D5C863FAE0D257213393BC576B3EEF04A6A8 ** get_address_of_locMap_2() { return &___locMap_2; }
inline void set_locMap_2(ResourceLocationMap_t14A3D5C863FAE0D257213393BC576B3EEF04A6A8 * value)
{
___locMap_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___locMap_2), (void*)value);
}
inline static int32_t get_offset_of_index_3() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass18_0_tE67E92DF82A5AEC1124BF444A40FC210787F25BB, ___index_3)); }
inline int32_t get_index_3() const { return ___index_3; }
inline int32_t* get_address_of_index_3() { return &___index_3; }
inline void set_index_3(int32_t value)
{
___index_3 = value;
}
};
// UnityEngine.UI.InputField/<CaretBlink>d__161
struct U3CCaretBlinkU3Ed__161_tA860DFAB8E5BBF24FFD05F32A049BC7C482A4D52 : public RuntimeObject
{
public:
// System.Int32 UnityEngine.UI.InputField/<CaretBlink>d__161::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Object UnityEngine.UI.InputField/<CaretBlink>d__161::<>2__current
RuntimeObject * ___U3CU3E2__current_1;
// UnityEngine.UI.InputField UnityEngine.UI.InputField/<CaretBlink>d__161::<>4__this
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0 * ___U3CU3E4__this_2;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CCaretBlinkU3Ed__161_tA860DFAB8E5BBF24FFD05F32A049BC7C482A4D52, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CCaretBlinkU3Ed__161_tA860DFAB8E5BBF24FFD05F32A049BC7C482A4D52, ___U3CU3E2__current_1)); }
inline RuntimeObject * get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline RuntimeObject ** get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(RuntimeObject * value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E2__current_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E4__this_2() { return static_cast<int32_t>(offsetof(U3CCaretBlinkU3Ed__161_tA860DFAB8E5BBF24FFD05F32A049BC7C482A4D52, ___U3CU3E4__this_2)); }
inline InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0 * get_U3CU3E4__this_2() const { return ___U3CU3E4__this_2; }
inline InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0 ** get_address_of_U3CU3E4__this_2() { return &___U3CU3E4__this_2; }
inline void set_U3CU3E4__this_2(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0 * value)
{
___U3CU3E4__this_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_2), (void*)value);
}
};
// UnityEngine.UI.InputField/<MouseDragOutsideRect>d__181
struct U3CMouseDragOutsideRectU3Ed__181_t00A1484BA91FD72E18648C1B65BB4E9A839DE83C : public RuntimeObject
{
public:
// System.Int32 UnityEngine.UI.InputField/<MouseDragOutsideRect>d__181::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Object UnityEngine.UI.InputField/<MouseDragOutsideRect>d__181::<>2__current
RuntimeObject * ___U3CU3E2__current_1;
// UnityEngine.EventSystems.PointerEventData UnityEngine.UI.InputField/<MouseDragOutsideRect>d__181::eventData
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 * ___eventData_2;
// UnityEngine.UI.InputField UnityEngine.UI.InputField/<MouseDragOutsideRect>d__181::<>4__this
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0 * ___U3CU3E4__this_3;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CMouseDragOutsideRectU3Ed__181_t00A1484BA91FD72E18648C1B65BB4E9A839DE83C, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CMouseDragOutsideRectU3Ed__181_t00A1484BA91FD72E18648C1B65BB4E9A839DE83C, ___U3CU3E2__current_1)); }
inline RuntimeObject * get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline RuntimeObject ** get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(RuntimeObject * value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E2__current_1), (void*)value);
}
inline static int32_t get_offset_of_eventData_2() { return static_cast<int32_t>(offsetof(U3CMouseDragOutsideRectU3Ed__181_t00A1484BA91FD72E18648C1B65BB4E9A839DE83C, ___eventData_2)); }
inline PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 * get_eventData_2() const { return ___eventData_2; }
inline PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 ** get_address_of_eventData_2() { return &___eventData_2; }
inline void set_eventData_2(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 * value)
{
___eventData_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___eventData_2), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E4__this_3() { return static_cast<int32_t>(offsetof(U3CMouseDragOutsideRectU3Ed__181_t00A1484BA91FD72E18648C1B65BB4E9A839DE83C, ___U3CU3E4__this_3)); }
inline InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0 * get_U3CU3E4__this_3() const { return ___U3CU3E4__this_3; }
inline InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0 ** get_address_of_U3CU3E4__this_3() { return &___U3CU3E4__this_3; }
inline void set_U3CU3E4__this_3(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0 * value)
{
___U3CU3E4__this_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_3), (void*)value);
}
};
// TMPro.KerningTable/<>c
struct U3CU3Ec_t703AFB8812FA710DAC810048091DD4D9E636B648 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t703AFB8812FA710DAC810048091DD4D9E636B648_StaticFields
{
public:
// TMPro.KerningTable/<>c TMPro.KerningTable/<>c::<>9
U3CU3Ec_t703AFB8812FA710DAC810048091DD4D9E636B648 * ___U3CU3E9_0;
// System.Func`2<TMPro.KerningPair,System.UInt32> TMPro.KerningTable/<>c::<>9__7_0
Func_2_tF5E67F802454FD3DA4D6AF2E7E515B5F4651C80C * ___U3CU3E9__7_0_1;
// System.Func`2<TMPro.KerningPair,System.UInt32> TMPro.KerningTable/<>c::<>9__7_1
Func_2_tF5E67F802454FD3DA4D6AF2E7E515B5F4651C80C * ___U3CU3E9__7_1_2;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t703AFB8812FA710DAC810048091DD4D9E636B648_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t703AFB8812FA710DAC810048091DD4D9E636B648 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t703AFB8812FA710DAC810048091DD4D9E636B648 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t703AFB8812FA710DAC810048091DD4D9E636B648 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__7_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_t703AFB8812FA710DAC810048091DD4D9E636B648_StaticFields, ___U3CU3E9__7_0_1)); }
inline Func_2_tF5E67F802454FD3DA4D6AF2E7E515B5F4651C80C * get_U3CU3E9__7_0_1() const { return ___U3CU3E9__7_0_1; }
inline Func_2_tF5E67F802454FD3DA4D6AF2E7E515B5F4651C80C ** get_address_of_U3CU3E9__7_0_1() { return &___U3CU3E9__7_0_1; }
inline void set_U3CU3E9__7_0_1(Func_2_tF5E67F802454FD3DA4D6AF2E7E515B5F4651C80C * value)
{
___U3CU3E9__7_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__7_0_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__7_1_2() { return static_cast<int32_t>(offsetof(U3CU3Ec_t703AFB8812FA710DAC810048091DD4D9E636B648_StaticFields, ___U3CU3E9__7_1_2)); }
inline Func_2_tF5E67F802454FD3DA4D6AF2E7E515B5F4651C80C * get_U3CU3E9__7_1_2() const { return ___U3CU3E9__7_1_2; }
inline Func_2_tF5E67F802454FD3DA4D6AF2E7E515B5F4651C80C ** get_address_of_U3CU3E9__7_1_2() { return &___U3CU3E9__7_1_2; }
inline void set_U3CU3E9__7_1_2(Func_2_tF5E67F802454FD3DA4D6AF2E7E515B5F4651C80C * value)
{
___U3CU3E9__7_1_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__7_1_2), (void*)value);
}
};
// TMPro.KerningTable/<>c__DisplayClass3_0
struct U3CU3Ec__DisplayClass3_0_tEB73E9245A5EFD083D464F9FE57F7FB58666664F : public RuntimeObject
{
public:
// System.UInt32 TMPro.KerningTable/<>c__DisplayClass3_0::first
uint32_t ___first_0;
// System.UInt32 TMPro.KerningTable/<>c__DisplayClass3_0::second
uint32_t ___second_1;
public:
inline static int32_t get_offset_of_first_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass3_0_tEB73E9245A5EFD083D464F9FE57F7FB58666664F, ___first_0)); }
inline uint32_t get_first_0() const { return ___first_0; }
inline uint32_t* get_address_of_first_0() { return &___first_0; }
inline void set_first_0(uint32_t value)
{
___first_0 = value;
}
inline static int32_t get_offset_of_second_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass3_0_tEB73E9245A5EFD083D464F9FE57F7FB58666664F, ___second_1)); }
inline uint32_t get_second_1() const { return ___second_1; }
inline uint32_t* get_address_of_second_1() { return &___second_1; }
inline void set_second_1(uint32_t value)
{
___second_1 = value;
}
};
// TMPro.KerningTable/<>c__DisplayClass4_0
struct U3CU3Ec__DisplayClass4_0_tC60F61D96B2E70F18543641DED5110621C652873 : public RuntimeObject
{
public:
// System.UInt32 TMPro.KerningTable/<>c__DisplayClass4_0::first
uint32_t ___first_0;
// System.UInt32 TMPro.KerningTable/<>c__DisplayClass4_0::second
uint32_t ___second_1;
public:
inline static int32_t get_offset_of_first_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass4_0_tC60F61D96B2E70F18543641DED5110621C652873, ___first_0)); }
inline uint32_t get_first_0() const { return ___first_0; }
inline uint32_t* get_address_of_first_0() { return &___first_0; }
inline void set_first_0(uint32_t value)
{
___first_0 = value;
}
inline static int32_t get_offset_of_second_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass4_0_tC60F61D96B2E70F18543641DED5110621C652873, ___second_1)); }
inline uint32_t get_second_1() const { return ___second_1; }
inline uint32_t* get_address_of_second_1() { return &___second_1; }
inline void set_second_1(uint32_t value)
{
___second_1 = value;
}
};
// TMPro.KerningTable/<>c__DisplayClass5_0
struct U3CU3Ec__DisplayClass5_0_tC52C218F866F631263FEA661AE904357C1E1123E : public RuntimeObject
{
public:
// System.Int32 TMPro.KerningTable/<>c__DisplayClass5_0::left
int32_t ___left_0;
// System.Int32 TMPro.KerningTable/<>c__DisplayClass5_0::right
int32_t ___right_1;
public:
inline static int32_t get_offset_of_left_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass5_0_tC52C218F866F631263FEA661AE904357C1E1123E, ___left_0)); }
inline int32_t get_left_0() const { return ___left_0; }
inline int32_t* get_address_of_left_0() { return &___left_0; }
inline void set_left_0(int32_t value)
{
___left_0 = value;
}
inline static int32_t get_offset_of_right_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass5_0_tC52C218F866F631263FEA661AE904357C1E1123E, ___right_1)); }
inline int32_t get_right_1() const { return ___right_1; }
inline int32_t* get_address_of_right_1() { return &___right_1; }
inline void set_right_1(int32_t value)
{
___right_1 = value;
}
};
// UnityEngine.UI.LayoutGroup/<DelayedSetDirty>d__56
struct U3CDelayedSetDirtyU3Ed__56_tFC01B8A0930877A6B06D182C0DEA09660B57E7DE : public RuntimeObject
{
public:
// System.Int32 UnityEngine.UI.LayoutGroup/<DelayedSetDirty>d__56::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Object UnityEngine.UI.LayoutGroup/<DelayedSetDirty>d__56::<>2__current
RuntimeObject * ___U3CU3E2__current_1;
// UnityEngine.RectTransform UnityEngine.UI.LayoutGroup/<DelayedSetDirty>d__56::rectTransform
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___rectTransform_2;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CDelayedSetDirtyU3Ed__56_tFC01B8A0930877A6B06D182C0DEA09660B57E7DE, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CDelayedSetDirtyU3Ed__56_tFC01B8A0930877A6B06D182C0DEA09660B57E7DE, ___U3CU3E2__current_1)); }
inline RuntimeObject * get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline RuntimeObject ** get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(RuntimeObject * value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E2__current_1), (void*)value);
}
inline static int32_t get_offset_of_rectTransform_2() { return static_cast<int32_t>(offsetof(U3CDelayedSetDirtyU3Ed__56_tFC01B8A0930877A6B06D182C0DEA09660B57E7DE, ___rectTransform_2)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_rectTransform_2() const { return ___rectTransform_2; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_rectTransform_2() { return &___rectTransform_2; }
inline void set_rectTransform_2(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___rectTransform_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___rectTransform_2), (void*)value);
}
};
// UnityEngine.UI.LayoutRebuilder/<>c
struct U3CU3Ec_tF79F3380B4FBBEE2D222FA51ECA9C5F326A844EE : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_tF79F3380B4FBBEE2D222FA51ECA9C5F326A844EE_StaticFields
{
public:
// UnityEngine.UI.LayoutRebuilder/<>c UnityEngine.UI.LayoutRebuilder/<>c::<>9
U3CU3Ec_tF79F3380B4FBBEE2D222FA51ECA9C5F326A844EE * ___U3CU3E9_0;
// System.Predicate`1<UnityEngine.Component> UnityEngine.UI.LayoutRebuilder/<>c::<>9__10_0
Predicate_1_tBEBACD97616BCB10B35EC8D20237C6EE1D61B96C * ___U3CU3E9__10_0_1;
// UnityEngine.Events.UnityAction`1<UnityEngine.Component> UnityEngine.UI.LayoutRebuilder/<>c::<>9__12_0
UnityAction_1_tEBBE4F10DEAB2C7BBD873B6FF4C2EE1CF0A884BE * ___U3CU3E9__12_0_2;
// UnityEngine.Events.UnityAction`1<UnityEngine.Component> UnityEngine.UI.LayoutRebuilder/<>c::<>9__12_1
UnityAction_1_tEBBE4F10DEAB2C7BBD873B6FF4C2EE1CF0A884BE * ___U3CU3E9__12_1_3;
// UnityEngine.Events.UnityAction`1<UnityEngine.Component> UnityEngine.UI.LayoutRebuilder/<>c::<>9__12_2
UnityAction_1_tEBBE4F10DEAB2C7BBD873B6FF4C2EE1CF0A884BE * ___U3CU3E9__12_2_4;
// UnityEngine.Events.UnityAction`1<UnityEngine.Component> UnityEngine.UI.LayoutRebuilder/<>c::<>9__12_3
UnityAction_1_tEBBE4F10DEAB2C7BBD873B6FF4C2EE1CF0A884BE * ___U3CU3E9__12_3_5;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_tF79F3380B4FBBEE2D222FA51ECA9C5F326A844EE_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_tF79F3380B4FBBEE2D222FA51ECA9C5F326A844EE * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_tF79F3380B4FBBEE2D222FA51ECA9C5F326A844EE ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_tF79F3380B4FBBEE2D222FA51ECA9C5F326A844EE * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__10_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_tF79F3380B4FBBEE2D222FA51ECA9C5F326A844EE_StaticFields, ___U3CU3E9__10_0_1)); }
inline Predicate_1_tBEBACD97616BCB10B35EC8D20237C6EE1D61B96C * get_U3CU3E9__10_0_1() const { return ___U3CU3E9__10_0_1; }
inline Predicate_1_tBEBACD97616BCB10B35EC8D20237C6EE1D61B96C ** get_address_of_U3CU3E9__10_0_1() { return &___U3CU3E9__10_0_1; }
inline void set_U3CU3E9__10_0_1(Predicate_1_tBEBACD97616BCB10B35EC8D20237C6EE1D61B96C * value)
{
___U3CU3E9__10_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__10_0_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__12_0_2() { return static_cast<int32_t>(offsetof(U3CU3Ec_tF79F3380B4FBBEE2D222FA51ECA9C5F326A844EE_StaticFields, ___U3CU3E9__12_0_2)); }
inline UnityAction_1_tEBBE4F10DEAB2C7BBD873B6FF4C2EE1CF0A884BE * get_U3CU3E9__12_0_2() const { return ___U3CU3E9__12_0_2; }
inline UnityAction_1_tEBBE4F10DEAB2C7BBD873B6FF4C2EE1CF0A884BE ** get_address_of_U3CU3E9__12_0_2() { return &___U3CU3E9__12_0_2; }
inline void set_U3CU3E9__12_0_2(UnityAction_1_tEBBE4F10DEAB2C7BBD873B6FF4C2EE1CF0A884BE * value)
{
___U3CU3E9__12_0_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__12_0_2), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__12_1_3() { return static_cast<int32_t>(offsetof(U3CU3Ec_tF79F3380B4FBBEE2D222FA51ECA9C5F326A844EE_StaticFields, ___U3CU3E9__12_1_3)); }
inline UnityAction_1_tEBBE4F10DEAB2C7BBD873B6FF4C2EE1CF0A884BE * get_U3CU3E9__12_1_3() const { return ___U3CU3E9__12_1_3; }
inline UnityAction_1_tEBBE4F10DEAB2C7BBD873B6FF4C2EE1CF0A884BE ** get_address_of_U3CU3E9__12_1_3() { return &___U3CU3E9__12_1_3; }
inline void set_U3CU3E9__12_1_3(UnityAction_1_tEBBE4F10DEAB2C7BBD873B6FF4C2EE1CF0A884BE * value)
{
___U3CU3E9__12_1_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__12_1_3), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__12_2_4() { return static_cast<int32_t>(offsetof(U3CU3Ec_tF79F3380B4FBBEE2D222FA51ECA9C5F326A844EE_StaticFields, ___U3CU3E9__12_2_4)); }
inline UnityAction_1_tEBBE4F10DEAB2C7BBD873B6FF4C2EE1CF0A884BE * get_U3CU3E9__12_2_4() const { return ___U3CU3E9__12_2_4; }
inline UnityAction_1_tEBBE4F10DEAB2C7BBD873B6FF4C2EE1CF0A884BE ** get_address_of_U3CU3E9__12_2_4() { return &___U3CU3E9__12_2_4; }
inline void set_U3CU3E9__12_2_4(UnityAction_1_tEBBE4F10DEAB2C7BBD873B6FF4C2EE1CF0A884BE * value)
{
___U3CU3E9__12_2_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__12_2_4), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__12_3_5() { return static_cast<int32_t>(offsetof(U3CU3Ec_tF79F3380B4FBBEE2D222FA51ECA9C5F326A844EE_StaticFields, ___U3CU3E9__12_3_5)); }
inline UnityAction_1_tEBBE4F10DEAB2C7BBD873B6FF4C2EE1CF0A884BE * get_U3CU3E9__12_3_5() const { return ___U3CU3E9__12_3_5; }
inline UnityAction_1_tEBBE4F10DEAB2C7BBD873B6FF4C2EE1CF0A884BE ** get_address_of_U3CU3E9__12_3_5() { return &___U3CU3E9__12_3_5; }
inline void set_U3CU3E9__12_3_5(UnityAction_1_tEBBE4F10DEAB2C7BBD873B6FF4C2EE1CF0A884BE * value)
{
___U3CU3E9__12_3_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__12_3_5), (void*)value);
}
};
// UnityEngine.UI.LayoutUtility/<>c
struct U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425_StaticFields
{
public:
// UnityEngine.UI.LayoutUtility/<>c UnityEngine.UI.LayoutUtility/<>c::<>9
U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425 * ___U3CU3E9_0;
// System.Func`2<UnityEngine.UI.ILayoutElement,System.Single> UnityEngine.UI.LayoutUtility/<>c::<>9__3_0
Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * ___U3CU3E9__3_0_1;
// System.Func`2<UnityEngine.UI.ILayoutElement,System.Single> UnityEngine.UI.LayoutUtility/<>c::<>9__4_0
Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * ___U3CU3E9__4_0_2;
// System.Func`2<UnityEngine.UI.ILayoutElement,System.Single> UnityEngine.UI.LayoutUtility/<>c::<>9__4_1
Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * ___U3CU3E9__4_1_3;
// System.Func`2<UnityEngine.UI.ILayoutElement,System.Single> UnityEngine.UI.LayoutUtility/<>c::<>9__5_0
Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * ___U3CU3E9__5_0_4;
// System.Func`2<UnityEngine.UI.ILayoutElement,System.Single> UnityEngine.UI.LayoutUtility/<>c::<>9__6_0
Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * ___U3CU3E9__6_0_5;
// System.Func`2<UnityEngine.UI.ILayoutElement,System.Single> UnityEngine.UI.LayoutUtility/<>c::<>9__7_0
Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * ___U3CU3E9__7_0_6;
// System.Func`2<UnityEngine.UI.ILayoutElement,System.Single> UnityEngine.UI.LayoutUtility/<>c::<>9__7_1
Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * ___U3CU3E9__7_1_7;
// System.Func`2<UnityEngine.UI.ILayoutElement,System.Single> UnityEngine.UI.LayoutUtility/<>c::<>9__8_0
Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * ___U3CU3E9__8_0_8;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__3_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425_StaticFields, ___U3CU3E9__3_0_1)); }
inline Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * get_U3CU3E9__3_0_1() const { return ___U3CU3E9__3_0_1; }
inline Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA ** get_address_of_U3CU3E9__3_0_1() { return &___U3CU3E9__3_0_1; }
inline void set_U3CU3E9__3_0_1(Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * value)
{
___U3CU3E9__3_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__3_0_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__4_0_2() { return static_cast<int32_t>(offsetof(U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425_StaticFields, ___U3CU3E9__4_0_2)); }
inline Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * get_U3CU3E9__4_0_2() const { return ___U3CU3E9__4_0_2; }
inline Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA ** get_address_of_U3CU3E9__4_0_2() { return &___U3CU3E9__4_0_2; }
inline void set_U3CU3E9__4_0_2(Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * value)
{
___U3CU3E9__4_0_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__4_0_2), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__4_1_3() { return static_cast<int32_t>(offsetof(U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425_StaticFields, ___U3CU3E9__4_1_3)); }
inline Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * get_U3CU3E9__4_1_3() const { return ___U3CU3E9__4_1_3; }
inline Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA ** get_address_of_U3CU3E9__4_1_3() { return &___U3CU3E9__4_1_3; }
inline void set_U3CU3E9__4_1_3(Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * value)
{
___U3CU3E9__4_1_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__4_1_3), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__5_0_4() { return static_cast<int32_t>(offsetof(U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425_StaticFields, ___U3CU3E9__5_0_4)); }
inline Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * get_U3CU3E9__5_0_4() const { return ___U3CU3E9__5_0_4; }
inline Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA ** get_address_of_U3CU3E9__5_0_4() { return &___U3CU3E9__5_0_4; }
inline void set_U3CU3E9__5_0_4(Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * value)
{
___U3CU3E9__5_0_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__5_0_4), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__6_0_5() { return static_cast<int32_t>(offsetof(U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425_StaticFields, ___U3CU3E9__6_0_5)); }
inline Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * get_U3CU3E9__6_0_5() const { return ___U3CU3E9__6_0_5; }
inline Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA ** get_address_of_U3CU3E9__6_0_5() { return &___U3CU3E9__6_0_5; }
inline void set_U3CU3E9__6_0_5(Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * value)
{
___U3CU3E9__6_0_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__6_0_5), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__7_0_6() { return static_cast<int32_t>(offsetof(U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425_StaticFields, ___U3CU3E9__7_0_6)); }
inline Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * get_U3CU3E9__7_0_6() const { return ___U3CU3E9__7_0_6; }
inline Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA ** get_address_of_U3CU3E9__7_0_6() { return &___U3CU3E9__7_0_6; }
inline void set_U3CU3E9__7_0_6(Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * value)
{
___U3CU3E9__7_0_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__7_0_6), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__7_1_7() { return static_cast<int32_t>(offsetof(U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425_StaticFields, ___U3CU3E9__7_1_7)); }
inline Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * get_U3CU3E9__7_1_7() const { return ___U3CU3E9__7_1_7; }
inline Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA ** get_address_of_U3CU3E9__7_1_7() { return &___U3CU3E9__7_1_7; }
inline void set_U3CU3E9__7_1_7(Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * value)
{
___U3CU3E9__7_1_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__7_1_7), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__8_0_8() { return static_cast<int32_t>(offsetof(U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425_StaticFields, ___U3CU3E9__8_0_8)); }
inline Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * get_U3CU3E9__8_0_8() const { return ___U3CU3E9__8_0_8; }
inline Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA ** get_address_of_U3CU3E9__8_0_8() { return &___U3CU3E9__8_0_8; }
inline void set_U3CU3E9__8_0_8(Func_2_tEBA626460619958FDB2EFCFCA577D34379F642DA * value)
{
___U3CU3E9__8_0_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__8_0_8), (void*)value);
}
};
// UnityEngine.Experimental.GlobalIllumination.Lightmapping/<>c
struct U3CU3Ec_t0CD29EFB17F20C410B16682BBAC2B78C5BD98826 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t0CD29EFB17F20C410B16682BBAC2B78C5BD98826_StaticFields
{
public:
// UnityEngine.Experimental.GlobalIllumination.Lightmapping/<>c UnityEngine.Experimental.GlobalIllumination.Lightmapping/<>c::<>9
U3CU3Ec_t0CD29EFB17F20C410B16682BBAC2B78C5BD98826 * ___U3CU3E9_0;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t0CD29EFB17F20C410B16682BBAC2B78C5BD98826_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t0CD29EFB17F20C410B16682BBAC2B78C5BD98826 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t0CD29EFB17F20C410B16682BBAC2B78C5BD98826 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t0CD29EFB17F20C410B16682BBAC2B78C5BD98826 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
};
// System.Collections.ListDictionaryInternal/DictionaryNode
struct DictionaryNode_t9A01FA01782F6D162BA158736A5FB81CB893A33C : public RuntimeObject
{
public:
// System.Object System.Collections.ListDictionaryInternal/DictionaryNode::key
RuntimeObject * ___key_0;
// System.Object System.Collections.ListDictionaryInternal/DictionaryNode::value
RuntimeObject * ___value_1;
// System.Collections.ListDictionaryInternal/DictionaryNode System.Collections.ListDictionaryInternal/DictionaryNode::next
DictionaryNode_t9A01FA01782F6D162BA158736A5FB81CB893A33C * ___next_2;
public:
inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(DictionaryNode_t9A01FA01782F6D162BA158736A5FB81CB893A33C, ___key_0)); }
inline RuntimeObject * get_key_0() const { return ___key_0; }
inline RuntimeObject ** get_address_of_key_0() { return &___key_0; }
inline void set_key_0(RuntimeObject * value)
{
___key_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___key_0), (void*)value);
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(DictionaryNode_t9A01FA01782F6D162BA158736A5FB81CB893A33C, ___value_1)); }
inline RuntimeObject * get_value_1() const { return ___value_1; }
inline RuntimeObject ** get_address_of_value_1() { return &___value_1; }
inline void set_value_1(RuntimeObject * value)
{
___value_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value);
}
inline static int32_t get_offset_of_next_2() { return static_cast<int32_t>(offsetof(DictionaryNode_t9A01FA01782F6D162BA158736A5FB81CB893A33C, ___next_2)); }
inline DictionaryNode_t9A01FA01782F6D162BA158736A5FB81CB893A33C * get_next_2() const { return ___next_2; }
inline DictionaryNode_t9A01FA01782F6D162BA158736A5FB81CB893A33C ** get_address_of_next_2() { return &___next_2; }
inline void set_next_2(DictionaryNode_t9A01FA01782F6D162BA158736A5FB81CB893A33C * value)
{
___next_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___next_2), (void*)value);
}
};
// System.Collections.ListDictionaryInternal/NodeEnumerator
struct NodeEnumerator_t603444CE6539BA97B964D6B5734C61944955E79B : public RuntimeObject
{
public:
// System.Collections.ListDictionaryInternal System.Collections.ListDictionaryInternal/NodeEnumerator::list
ListDictionaryInternal_t41BC521E191A070D69C4D98B996314424BBFDA8A * ___list_0;
// System.Collections.ListDictionaryInternal/DictionaryNode System.Collections.ListDictionaryInternal/NodeEnumerator::current
DictionaryNode_t9A01FA01782F6D162BA158736A5FB81CB893A33C * ___current_1;
// System.Int32 System.Collections.ListDictionaryInternal/NodeEnumerator::version
int32_t ___version_2;
// System.Boolean System.Collections.ListDictionaryInternal/NodeEnumerator::start
bool ___start_3;
public:
inline static int32_t get_offset_of_list_0() { return static_cast<int32_t>(offsetof(NodeEnumerator_t603444CE6539BA97B964D6B5734C61944955E79B, ___list_0)); }
inline ListDictionaryInternal_t41BC521E191A070D69C4D98B996314424BBFDA8A * get_list_0() const { return ___list_0; }
inline ListDictionaryInternal_t41BC521E191A070D69C4D98B996314424BBFDA8A ** get_address_of_list_0() { return &___list_0; }
inline void set_list_0(ListDictionaryInternal_t41BC521E191A070D69C4D98B996314424BBFDA8A * value)
{
___list_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___list_0), (void*)value);
}
inline static int32_t get_offset_of_current_1() { return static_cast<int32_t>(offsetof(NodeEnumerator_t603444CE6539BA97B964D6B5734C61944955E79B, ___current_1)); }
inline DictionaryNode_t9A01FA01782F6D162BA158736A5FB81CB893A33C * get_current_1() const { return ___current_1; }
inline DictionaryNode_t9A01FA01782F6D162BA158736A5FB81CB893A33C ** get_address_of_current_1() { return &___current_1; }
inline void set_current_1(DictionaryNode_t9A01FA01782F6D162BA158736A5FB81CB893A33C * value)
{
___current_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___current_1), (void*)value);
}
inline static int32_t get_offset_of_version_2() { return static_cast<int32_t>(offsetof(NodeEnumerator_t603444CE6539BA97B964D6B5734C61944955E79B, ___version_2)); }
inline int32_t get_version_2() const { return ___version_2; }
inline int32_t* get_address_of_version_2() { return &___version_2; }
inline void set_version_2(int32_t value)
{
___version_2 = value;
}
inline static int32_t get_offset_of_start_3() { return static_cast<int32_t>(offsetof(NodeEnumerator_t603444CE6539BA97B964D6B5734C61944955E79B, ___start_3)); }
inline bool get_start_3() const { return ___start_3; }
inline bool* get_address_of_start_3() { return &___start_3; }
inline void set_start_3(bool value)
{
___start_3 = value;
}
};
// UnityEngine.Localization.Settings.LocalizationSettings/<>c__DisplayClass58_0
struct U3CU3Ec__DisplayClass58_0_tAE55A0A8AC79D60086A8FBFE13FAED70BDD9351D : public RuntimeObject
{
public:
// UnityEngine.Localization.Settings.LocalizationSettings UnityEngine.Localization.Settings.LocalizationSettings/<>c__DisplayClass58_0::<>4__this
LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660 * ___U3CU3E4__this_0;
// UnityEngine.Localization.Locale UnityEngine.Localization.Settings.LocalizationSettings/<>c__DisplayClass58_0::locale
Locale_tD8F38559A470AB424FCEE52608573679917924AA * ___locale_1;
public:
inline static int32_t get_offset_of_U3CU3E4__this_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass58_0_tAE55A0A8AC79D60086A8FBFE13FAED70BDD9351D, ___U3CU3E4__this_0)); }
inline LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660 * get_U3CU3E4__this_0() const { return ___U3CU3E4__this_0; }
inline LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660 ** get_address_of_U3CU3E4__this_0() { return &___U3CU3E4__this_0; }
inline void set_U3CU3E4__this_0(LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660 * value)
{
___U3CU3E4__this_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_0), (void*)value);
}
inline static int32_t get_offset_of_locale_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass58_0_tAE55A0A8AC79D60086A8FBFE13FAED70BDD9351D, ___locale_1)); }
inline Locale_tD8F38559A470AB424FCEE52608573679917924AA * get_locale_1() const { return ___locale_1; }
inline Locale_tD8F38559A470AB424FCEE52608573679917924AA ** get_address_of_locale_1() { return &___locale_1; }
inline void set_locale_1(Locale_tD8F38559A470AB424FCEE52608573679917924AA * value)
{
___locale_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___locale_1), (void*)value);
}
};
// Mono.Globalization.Unicode.MSCompatUnicodeTable/<>c
struct U3CU3Ec_t9C71671E3FC435799269A2109CBA9DDB7D43CC0F : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t9C71671E3FC435799269A2109CBA9DDB7D43CC0F_StaticFields
{
public:
// Mono.Globalization.Unicode.MSCompatUnicodeTable/<>c Mono.Globalization.Unicode.MSCompatUnicodeTable/<>c::<>9
U3CU3Ec_t9C71671E3FC435799269A2109CBA9DDB7D43CC0F * ___U3CU3E9_0;
// System.Comparison`1<Mono.Globalization.Unicode.Level2Map> Mono.Globalization.Unicode.MSCompatUnicodeTable/<>c::<>9__17_0
Comparison_1_tD3B42082C57F6BA82A21609F8DF8F414BCFA4C38 * ___U3CU3E9__17_0_1;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t9C71671E3FC435799269A2109CBA9DDB7D43CC0F_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t9C71671E3FC435799269A2109CBA9DDB7D43CC0F * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t9C71671E3FC435799269A2109CBA9DDB7D43CC0F ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t9C71671E3FC435799269A2109CBA9DDB7D43CC0F * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__17_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_t9C71671E3FC435799269A2109CBA9DDB7D43CC0F_StaticFields, ___U3CU3E9__17_0_1)); }
inline Comparison_1_tD3B42082C57F6BA82A21609F8DF8F414BCFA4C38 * get_U3CU3E9__17_0_1() const { return ___U3CU3E9__17_0_1; }
inline Comparison_1_tD3B42082C57F6BA82A21609F8DF8F414BCFA4C38 ** get_address_of_U3CU3E9__17_0_1() { return &___U3CU3E9__17_0_1; }
inline void set_U3CU3E9__17_0_1(Comparison_1_tD3B42082C57F6BA82A21609F8DF8F414BCFA4C38 * value)
{
___U3CU3E9__17_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__17_0_1), (void*)value);
}
};
// System.Runtime.Remoting.Messaging.MessageDictionary/DictionaryEnumerator
struct DictionaryEnumerator_t95104D38F24B87BBC706FDB01BAA3C1AC4908ED3 : public RuntimeObject
{
public:
// System.Runtime.Remoting.Messaging.MessageDictionary System.Runtime.Remoting.Messaging.MessageDictionary/DictionaryEnumerator::_methodDictionary
MessageDictionary_tF87E1D8408337642172945A13C9C116D7F9336BE * ____methodDictionary_0;
// System.Collections.IDictionaryEnumerator System.Runtime.Remoting.Messaging.MessageDictionary/DictionaryEnumerator::_hashtableEnum
RuntimeObject* ____hashtableEnum_1;
// System.Int32 System.Runtime.Remoting.Messaging.MessageDictionary/DictionaryEnumerator::_posMethod
int32_t ____posMethod_2;
public:
inline static int32_t get_offset_of__methodDictionary_0() { return static_cast<int32_t>(offsetof(DictionaryEnumerator_t95104D38F24B87BBC706FDB01BAA3C1AC4908ED3, ____methodDictionary_0)); }
inline MessageDictionary_tF87E1D8408337642172945A13C9C116D7F9336BE * get__methodDictionary_0() const { return ____methodDictionary_0; }
inline MessageDictionary_tF87E1D8408337642172945A13C9C116D7F9336BE ** get_address_of__methodDictionary_0() { return &____methodDictionary_0; }
inline void set__methodDictionary_0(MessageDictionary_tF87E1D8408337642172945A13C9C116D7F9336BE * value)
{
____methodDictionary_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____methodDictionary_0), (void*)value);
}
inline static int32_t get_offset_of__hashtableEnum_1() { return static_cast<int32_t>(offsetof(DictionaryEnumerator_t95104D38F24B87BBC706FDB01BAA3C1AC4908ED3, ____hashtableEnum_1)); }
inline RuntimeObject* get__hashtableEnum_1() const { return ____hashtableEnum_1; }
inline RuntimeObject** get_address_of__hashtableEnum_1() { return &____hashtableEnum_1; }
inline void set__hashtableEnum_1(RuntimeObject* value)
{
____hashtableEnum_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____hashtableEnum_1), (void*)value);
}
inline static int32_t get_offset_of__posMethod_2() { return static_cast<int32_t>(offsetof(DictionaryEnumerator_t95104D38F24B87BBC706FDB01BAA3C1AC4908ED3, ____posMethod_2)); }
inline int32_t get__posMethod_2() const { return ____posMethod_2; }
inline int32_t* get_address_of__posMethod_2() { return &____posMethod_2; }
inline void set__posMethod_2(int32_t value)
{
____posMethod_2 = value;
}
};
// System.MonoCustomAttrs/AttributeInfo
struct AttributeInfo_t66BEC026953AEC2DC867E21ADD1F5BF9E5840A87 : public RuntimeObject
{
public:
// System.AttributeUsageAttribute System.MonoCustomAttrs/AttributeInfo::_usage
AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C * ____usage_0;
// System.Int32 System.MonoCustomAttrs/AttributeInfo::_inheritanceLevel
int32_t ____inheritanceLevel_1;
public:
inline static int32_t get_offset_of__usage_0() { return static_cast<int32_t>(offsetof(AttributeInfo_t66BEC026953AEC2DC867E21ADD1F5BF9E5840A87, ____usage_0)); }
inline AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C * get__usage_0() const { return ____usage_0; }
inline AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C ** get_address_of__usage_0() { return &____usage_0; }
inline void set__usage_0(AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C * value)
{
____usage_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____usage_0), (void*)value);
}
inline static int32_t get_offset_of__inheritanceLevel_1() { return static_cast<int32_t>(offsetof(AttributeInfo_t66BEC026953AEC2DC867E21ADD1F5BF9E5840A87, ____inheritanceLevel_1)); }
inline int32_t get__inheritanceLevel_1() const { return ____inheritanceLevel_1; }
inline int32_t* get_address_of__inheritanceLevel_1() { return &____inheritanceLevel_1; }
inline void set__inheritanceLevel_1(int32_t value)
{
____inheritanceLevel_1 = value;
}
};
// System.NumberFormatter/CustomInfo
struct CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C : public RuntimeObject
{
public:
// System.Boolean System.NumberFormatter/CustomInfo::UseGroup
bool ___UseGroup_0;
// System.Int32 System.NumberFormatter/CustomInfo::DecimalDigits
int32_t ___DecimalDigits_1;
// System.Int32 System.NumberFormatter/CustomInfo::DecimalPointPos
int32_t ___DecimalPointPos_2;
// System.Int32 System.NumberFormatter/CustomInfo::DecimalTailSharpDigits
int32_t ___DecimalTailSharpDigits_3;
// System.Int32 System.NumberFormatter/CustomInfo::IntegerDigits
int32_t ___IntegerDigits_4;
// System.Int32 System.NumberFormatter/CustomInfo::IntegerHeadSharpDigits
int32_t ___IntegerHeadSharpDigits_5;
// System.Int32 System.NumberFormatter/CustomInfo::IntegerHeadPos
int32_t ___IntegerHeadPos_6;
// System.Boolean System.NumberFormatter/CustomInfo::UseExponent
bool ___UseExponent_7;
// System.Int32 System.NumberFormatter/CustomInfo::ExponentDigits
int32_t ___ExponentDigits_8;
// System.Int32 System.NumberFormatter/CustomInfo::ExponentTailSharpDigits
int32_t ___ExponentTailSharpDigits_9;
// System.Boolean System.NumberFormatter/CustomInfo::ExponentNegativeSignOnly
bool ___ExponentNegativeSignOnly_10;
// System.Int32 System.NumberFormatter/CustomInfo::DividePlaces
int32_t ___DividePlaces_11;
// System.Int32 System.NumberFormatter/CustomInfo::Percents
int32_t ___Percents_12;
// System.Int32 System.NumberFormatter/CustomInfo::Permilles
int32_t ___Permilles_13;
public:
inline static int32_t get_offset_of_UseGroup_0() { return static_cast<int32_t>(offsetof(CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C, ___UseGroup_0)); }
inline bool get_UseGroup_0() const { return ___UseGroup_0; }
inline bool* get_address_of_UseGroup_0() { return &___UseGroup_0; }
inline void set_UseGroup_0(bool value)
{
___UseGroup_0 = value;
}
inline static int32_t get_offset_of_DecimalDigits_1() { return static_cast<int32_t>(offsetof(CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C, ___DecimalDigits_1)); }
inline int32_t get_DecimalDigits_1() const { return ___DecimalDigits_1; }
inline int32_t* get_address_of_DecimalDigits_1() { return &___DecimalDigits_1; }
inline void set_DecimalDigits_1(int32_t value)
{
___DecimalDigits_1 = value;
}
inline static int32_t get_offset_of_DecimalPointPos_2() { return static_cast<int32_t>(offsetof(CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C, ___DecimalPointPos_2)); }
inline int32_t get_DecimalPointPos_2() const { return ___DecimalPointPos_2; }
inline int32_t* get_address_of_DecimalPointPos_2() { return &___DecimalPointPos_2; }
inline void set_DecimalPointPos_2(int32_t value)
{
___DecimalPointPos_2 = value;
}
inline static int32_t get_offset_of_DecimalTailSharpDigits_3() { return static_cast<int32_t>(offsetof(CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C, ___DecimalTailSharpDigits_3)); }
inline int32_t get_DecimalTailSharpDigits_3() const { return ___DecimalTailSharpDigits_3; }
inline int32_t* get_address_of_DecimalTailSharpDigits_3() { return &___DecimalTailSharpDigits_3; }
inline void set_DecimalTailSharpDigits_3(int32_t value)
{
___DecimalTailSharpDigits_3 = value;
}
inline static int32_t get_offset_of_IntegerDigits_4() { return static_cast<int32_t>(offsetof(CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C, ___IntegerDigits_4)); }
inline int32_t get_IntegerDigits_4() const { return ___IntegerDigits_4; }
inline int32_t* get_address_of_IntegerDigits_4() { return &___IntegerDigits_4; }
inline void set_IntegerDigits_4(int32_t value)
{
___IntegerDigits_4 = value;
}
inline static int32_t get_offset_of_IntegerHeadSharpDigits_5() { return static_cast<int32_t>(offsetof(CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C, ___IntegerHeadSharpDigits_5)); }
inline int32_t get_IntegerHeadSharpDigits_5() const { return ___IntegerHeadSharpDigits_5; }
inline int32_t* get_address_of_IntegerHeadSharpDigits_5() { return &___IntegerHeadSharpDigits_5; }
inline void set_IntegerHeadSharpDigits_5(int32_t value)
{
___IntegerHeadSharpDigits_5 = value;
}
inline static int32_t get_offset_of_IntegerHeadPos_6() { return static_cast<int32_t>(offsetof(CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C, ___IntegerHeadPos_6)); }
inline int32_t get_IntegerHeadPos_6() const { return ___IntegerHeadPos_6; }
inline int32_t* get_address_of_IntegerHeadPos_6() { return &___IntegerHeadPos_6; }
inline void set_IntegerHeadPos_6(int32_t value)
{
___IntegerHeadPos_6 = value;
}
inline static int32_t get_offset_of_UseExponent_7() { return static_cast<int32_t>(offsetof(CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C, ___UseExponent_7)); }
inline bool get_UseExponent_7() const { return ___UseExponent_7; }
inline bool* get_address_of_UseExponent_7() { return &___UseExponent_7; }
inline void set_UseExponent_7(bool value)
{
___UseExponent_7 = value;
}
inline static int32_t get_offset_of_ExponentDigits_8() { return static_cast<int32_t>(offsetof(CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C, ___ExponentDigits_8)); }
inline int32_t get_ExponentDigits_8() const { return ___ExponentDigits_8; }
inline int32_t* get_address_of_ExponentDigits_8() { return &___ExponentDigits_8; }
inline void set_ExponentDigits_8(int32_t value)
{
___ExponentDigits_8 = value;
}
inline static int32_t get_offset_of_ExponentTailSharpDigits_9() { return static_cast<int32_t>(offsetof(CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C, ___ExponentTailSharpDigits_9)); }
inline int32_t get_ExponentTailSharpDigits_9() const { return ___ExponentTailSharpDigits_9; }
inline int32_t* get_address_of_ExponentTailSharpDigits_9() { return &___ExponentTailSharpDigits_9; }
inline void set_ExponentTailSharpDigits_9(int32_t value)
{
___ExponentTailSharpDigits_9 = value;
}
inline static int32_t get_offset_of_ExponentNegativeSignOnly_10() { return static_cast<int32_t>(offsetof(CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C, ___ExponentNegativeSignOnly_10)); }
inline bool get_ExponentNegativeSignOnly_10() const { return ___ExponentNegativeSignOnly_10; }
inline bool* get_address_of_ExponentNegativeSignOnly_10() { return &___ExponentNegativeSignOnly_10; }
inline void set_ExponentNegativeSignOnly_10(bool value)
{
___ExponentNegativeSignOnly_10 = value;
}
inline static int32_t get_offset_of_DividePlaces_11() { return static_cast<int32_t>(offsetof(CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C, ___DividePlaces_11)); }
inline int32_t get_DividePlaces_11() const { return ___DividePlaces_11; }
inline int32_t* get_address_of_DividePlaces_11() { return &___DividePlaces_11; }
inline void set_DividePlaces_11(int32_t value)
{
___DividePlaces_11 = value;
}
inline static int32_t get_offset_of_Percents_12() { return static_cast<int32_t>(offsetof(CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C, ___Percents_12)); }
inline int32_t get_Percents_12() const { return ___Percents_12; }
inline int32_t* get_address_of_Percents_12() { return &___Percents_12; }
inline void set_Percents_12(int32_t value)
{
___Percents_12 = value;
}
inline static int32_t get_offset_of_Permilles_13() { return static_cast<int32_t>(offsetof(CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C, ___Permilles_13)); }
inline int32_t get_Permilles_13() const { return ___Permilles_13; }
inline int32_t* get_address_of_Permilles_13() { return &___Permilles_13; }
inline void set_Permilles_13(int32_t value)
{
___Permilles_13 = value;
}
};
// System.Threading.OSSpecificSynchronizationContext/<>c
struct U3CU3Ec_tFF9BE01C85B19F8D2AC32AEB69AE274E6D080C9F : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_tFF9BE01C85B19F8D2AC32AEB69AE274E6D080C9F_StaticFields
{
public:
// System.Threading.OSSpecificSynchronizationContext/<>c System.Threading.OSSpecificSynchronizationContext/<>c::<>9
U3CU3Ec_tFF9BE01C85B19F8D2AC32AEB69AE274E6D080C9F * ___U3CU3E9_0;
// System.Runtime.CompilerServices.ConditionalWeakTable`2/CreateValueCallback<System.Object,System.Threading.OSSpecificSynchronizationContext> System.Threading.OSSpecificSynchronizationContext/<>c::<>9__3_0
CreateValueCallback_t26CE66A095DA5876B5651B764A56049D0E88FC65 * ___U3CU3E9__3_0_1;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_tFF9BE01C85B19F8D2AC32AEB69AE274E6D080C9F_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_tFF9BE01C85B19F8D2AC32AEB69AE274E6D080C9F * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_tFF9BE01C85B19F8D2AC32AEB69AE274E6D080C9F ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_tFF9BE01C85B19F8D2AC32AEB69AE274E6D080C9F * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__3_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_tFF9BE01C85B19F8D2AC32AEB69AE274E6D080C9F_StaticFields, ___U3CU3E9__3_0_1)); }
inline CreateValueCallback_t26CE66A095DA5876B5651B764A56049D0E88FC65 * get_U3CU3E9__3_0_1() const { return ___U3CU3E9__3_0_1; }
inline CreateValueCallback_t26CE66A095DA5876B5651B764A56049D0E88FC65 ** get_address_of_U3CU3E9__3_0_1() { return &___U3CU3E9__3_0_1; }
inline void set_U3CU3E9__3_0_1(CreateValueCallback_t26CE66A095DA5876B5651B764A56049D0E88FC65 * value)
{
___U3CU3E9__3_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__3_0_1), (void*)value);
}
};
// System.Threading.OSSpecificSynchronizationContext/InvocationContext
struct InvocationContext_tB21651DEE9C5EA7BA248F342731E4BAE3B5890F8 : public RuntimeObject
{
public:
// System.Threading.SendOrPostCallback System.Threading.OSSpecificSynchronizationContext/InvocationContext::m_Delegate
SendOrPostCallback_t6B7334CE017AF595535507519400AC02D688DC3C * ___m_Delegate_0;
// System.Object System.Threading.OSSpecificSynchronizationContext/InvocationContext::m_State
RuntimeObject * ___m_State_1;
public:
inline static int32_t get_offset_of_m_Delegate_0() { return static_cast<int32_t>(offsetof(InvocationContext_tB21651DEE9C5EA7BA248F342731E4BAE3B5890F8, ___m_Delegate_0)); }
inline SendOrPostCallback_t6B7334CE017AF595535507519400AC02D688DC3C * get_m_Delegate_0() const { return ___m_Delegate_0; }
inline SendOrPostCallback_t6B7334CE017AF595535507519400AC02D688DC3C ** get_address_of_m_Delegate_0() { return &___m_Delegate_0; }
inline void set_m_Delegate_0(SendOrPostCallback_t6B7334CE017AF595535507519400AC02D688DC3C * value)
{
___m_Delegate_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Delegate_0), (void*)value);
}
inline static int32_t get_offset_of_m_State_1() { return static_cast<int32_t>(offsetof(InvocationContext_tB21651DEE9C5EA7BA248F342731E4BAE3B5890F8, ___m_State_1)); }
inline RuntimeObject * get_m_State_1() const { return ___m_State_1; }
inline RuntimeObject ** get_address_of_m_State_1() { return &___m_State_1; }
inline void set_m_State_1(RuntimeObject * value)
{
___m_State_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_State_1), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.Binary.ObjectReader/TopLevelAssemblyTypeResolver
struct TopLevelAssemblyTypeResolver_t9ECFBA4CD804BA65FCB54E999EFC295D53E28D90 : public RuntimeObject
{
public:
// System.Reflection.Assembly System.Runtime.Serialization.Formatters.Binary.ObjectReader/TopLevelAssemblyTypeResolver::m_topLevelAssembly
Assembly_t * ___m_topLevelAssembly_0;
public:
inline static int32_t get_offset_of_m_topLevelAssembly_0() { return static_cast<int32_t>(offsetof(TopLevelAssemblyTypeResolver_t9ECFBA4CD804BA65FCB54E999EFC295D53E28D90, ___m_topLevelAssembly_0)); }
inline Assembly_t * get_m_topLevelAssembly_0() const { return ___m_topLevelAssembly_0; }
inline Assembly_t ** get_address_of_m_topLevelAssembly_0() { return &___m_topLevelAssembly_0; }
inline void set_m_topLevelAssembly_0(Assembly_t * value)
{
___m_topLevelAssembly_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_topLevelAssembly_0), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.Binary.ObjectReader/TypeNAssembly
struct TypeNAssembly_t8DD17B81F9360EB5E3B45F7108F9F3DEB569F2B6 : public RuntimeObject
{
public:
// System.Type System.Runtime.Serialization.Formatters.Binary.ObjectReader/TypeNAssembly::type
Type_t * ___type_0;
// System.String System.Runtime.Serialization.Formatters.Binary.ObjectReader/TypeNAssembly::assemblyName
String_t* ___assemblyName_1;
public:
inline static int32_t get_offset_of_type_0() { return static_cast<int32_t>(offsetof(TypeNAssembly_t8DD17B81F9360EB5E3B45F7108F9F3DEB569F2B6, ___type_0)); }
inline Type_t * get_type_0() const { return ___type_0; }
inline Type_t ** get_address_of_type_0() { return &___type_0; }
inline void set_type_0(Type_t * value)
{
___type_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___type_0), (void*)value);
}
inline static int32_t get_offset_of_assemblyName_1() { return static_cast<int32_t>(offsetof(TypeNAssembly_t8DD17B81F9360EB5E3B45F7108F9F3DEB569F2B6, ___assemblyName_1)); }
inline String_t* get_assemblyName_1() const { return ___assemblyName_1; }
inline String_t** get_address_of_assemblyName_1() { return &___assemblyName_1; }
inline void set_assemblyName_1(String_t* value)
{
___assemblyName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assemblyName_1), (void*)value);
}
};
// UnityEngine.Localization.OperationHandleDeferedRelease/<ReleaseHandlesNextFrame>d__4
struct U3CReleaseHandlesNextFrameU3Ed__4_tE20879FBC91D46B466379318C1520567C710A75C : public RuntimeObject
{
public:
// System.Int32 UnityEngine.Localization.OperationHandleDeferedRelease/<ReleaseHandlesNextFrame>d__4::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Object UnityEngine.Localization.OperationHandleDeferedRelease/<ReleaseHandlesNextFrame>d__4::<>2__current
RuntimeObject * ___U3CU3E2__current_1;
// System.Collections.Generic.List`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.Localization.OperationHandleDeferedRelease/<ReleaseHandlesNextFrame>d__4::handles
List_1_t5442E20C5A292391C5A773F16A034AE18E414CB8 * ___handles_2;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CReleaseHandlesNextFrameU3Ed__4_tE20879FBC91D46B466379318C1520567C710A75C, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CReleaseHandlesNextFrameU3Ed__4_tE20879FBC91D46B466379318C1520567C710A75C, ___U3CU3E2__current_1)); }
inline RuntimeObject * get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline RuntimeObject ** get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(RuntimeObject * value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E2__current_1), (void*)value);
}
inline static int32_t get_offset_of_handles_2() { return static_cast<int32_t>(offsetof(U3CReleaseHandlesNextFrameU3Ed__4_tE20879FBC91D46B466379318C1520567C710A75C, ___handles_2)); }
inline List_1_t5442E20C5A292391C5A773F16A034AE18E414CB8 * get_handles_2() const { return ___handles_2; }
inline List_1_t5442E20C5A292391C5A773F16A034AE18E414CB8 ** get_address_of_handles_2() { return &___handles_2; }
inline void set_handles_2(List_1_t5442E20C5A292391C5A773F16A034AE18E414CB8 * value)
{
___handles_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___handles_2), (void*)value);
}
};
// System.ParameterizedStrings/LowLevelStack
struct LowLevelStack_t2806989725D172838E82BE0AF369B5FF4A780A89 : public RuntimeObject
{
public:
// System.ParameterizedStrings/FormatParam[] System.ParameterizedStrings/LowLevelStack::_arr
FormatParamU5BU5D_t62750077BC482BAA854016A79AA9CC6A581271CB* ____arr_0;
// System.Int32 System.ParameterizedStrings/LowLevelStack::_count
int32_t ____count_1;
public:
inline static int32_t get_offset_of__arr_0() { return static_cast<int32_t>(offsetof(LowLevelStack_t2806989725D172838E82BE0AF369B5FF4A780A89, ____arr_0)); }
inline FormatParamU5BU5D_t62750077BC482BAA854016A79AA9CC6A581271CB* get__arr_0() const { return ____arr_0; }
inline FormatParamU5BU5D_t62750077BC482BAA854016A79AA9CC6A581271CB** get_address_of__arr_0() { return &____arr_0; }
inline void set__arr_0(FormatParamU5BU5D_t62750077BC482BAA854016A79AA9CC6A581271CB* value)
{
____arr_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____arr_0), (void*)value);
}
inline static int32_t get_offset_of__count_1() { return static_cast<int32_t>(offsetof(LowLevelStack_t2806989725D172838E82BE0AF369B5FF4A780A89, ____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;
}
};
// UnityEngine.Localization.SmartFormat.Core.Parsing.Parser/<>c__DisplayClass24_0
struct U3CU3Ec__DisplayClass24_0_t7E88E11EFD43CD879329554C9B4A358E408D3AD3 : public RuntimeObject
{
public:
// UnityEngine.Localization.SmartFormat.Core.Parsing.Format UnityEngine.Localization.SmartFormat.Core.Parsing.Parser/<>c__DisplayClass24_0::currentResult
Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * ___currentResult_0;
public:
inline static int32_t get_offset_of_currentResult_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass24_0_t7E88E11EFD43CD879329554C9B4A358E408D3AD3, ___currentResult_0)); }
inline Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * get_currentResult_0() const { return ___currentResult_0; }
inline Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E ** get_address_of_currentResult_0() { return &___currentResult_0; }
inline void set_currentResult_0(Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * value)
{
___currentResult_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currentResult_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Core.Parsing.Parser/<>c__DisplayClass24_1
struct U3CU3Ec__DisplayClass24_1_t33331B4B24DE6440ECFAB31BE8D158AFA9E71BD2 : public RuntimeObject
{
public:
// System.Int32 UnityEngine.Localization.SmartFormat.Core.Parsing.Parser/<>c__DisplayClass24_1::i
int32_t ___i_0;
// UnityEngine.Localization.SmartFormat.Core.Parsing.Parser/<>c__DisplayClass24_0 UnityEngine.Localization.SmartFormat.Core.Parsing.Parser/<>c__DisplayClass24_1::CS$<>8__locals1
U3CU3Ec__DisplayClass24_0_t7E88E11EFD43CD879329554C9B4A358E408D3AD3 * ___CSU24U3CU3E8__locals1_1;
public:
inline static int32_t get_offset_of_i_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass24_1_t33331B4B24DE6440ECFAB31BE8D158AFA9E71BD2, ___i_0)); }
inline int32_t get_i_0() const { return ___i_0; }
inline int32_t* get_address_of_i_0() { return &___i_0; }
inline void set_i_0(int32_t value)
{
___i_0 = value;
}
inline static int32_t get_offset_of_CSU24U3CU3E8__locals1_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass24_1_t33331B4B24DE6440ECFAB31BE8D158AFA9E71BD2, ___CSU24U3CU3E8__locals1_1)); }
inline U3CU3Ec__DisplayClass24_0_t7E88E11EFD43CD879329554C9B4A358E408D3AD3 * get_CSU24U3CU3E8__locals1_1() const { return ___CSU24U3CU3E8__locals1_1; }
inline U3CU3Ec__DisplayClass24_0_t7E88E11EFD43CD879329554C9B4A358E408D3AD3 ** get_address_of_CSU24U3CU3E8__locals1_1() { return &___CSU24U3CU3E8__locals1_1; }
inline void set_CSU24U3CU3E8__locals1_1(U3CU3Ec__DisplayClass24_0_t7E88E11EFD43CD879329554C9B4A358E408D3AD3 * value)
{
___CSU24U3CU3E8__locals1_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___CSU24U3CU3E8__locals1_1), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Core.Parsing.Parser/<>c__DisplayClass24_2
struct U3CU3Ec__DisplayClass24_2_t0DD21685EF84F9D3CB49E399FC4CBDC3A68C54FB : public RuntimeObject
{
public:
// System.Int32 UnityEngine.Localization.SmartFormat.Core.Parsing.Parser/<>c__DisplayClass24_2::i
int32_t ___i_0;
// UnityEngine.Localization.SmartFormat.Core.Parsing.Parser/<>c__DisplayClass24_0 UnityEngine.Localization.SmartFormat.Core.Parsing.Parser/<>c__DisplayClass24_2::CS$<>8__locals2
U3CU3Ec__DisplayClass24_0_t7E88E11EFD43CD879329554C9B4A358E408D3AD3 * ___CSU24U3CU3E8__locals2_1;
public:
inline static int32_t get_offset_of_i_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass24_2_t0DD21685EF84F9D3CB49E399FC4CBDC3A68C54FB, ___i_0)); }
inline int32_t get_i_0() const { return ___i_0; }
inline int32_t* get_address_of_i_0() { return &___i_0; }
inline void set_i_0(int32_t value)
{
___i_0 = value;
}
inline static int32_t get_offset_of_CSU24U3CU3E8__locals2_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass24_2_t0DD21685EF84F9D3CB49E399FC4CBDC3A68C54FB, ___CSU24U3CU3E8__locals2_1)); }
inline U3CU3Ec__DisplayClass24_0_t7E88E11EFD43CD879329554C9B4A358E408D3AD3 * get_CSU24U3CU3E8__locals2_1() const { return ___CSU24U3CU3E8__locals2_1; }
inline U3CU3Ec__DisplayClass24_0_t7E88E11EFD43CD879329554C9B4A358E408D3AD3 ** get_address_of_CSU24U3CU3E8__locals2_1() { return &___CSU24U3CU3E8__locals2_1; }
inline void set_CSU24U3CU3E8__locals2_1(U3CU3Ec__DisplayClass24_0_t7E88E11EFD43CD879329554C9B4A358E408D3AD3 * value)
{
___CSU24U3CU3E8__locals2_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___CSU24U3CU3E8__locals2_1), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Core.Parsing.Parser/ParsingErrorText
struct ParsingErrorText_tAC0E515A3A9B190E5441D8B3D0D36AA0E3137423 : public RuntimeObject
{
public:
// System.Collections.Generic.Dictionary`2<UnityEngine.Localization.SmartFormat.Core.Parsing.Parser/ParsingError,System.String> UnityEngine.Localization.SmartFormat.Core.Parsing.Parser/ParsingErrorText::_errors
Dictionary_2_t2C22EAE20A617087418B2ACCB6F0204DB50C644A * ____errors_0;
public:
inline static int32_t get_offset_of__errors_0() { return static_cast<int32_t>(offsetof(ParsingErrorText_tAC0E515A3A9B190E5441D8B3D0D36AA0E3137423, ____errors_0)); }
inline Dictionary_2_t2C22EAE20A617087418B2ACCB6F0204DB50C644A * get__errors_0() const { return ____errors_0; }
inline Dictionary_2_t2C22EAE20A617087418B2ACCB6F0204DB50C644A ** get_address_of__errors_0() { return &____errors_0; }
inline void set__errors_0(Dictionary_2_t2C22EAE20A617087418B2ACCB6F0204DB50C644A * value)
{
____errors_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____errors_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors/<>c
struct U3CU3Ec_tC7E382B242708B8A133A54FC63B8AE206E1AF565 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_tC7E382B242708B8A133A54FC63B8AE206E1AF565_StaticFields
{
public:
// UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors/<>c UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors/<>c::<>9
U3CU3Ec_tC7E382B242708B8A133A54FC63B8AE206E1AF565 * ___U3CU3E9_0;
// System.Func`2<UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors/ParsingIssue,System.String> UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors/<>c::<>9__9_0
Func_2_tB37A51464481C4448C8DD1459D3D43E7902106EE * ___U3CU3E9__9_0_1;
// System.Func`2<UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors/ParsingIssue,System.String> UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors/<>c::<>9__11_0
Func_2_tB37A51464481C4448C8DD1459D3D43E7902106EE * ___U3CU3E9__11_0_2;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_tC7E382B242708B8A133A54FC63B8AE206E1AF565_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_tC7E382B242708B8A133A54FC63B8AE206E1AF565 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_tC7E382B242708B8A133A54FC63B8AE206E1AF565 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_tC7E382B242708B8A133A54FC63B8AE206E1AF565 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__9_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_tC7E382B242708B8A133A54FC63B8AE206E1AF565_StaticFields, ___U3CU3E9__9_0_1)); }
inline Func_2_tB37A51464481C4448C8DD1459D3D43E7902106EE * get_U3CU3E9__9_0_1() const { return ___U3CU3E9__9_0_1; }
inline Func_2_tB37A51464481C4448C8DD1459D3D43E7902106EE ** get_address_of_U3CU3E9__9_0_1() { return &___U3CU3E9__9_0_1; }
inline void set_U3CU3E9__9_0_1(Func_2_tB37A51464481C4448C8DD1459D3D43E7902106EE * value)
{
___U3CU3E9__9_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__9_0_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__11_0_2() { return static_cast<int32_t>(offsetof(U3CU3Ec_tC7E382B242708B8A133A54FC63B8AE206E1AF565_StaticFields, ___U3CU3E9__11_0_2)); }
inline Func_2_tB37A51464481C4448C8DD1459D3D43E7902106EE * get_U3CU3E9__11_0_2() const { return ___U3CU3E9__11_0_2; }
inline Func_2_tB37A51464481C4448C8DD1459D3D43E7902106EE ** get_address_of_U3CU3E9__11_0_2() { return &___U3CU3E9__11_0_2; }
inline void set_U3CU3E9__11_0_2(Func_2_tB37A51464481C4448C8DD1459D3D43E7902106EE * value)
{
___U3CU3E9__11_0_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__11_0_2), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors/ParsingIssue
struct ParsingIssue_tBA9AB9CCCBD08E24A24063E7FC40541A27F33919 : public RuntimeObject
{
public:
// System.Int32 UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors/ParsingIssue::<Index>k__BackingField
int32_t ___U3CIndexU3Ek__BackingField_0;
// System.Int32 UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors/ParsingIssue::<Length>k__BackingField
int32_t ___U3CLengthU3Ek__BackingField_1;
// System.String UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors/ParsingIssue::<Issue>k__BackingField
String_t* ___U3CIssueU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CIndexU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(ParsingIssue_tBA9AB9CCCBD08E24A24063E7FC40541A27F33919, ___U3CIndexU3Ek__BackingField_0)); }
inline int32_t get_U3CIndexU3Ek__BackingField_0() const { return ___U3CIndexU3Ek__BackingField_0; }
inline int32_t* get_address_of_U3CIndexU3Ek__BackingField_0() { return &___U3CIndexU3Ek__BackingField_0; }
inline void set_U3CIndexU3Ek__BackingField_0(int32_t value)
{
___U3CIndexU3Ek__BackingField_0 = value;
}
inline static int32_t get_offset_of_U3CLengthU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(ParsingIssue_tBA9AB9CCCBD08E24A24063E7FC40541A27F33919, ___U3CLengthU3Ek__BackingField_1)); }
inline int32_t get_U3CLengthU3Ek__BackingField_1() const { return ___U3CLengthU3Ek__BackingField_1; }
inline int32_t* get_address_of_U3CLengthU3Ek__BackingField_1() { return &___U3CLengthU3Ek__BackingField_1; }
inline void set_U3CLengthU3Ek__BackingField_1(int32_t value)
{
___U3CLengthU3Ek__BackingField_1 = value;
}
inline static int32_t get_offset_of_U3CIssueU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(ParsingIssue_tBA9AB9CCCBD08E24A24063E7FC40541A27F33919, ___U3CIssueU3Ek__BackingField_2)); }
inline String_t* get_U3CIssueU3Ek__BackingField_2() const { return ___U3CIssueU3Ek__BackingField_2; }
inline String_t** get_address_of_U3CIssueU3Ek__BackingField_2() { return &___U3CIssueU3Ek__BackingField_2; }
inline void set_U3CIssueU3Ek__BackingField_2(String_t* value)
{
___U3CIssueU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CIssueU3Ek__BackingField_2), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.ParsingErrorsPool/<>c
struct U3CU3Ec_t0C635980D2E7F12C310CE3A024CD62623CF032B7 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t0C635980D2E7F12C310CE3A024CD62623CF032B7_StaticFields
{
public:
// UnityEngine.Localization.SmartFormat.ParsingErrorsPool/<>c UnityEngine.Localization.SmartFormat.ParsingErrorsPool/<>c::<>9
U3CU3Ec_t0C635980D2E7F12C310CE3A024CD62623CF032B7 * ___U3CU3E9_0;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t0C635980D2E7F12C310CE3A024CD62623CF032B7_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t0C635980D2E7F12C310CE3A024CD62623CF032B7 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t0C635980D2E7F12C310CE3A024CD62623CF032B7 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t0C635980D2E7F12C310CE3A024CD62623CF032B7 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
};
// UnityEngine.EventSystems.PhysicsRaycaster/RaycastHitComparer
struct RaycastHitComparer_tC1146CEF99040544A2E1034A40CA0E4747E83877 : public RuntimeObject
{
public:
public:
};
struct RaycastHitComparer_tC1146CEF99040544A2E1034A40CA0E4747E83877_StaticFields
{
public:
// UnityEngine.EventSystems.PhysicsRaycaster/RaycastHitComparer UnityEngine.EventSystems.PhysicsRaycaster/RaycastHitComparer::instance
RaycastHitComparer_tC1146CEF99040544A2E1034A40CA0E4747E83877 * ___instance_0;
public:
inline static int32_t get_offset_of_instance_0() { return static_cast<int32_t>(offsetof(RaycastHitComparer_tC1146CEF99040544A2E1034A40CA0E4747E83877_StaticFields, ___instance_0)); }
inline RaycastHitComparer_tC1146CEF99040544A2E1034A40CA0E4747E83877 * get_instance_0() const { return ___instance_0; }
inline RaycastHitComparer_tC1146CEF99040544A2E1034A40CA0E4747E83877 ** get_address_of_instance_0() { return &___instance_0; }
inline void set_instance_0(RaycastHitComparer_tC1146CEF99040544A2E1034A40CA0E4747E83877 * value)
{
___instance_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___instance_0), (void*)value);
}
};
// UnityEngine.Networking.PlayerConnection.PlayerConnection/<>c__DisplayClass20_0
struct U3CU3Ec__DisplayClass20_0_tEA47E236E3FCEC75772DAF52911B35E8F14766DD : public RuntimeObject
{
public:
// System.Boolean UnityEngine.Networking.PlayerConnection.PlayerConnection/<>c__DisplayClass20_0::msgReceived
bool ___msgReceived_0;
public:
inline static int32_t get_offset_of_msgReceived_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass20_0_tEA47E236E3FCEC75772DAF52911B35E8F14766DD, ___msgReceived_0)); }
inline bool get_msgReceived_0() const { return ___msgReceived_0; }
inline bool* get_address_of_msgReceived_0() { return &___msgReceived_0; }
inline void set_msgReceived_0(bool value)
{
___msgReceived_0 = value;
}
};
// UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents/MessageTypeSubscribers
struct MessageTypeSubscribers_t7A69A1D132BF9A354D94F9E490E148BBB81A508F : public RuntimeObject
{
public:
// System.String UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents/MessageTypeSubscribers::m_messageTypeId
String_t* ___m_messageTypeId_0;
// System.Int32 UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents/MessageTypeSubscribers::subscriberCount
int32_t ___subscriberCount_1;
// UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents/MessageEvent UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents/MessageTypeSubscribers::messageCallback
MessageEvent_tF0C632D7EBE9C4B2B91E20F2AA4B593D1B55469B * ___messageCallback_2;
public:
inline static int32_t get_offset_of_m_messageTypeId_0() { return static_cast<int32_t>(offsetof(MessageTypeSubscribers_t7A69A1D132BF9A354D94F9E490E148BBB81A508F, ___m_messageTypeId_0)); }
inline String_t* get_m_messageTypeId_0() const { return ___m_messageTypeId_0; }
inline String_t** get_address_of_m_messageTypeId_0() { return &___m_messageTypeId_0; }
inline void set_m_messageTypeId_0(String_t* value)
{
___m_messageTypeId_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_messageTypeId_0), (void*)value);
}
inline static int32_t get_offset_of_subscriberCount_1() { return static_cast<int32_t>(offsetof(MessageTypeSubscribers_t7A69A1D132BF9A354D94F9E490E148BBB81A508F, ___subscriberCount_1)); }
inline int32_t get_subscriberCount_1() const { return ___subscriberCount_1; }
inline int32_t* get_address_of_subscriberCount_1() { return &___subscriberCount_1; }
inline void set_subscriberCount_1(int32_t value)
{
___subscriberCount_1 = value;
}
inline static int32_t get_offset_of_messageCallback_2() { return static_cast<int32_t>(offsetof(MessageTypeSubscribers_t7A69A1D132BF9A354D94F9E490E148BBB81A508F, ___messageCallback_2)); }
inline MessageEvent_tF0C632D7EBE9C4B2B91E20F2AA4B593D1B55469B * get_messageCallback_2() const { return ___messageCallback_2; }
inline MessageEvent_tF0C632D7EBE9C4B2B91E20F2AA4B593D1B55469B ** get_address_of_messageCallback_2() { return &___messageCallback_2; }
inline void set_messageCallback_2(MessageEvent_tF0C632D7EBE9C4B2B91E20F2AA4B593D1B55469B * value)
{
___messageCallback_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___messageCallback_2), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c
struct U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields
{
public:
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3 * ___U3CU3E9_0;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__2_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__2_0_1;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__4_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__4_0_2;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__6_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__6_0_3;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__8_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__8_0_4;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__10_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__10_0_5;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__12_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__12_0_6;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__14_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__14_0_7;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__16_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__16_0_8;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__18_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__18_0_9;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__20_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__20_0_10;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__22_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__22_0_11;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__24_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__24_0_12;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__26_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__26_0_13;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__28_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__28_0_14;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__30_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__30_0_15;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__32_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__32_0_16;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__34_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__34_0_17;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__36_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__36_0_18;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__38_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__38_0_19;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__40_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__40_0_20;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__42_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__42_0_21;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__44_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__44_0_22;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.PluralRules/<>c::<>9__46_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__46_0_23;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__2_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__2_0_1)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__2_0_1() const { return ___U3CU3E9__2_0_1; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__2_0_1() { return &___U3CU3E9__2_0_1; }
inline void set_U3CU3E9__2_0_1(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__2_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__2_0_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__4_0_2() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__4_0_2)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__4_0_2() const { return ___U3CU3E9__4_0_2; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__4_0_2() { return &___U3CU3E9__4_0_2; }
inline void set_U3CU3E9__4_0_2(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__4_0_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__4_0_2), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__6_0_3() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__6_0_3)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__6_0_3() const { return ___U3CU3E9__6_0_3; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__6_0_3() { return &___U3CU3E9__6_0_3; }
inline void set_U3CU3E9__6_0_3(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__6_0_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__6_0_3), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__8_0_4() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__8_0_4)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__8_0_4() const { return ___U3CU3E9__8_0_4; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__8_0_4() { return &___U3CU3E9__8_0_4; }
inline void set_U3CU3E9__8_0_4(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__8_0_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__8_0_4), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__10_0_5() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__10_0_5)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__10_0_5() const { return ___U3CU3E9__10_0_5; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__10_0_5() { return &___U3CU3E9__10_0_5; }
inline void set_U3CU3E9__10_0_5(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__10_0_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__10_0_5), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__12_0_6() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__12_0_6)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__12_0_6() const { return ___U3CU3E9__12_0_6; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__12_0_6() { return &___U3CU3E9__12_0_6; }
inline void set_U3CU3E9__12_0_6(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__12_0_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__12_0_6), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__14_0_7() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__14_0_7)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__14_0_7() const { return ___U3CU3E9__14_0_7; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__14_0_7() { return &___U3CU3E9__14_0_7; }
inline void set_U3CU3E9__14_0_7(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__14_0_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__14_0_7), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__16_0_8() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__16_0_8)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__16_0_8() const { return ___U3CU3E9__16_0_8; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__16_0_8() { return &___U3CU3E9__16_0_8; }
inline void set_U3CU3E9__16_0_8(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__16_0_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__16_0_8), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__18_0_9() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__18_0_9)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__18_0_9() const { return ___U3CU3E9__18_0_9; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__18_0_9() { return &___U3CU3E9__18_0_9; }
inline void set_U3CU3E9__18_0_9(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__18_0_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__18_0_9), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__20_0_10() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__20_0_10)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__20_0_10() const { return ___U3CU3E9__20_0_10; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__20_0_10() { return &___U3CU3E9__20_0_10; }
inline void set_U3CU3E9__20_0_10(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__20_0_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__20_0_10), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__22_0_11() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__22_0_11)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__22_0_11() const { return ___U3CU3E9__22_0_11; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__22_0_11() { return &___U3CU3E9__22_0_11; }
inline void set_U3CU3E9__22_0_11(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__22_0_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__22_0_11), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__24_0_12() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__24_0_12)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__24_0_12() const { return ___U3CU3E9__24_0_12; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__24_0_12() { return &___U3CU3E9__24_0_12; }
inline void set_U3CU3E9__24_0_12(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__24_0_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__24_0_12), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__26_0_13() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__26_0_13)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__26_0_13() const { return ___U3CU3E9__26_0_13; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__26_0_13() { return &___U3CU3E9__26_0_13; }
inline void set_U3CU3E9__26_0_13(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__26_0_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__26_0_13), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__28_0_14() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__28_0_14)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__28_0_14() const { return ___U3CU3E9__28_0_14; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__28_0_14() { return &___U3CU3E9__28_0_14; }
inline void set_U3CU3E9__28_0_14(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__28_0_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__28_0_14), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__30_0_15() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__30_0_15)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__30_0_15() const { return ___U3CU3E9__30_0_15; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__30_0_15() { return &___U3CU3E9__30_0_15; }
inline void set_U3CU3E9__30_0_15(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__30_0_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__30_0_15), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__32_0_16() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__32_0_16)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__32_0_16() const { return ___U3CU3E9__32_0_16; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__32_0_16() { return &___U3CU3E9__32_0_16; }
inline void set_U3CU3E9__32_0_16(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__32_0_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__32_0_16), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__34_0_17() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__34_0_17)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__34_0_17() const { return ___U3CU3E9__34_0_17; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__34_0_17() { return &___U3CU3E9__34_0_17; }
inline void set_U3CU3E9__34_0_17(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__34_0_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__34_0_17), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__36_0_18() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__36_0_18)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__36_0_18() const { return ___U3CU3E9__36_0_18; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__36_0_18() { return &___U3CU3E9__36_0_18; }
inline void set_U3CU3E9__36_0_18(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__36_0_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__36_0_18), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__38_0_19() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__38_0_19)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__38_0_19() const { return ___U3CU3E9__38_0_19; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__38_0_19() { return &___U3CU3E9__38_0_19; }
inline void set_U3CU3E9__38_0_19(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__38_0_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__38_0_19), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__40_0_20() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__40_0_20)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__40_0_20() const { return ___U3CU3E9__40_0_20; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__40_0_20() { return &___U3CU3E9__40_0_20; }
inline void set_U3CU3E9__40_0_20(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__40_0_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__40_0_20), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__42_0_21() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__42_0_21)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__42_0_21() const { return ___U3CU3E9__42_0_21; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__42_0_21() { return &___U3CU3E9__42_0_21; }
inline void set_U3CU3E9__42_0_21(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__42_0_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__42_0_21), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__44_0_22() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__44_0_22)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__44_0_22() const { return ___U3CU3E9__44_0_22; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__44_0_22() { return &___U3CU3E9__44_0_22; }
inline void set_U3CU3E9__44_0_22(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__44_0_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__44_0_22), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__46_0_23() { return static_cast<int32_t>(offsetof(U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields, ___U3CU3E9__46_0_23)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__46_0_23() const { return ___U3CU3E9__46_0_23; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__46_0_23() { return &___U3CU3E9__46_0_23; }
inline void set_U3CU3E9__46_0_23(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__46_0_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__46_0_23), (void*)value);
}
};
// UnityEngine.EventSystems.PointerInputModule/MouseState
struct MouseState_tD62A64A795CF964D179003BB566EF667DB7DACC1 : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<UnityEngine.EventSystems.PointerInputModule/ButtonState> UnityEngine.EventSystems.PointerInputModule/MouseState::m_TrackedButtons
List_1_t75FFBEBE24171F12D0459DE4BA90E0FD3E22A60E * ___m_TrackedButtons_0;
public:
inline static int32_t get_offset_of_m_TrackedButtons_0() { return static_cast<int32_t>(offsetof(MouseState_tD62A64A795CF964D179003BB566EF667DB7DACC1, ___m_TrackedButtons_0)); }
inline List_1_t75FFBEBE24171F12D0459DE4BA90E0FD3E22A60E * get_m_TrackedButtons_0() const { return ___m_TrackedButtons_0; }
inline List_1_t75FFBEBE24171F12D0459DE4BA90E0FD3E22A60E ** get_address_of_m_TrackedButtons_0() { return &___m_TrackedButtons_0; }
inline void set_m_TrackedButtons_0(List_1_t75FFBEBE24171F12D0459DE4BA90E0FD3E22A60E * value)
{
___m_TrackedButtons_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TrackedButtons_0), (void*)value);
}
};
// System.Collections.Queue/QueueDebugView
struct QueueDebugView_t90EC16EA9DC8E51DD91BA55E8154042984F1E135 : public RuntimeObject
{
public:
public:
};
// System.Collections.Queue/QueueEnumerator
struct QueueEnumerator_t0A73A9F6902BEBD8BBF0AECB749DC08C1602158E : public RuntimeObject
{
public:
// System.Collections.Queue System.Collections.Queue/QueueEnumerator::_q
Queue_t66723C58C7422102C36F8570BE048BD0CC489E52 * ____q_0;
// System.Int32 System.Collections.Queue/QueueEnumerator::_index
int32_t ____index_1;
// System.Int32 System.Collections.Queue/QueueEnumerator::_version
int32_t ____version_2;
// System.Object System.Collections.Queue/QueueEnumerator::currentElement
RuntimeObject * ___currentElement_3;
public:
inline static int32_t get_offset_of__q_0() { return static_cast<int32_t>(offsetof(QueueEnumerator_t0A73A9F6902BEBD8BBF0AECB749DC08C1602158E, ____q_0)); }
inline Queue_t66723C58C7422102C36F8570BE048BD0CC489E52 * get__q_0() const { return ____q_0; }
inline Queue_t66723C58C7422102C36F8570BE048BD0CC489E52 ** get_address_of__q_0() { return &____q_0; }
inline void set__q_0(Queue_t66723C58C7422102C36F8570BE048BD0CC489E52 * value)
{
____q_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____q_0), (void*)value);
}
inline static int32_t get_offset_of__index_1() { return static_cast<int32_t>(offsetof(QueueEnumerator_t0A73A9F6902BEBD8BBF0AECB749DC08C1602158E, ____index_1)); }
inline int32_t get__index_1() const { return ____index_1; }
inline int32_t* get_address_of__index_1() { return &____index_1; }
inline void set__index_1(int32_t value)
{
____index_1 = value;
}
inline static int32_t get_offset_of__version_2() { return static_cast<int32_t>(offsetof(QueueEnumerator_t0A73A9F6902BEBD8BBF0AECB749DC08C1602158E, ____version_2)); }
inline int32_t get__version_2() const { return ____version_2; }
inline int32_t* get_address_of__version_2() { return &____version_2; }
inline void set__version_2(int32_t value)
{
____version_2 = value;
}
inline static int32_t get_offset_of_currentElement_3() { return static_cast<int32_t>(offsetof(QueueEnumerator_t0A73A9F6902BEBD8BBF0AECB749DC08C1602158E, ___currentElement_3)); }
inline RuntimeObject * get_currentElement_3() const { return ___currentElement_3; }
inline RuntimeObject ** get_address_of_currentElement_3() { return &___currentElement_3; }
inline void set_currentElement_3(RuntimeObject * value)
{
___currentElement_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currentElement_3), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Extensions.ReflectionSource/<>c__DisplayClass5_0
struct U3CU3Ec__DisplayClass5_0_t3FB5655A2A0A7220494C24F5C890EEFB2F30CC92 : public RuntimeObject
{
public:
// System.String UnityEngine.Localization.SmartFormat.Extensions.ReflectionSource/<>c__DisplayClass5_0::selector
String_t* ___selector_0;
// UnityEngine.Localization.SmartFormat.Core.Extensions.ISelectorInfo UnityEngine.Localization.SmartFormat.Extensions.ReflectionSource/<>c__DisplayClass5_0::selectorInfo
RuntimeObject* ___selectorInfo_1;
public:
inline static int32_t get_offset_of_selector_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass5_0_t3FB5655A2A0A7220494C24F5C890EEFB2F30CC92, ___selector_0)); }
inline String_t* get_selector_0() const { return ___selector_0; }
inline String_t** get_address_of_selector_0() { return &___selector_0; }
inline void set_selector_0(String_t* value)
{
___selector_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___selector_0), (void*)value);
}
inline static int32_t get_offset_of_selectorInfo_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass5_0_t3FB5655A2A0A7220494C24F5C890EEFB2F30CC92, ___selectorInfo_1)); }
inline RuntimeObject* get_selectorInfo_1() const { return ___selectorInfo_1; }
inline RuntimeObject** get_address_of_selectorInfo_1() { return &___selectorInfo_1; }
inline void set_selectorInfo_1(RuntimeObject* value)
{
___selectorInfo_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___selectorInfo_1), (void*)value);
}
};
// System.Text.RegularExpressions.RegexCharClass/SingleRange
struct SingleRange_tEE8EA054843A8B8979D082D2CCC8E52A12155624 : public RuntimeObject
{
public:
// System.Char System.Text.RegularExpressions.RegexCharClass/SingleRange::_first
Il2CppChar ____first_0;
// System.Char System.Text.RegularExpressions.RegexCharClass/SingleRange::_last
Il2CppChar ____last_1;
public:
inline static int32_t get_offset_of__first_0() { return static_cast<int32_t>(offsetof(SingleRange_tEE8EA054843A8B8979D082D2CCC8E52A12155624, ____first_0)); }
inline Il2CppChar get__first_0() const { return ____first_0; }
inline Il2CppChar* get_address_of__first_0() { return &____first_0; }
inline void set__first_0(Il2CppChar value)
{
____first_0 = value;
}
inline static int32_t get_offset_of__last_1() { return static_cast<int32_t>(offsetof(SingleRange_tEE8EA054843A8B8979D082D2CCC8E52A12155624, ____last_1)); }
inline Il2CppChar get__last_1() const { return ____last_1; }
inline Il2CppChar* get_address_of__last_1() { return &____last_1; }
inline void set__last_1(Il2CppChar value)
{
____last_1 = value;
}
};
// System.Text.RegularExpressions.RegexCharClass/SingleRangeComparer
struct SingleRangeComparer_t2D22B185700E925165F9548B3647E0E1FC9DB075 : public RuntimeObject
{
public:
public:
};
// System.Runtime.Remoting.RemotingServices/CACD
struct CACD_t6B3909DA5980C3872BE8E05ED5CC5C971650A8DB : public RuntimeObject
{
public:
// System.Object System.Runtime.Remoting.RemotingServices/CACD::d
RuntimeObject * ___d_0;
// System.Object System.Runtime.Remoting.RemotingServices/CACD::c
RuntimeObject * ___c_1;
public:
inline static int32_t get_offset_of_d_0() { return static_cast<int32_t>(offsetof(CACD_t6B3909DA5980C3872BE8E05ED5CC5C971650A8DB, ___d_0)); }
inline RuntimeObject * get_d_0() const { return ___d_0; }
inline RuntimeObject ** get_address_of_d_0() { return &___d_0; }
inline void set_d_0(RuntimeObject * value)
{
___d_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___d_0), (void*)value);
}
inline static int32_t get_offset_of_c_1() { return static_cast<int32_t>(offsetof(CACD_t6B3909DA5980C3872BE8E05ED5CC5C971650A8DB, ___c_1)); }
inline RuntimeObject * get_c_1() const { return ___c_1; }
inline RuntimeObject ** get_address_of_c_1() { return &___c_1; }
inline void set_c_1(RuntimeObject * value)
{
___c_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___c_1), (void*)value);
}
};
// System.Resources.ResourceManager/CultureNameResourceSetPair
struct CultureNameResourceSetPair_t7DF2947B0015A29C8148DB0F32695ECB59369A84 : public RuntimeObject
{
public:
public:
};
// System.Resources.ResourceManager/ResourceManagerMediator
struct ResourceManagerMediator_t8562CDD205C5617282C599DB2E52D0440602903C : public RuntimeObject
{
public:
// System.Resources.ResourceManager System.Resources.ResourceManager/ResourceManagerMediator::_rm
ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A * ____rm_0;
public:
inline static int32_t get_offset_of__rm_0() { return static_cast<int32_t>(offsetof(ResourceManagerMediator_t8562CDD205C5617282C599DB2E52D0440602903C, ____rm_0)); }
inline ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A * get__rm_0() const { return ____rm_0; }
inline ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A ** get_address_of__rm_0() { return &____rm_0; }
inline void set__rm_0(ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A * value)
{
____rm_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____rm_0), (void*)value);
}
};
// UnityEngine.ResourceManagement.ResourceProviders.ResourceProviderBase/<>c__DisplayClass10_0
struct U3CU3Ec__DisplayClass10_0_tF3CCC285C57A79E8AF122938CF717032FCCDC506 : public RuntimeObject
{
public:
// UnityEngine.ResourceManagement.ResourceProviders.ResourceProviderBase UnityEngine.ResourceManagement.ResourceProviders.ResourceProviderBase/<>c__DisplayClass10_0::<>4__this
ResourceProviderBase_tC5E5ED488310C5EDBDD71BC37FEB5EE1C77D7F28 * ___U3CU3E4__this_0;
// System.String UnityEngine.ResourceManagement.ResourceProviders.ResourceProviderBase/<>c__DisplayClass10_0::id
String_t* ___id_1;
// System.String UnityEngine.ResourceManagement.ResourceProviders.ResourceProviderBase/<>c__DisplayClass10_0::data
String_t* ___data_2;
public:
inline static int32_t get_offset_of_U3CU3E4__this_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass10_0_tF3CCC285C57A79E8AF122938CF717032FCCDC506, ___U3CU3E4__this_0)); }
inline ResourceProviderBase_tC5E5ED488310C5EDBDD71BC37FEB5EE1C77D7F28 * get_U3CU3E4__this_0() const { return ___U3CU3E4__this_0; }
inline ResourceProviderBase_tC5E5ED488310C5EDBDD71BC37FEB5EE1C77D7F28 ** get_address_of_U3CU3E4__this_0() { return &___U3CU3E4__this_0; }
inline void set_U3CU3E4__this_0(ResourceProviderBase_tC5E5ED488310C5EDBDD71BC37FEB5EE1C77D7F28 * value)
{
___U3CU3E4__this_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_0), (void*)value);
}
inline static int32_t get_offset_of_id_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass10_0_tF3CCC285C57A79E8AF122938CF717032FCCDC506, ___id_1)); }
inline String_t* get_id_1() const { return ___id_1; }
inline String_t** get_address_of_id_1() { return &___id_1; }
inline void set_id_1(String_t* value)
{
___id_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___id_1), (void*)value);
}
inline static int32_t get_offset_of_data_2() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass10_0_tF3CCC285C57A79E8AF122938CF717032FCCDC506, ___data_2)); }
inline String_t* get_data_2() const { return ___data_2; }
inline String_t** get_address_of_data_2() { return &___data_2; }
inline void set_data_2(String_t* value)
{
___data_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___data_2), (void*)value);
}
};
// System.Resources.ResourceReader/ResourceEnumerator
struct ResourceEnumerator_t294F4937CEAB5CA70E284536DA9645E2900FC0C1 : public RuntimeObject
{
public:
// System.Resources.ResourceReader System.Resources.ResourceReader/ResourceEnumerator::_reader
ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492 * ____reader_0;
// System.Boolean System.Resources.ResourceReader/ResourceEnumerator::_currentIsValid
bool ____currentIsValid_1;
// System.Int32 System.Resources.ResourceReader/ResourceEnumerator::_currentName
int32_t ____currentName_2;
// System.Int32 System.Resources.ResourceReader/ResourceEnumerator::_dataPosition
int32_t ____dataPosition_3;
public:
inline static int32_t get_offset_of__reader_0() { return static_cast<int32_t>(offsetof(ResourceEnumerator_t294F4937CEAB5CA70E284536DA9645E2900FC0C1, ____reader_0)); }
inline ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492 * get__reader_0() const { return ____reader_0; }
inline ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492 ** get_address_of__reader_0() { return &____reader_0; }
inline void set__reader_0(ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492 * value)
{
____reader_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____reader_0), (void*)value);
}
inline static int32_t get_offset_of__currentIsValid_1() { return static_cast<int32_t>(offsetof(ResourceEnumerator_t294F4937CEAB5CA70E284536DA9645E2900FC0C1, ____currentIsValid_1)); }
inline bool get__currentIsValid_1() const { return ____currentIsValid_1; }
inline bool* get_address_of__currentIsValid_1() { return &____currentIsValid_1; }
inline void set__currentIsValid_1(bool value)
{
____currentIsValid_1 = value;
}
inline static int32_t get_offset_of__currentName_2() { return static_cast<int32_t>(offsetof(ResourceEnumerator_t294F4937CEAB5CA70E284536DA9645E2900FC0C1, ____currentName_2)); }
inline int32_t get__currentName_2() const { return ____currentName_2; }
inline int32_t* get_address_of__currentName_2() { return &____currentName_2; }
inline void set__currentName_2(int32_t value)
{
____currentName_2 = value;
}
inline static int32_t get_offset_of__dataPosition_3() { return static_cast<int32_t>(offsetof(ResourceEnumerator_t294F4937CEAB5CA70E284536DA9645E2900FC0C1, ____dataPosition_3)); }
inline int32_t get__dataPosition_3() const { return ____dataPosition_3; }
inline int32_t* get_address_of__dataPosition_3() { return &____dataPosition_3; }
inline void set__dataPosition_3(int32_t value)
{
____dataPosition_3 = value;
}
};
// System.Security.SecurityElement/SecurityAttribute
struct SecurityAttribute_tA26A6C440AFE4244EDBA0E1A7ED1DC6FACE97232 : public RuntimeObject
{
public:
// System.String System.Security.SecurityElement/SecurityAttribute::_name
String_t* ____name_0;
// System.String System.Security.SecurityElement/SecurityAttribute::_value
String_t* ____value_1;
public:
inline static int32_t get_offset_of__name_0() { return static_cast<int32_t>(offsetof(SecurityAttribute_tA26A6C440AFE4244EDBA0E1A7ED1DC6FACE97232, ____name_0)); }
inline String_t* get__name_0() const { return ____name_0; }
inline String_t** get_address_of__name_0() { return &____name_0; }
inline void set__name_0(String_t* value)
{
____name_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____name_0), (void*)value);
}
inline static int32_t get_offset_of__value_1() { return static_cast<int32_t>(offsetof(SecurityAttribute_tA26A6C440AFE4244EDBA0E1A7ED1DC6FACE97232, ____value_1)); }
inline String_t* get__value_1() const { return ____value_1; }
inline String_t** get_address_of__value_1() { return &____value_1; }
inline void set__value_1(String_t* value)
{
____value_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____value_1), (void*)value);
}
};
// UnityEngine.Localization.Metadata.SharedTableCollectionMetadata/Item
struct Item_tCEBD4BE696E7AEC8FBCE3E1F5B43069C8989ECE5 : public RuntimeObject
{
public:
// System.Int64 UnityEngine.Localization.Metadata.SharedTableCollectionMetadata/Item::m_KeyId
int64_t ___m_KeyId_0;
// System.Collections.Generic.List`1<System.String> UnityEngine.Localization.Metadata.SharedTableCollectionMetadata/Item::m_TableCodes
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___m_TableCodes_1;
public:
inline static int32_t get_offset_of_m_KeyId_0() { return static_cast<int32_t>(offsetof(Item_tCEBD4BE696E7AEC8FBCE3E1F5B43069C8989ECE5, ___m_KeyId_0)); }
inline int64_t get_m_KeyId_0() const { return ___m_KeyId_0; }
inline int64_t* get_address_of_m_KeyId_0() { return &___m_KeyId_0; }
inline void set_m_KeyId_0(int64_t value)
{
___m_KeyId_0 = value;
}
inline static int32_t get_offset_of_m_TableCodes_1() { return static_cast<int32_t>(offsetof(Item_tCEBD4BE696E7AEC8FBCE3E1F5B43069C8989ECE5, ___m_TableCodes_1)); }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * get_m_TableCodes_1() const { return ___m_TableCodes_1; }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 ** get_address_of_m_TableCodes_1() { return &___m_TableCodes_1; }
inline void set_m_TableCodes_1(List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * value)
{
___m_TableCodes_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TableCodes_1), (void*)value);
}
};
// UnityEngine.Localization.Tables.SharedTableData/SharedTableEntry
struct SharedTableEntry_tF52A697114343CFD6DD566A7B600E1D4B860552B : public RuntimeObject
{
public:
// System.Int64 UnityEngine.Localization.Tables.SharedTableData/SharedTableEntry::m_Id
int64_t ___m_Id_0;
// System.String UnityEngine.Localization.Tables.SharedTableData/SharedTableEntry::m_Key
String_t* ___m_Key_1;
// UnityEngine.Localization.Metadata.MetadataCollection UnityEngine.Localization.Tables.SharedTableData/SharedTableEntry::m_Metadata
MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 * ___m_Metadata_2;
public:
inline static int32_t get_offset_of_m_Id_0() { return static_cast<int32_t>(offsetof(SharedTableEntry_tF52A697114343CFD6DD566A7B600E1D4B860552B, ___m_Id_0)); }
inline int64_t get_m_Id_0() const { return ___m_Id_0; }
inline int64_t* get_address_of_m_Id_0() { return &___m_Id_0; }
inline void set_m_Id_0(int64_t value)
{
___m_Id_0 = value;
}
inline static int32_t get_offset_of_m_Key_1() { return static_cast<int32_t>(offsetof(SharedTableEntry_tF52A697114343CFD6DD566A7B600E1D4B860552B, ___m_Key_1)); }
inline String_t* get_m_Key_1() const { return ___m_Key_1; }
inline String_t** get_address_of_m_Key_1() { return &___m_Key_1; }
inline void set_m_Key_1(String_t* value)
{
___m_Key_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Key_1), (void*)value);
}
inline static int32_t get_offset_of_m_Metadata_2() { return static_cast<int32_t>(offsetof(SharedTableEntry_tF52A697114343CFD6DD566A7B600E1D4B860552B, ___m_Metadata_2)); }
inline MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 * get_m_Metadata_2() const { return ___m_Metadata_2; }
inline MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 ** get_address_of_m_Metadata_2() { return &___m_Metadata_2; }
inline void set_m_Metadata_2(MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 * value)
{
___m_Metadata_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Metadata_2), (void*)value);
}
};
// Mono.Xml.SmallXmlParser/AttrListImpl
struct AttrListImpl_t3FA46929BCFFF60313A5940AAB20513699DC58BA : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<System.String> Mono.Xml.SmallXmlParser/AttrListImpl::attrNames
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___attrNames_0;
// System.Collections.Generic.List`1<System.String> Mono.Xml.SmallXmlParser/AttrListImpl::attrValues
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___attrValues_1;
public:
inline static int32_t get_offset_of_attrNames_0() { return static_cast<int32_t>(offsetof(AttrListImpl_t3FA46929BCFFF60313A5940AAB20513699DC58BA, ___attrNames_0)); }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * get_attrNames_0() const { return ___attrNames_0; }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 ** get_address_of_attrNames_0() { return &___attrNames_0; }
inline void set_attrNames_0(List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * value)
{
___attrNames_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___attrNames_0), (void*)value);
}
inline static int32_t get_offset_of_attrValues_1() { return static_cast<int32_t>(offsetof(AttrListImpl_t3FA46929BCFFF60313A5940AAB20513699DC58BA, ___attrValues_1)); }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * get_attrValues_1() const { return ___attrValues_1; }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 ** get_address_of_attrValues_1() { return &___attrValues_1; }
inline void set_attrValues_1(List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * value)
{
___attrValues_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___attrValues_1), (void*)value);
}
};
// System.Runtime.Remoting.SoapServices/TypeInfo
struct TypeInfo_tBCF7E8CE1B993A7CFAE175D4ADE983D1763534A9 : public RuntimeObject
{
public:
// System.Collections.Hashtable System.Runtime.Remoting.SoapServices/TypeInfo::Attributes
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___Attributes_0;
// System.Collections.Hashtable System.Runtime.Remoting.SoapServices/TypeInfo::Elements
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___Elements_1;
public:
inline static int32_t get_offset_of_Attributes_0() { return static_cast<int32_t>(offsetof(TypeInfo_tBCF7E8CE1B993A7CFAE175D4ADE983D1763534A9, ___Attributes_0)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_Attributes_0() const { return ___Attributes_0; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_Attributes_0() { return &___Attributes_0; }
inline void set_Attributes_0(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___Attributes_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Attributes_0), (void*)value);
}
inline static int32_t get_offset_of_Elements_1() { return static_cast<int32_t>(offsetof(TypeInfo_tBCF7E8CE1B993A7CFAE175D4ADE983D1763534A9, ___Elements_1)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_Elements_1() const { return ___Elements_1; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_Elements_1() { return &___Elements_1; }
inline void set_Elements_1(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___Elements_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Elements_1), (void*)value);
}
};
// System.Collections.SortedList/SortedListDebugView
struct SortedListDebugView_t13C2A9EDFA4043BBC9993BA76F65668FB5D4411C : public RuntimeObject
{
public:
public:
};
// System.Collections.SortedList/SortedListEnumerator
struct SortedListEnumerator_t0732D5EE46BE597B28C2F5D97535FC219504D2AC : public RuntimeObject
{
public:
// System.Collections.SortedList System.Collections.SortedList/SortedListEnumerator::sortedList
SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165 * ___sortedList_0;
// System.Object System.Collections.SortedList/SortedListEnumerator::key
RuntimeObject * ___key_1;
// System.Object System.Collections.SortedList/SortedListEnumerator::value
RuntimeObject * ___value_2;
// System.Int32 System.Collections.SortedList/SortedListEnumerator::index
int32_t ___index_3;
// System.Int32 System.Collections.SortedList/SortedListEnumerator::startIndex
int32_t ___startIndex_4;
// System.Int32 System.Collections.SortedList/SortedListEnumerator::endIndex
int32_t ___endIndex_5;
// System.Int32 System.Collections.SortedList/SortedListEnumerator::version
int32_t ___version_6;
// System.Boolean System.Collections.SortedList/SortedListEnumerator::current
bool ___current_7;
// System.Int32 System.Collections.SortedList/SortedListEnumerator::getObjectRetType
int32_t ___getObjectRetType_8;
public:
inline static int32_t get_offset_of_sortedList_0() { return static_cast<int32_t>(offsetof(SortedListEnumerator_t0732D5EE46BE597B28C2F5D97535FC219504D2AC, ___sortedList_0)); }
inline SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165 * get_sortedList_0() const { return ___sortedList_0; }
inline SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165 ** get_address_of_sortedList_0() { return &___sortedList_0; }
inline void set_sortedList_0(SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165 * value)
{
___sortedList_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sortedList_0), (void*)value);
}
inline static int32_t get_offset_of_key_1() { return static_cast<int32_t>(offsetof(SortedListEnumerator_t0732D5EE46BE597B28C2F5D97535FC219504D2AC, ___key_1)); }
inline RuntimeObject * get_key_1() const { return ___key_1; }
inline RuntimeObject ** get_address_of_key_1() { return &___key_1; }
inline void set_key_1(RuntimeObject * value)
{
___key_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___key_1), (void*)value);
}
inline static int32_t get_offset_of_value_2() { return static_cast<int32_t>(offsetof(SortedListEnumerator_t0732D5EE46BE597B28C2F5D97535FC219504D2AC, ___value_2)); }
inline RuntimeObject * get_value_2() const { return ___value_2; }
inline RuntimeObject ** get_address_of_value_2() { return &___value_2; }
inline void set_value_2(RuntimeObject * value)
{
___value_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___value_2), (void*)value);
}
inline static int32_t get_offset_of_index_3() { return static_cast<int32_t>(offsetof(SortedListEnumerator_t0732D5EE46BE597B28C2F5D97535FC219504D2AC, ___index_3)); }
inline int32_t get_index_3() const { return ___index_3; }
inline int32_t* get_address_of_index_3() { return &___index_3; }
inline void set_index_3(int32_t value)
{
___index_3 = value;
}
inline static int32_t get_offset_of_startIndex_4() { return static_cast<int32_t>(offsetof(SortedListEnumerator_t0732D5EE46BE597B28C2F5D97535FC219504D2AC, ___startIndex_4)); }
inline int32_t get_startIndex_4() const { return ___startIndex_4; }
inline int32_t* get_address_of_startIndex_4() { return &___startIndex_4; }
inline void set_startIndex_4(int32_t value)
{
___startIndex_4 = value;
}
inline static int32_t get_offset_of_endIndex_5() { return static_cast<int32_t>(offsetof(SortedListEnumerator_t0732D5EE46BE597B28C2F5D97535FC219504D2AC, ___endIndex_5)); }
inline int32_t get_endIndex_5() const { return ___endIndex_5; }
inline int32_t* get_address_of_endIndex_5() { return &___endIndex_5; }
inline void set_endIndex_5(int32_t value)
{
___endIndex_5 = value;
}
inline static int32_t get_offset_of_version_6() { return static_cast<int32_t>(offsetof(SortedListEnumerator_t0732D5EE46BE597B28C2F5D97535FC219504D2AC, ___version_6)); }
inline int32_t get_version_6() const { return ___version_6; }
inline int32_t* get_address_of_version_6() { return &___version_6; }
inline void set_version_6(int32_t value)
{
___version_6 = value;
}
inline static int32_t get_offset_of_current_7() { return static_cast<int32_t>(offsetof(SortedListEnumerator_t0732D5EE46BE597B28C2F5D97535FC219504D2AC, ___current_7)); }
inline bool get_current_7() const { return ___current_7; }
inline bool* get_address_of_current_7() { return &___current_7; }
inline void set_current_7(bool value)
{
___current_7 = value;
}
inline static int32_t get_offset_of_getObjectRetType_8() { return static_cast<int32_t>(offsetof(SortedListEnumerator_t0732D5EE46BE597B28C2F5D97535FC219504D2AC, ___getObjectRetType_8)); }
inline int32_t get_getObjectRetType_8() const { return ___getObjectRetType_8; }
inline int32_t* get_address_of_getObjectRetType_8() { return &___getObjectRetType_8; }
inline void set_getObjectRetType_8(int32_t value)
{
___getObjectRetType_8 = value;
}
};
// System.Threading.SpinLock/SystemThreading_SpinLockDebugView
struct SystemThreading_SpinLockDebugView_t8F7E1DB708B9603861A60B9068E3EB9DE3AE037F : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.SplitListPool/<>c
struct U3CU3Ec_tD9574588ECB7D2B133315AB14427EAA5810740BF : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_tD9574588ECB7D2B133315AB14427EAA5810740BF_StaticFields
{
public:
// UnityEngine.Localization.SmartFormat.SplitListPool/<>c UnityEngine.Localization.SmartFormat.SplitListPool/<>c::<>9
U3CU3Ec_tD9574588ECB7D2B133315AB14427EAA5810740BF * ___U3CU3E9_0;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_tD9574588ECB7D2B133315AB14427EAA5810740BF_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_tD9574588ECB7D2B133315AB14427EAA5810740BF * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_tD9574588ECB7D2B133315AB14427EAA5810740BF ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_tD9574588ECB7D2B133315AB14427EAA5810740BF * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
};
// System.Collections.Stack/StackDebugView
struct StackDebugView_t26E4A294CA05795BE801CF3ED67BD41FC6E7E879 : public RuntimeObject
{
public:
public:
};
// System.Collections.Stack/StackEnumerator
struct StackEnumerator_t88BD87DF5A1B3D0EBE3AC306A4A3A62D6E862DEC : public RuntimeObject
{
public:
// System.Collections.Stack System.Collections.Stack/StackEnumerator::_stack
Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 * ____stack_0;
// System.Int32 System.Collections.Stack/StackEnumerator::_index
int32_t ____index_1;
// System.Int32 System.Collections.Stack/StackEnumerator::_version
int32_t ____version_2;
// System.Object System.Collections.Stack/StackEnumerator::currentElement
RuntimeObject * ___currentElement_3;
public:
inline static int32_t get_offset_of__stack_0() { return static_cast<int32_t>(offsetof(StackEnumerator_t88BD87DF5A1B3D0EBE3AC306A4A3A62D6E862DEC, ____stack_0)); }
inline Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 * get__stack_0() const { return ____stack_0; }
inline Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 ** get_address_of__stack_0() { return &____stack_0; }
inline void set__stack_0(Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 * value)
{
____stack_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____stack_0), (void*)value);
}
inline static int32_t get_offset_of__index_1() { return static_cast<int32_t>(offsetof(StackEnumerator_t88BD87DF5A1B3D0EBE3AC306A4A3A62D6E862DEC, ____index_1)); }
inline int32_t get__index_1() const { return ____index_1; }
inline int32_t* get_address_of__index_1() { return &____index_1; }
inline void set__index_1(int32_t value)
{
____index_1 = value;
}
inline static int32_t get_offset_of__version_2() { return static_cast<int32_t>(offsetof(StackEnumerator_t88BD87DF5A1B3D0EBE3AC306A4A3A62D6E862DEC, ____version_2)); }
inline int32_t get__version_2() const { return ____version_2; }
inline int32_t* get_address_of__version_2() { return &____version_2; }
inline void set__version_2(int32_t value)
{
____version_2 = value;
}
inline static int32_t get_offset_of_currentElement_3() { return static_cast<int32_t>(offsetof(StackEnumerator_t88BD87DF5A1B3D0EBE3AC306A4A3A62D6E862DEC, ___currentElement_3)); }
inline RuntimeObject * get_currentElement_3() const { return ___currentElement_3; }
inline RuntimeObject ** get_address_of_currentElement_3() { return &___currentElement_3; }
inline void set_currentElement_3(RuntimeObject * value)
{
___currentElement_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currentElement_3), (void*)value);
}
};
// System.IO.Stream/<>c
struct U3CU3Ec_t8E2310BF5B8643372A8753716E0D339210883CAC : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t8E2310BF5B8643372A8753716E0D339210883CAC_StaticFields
{
public:
// System.IO.Stream/<>c System.IO.Stream/<>c::<>9
U3CU3Ec_t8E2310BF5B8643372A8753716E0D339210883CAC * ___U3CU3E9_0;
// System.Func`1<System.Threading.SemaphoreSlim> System.IO.Stream/<>c::<>9__4_0
Func_1_tD7D981D1F0F29BA17268E18E39287102393D2EFD * ___U3CU3E9__4_0_1;
// System.Func`2<System.Object,System.Int32> System.IO.Stream/<>c::<>9__39_0
Func_2_t0CEE9D1C856153BA9C23BB9D7E929D577AF37A2C * ___U3CU3E9__39_0_2;
// System.Func`2<System.Object,System.Int32> System.IO.Stream/<>c::<>9__46_0
Func_2_t0CEE9D1C856153BA9C23BB9D7E929D577AF37A2C * ___U3CU3E9__46_0_3;
// System.Action`2<System.Threading.Tasks.Task,System.Object> System.IO.Stream/<>c::<>9__47_0
Action_2_tD95FEB0CD8C2141DE035440434C3769AA37151D4 * ___U3CU3E9__47_0_4;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t8E2310BF5B8643372A8753716E0D339210883CAC_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t8E2310BF5B8643372A8753716E0D339210883CAC * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t8E2310BF5B8643372A8753716E0D339210883CAC ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t8E2310BF5B8643372A8753716E0D339210883CAC * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__4_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_t8E2310BF5B8643372A8753716E0D339210883CAC_StaticFields, ___U3CU3E9__4_0_1)); }
inline Func_1_tD7D981D1F0F29BA17268E18E39287102393D2EFD * get_U3CU3E9__4_0_1() const { return ___U3CU3E9__4_0_1; }
inline Func_1_tD7D981D1F0F29BA17268E18E39287102393D2EFD ** get_address_of_U3CU3E9__4_0_1() { return &___U3CU3E9__4_0_1; }
inline void set_U3CU3E9__4_0_1(Func_1_tD7D981D1F0F29BA17268E18E39287102393D2EFD * value)
{
___U3CU3E9__4_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__4_0_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__39_0_2() { return static_cast<int32_t>(offsetof(U3CU3Ec_t8E2310BF5B8643372A8753716E0D339210883CAC_StaticFields, ___U3CU3E9__39_0_2)); }
inline Func_2_t0CEE9D1C856153BA9C23BB9D7E929D577AF37A2C * get_U3CU3E9__39_0_2() const { return ___U3CU3E9__39_0_2; }
inline Func_2_t0CEE9D1C856153BA9C23BB9D7E929D577AF37A2C ** get_address_of_U3CU3E9__39_0_2() { return &___U3CU3E9__39_0_2; }
inline void set_U3CU3E9__39_0_2(Func_2_t0CEE9D1C856153BA9C23BB9D7E929D577AF37A2C * value)
{
___U3CU3E9__39_0_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__39_0_2), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__46_0_3() { return static_cast<int32_t>(offsetof(U3CU3Ec_t8E2310BF5B8643372A8753716E0D339210883CAC_StaticFields, ___U3CU3E9__46_0_3)); }
inline Func_2_t0CEE9D1C856153BA9C23BB9D7E929D577AF37A2C * get_U3CU3E9__46_0_3() const { return ___U3CU3E9__46_0_3; }
inline Func_2_t0CEE9D1C856153BA9C23BB9D7E929D577AF37A2C ** get_address_of_U3CU3E9__46_0_3() { return &___U3CU3E9__46_0_3; }
inline void set_U3CU3E9__46_0_3(Func_2_t0CEE9D1C856153BA9C23BB9D7E929D577AF37A2C * value)
{
___U3CU3E9__46_0_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__46_0_3), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__47_0_4() { return static_cast<int32_t>(offsetof(U3CU3Ec_t8E2310BF5B8643372A8753716E0D339210883CAC_StaticFields, ___U3CU3E9__47_0_4)); }
inline Action_2_tD95FEB0CD8C2141DE035440434C3769AA37151D4 * get_U3CU3E9__47_0_4() const { return ___U3CU3E9__47_0_4; }
inline Action_2_tD95FEB0CD8C2141DE035440434C3769AA37151D4 ** get_address_of_U3CU3E9__47_0_4() { return &___U3CU3E9__47_0_4; }
inline void set_U3CU3E9__47_0_4(Action_2_tD95FEB0CD8C2141DE035440434C3769AA37151D4 * value)
{
___U3CU3E9__47_0_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__47_0_4), (void*)value);
}
};
// System.IO.Stream/SynchronousAsyncResult
struct SynchronousAsyncResult_tB356BE7E9E910B37D095E422E8B012ED3F6C04E6 : public RuntimeObject
{
public:
// System.Object System.IO.Stream/SynchronousAsyncResult::_stateObject
RuntimeObject * ____stateObject_0;
// System.Boolean System.IO.Stream/SynchronousAsyncResult::_isWrite
bool ____isWrite_1;
// System.Threading.ManualResetEvent System.IO.Stream/SynchronousAsyncResult::_waitHandle
ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * ____waitHandle_2;
// System.Runtime.ExceptionServices.ExceptionDispatchInfo System.IO.Stream/SynchronousAsyncResult::_exceptionInfo
ExceptionDispatchInfo_t85442E41DA1485CFF22598AC362EE986DF3CDD09 * ____exceptionInfo_3;
// System.Boolean System.IO.Stream/SynchronousAsyncResult::_endXxxCalled
bool ____endXxxCalled_4;
// System.Int32 System.IO.Stream/SynchronousAsyncResult::_bytesRead
int32_t ____bytesRead_5;
public:
inline static int32_t get_offset_of__stateObject_0() { return static_cast<int32_t>(offsetof(SynchronousAsyncResult_tB356BE7E9E910B37D095E422E8B012ED3F6C04E6, ____stateObject_0)); }
inline RuntimeObject * get__stateObject_0() const { return ____stateObject_0; }
inline RuntimeObject ** get_address_of__stateObject_0() { return &____stateObject_0; }
inline void set__stateObject_0(RuntimeObject * value)
{
____stateObject_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____stateObject_0), (void*)value);
}
inline static int32_t get_offset_of__isWrite_1() { return static_cast<int32_t>(offsetof(SynchronousAsyncResult_tB356BE7E9E910B37D095E422E8B012ED3F6C04E6, ____isWrite_1)); }
inline bool get__isWrite_1() const { return ____isWrite_1; }
inline bool* get_address_of__isWrite_1() { return &____isWrite_1; }
inline void set__isWrite_1(bool value)
{
____isWrite_1 = value;
}
inline static int32_t get_offset_of__waitHandle_2() { return static_cast<int32_t>(offsetof(SynchronousAsyncResult_tB356BE7E9E910B37D095E422E8B012ED3F6C04E6, ____waitHandle_2)); }
inline ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * get__waitHandle_2() const { return ____waitHandle_2; }
inline ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA ** get_address_of__waitHandle_2() { return &____waitHandle_2; }
inline void set__waitHandle_2(ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * value)
{
____waitHandle_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____waitHandle_2), (void*)value);
}
inline static int32_t get_offset_of__exceptionInfo_3() { return static_cast<int32_t>(offsetof(SynchronousAsyncResult_tB356BE7E9E910B37D095E422E8B012ED3F6C04E6, ____exceptionInfo_3)); }
inline ExceptionDispatchInfo_t85442E41DA1485CFF22598AC362EE986DF3CDD09 * get__exceptionInfo_3() const { return ____exceptionInfo_3; }
inline ExceptionDispatchInfo_t85442E41DA1485CFF22598AC362EE986DF3CDD09 ** get_address_of__exceptionInfo_3() { return &____exceptionInfo_3; }
inline void set__exceptionInfo_3(ExceptionDispatchInfo_t85442E41DA1485CFF22598AC362EE986DF3CDD09 * value)
{
____exceptionInfo_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____exceptionInfo_3), (void*)value);
}
inline static int32_t get_offset_of__endXxxCalled_4() { return static_cast<int32_t>(offsetof(SynchronousAsyncResult_tB356BE7E9E910B37D095E422E8B012ED3F6C04E6, ____endXxxCalled_4)); }
inline bool get__endXxxCalled_4() const { return ____endXxxCalled_4; }
inline bool* get_address_of__endXxxCalled_4() { return &____endXxxCalled_4; }
inline void set__endXxxCalled_4(bool value)
{
____endXxxCalled_4 = value;
}
inline static int32_t get_offset_of__bytesRead_5() { return static_cast<int32_t>(offsetof(SynchronousAsyncResult_tB356BE7E9E910B37D095E422E8B012ED3F6C04E6, ____bytesRead_5)); }
inline int32_t get__bytesRead_5() const { return ____bytesRead_5; }
inline int32_t* get_address_of__bytesRead_5() { return &____bytesRead_5; }
inline void set__bytesRead_5(int32_t value)
{
____bytesRead_5 = value;
}
};
// UnityEngine.Localization.StringBuilderPool/<>c
struct U3CU3Ec_t6189D1564EB40701AD4F10224C3368FDCEF2CAE5 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t6189D1564EB40701AD4F10224C3368FDCEF2CAE5_StaticFields
{
public:
// UnityEngine.Localization.StringBuilderPool/<>c UnityEngine.Localization.StringBuilderPool/<>c::<>9
U3CU3Ec_t6189D1564EB40701AD4F10224C3368FDCEF2CAE5 * ___U3CU3E9_0;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t6189D1564EB40701AD4F10224C3368FDCEF2CAE5_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t6189D1564EB40701AD4F10224C3368FDCEF2CAE5 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t6189D1564EB40701AD4F10224C3368FDCEF2CAE5 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t6189D1564EB40701AD4F10224C3368FDCEF2CAE5 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.StringOutputPool/<>c
struct U3CU3Ec_t37D725A4E67DDFEAAE5C1BD1350081D6F24003BC : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t37D725A4E67DDFEAAE5C1BD1350081D6F24003BC_StaticFields
{
public:
// UnityEngine.Localization.SmartFormat.StringOutputPool/<>c UnityEngine.Localization.SmartFormat.StringOutputPool/<>c::<>9
U3CU3Ec_t37D725A4E67DDFEAAE5C1BD1350081D6F24003BC * ___U3CU3E9_0;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t37D725A4E67DDFEAAE5C1BD1350081D6F24003BC_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t37D725A4E67DDFEAAE5C1BD1350081D6F24003BC * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t37D725A4E67DDFEAAE5C1BD1350081D6F24003BC ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t37D725A4E67DDFEAAE5C1BD1350081D6F24003BC * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
};
// UnityEngine.Localization.Tables.StringTable/<>c
struct U3CU3Ec_t913A939717238F67F98EFA222B1DC96F526720D0 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t913A939717238F67F98EFA222B1DC96F526720D0_StaticFields
{
public:
// UnityEngine.Localization.Tables.StringTable/<>c UnityEngine.Localization.Tables.StringTable/<>c::<>9
U3CU3Ec_t913A939717238F67F98EFA222B1DC96F526720D0 * ___U3CU3E9_0;
// System.Func`2<System.Char,System.Char> UnityEngine.Localization.Tables.StringTable/<>c::<>9__0_0
Func_2_tA794DD839E2748A3962936477E2CAAC0A30CA6BC * ___U3CU3E9__0_0_1;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t913A939717238F67F98EFA222B1DC96F526720D0_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t913A939717238F67F98EFA222B1DC96F526720D0 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t913A939717238F67F98EFA222B1DC96F526720D0 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t913A939717238F67F98EFA222B1DC96F526720D0 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__0_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_t913A939717238F67F98EFA222B1DC96F526720D0_StaticFields, ___U3CU3E9__0_0_1)); }
inline Func_2_tA794DD839E2748A3962936477E2CAAC0A30CA6BC * get_U3CU3E9__0_0_1() const { return ___U3CU3E9__0_0_1; }
inline Func_2_tA794DD839E2748A3962936477E2CAAC0A30CA6BC ** get_address_of_U3CU3E9__0_0_1() { return &___U3CU3E9__0_0_1; }
inline void set_U3CU3E9__0_0_1(Func_2_tA794DD839E2748A3962936477E2CAAC0A30CA6BC * value)
{
___U3CU3E9__0_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__0_0_1), (void*)value);
}
};
// System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation/<>c
struct U3CU3Ec_t97DE2C4F7EF16C425D7DB74D03F1E0947B3D9AF2 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t97DE2C4F7EF16C425D7DB74D03F1E0947B3D9AF2_StaticFields
{
public:
// System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation/<>c System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation/<>c::<>9
U3CU3Ec_t97DE2C4F7EF16C425D7DB74D03F1E0947B3D9AF2 * ___U3CU3E9_0;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t97DE2C4F7EF16C425D7DB74D03F1E0947B3D9AF2_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t97DE2C4F7EF16C425D7DB74D03F1E0947B3D9AF2 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t97DE2C4F7EF16C425D7DB74D03F1E0947B3D9AF2 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t97DE2C4F7EF16C425D7DB74D03F1E0947B3D9AF2 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Net.Utilities.SystemTime/<>c
struct U3CU3Ec_t814827044D73BAF0CFB8F06DA4098B37DD70BD2E : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t814827044D73BAF0CFB8F06DA4098B37DD70BD2E_StaticFields
{
public:
// UnityEngine.Localization.SmartFormat.Net.Utilities.SystemTime/<>c UnityEngine.Localization.SmartFormat.Net.Utilities.SystemTime/<>c::<>9
U3CU3Ec_t814827044D73BAF0CFB8F06DA4098B37DD70BD2E * ___U3CU3E9_0;
// System.Func`1<System.DateTime> UnityEngine.Localization.SmartFormat.Net.Utilities.SystemTime/<>c::<>9__4_0
Func_1_tF7A4F80A83ED82791CD660ED19558BF22C52103D * ___U3CU3E9__4_0_1;
// System.Func`1<System.DateTimeOffset> UnityEngine.Localization.SmartFormat.Net.Utilities.SystemTime/<>c::<>9__4_1
Func_1_t5DFE9F53113522E155333FEB78DB88CF6C93BD54 * ___U3CU3E9__4_1_2;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t814827044D73BAF0CFB8F06DA4098B37DD70BD2E_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t814827044D73BAF0CFB8F06DA4098B37DD70BD2E * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t814827044D73BAF0CFB8F06DA4098B37DD70BD2E ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t814827044D73BAF0CFB8F06DA4098B37DD70BD2E * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__4_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_t814827044D73BAF0CFB8F06DA4098B37DD70BD2E_StaticFields, ___U3CU3E9__4_0_1)); }
inline Func_1_tF7A4F80A83ED82791CD660ED19558BF22C52103D * get_U3CU3E9__4_0_1() const { return ___U3CU3E9__4_0_1; }
inline Func_1_tF7A4F80A83ED82791CD660ED19558BF22C52103D ** get_address_of_U3CU3E9__4_0_1() { return &___U3CU3E9__4_0_1; }
inline void set_U3CU3E9__4_0_1(Func_1_tF7A4F80A83ED82791CD660ED19558BF22C52103D * value)
{
___U3CU3E9__4_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__4_0_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__4_1_2() { return static_cast<int32_t>(offsetof(U3CU3Ec_t814827044D73BAF0CFB8F06DA4098B37DD70BD2E_StaticFields, ___U3CU3E9__4_1_2)); }
inline Func_1_t5DFE9F53113522E155333FEB78DB88CF6C93BD54 * get_U3CU3E9__4_1_2() const { return ___U3CU3E9__4_1_2; }
inline Func_1_t5DFE9F53113522E155333FEB78DB88CF6C93BD54 ** get_address_of_U3CU3E9__4_1_2() { return &___U3CU3E9__4_1_2; }
inline void set_U3CU3E9__4_1_2(Func_1_t5DFE9F53113522E155333FEB78DB88CF6C93BD54 * value)
{
___U3CU3E9__4_1_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__4_1_2), (void*)value);
}
};
// TMPro.TMP_Dropdown/<>c__DisplayClass69_0
struct U3CU3Ec__DisplayClass69_0_tF593E29885367226B911A8332DCC347A2EACAB67 : public RuntimeObject
{
public:
// TMPro.TMP_Dropdown/DropdownItem TMPro.TMP_Dropdown/<>c__DisplayClass69_0::item
DropdownItem_t1D4B22605EB395783BA669C9ECBE4773C3CA3898 * ___item_0;
// TMPro.TMP_Dropdown TMPro.TMP_Dropdown/<>c__DisplayClass69_0::<>4__this
TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63 * ___U3CU3E4__this_1;
public:
inline static int32_t get_offset_of_item_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass69_0_tF593E29885367226B911A8332DCC347A2EACAB67, ___item_0)); }
inline DropdownItem_t1D4B22605EB395783BA669C9ECBE4773C3CA3898 * get_item_0() const { return ___item_0; }
inline DropdownItem_t1D4B22605EB395783BA669C9ECBE4773C3CA3898 ** get_address_of_item_0() { return &___item_0; }
inline void set_item_0(DropdownItem_t1D4B22605EB395783BA669C9ECBE4773C3CA3898 * value)
{
___item_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___item_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E4__this_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass69_0_tF593E29885367226B911A8332DCC347A2EACAB67, ___U3CU3E4__this_1)); }
inline TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63 * get_U3CU3E4__this_1() const { return ___U3CU3E4__this_1; }
inline TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63 ** get_address_of_U3CU3E4__this_1() { return &___U3CU3E4__this_1; }
inline void set_U3CU3E4__this_1(TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63 * value)
{
___U3CU3E4__this_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_1), (void*)value);
}
};
// TMPro.TMP_Dropdown/<DelayedDestroyDropdownList>d__81
struct U3CDelayedDestroyDropdownListU3Ed__81_tDCC96D8C2E2A1BBF26E2C4298BEA75436FD00262 : public RuntimeObject
{
public:
// System.Int32 TMPro.TMP_Dropdown/<DelayedDestroyDropdownList>d__81::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Object TMPro.TMP_Dropdown/<DelayedDestroyDropdownList>d__81::<>2__current
RuntimeObject * ___U3CU3E2__current_1;
// System.Single TMPro.TMP_Dropdown/<DelayedDestroyDropdownList>d__81::delay
float ___delay_2;
// TMPro.TMP_Dropdown TMPro.TMP_Dropdown/<DelayedDestroyDropdownList>d__81::<>4__this
TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63 * ___U3CU3E4__this_3;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CDelayedDestroyDropdownListU3Ed__81_tDCC96D8C2E2A1BBF26E2C4298BEA75436FD00262, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CDelayedDestroyDropdownListU3Ed__81_tDCC96D8C2E2A1BBF26E2C4298BEA75436FD00262, ___U3CU3E2__current_1)); }
inline RuntimeObject * get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline RuntimeObject ** get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(RuntimeObject * value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E2__current_1), (void*)value);
}
inline static int32_t get_offset_of_delay_2() { return static_cast<int32_t>(offsetof(U3CDelayedDestroyDropdownListU3Ed__81_tDCC96D8C2E2A1BBF26E2C4298BEA75436FD00262, ___delay_2)); }
inline float get_delay_2() const { return ___delay_2; }
inline float* get_address_of_delay_2() { return &___delay_2; }
inline void set_delay_2(float value)
{
___delay_2 = value;
}
inline static int32_t get_offset_of_U3CU3E4__this_3() { return static_cast<int32_t>(offsetof(U3CDelayedDestroyDropdownListU3Ed__81_tDCC96D8C2E2A1BBF26E2C4298BEA75436FD00262, ___U3CU3E4__this_3)); }
inline TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63 * get_U3CU3E4__this_3() const { return ___U3CU3E4__this_3; }
inline TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63 ** get_address_of_U3CU3E4__this_3() { return &___U3CU3E4__this_3; }
inline void set_U3CU3E4__this_3(TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63 * value)
{
___U3CU3E4__this_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_3), (void*)value);
}
};
// TMPro.TMP_Dropdown/OptionData
struct OptionData_tB4568C660E74AB98EEE1E4F9B283FE4D09EEC023 : public RuntimeObject
{
public:
// System.String TMPro.TMP_Dropdown/OptionData::m_Text
String_t* ___m_Text_0;
// UnityEngine.Sprite TMPro.TMP_Dropdown/OptionData::m_Image
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___m_Image_1;
public:
inline static int32_t get_offset_of_m_Text_0() { return static_cast<int32_t>(offsetof(OptionData_tB4568C660E74AB98EEE1E4F9B283FE4D09EEC023, ___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((void**)(&___m_Text_0), (void*)value);
}
inline static int32_t get_offset_of_m_Image_1() { return static_cast<int32_t>(offsetof(OptionData_tB4568C660E74AB98EEE1E4F9B283FE4D09EEC023, ___m_Image_1)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_m_Image_1() const { return ___m_Image_1; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_m_Image_1() { return &___m_Image_1; }
inline void set_m_Image_1(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___m_Image_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Image_1), (void*)value);
}
};
// TMPro.TMP_Dropdown/OptionDataList
struct OptionDataList_t65D7C0B329EDFEDE9B4B8B768214CB19676A4D1B : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<TMPro.TMP_Dropdown/OptionData> TMPro.TMP_Dropdown/OptionDataList::m_Options
List_1_t59FFDE61FE16A4D894E0497E479A9D5067D39949 * ___m_Options_0;
public:
inline static int32_t get_offset_of_m_Options_0() { return static_cast<int32_t>(offsetof(OptionDataList_t65D7C0B329EDFEDE9B4B8B768214CB19676A4D1B, ___m_Options_0)); }
inline List_1_t59FFDE61FE16A4D894E0497E479A9D5067D39949 * get_m_Options_0() const { return ___m_Options_0; }
inline List_1_t59FFDE61FE16A4D894E0497E479A9D5067D39949 ** get_address_of_m_Options_0() { return &___m_Options_0; }
inline void set_m_Options_0(List_1_t59FFDE61FE16A4D894E0497E479A9D5067D39949 * value)
{
___m_Options_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Options_0), (void*)value);
}
};
// TMPro.TMP_FontAsset/<>c
struct U3CU3Ec_t8FB0A53D52B6894397BCA82B5567869EB9D8ED4F : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t8FB0A53D52B6894397BCA82B5567869EB9D8ED4F_StaticFields
{
public:
// TMPro.TMP_FontAsset/<>c TMPro.TMP_FontAsset/<>c::<>9
U3CU3Ec_t8FB0A53D52B6894397BCA82B5567869EB9D8ED4F * ___U3CU3E9_0;
// System.Func`2<TMPro.TMP_Character,System.UInt32> TMPro.TMP_FontAsset/<>c::<>9__124_0
Func_2_tAE696B77FA44C30C3D3C4B83234D74AD6C93EA80 * ___U3CU3E9__124_0_1;
// System.Func`2<UnityEngine.TextCore.Glyph,System.UInt32> TMPro.TMP_FontAsset/<>c::<>9__125_0
Func_2_tE516ACDE5EE942C127ACE48552A8339AA6856CFD * ___U3CU3E9__125_0_2;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t8FB0A53D52B6894397BCA82B5567869EB9D8ED4F_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t8FB0A53D52B6894397BCA82B5567869EB9D8ED4F * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t8FB0A53D52B6894397BCA82B5567869EB9D8ED4F ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t8FB0A53D52B6894397BCA82B5567869EB9D8ED4F * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__124_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_t8FB0A53D52B6894397BCA82B5567869EB9D8ED4F_StaticFields, ___U3CU3E9__124_0_1)); }
inline Func_2_tAE696B77FA44C30C3D3C4B83234D74AD6C93EA80 * get_U3CU3E9__124_0_1() const { return ___U3CU3E9__124_0_1; }
inline Func_2_tAE696B77FA44C30C3D3C4B83234D74AD6C93EA80 ** get_address_of_U3CU3E9__124_0_1() { return &___U3CU3E9__124_0_1; }
inline void set_U3CU3E9__124_0_1(Func_2_tAE696B77FA44C30C3D3C4B83234D74AD6C93EA80 * value)
{
___U3CU3E9__124_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__124_0_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__125_0_2() { return static_cast<int32_t>(offsetof(U3CU3Ec_t8FB0A53D52B6894397BCA82B5567869EB9D8ED4F_StaticFields, ___U3CU3E9__125_0_2)); }
inline Func_2_tE516ACDE5EE942C127ACE48552A8339AA6856CFD * get_U3CU3E9__125_0_2() const { return ___U3CU3E9__125_0_2; }
inline Func_2_tE516ACDE5EE942C127ACE48552A8339AA6856CFD ** get_address_of_U3CU3E9__125_0_2() { return &___U3CU3E9__125_0_2; }
inline void set_U3CU3E9__125_0_2(Func_2_tE516ACDE5EE942C127ACE48552A8339AA6856CFD * value)
{
___U3CU3E9__125_0_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__125_0_2), (void*)value);
}
};
// TMPro.TMP_FontFeatureTable/<>c
struct U3CU3Ec_tF88AF20CB2438D890FF144DE494116FA6D9CDAC0 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_tF88AF20CB2438D890FF144DE494116FA6D9CDAC0_StaticFields
{
public:
// TMPro.TMP_FontFeatureTable/<>c TMPro.TMP_FontFeatureTable/<>c::<>9
U3CU3Ec_tF88AF20CB2438D890FF144DE494116FA6D9CDAC0 * ___U3CU3E9_0;
// System.Func`2<TMPro.TMP_GlyphPairAdjustmentRecord,System.UInt32> TMPro.TMP_FontFeatureTable/<>c::<>9__6_0
Func_2_tB6A984E062893AE4E1375B76C22534E5433D9B81 * ___U3CU3E9__6_0_1;
// System.Func`2<TMPro.TMP_GlyphPairAdjustmentRecord,System.UInt32> TMPro.TMP_FontFeatureTable/<>c::<>9__6_1
Func_2_tB6A984E062893AE4E1375B76C22534E5433D9B81 * ___U3CU3E9__6_1_2;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_tF88AF20CB2438D890FF144DE494116FA6D9CDAC0_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_tF88AF20CB2438D890FF144DE494116FA6D9CDAC0 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_tF88AF20CB2438D890FF144DE494116FA6D9CDAC0 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_tF88AF20CB2438D890FF144DE494116FA6D9CDAC0 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__6_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_tF88AF20CB2438D890FF144DE494116FA6D9CDAC0_StaticFields, ___U3CU3E9__6_0_1)); }
inline Func_2_tB6A984E062893AE4E1375B76C22534E5433D9B81 * get_U3CU3E9__6_0_1() const { return ___U3CU3E9__6_0_1; }
inline Func_2_tB6A984E062893AE4E1375B76C22534E5433D9B81 ** get_address_of_U3CU3E9__6_0_1() { return &___U3CU3E9__6_0_1; }
inline void set_U3CU3E9__6_0_1(Func_2_tB6A984E062893AE4E1375B76C22534E5433D9B81 * value)
{
___U3CU3E9__6_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__6_0_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__6_1_2() { return static_cast<int32_t>(offsetof(U3CU3Ec_tF88AF20CB2438D890FF144DE494116FA6D9CDAC0_StaticFields, ___U3CU3E9__6_1_2)); }
inline Func_2_tB6A984E062893AE4E1375B76C22534E5433D9B81 * get_U3CU3E9__6_1_2() const { return ___U3CU3E9__6_1_2; }
inline Func_2_tB6A984E062893AE4E1375B76C22534E5433D9B81 ** get_address_of_U3CU3E9__6_1_2() { return &___U3CU3E9__6_1_2; }
inline void set_U3CU3E9__6_1_2(Func_2_tB6A984E062893AE4E1375B76C22534E5433D9B81 * value)
{
___U3CU3E9__6_1_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__6_1_2), (void*)value);
}
};
// TMPro.TMP_InputField/<CaretBlink>d__276
struct U3CCaretBlinkU3Ed__276_tE391F900890C07848FF4D1C14321A497A5DA401C : public RuntimeObject
{
public:
// System.Int32 TMPro.TMP_InputField/<CaretBlink>d__276::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Object TMPro.TMP_InputField/<CaretBlink>d__276::<>2__current
RuntimeObject * ___U3CU3E2__current_1;
// TMPro.TMP_InputField TMPro.TMP_InputField/<CaretBlink>d__276::<>4__this
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59 * ___U3CU3E4__this_2;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CCaretBlinkU3Ed__276_tE391F900890C07848FF4D1C14321A497A5DA401C, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CCaretBlinkU3Ed__276_tE391F900890C07848FF4D1C14321A497A5DA401C, ___U3CU3E2__current_1)); }
inline RuntimeObject * get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline RuntimeObject ** get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(RuntimeObject * value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E2__current_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E4__this_2() { return static_cast<int32_t>(offsetof(U3CCaretBlinkU3Ed__276_tE391F900890C07848FF4D1C14321A497A5DA401C, ___U3CU3E4__this_2)); }
inline TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59 * get_U3CU3E4__this_2() const { return ___U3CU3E4__this_2; }
inline TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59 ** get_address_of_U3CU3E4__this_2() { return &___U3CU3E4__this_2; }
inline void set_U3CU3E4__this_2(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59 * value)
{
___U3CU3E4__this_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_2), (void*)value);
}
};
// TMPro.TMP_InputField/<MouseDragOutsideRect>d__294
struct U3CMouseDragOutsideRectU3Ed__294_t128D204C94949C68CCF257DBC1D467CC63A7C848 : public RuntimeObject
{
public:
// System.Int32 TMPro.TMP_InputField/<MouseDragOutsideRect>d__294::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Object TMPro.TMP_InputField/<MouseDragOutsideRect>d__294::<>2__current
RuntimeObject * ___U3CU3E2__current_1;
// TMPro.TMP_InputField TMPro.TMP_InputField/<MouseDragOutsideRect>d__294::<>4__this
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59 * ___U3CU3E4__this_2;
// UnityEngine.EventSystems.PointerEventData TMPro.TMP_InputField/<MouseDragOutsideRect>d__294::eventData
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 * ___eventData_3;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CMouseDragOutsideRectU3Ed__294_t128D204C94949C68CCF257DBC1D467CC63A7C848, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CMouseDragOutsideRectU3Ed__294_t128D204C94949C68CCF257DBC1D467CC63A7C848, ___U3CU3E2__current_1)); }
inline RuntimeObject * get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline RuntimeObject ** get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(RuntimeObject * value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E2__current_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E4__this_2() { return static_cast<int32_t>(offsetof(U3CMouseDragOutsideRectU3Ed__294_t128D204C94949C68CCF257DBC1D467CC63A7C848, ___U3CU3E4__this_2)); }
inline TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59 * get_U3CU3E4__this_2() const { return ___U3CU3E4__this_2; }
inline TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59 ** get_address_of_U3CU3E4__this_2() { return &___U3CU3E4__this_2; }
inline void set_U3CU3E4__this_2(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59 * value)
{
___U3CU3E4__this_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_2), (void*)value);
}
inline static int32_t get_offset_of_eventData_3() { return static_cast<int32_t>(offsetof(U3CMouseDragOutsideRectU3Ed__294_t128D204C94949C68CCF257DBC1D467CC63A7C848, ___eventData_3)); }
inline PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 * get_eventData_3() const { return ___eventData_3; }
inline PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 ** get_address_of_eventData_3() { return &___eventData_3; }
inline void set_eventData_3(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 * value)
{
___eventData_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___eventData_3), (void*)value);
}
};
// TMPro.TMP_MaterialManager/<>c__DisplayClass11_0
struct U3CU3Ec__DisplayClass11_0_t12991BA75A113BC1C43C5158F9F99E352D3FEE41 : public RuntimeObject
{
public:
// UnityEngine.Material TMPro.TMP_MaterialManager/<>c__DisplayClass11_0::stencilMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___stencilMaterial_0;
public:
inline static int32_t get_offset_of_stencilMaterial_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass11_0_t12991BA75A113BC1C43C5158F9F99E352D3FEE41, ___stencilMaterial_0)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_stencilMaterial_0() const { return ___stencilMaterial_0; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_stencilMaterial_0() { return &___stencilMaterial_0; }
inline void set_stencilMaterial_0(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___stencilMaterial_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___stencilMaterial_0), (void*)value);
}
};
// TMPro.TMP_MaterialManager/<>c__DisplayClass12_0
struct U3CU3Ec__DisplayClass12_0_t97E44E0822D2A972850C27A67A346E3DDD2C17CE : public RuntimeObject
{
public:
// UnityEngine.Material TMPro.TMP_MaterialManager/<>c__DisplayClass12_0::stencilMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___stencilMaterial_0;
public:
inline static int32_t get_offset_of_stencilMaterial_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass12_0_t97E44E0822D2A972850C27A67A346E3DDD2C17CE, ___stencilMaterial_0)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_stencilMaterial_0() const { return ___stencilMaterial_0; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_stencilMaterial_0() { return &___stencilMaterial_0; }
inline void set_stencilMaterial_0(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___stencilMaterial_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___stencilMaterial_0), (void*)value);
}
};
// TMPro.TMP_MaterialManager/<>c__DisplayClass13_0
struct U3CU3Ec__DisplayClass13_0_t03B63B6E389DD5F625E9793691378A839FAC326A : public RuntimeObject
{
public:
// UnityEngine.Material TMPro.TMP_MaterialManager/<>c__DisplayClass13_0::baseMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___baseMaterial_0;
public:
inline static int32_t get_offset_of_baseMaterial_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass13_0_t03B63B6E389DD5F625E9793691378A839FAC326A, ___baseMaterial_0)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_baseMaterial_0() const { return ___baseMaterial_0; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_baseMaterial_0() { return &___baseMaterial_0; }
inline void set_baseMaterial_0(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___baseMaterial_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___baseMaterial_0), (void*)value);
}
};
// TMPro.TMP_MaterialManager/<>c__DisplayClass9_0
struct U3CU3Ec__DisplayClass9_0_t7087FAF936242B5ABFF4962727AD779E67518FC8 : public RuntimeObject
{
public:
// UnityEngine.Material TMPro.TMP_MaterialManager/<>c__DisplayClass9_0::stencilMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___stencilMaterial_0;
public:
inline static int32_t get_offset_of_stencilMaterial_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass9_0_t7087FAF936242B5ABFF4962727AD779E67518FC8, ___stencilMaterial_0)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_stencilMaterial_0() const { return ___stencilMaterial_0; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_stencilMaterial_0() { return &___stencilMaterial_0; }
inline void set_stencilMaterial_0(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___stencilMaterial_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___stencilMaterial_0), (void*)value);
}
};
// TMPro.TMP_MaterialManager/FallbackMaterial
struct FallbackMaterial_t34F3811743F5B0EEF3F543CCF13DB3B8D467328D : public RuntimeObject
{
public:
// System.Int64 TMPro.TMP_MaterialManager/FallbackMaterial::fallbackID
int64_t ___fallbackID_0;
// UnityEngine.Material TMPro.TMP_MaterialManager/FallbackMaterial::sourceMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___sourceMaterial_1;
// System.Int32 TMPro.TMP_MaterialManager/FallbackMaterial::sourceMaterialCRC
int32_t ___sourceMaterialCRC_2;
// UnityEngine.Material TMPro.TMP_MaterialManager/FallbackMaterial::fallbackMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___fallbackMaterial_3;
// System.Int32 TMPro.TMP_MaterialManager/FallbackMaterial::count
int32_t ___count_4;
public:
inline static int32_t get_offset_of_fallbackID_0() { return static_cast<int32_t>(offsetof(FallbackMaterial_t34F3811743F5B0EEF3F543CCF13DB3B8D467328D, ___fallbackID_0)); }
inline int64_t get_fallbackID_0() const { return ___fallbackID_0; }
inline int64_t* get_address_of_fallbackID_0() { return &___fallbackID_0; }
inline void set_fallbackID_0(int64_t value)
{
___fallbackID_0 = value;
}
inline static int32_t get_offset_of_sourceMaterial_1() { return static_cast<int32_t>(offsetof(FallbackMaterial_t34F3811743F5B0EEF3F543CCF13DB3B8D467328D, ___sourceMaterial_1)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_sourceMaterial_1() const { return ___sourceMaterial_1; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_sourceMaterial_1() { return &___sourceMaterial_1; }
inline void set_sourceMaterial_1(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___sourceMaterial_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sourceMaterial_1), (void*)value);
}
inline static int32_t get_offset_of_sourceMaterialCRC_2() { return static_cast<int32_t>(offsetof(FallbackMaterial_t34F3811743F5B0EEF3F543CCF13DB3B8D467328D, ___sourceMaterialCRC_2)); }
inline int32_t get_sourceMaterialCRC_2() const { return ___sourceMaterialCRC_2; }
inline int32_t* get_address_of_sourceMaterialCRC_2() { return &___sourceMaterialCRC_2; }
inline void set_sourceMaterialCRC_2(int32_t value)
{
___sourceMaterialCRC_2 = value;
}
inline static int32_t get_offset_of_fallbackMaterial_3() { return static_cast<int32_t>(offsetof(FallbackMaterial_t34F3811743F5B0EEF3F543CCF13DB3B8D467328D, ___fallbackMaterial_3)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_fallbackMaterial_3() const { return ___fallbackMaterial_3; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_fallbackMaterial_3() { return &___fallbackMaterial_3; }
inline void set_fallbackMaterial_3(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___fallbackMaterial_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___fallbackMaterial_3), (void*)value);
}
inline static int32_t get_offset_of_count_4() { return static_cast<int32_t>(offsetof(FallbackMaterial_t34F3811743F5B0EEF3F543CCF13DB3B8D467328D, ___count_4)); }
inline int32_t get_count_4() const { return ___count_4; }
inline int32_t* get_address_of_count_4() { return &___count_4; }
inline void set_count_4(int32_t value)
{
___count_4 = value;
}
};
// TMPro.TMP_MaterialManager/MaskingMaterial
struct MaskingMaterial_tF09DD3EF93552BEDC575F09D61BCBD84F28C06F6 : public RuntimeObject
{
public:
// UnityEngine.Material TMPro.TMP_MaterialManager/MaskingMaterial::baseMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___baseMaterial_0;
// UnityEngine.Material TMPro.TMP_MaterialManager/MaskingMaterial::stencilMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___stencilMaterial_1;
// System.Int32 TMPro.TMP_MaterialManager/MaskingMaterial::count
int32_t ___count_2;
// System.Int32 TMPro.TMP_MaterialManager/MaskingMaterial::stencilID
int32_t ___stencilID_3;
public:
inline static int32_t get_offset_of_baseMaterial_0() { return static_cast<int32_t>(offsetof(MaskingMaterial_tF09DD3EF93552BEDC575F09D61BCBD84F28C06F6, ___baseMaterial_0)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_baseMaterial_0() const { return ___baseMaterial_0; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_baseMaterial_0() { return &___baseMaterial_0; }
inline void set_baseMaterial_0(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___baseMaterial_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___baseMaterial_0), (void*)value);
}
inline static int32_t get_offset_of_stencilMaterial_1() { return static_cast<int32_t>(offsetof(MaskingMaterial_tF09DD3EF93552BEDC575F09D61BCBD84F28C06F6, ___stencilMaterial_1)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_stencilMaterial_1() const { return ___stencilMaterial_1; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_stencilMaterial_1() { return &___stencilMaterial_1; }
inline void set_stencilMaterial_1(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___stencilMaterial_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___stencilMaterial_1), (void*)value);
}
inline static int32_t get_offset_of_count_2() { return static_cast<int32_t>(offsetof(MaskingMaterial_tF09DD3EF93552BEDC575F09D61BCBD84F28C06F6, ___count_2)); }
inline int32_t get_count_2() const { return ___count_2; }
inline int32_t* get_address_of_count_2() { return &___count_2; }
inline void set_count_2(int32_t value)
{
___count_2 = value;
}
inline static int32_t get_offset_of_stencilID_3() { return static_cast<int32_t>(offsetof(MaskingMaterial_tF09DD3EF93552BEDC575F09D61BCBD84F28C06F6, ___stencilID_3)); }
inline int32_t get_stencilID_3() const { return ___stencilID_3; }
inline int32_t* get_address_of_stencilID_3() { return &___stencilID_3; }
inline void set_stencilID_3(int32_t value)
{
___stencilID_3 = value;
}
};
// TMPro.TMP_Settings/LineBreakingTable
struct LineBreakingTable_t5E2CD902456D50AA9B0F9C64BCF16045E86D19F2 : public RuntimeObject
{
public:
// System.Collections.Generic.Dictionary`2<System.Int32,System.Char> TMPro.TMP_Settings/LineBreakingTable::leadingCharacters
Dictionary_2_tB8FA8FEFBC38630BF40B59A6B474816F30D29B23 * ___leadingCharacters_0;
// System.Collections.Generic.Dictionary`2<System.Int32,System.Char> TMPro.TMP_Settings/LineBreakingTable::followingCharacters
Dictionary_2_tB8FA8FEFBC38630BF40B59A6B474816F30D29B23 * ___followingCharacters_1;
public:
inline static int32_t get_offset_of_leadingCharacters_0() { return static_cast<int32_t>(offsetof(LineBreakingTable_t5E2CD902456D50AA9B0F9C64BCF16045E86D19F2, ___leadingCharacters_0)); }
inline Dictionary_2_tB8FA8FEFBC38630BF40B59A6B474816F30D29B23 * get_leadingCharacters_0() const { return ___leadingCharacters_0; }
inline Dictionary_2_tB8FA8FEFBC38630BF40B59A6B474816F30D29B23 ** get_address_of_leadingCharacters_0() { return &___leadingCharacters_0; }
inline void set_leadingCharacters_0(Dictionary_2_tB8FA8FEFBC38630BF40B59A6B474816F30D29B23 * value)
{
___leadingCharacters_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___leadingCharacters_0), (void*)value);
}
inline static int32_t get_offset_of_followingCharacters_1() { return static_cast<int32_t>(offsetof(LineBreakingTable_t5E2CD902456D50AA9B0F9C64BCF16045E86D19F2, ___followingCharacters_1)); }
inline Dictionary_2_tB8FA8FEFBC38630BF40B59A6B474816F30D29B23 * get_followingCharacters_1() const { return ___followingCharacters_1; }
inline Dictionary_2_tB8FA8FEFBC38630BF40B59A6B474816F30D29B23 ** get_address_of_followingCharacters_1() { return &___followingCharacters_1; }
inline void set_followingCharacters_1(Dictionary_2_tB8FA8FEFBC38630BF40B59A6B474816F30D29B23 * value)
{
___followingCharacters_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___followingCharacters_1), (void*)value);
}
};
// TMPro.TMP_SpriteAsset/<>c
struct U3CU3Ec_t7A519F9483C9CA5531AF1A542B4482FB88DE972E : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t7A519F9483C9CA5531AF1A542B4482FB88DE972E_StaticFields
{
public:
// TMPro.TMP_SpriteAsset/<>c TMPro.TMP_SpriteAsset/<>c::<>9
U3CU3Ec_t7A519F9483C9CA5531AF1A542B4482FB88DE972E * ___U3CU3E9_0;
// System.Func`2<TMPro.TMP_SpriteGlyph,System.UInt32> TMPro.TMP_SpriteAsset/<>c::<>9__40_0
Func_2_tCBDDA9D38F4DC72A500A2A63C0B30498DC5DE7EC * ___U3CU3E9__40_0_1;
// System.Func`2<TMPro.TMP_SpriteCharacter,System.UInt32> TMPro.TMP_SpriteAsset/<>c::<>9__41_0
Func_2_tBFAEAFC2F9FB8E112B1B64F551709A017C9D9A87 * ___U3CU3E9__41_0_2;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t7A519F9483C9CA5531AF1A542B4482FB88DE972E_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t7A519F9483C9CA5531AF1A542B4482FB88DE972E * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t7A519F9483C9CA5531AF1A542B4482FB88DE972E ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t7A519F9483C9CA5531AF1A542B4482FB88DE972E * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__40_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_t7A519F9483C9CA5531AF1A542B4482FB88DE972E_StaticFields, ___U3CU3E9__40_0_1)); }
inline Func_2_tCBDDA9D38F4DC72A500A2A63C0B30498DC5DE7EC * get_U3CU3E9__40_0_1() const { return ___U3CU3E9__40_0_1; }
inline Func_2_tCBDDA9D38F4DC72A500A2A63C0B30498DC5DE7EC ** get_address_of_U3CU3E9__40_0_1() { return &___U3CU3E9__40_0_1; }
inline void set_U3CU3E9__40_0_1(Func_2_tCBDDA9D38F4DC72A500A2A63C0B30498DC5DE7EC * value)
{
___U3CU3E9__40_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__40_0_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__41_0_2() { return static_cast<int32_t>(offsetof(U3CU3Ec_t7A519F9483C9CA5531AF1A542B4482FB88DE972E_StaticFields, ___U3CU3E9__41_0_2)); }
inline Func_2_tBFAEAFC2F9FB8E112B1B64F551709A017C9D9A87 * get_U3CU3E9__41_0_2() const { return ___U3CU3E9__41_0_2; }
inline Func_2_tBFAEAFC2F9FB8E112B1B64F551709A017C9D9A87 ** get_address_of_U3CU3E9__41_0_2() { return &___U3CU3E9__41_0_2; }
inline void set_U3CU3E9__41_0_2(Func_2_tBFAEAFC2F9FB8E112B1B64F551709A017C9D9A87 * value)
{
___U3CU3E9__41_0_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__41_0_2), (void*)value);
}
};
// TMPro.TMP_Text/<>c
struct U3CU3Ec_t3FA2E381E5CAAEA74E5E6C4311A98C59D063EAD7 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t3FA2E381E5CAAEA74E5E6C4311A98C59D063EAD7_StaticFields
{
public:
// TMPro.TMP_Text/<>c TMPro.TMP_Text/<>c::<>9
U3CU3Ec_t3FA2E381E5CAAEA74E5E6C4311A98C59D063EAD7 * ___U3CU3E9_0;
// System.Action`1<TMPro.TMP_TextInfo> TMPro.TMP_Text/<>c::<>9__622_0
Action_1_t170B3E821B49B45FA7134A2CF48A2E64CA371D42 * ___U3CU3E9__622_0_1;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t3FA2E381E5CAAEA74E5E6C4311A98C59D063EAD7_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t3FA2E381E5CAAEA74E5E6C4311A98C59D063EAD7 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t3FA2E381E5CAAEA74E5E6C4311A98C59D063EAD7 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t3FA2E381E5CAAEA74E5E6C4311A98C59D063EAD7 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__622_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_t3FA2E381E5CAAEA74E5E6C4311A98C59D063EAD7_StaticFields, ___U3CU3E9__622_0_1)); }
inline Action_1_t170B3E821B49B45FA7134A2CF48A2E64CA371D42 * get_U3CU3E9__622_0_1() const { return ___U3CU3E9__622_0_1; }
inline Action_1_t170B3E821B49B45FA7134A2CF48A2E64CA371D42 ** get_address_of_U3CU3E9__622_0_1() { return &___U3CU3E9__622_0_1; }
inline void set_U3CU3E9__622_0_1(Action_1_t170B3E821B49B45FA7134A2CF48A2E64CA371D42 * value)
{
___U3CU3E9__622_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__622_0_1), (void*)value);
}
};
// System.Threading.Tasks.Task/<>c
struct U3CU3Ec_t92C182BCED0D720544B8BEB755769004B9E0CA12 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t92C182BCED0D720544B8BEB755769004B9E0CA12_StaticFields
{
public:
// System.Threading.Tasks.Task/<>c System.Threading.Tasks.Task/<>c::<>9
U3CU3Ec_t92C182BCED0D720544B8BEB755769004B9E0CA12 * ___U3CU3E9_0;
// System.Action`1<System.Object> System.Threading.Tasks.Task/<>c::<>9__276_0
Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * ___U3CU3E9__276_0_1;
// System.Threading.TimerCallback System.Threading.Tasks.Task/<>c::<>9__276_1
TimerCallback_tD193CC50BF27E129E6857E1E8A7EAC24BD131814 * ___U3CU3E9__276_1_2;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t92C182BCED0D720544B8BEB755769004B9E0CA12_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t92C182BCED0D720544B8BEB755769004B9E0CA12 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t92C182BCED0D720544B8BEB755769004B9E0CA12 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t92C182BCED0D720544B8BEB755769004B9E0CA12 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__276_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_t92C182BCED0D720544B8BEB755769004B9E0CA12_StaticFields, ___U3CU3E9__276_0_1)); }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * get_U3CU3E9__276_0_1() const { return ___U3CU3E9__276_0_1; }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC ** get_address_of_U3CU3E9__276_0_1() { return &___U3CU3E9__276_0_1; }
inline void set_U3CU3E9__276_0_1(Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * value)
{
___U3CU3E9__276_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__276_0_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__276_1_2() { return static_cast<int32_t>(offsetof(U3CU3Ec_t92C182BCED0D720544B8BEB755769004B9E0CA12_StaticFields, ___U3CU3E9__276_1_2)); }
inline TimerCallback_tD193CC50BF27E129E6857E1E8A7EAC24BD131814 * get_U3CU3E9__276_1_2() const { return ___U3CU3E9__276_1_2; }
inline TimerCallback_tD193CC50BF27E129E6857E1E8A7EAC24BD131814 ** get_address_of_U3CU3E9__276_1_2() { return &___U3CU3E9__276_1_2; }
inline void set_U3CU3E9__276_1_2(TimerCallback_tD193CC50BF27E129E6857E1E8A7EAC24BD131814 * value)
{
___U3CU3E9__276_1_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__276_1_2), (void*)value);
}
};
// System.Threading.Tasks.TaskScheduler/SystemThreadingTasks_TaskSchedulerDebugView
struct SystemThreadingTasks_TaskSchedulerDebugView_t27B3B8AEFC0238C9F9C58E238DA86DCC58279612 : public RuntimeObject
{
public:
public:
};
// System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation/<>c
struct U3CU3Ec_t832C49A1D40F5D7429F13CAA78ADF77459CA87FE : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t832C49A1D40F5D7429F13CAA78ADF77459CA87FE_StaticFields
{
public:
// System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation/<>c System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation/<>c::<>9
U3CU3Ec_t832C49A1D40F5D7429F13CAA78ADF77459CA87FE * ___U3CU3E9_0;
// System.Action`1<System.Object> System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation/<>c::<>9__2_0
Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * ___U3CU3E9__2_0_1;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t832C49A1D40F5D7429F13CAA78ADF77459CA87FE_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t832C49A1D40F5D7429F13CAA78ADF77459CA87FE * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t832C49A1D40F5D7429F13CAA78ADF77459CA87FE ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t832C49A1D40F5D7429F13CAA78ADF77459CA87FE * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__2_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_t832C49A1D40F5D7429F13CAA78ADF77459CA87FE_StaticFields, ___U3CU3E9__2_0_1)); }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * get_U3CU3E9__2_0_1() const { return ___U3CU3E9__2_0_1; }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC ** get_address_of_U3CU3E9__2_0_1() { return &___U3CU3E9__2_0_1; }
inline void set_U3CU3E9__2_0_1(Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * value)
{
___U3CU3E9__2_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__2_0_1), (void*)value);
}
};
// UnityEngine.TextAsset/EncodingUtility
struct EncodingUtility_tF25232B383AA56BB15E7955C1C9FC356F9770983 : public RuntimeObject
{
public:
public:
};
struct EncodingUtility_tF25232B383AA56BB15E7955C1C9FC356F9770983_StaticFields
{
public:
// System.Collections.Generic.KeyValuePair`2<System.Byte[],System.Text.Encoding>[] UnityEngine.TextAsset/EncodingUtility::encodingLookup
KeyValuePair_2U5BU5D_t256F162571C05521448AA203E8C620697614CAE7* ___encodingLookup_0;
// System.Text.Encoding UnityEngine.TextAsset/EncodingUtility::targetEncoding
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___targetEncoding_1;
public:
inline static int32_t get_offset_of_encodingLookup_0() { return static_cast<int32_t>(offsetof(EncodingUtility_tF25232B383AA56BB15E7955C1C9FC356F9770983_StaticFields, ___encodingLookup_0)); }
inline KeyValuePair_2U5BU5D_t256F162571C05521448AA203E8C620697614CAE7* get_encodingLookup_0() const { return ___encodingLookup_0; }
inline KeyValuePair_2U5BU5D_t256F162571C05521448AA203E8C620697614CAE7** get_address_of_encodingLookup_0() { return &___encodingLookup_0; }
inline void set_encodingLookup_0(KeyValuePair_2U5BU5D_t256F162571C05521448AA203E8C620697614CAE7* value)
{
___encodingLookup_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___encodingLookup_0), (void*)value);
}
inline static int32_t get_offset_of_targetEncoding_1() { return static_cast<int32_t>(offsetof(EncodingUtility_tF25232B383AA56BB15E7955C1C9FC356F9770983_StaticFields, ___targetEncoding_1)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_targetEncoding_1() const { return ___targetEncoding_1; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_targetEncoding_1() { return &___targetEncoding_1; }
inline void set_targetEncoding_1(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___targetEncoding_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___targetEncoding_1), (void*)value);
}
};
// TMPro.TextMeshProUGUI/<DelayedGraphicRebuild>d__89
struct U3CDelayedGraphicRebuildU3Ed__89_t4344BE5B582CA8FA97AD75DDDC5A3773E5DC4E02 : public RuntimeObject
{
public:
// System.Int32 TMPro.TextMeshProUGUI/<DelayedGraphicRebuild>d__89::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Object TMPro.TextMeshProUGUI/<DelayedGraphicRebuild>d__89::<>2__current
RuntimeObject * ___U3CU3E2__current_1;
// TMPro.TextMeshProUGUI TMPro.TextMeshProUGUI/<DelayedGraphicRebuild>d__89::<>4__this
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1 * ___U3CU3E4__this_2;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CDelayedGraphicRebuildU3Ed__89_t4344BE5B582CA8FA97AD75DDDC5A3773E5DC4E02, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CDelayedGraphicRebuildU3Ed__89_t4344BE5B582CA8FA97AD75DDDC5A3773E5DC4E02, ___U3CU3E2__current_1)); }
inline RuntimeObject * get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline RuntimeObject ** get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(RuntimeObject * value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E2__current_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E4__this_2() { return static_cast<int32_t>(offsetof(U3CDelayedGraphicRebuildU3Ed__89_t4344BE5B582CA8FA97AD75DDDC5A3773E5DC4E02, ___U3CU3E4__this_2)); }
inline TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1 * get_U3CU3E4__this_2() const { return ___U3CU3E4__this_2; }
inline TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1 ** get_address_of_U3CU3E4__this_2() { return &___U3CU3E4__this_2; }
inline void set_U3CU3E4__this_2(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1 * value)
{
___U3CU3E4__this_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_2), (void*)value);
}
};
// TMPro.TextMeshProUGUI/<DelayedMaterialRebuild>d__90
struct U3CDelayedMaterialRebuildU3Ed__90_t86D334C125057A5A17C14582D622BA4D41BF1D26 : public RuntimeObject
{
public:
// System.Int32 TMPro.TextMeshProUGUI/<DelayedMaterialRebuild>d__90::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Object TMPro.TextMeshProUGUI/<DelayedMaterialRebuild>d__90::<>2__current
RuntimeObject * ___U3CU3E2__current_1;
// TMPro.TextMeshProUGUI TMPro.TextMeshProUGUI/<DelayedMaterialRebuild>d__90::<>4__this
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1 * ___U3CU3E4__this_2;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CDelayedMaterialRebuildU3Ed__90_t86D334C125057A5A17C14582D622BA4D41BF1D26, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CDelayedMaterialRebuildU3Ed__90_t86D334C125057A5A17C14582D622BA4D41BF1D26, ___U3CU3E2__current_1)); }
inline RuntimeObject * get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline RuntimeObject ** get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(RuntimeObject * value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E2__current_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E4__this_2() { return static_cast<int32_t>(offsetof(U3CDelayedMaterialRebuildU3Ed__90_t86D334C125057A5A17C14582D622BA4D41BF1D26, ___U3CU3E4__this_2)); }
inline TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1 * get_U3CU3E4__this_2() const { return ___U3CU3E4__this_2; }
inline TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1 ** get_address_of_U3CU3E4__this_2() { return &___U3CU3E4__this_2; }
inline void set_U3CU3E4__this_2(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1 * value)
{
___U3CU3E4__this_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_2), (void*)value);
}
};
// System.IO.TextReader/<>c
struct U3CU3Ec_t5ECA46CBAA9AA77646C20CB57E986587D87A71BF : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t5ECA46CBAA9AA77646C20CB57E986587D87A71BF_StaticFields
{
public:
// System.IO.TextReader/<>c System.IO.TextReader/<>c::<>9
U3CU3Ec_t5ECA46CBAA9AA77646C20CB57E986587D87A71BF * ___U3CU3E9_0;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t5ECA46CBAA9AA77646C20CB57E986587D87A71BF_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t5ECA46CBAA9AA77646C20CB57E986587D87A71BF * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t5ECA46CBAA9AA77646C20CB57E986587D87A71BF ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t5ECA46CBAA9AA77646C20CB57E986587D87A71BF * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
};
// System.IO.TextWriter/<>c
struct U3CU3Ec_t1A707D491A359996794A63E517A0665899B4893A : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t1A707D491A359996794A63E517A0665899B4893A_StaticFields
{
public:
// System.IO.TextWriter/<>c System.IO.TextWriter/<>c::<>9
U3CU3Ec_t1A707D491A359996794A63E517A0665899B4893A * ___U3CU3E9_0;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t1A707D491A359996794A63E517A0665899B4893A_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t1A707D491A359996794A63E517A0665899B4893A * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t1A707D491A359996794A63E517A0665899B4893A ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t1A707D491A359996794A63E517A0665899B4893A * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Utilities.TimeTextInfo/<>c
struct U3CU3Ec_tC94F5AD03B031CAAA1109615AB9753ADBB35EB90 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_tC94F5AD03B031CAAA1109615AB9753ADBB35EB90_StaticFields
{
public:
// UnityEngine.Localization.SmartFormat.Utilities.TimeTextInfo/<>c UnityEngine.Localization.SmartFormat.Utilities.TimeTextInfo/<>c::<>9
U3CU3Ec_tC94F5AD03B031CAAA1109615AB9753ADBB35EB90 * ___U3CU3E9_0;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Utilities.TimeTextInfo/<>c::<>9__15_0
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___U3CU3E9__15_0_1;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_tC94F5AD03B031CAAA1109615AB9753ADBB35EB90_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_tC94F5AD03B031CAAA1109615AB9753ADBB35EB90 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_tC94F5AD03B031CAAA1109615AB9753ADBB35EB90 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_tC94F5AD03B031CAAA1109615AB9753ADBB35EB90 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__15_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_tC94F5AD03B031CAAA1109615AB9753ADBB35EB90_StaticFields, ___U3CU3E9__15_0_1)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_U3CU3E9__15_0_1() const { return ___U3CU3E9__15_0_1; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_U3CU3E9__15_0_1() { return &___U3CU3E9__15_0_1; }
inline void set_U3CU3E9__15_0_1(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___U3CU3E9__15_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__15_0_1), (void*)value);
}
};
// System.TimeZoneInfo/<>c
struct U3CU3Ec_t24F903F915888347E8B19C16314DF4C75387324E : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t24F903F915888347E8B19C16314DF4C75387324E_StaticFields
{
public:
// System.TimeZoneInfo/<>c System.TimeZoneInfo/<>c::<>9
U3CU3Ec_t24F903F915888347E8B19C16314DF4C75387324E * ___U3CU3E9_0;
// System.Comparison`1<System.TimeZoneInfo/AdjustmentRule> System.TimeZoneInfo/<>c::<>9__19_0
Comparison_1_tDAC4CC47FDC3DBE8E8A9DF5789C71CAA2B42AEC1 * ___U3CU3E9__19_0_1;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t24F903F915888347E8B19C16314DF4C75387324E_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t24F903F915888347E8B19C16314DF4C75387324E * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t24F903F915888347E8B19C16314DF4C75387324E ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t24F903F915888347E8B19C16314DF4C75387324E * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__19_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_t24F903F915888347E8B19C16314DF4C75387324E_StaticFields, ___U3CU3E9__19_0_1)); }
inline Comparison_1_tDAC4CC47FDC3DBE8E8A9DF5789C71CAA2B42AEC1 * get_U3CU3E9__19_0_1() const { return ___U3CU3E9__19_0_1; }
inline Comparison_1_tDAC4CC47FDC3DBE8E8A9DF5789C71CAA2B42AEC1 ** get_address_of_U3CU3E9__19_0_1() { return &___U3CU3E9__19_0_1; }
inline void set_U3CU3E9__19_0_1(Comparison_1_tDAC4CC47FDC3DBE8E8A9DF5789C71CAA2B42AEC1 * value)
{
___U3CU3E9__19_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__19_0_1), (void*)value);
}
};
// System.Threading.Timer/Scheduler
struct Scheduler_tA54A9F57127EDB44B4AE39C04A488F33193349D8 : public RuntimeObject
{
public:
// System.Collections.SortedList System.Threading.Timer/Scheduler::list
SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165 * ___list_1;
// System.Threading.ManualResetEvent System.Threading.Timer/Scheduler::changed
ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * ___changed_2;
public:
inline static int32_t get_offset_of_list_1() { return static_cast<int32_t>(offsetof(Scheduler_tA54A9F57127EDB44B4AE39C04A488F33193349D8, ___list_1)); }
inline SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165 * get_list_1() const { return ___list_1; }
inline SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165 ** get_address_of_list_1() { return &___list_1; }
inline void set_list_1(SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165 * value)
{
___list_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___list_1), (void*)value);
}
inline static int32_t get_offset_of_changed_2() { return static_cast<int32_t>(offsetof(Scheduler_tA54A9F57127EDB44B4AE39C04A488F33193349D8, ___changed_2)); }
inline ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * get_changed_2() const { return ___changed_2; }
inline ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA ** get_address_of_changed_2() { return &___changed_2; }
inline void set_changed_2(ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * value)
{
___changed_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___changed_2), (void*)value);
}
};
struct Scheduler_tA54A9F57127EDB44B4AE39C04A488F33193349D8_StaticFields
{
public:
// System.Threading.Timer/Scheduler System.Threading.Timer/Scheduler::instance
Scheduler_tA54A9F57127EDB44B4AE39C04A488F33193349D8 * ___instance_0;
public:
inline static int32_t get_offset_of_instance_0() { return static_cast<int32_t>(offsetof(Scheduler_tA54A9F57127EDB44B4AE39C04A488F33193349D8_StaticFields, ___instance_0)); }
inline Scheduler_tA54A9F57127EDB44B4AE39C04A488F33193349D8 * get_instance_0() const { return ___instance_0; }
inline Scheduler_tA54A9F57127EDB44B4AE39C04A488F33193349D8 ** get_address_of_instance_0() { return &___instance_0; }
inline void set_instance_0(Scheduler_tA54A9F57127EDB44B4AE39C04A488F33193349D8 * value)
{
___instance_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___instance_0), (void*)value);
}
};
// System.Threading.Timer/TimerComparer
struct TimerComparer_t1899647CFE875978843BE8ABA01C10956F1E740B : public RuntimeObject
{
public:
public:
};
// UnityEngine.UI.ToggleGroup/<>c
struct U3CU3Ec_t6FADCC9ADE15B1BB28A4FA9CDCE1340EFAEB9961 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t6FADCC9ADE15B1BB28A4FA9CDCE1340EFAEB9961_StaticFields
{
public:
// UnityEngine.UI.ToggleGroup/<>c UnityEngine.UI.ToggleGroup/<>c::<>9
U3CU3Ec_t6FADCC9ADE15B1BB28A4FA9CDCE1340EFAEB9961 * ___U3CU3E9_0;
// System.Predicate`1<UnityEngine.UI.Toggle> UnityEngine.UI.ToggleGroup/<>c::<>9__13_0
Predicate_1_t0AABBBAF16CED490518BA49ED7BC02D9A9475166 * ___U3CU3E9__13_0_1;
// System.Func`2<UnityEngine.UI.Toggle,System.Boolean> UnityEngine.UI.ToggleGroup/<>c::<>9__14_0
Func_2_tCE3CE3D7F67C20FF5576ED2A6E74518A0756E2DE * ___U3CU3E9__14_0_2;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t6FADCC9ADE15B1BB28A4FA9CDCE1340EFAEB9961_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t6FADCC9ADE15B1BB28A4FA9CDCE1340EFAEB9961 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t6FADCC9ADE15B1BB28A4FA9CDCE1340EFAEB9961 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t6FADCC9ADE15B1BB28A4FA9CDCE1340EFAEB9961 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__13_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_t6FADCC9ADE15B1BB28A4FA9CDCE1340EFAEB9961_StaticFields, ___U3CU3E9__13_0_1)); }
inline Predicate_1_t0AABBBAF16CED490518BA49ED7BC02D9A9475166 * get_U3CU3E9__13_0_1() const { return ___U3CU3E9__13_0_1; }
inline Predicate_1_t0AABBBAF16CED490518BA49ED7BC02D9A9475166 ** get_address_of_U3CU3E9__13_0_1() { return &___U3CU3E9__13_0_1; }
inline void set_U3CU3E9__13_0_1(Predicate_1_t0AABBBAF16CED490518BA49ED7BC02D9A9475166 * value)
{
___U3CU3E9__13_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__13_0_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__14_0_2() { return static_cast<int32_t>(offsetof(U3CU3Ec_t6FADCC9ADE15B1BB28A4FA9CDCE1340EFAEB9961_StaticFields, ___U3CU3E9__14_0_2)); }
inline Func_2_tCE3CE3D7F67C20FF5576ED2A6E74518A0756E2DE * get_U3CU3E9__14_0_2() const { return ___U3CU3E9__14_0_2; }
inline Func_2_tCE3CE3D7F67C20FF5576ED2A6E74518A0756E2DE ** get_address_of_U3CU3E9__14_0_2() { return &___U3CU3E9__14_0_2; }
inline void set_U3CU3E9__14_0_2(Func_2_tCE3CE3D7F67C20FF5576ED2A6E74518A0756E2DE * value)
{
___U3CU3E9__14_0_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__14_0_2), (void*)value);
}
};
// UnityEngine.Transform/Enumerator
struct Enumerator_t8A0B2200373BC9628C065322A1BA07AAA47E0259 : public RuntimeObject
{
public:
// UnityEngine.Transform UnityEngine.Transform/Enumerator::outer
Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * ___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_t8A0B2200373BC9628C065322A1BA07AAA47E0259, ___outer_0)); }
inline Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * get_outer_0() const { return ___outer_0; }
inline Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 ** get_address_of_outer_0() { return &___outer_0; }
inline void set_outer_0(Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * value)
{
___outer_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___outer_0), (void*)value);
}
inline static int32_t get_offset_of_currentIndex_1() { return static_cast<int32_t>(offsetof(Enumerator_t8A0B2200373BC9628C065322A1BA07AAA47E0259, ___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;
}
};
// UnityEngine.Localization.SmartFormat.Utilities.TupleExtensions/<>c
struct U3CU3Ec_tD5513ABAE62B8F230FC883A04B70101811EA46A8 : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_tD5513ABAE62B8F230FC883A04B70101811EA46A8_StaticFields
{
public:
// UnityEngine.Localization.SmartFormat.Utilities.TupleExtensions/<>c UnityEngine.Localization.SmartFormat.Utilities.TupleExtensions/<>c::<>9
U3CU3Ec_tD5513ABAE62B8F230FC883A04B70101811EA46A8 * ___U3CU3E9_0;
// System.Func`2<System.Reflection.FieldInfo,System.Type> UnityEngine.Localization.SmartFormat.Utilities.TupleExtensions/<>c::<>9__4_0
Func_2_tDF60161D557496E690F5241DE197B103C0DAAEC0 * ___U3CU3E9__4_0_1;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_tD5513ABAE62B8F230FC883A04B70101811EA46A8_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_tD5513ABAE62B8F230FC883A04B70101811EA46A8 * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_tD5513ABAE62B8F230FC883A04B70101811EA46A8 ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_tD5513ABAE62B8F230FC883A04B70101811EA46A8 * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__4_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_tD5513ABAE62B8F230FC883A04B70101811EA46A8_StaticFields, ___U3CU3E9__4_0_1)); }
inline Func_2_tDF60161D557496E690F5241DE197B103C0DAAEC0 * get_U3CU3E9__4_0_1() const { return ___U3CU3E9__4_0_1; }
inline Func_2_tDF60161D557496E690F5241DE197B103C0DAAEC0 ** get_address_of_U3CU3E9__4_0_1() { return &___U3CU3E9__4_0_1; }
inline void set_U3CU3E9__4_0_1(Func_2_tDF60161D557496E690F5241DE197B103C0DAAEC0 * value)
{
___U3CU3E9__4_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__4_0_1), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Utilities.TupleExtensions/<>c__DisplayClass3_0
struct U3CU3Ec__DisplayClass3_0_tA95895DE85B643E7590508A692C1B5C6AF965741 : public RuntimeObject
{
public:
// System.Object UnityEngine.Localization.SmartFormat.Utilities.TupleExtensions/<>c__DisplayClass3_0::tuple
RuntimeObject * ___tuple_0;
public:
inline static int32_t get_offset_of_tuple_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass3_0_tA95895DE85B643E7590508A692C1B5C6AF965741, ___tuple_0)); }
inline RuntimeObject * get_tuple_0() const { return ___tuple_0; }
inline RuntimeObject ** get_address_of_tuple_0() { return &___tuple_0; }
inline void set_tuple_0(RuntimeObject * value)
{
___tuple_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___tuple_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Utilities.TupleExtensions/<GetValueTupleItemObjectsFlattened>d__6
struct U3CGetValueTupleItemObjectsFlattenedU3Ed__6_t8B0DB9EB49D98CD7E327742CC8147FF3513935E2 : public RuntimeObject
{
public:
// System.Int32 UnityEngine.Localization.SmartFormat.Utilities.TupleExtensions/<GetValueTupleItemObjectsFlattened>d__6::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Object UnityEngine.Localization.SmartFormat.Utilities.TupleExtensions/<GetValueTupleItemObjectsFlattened>d__6::<>2__current
RuntimeObject * ___U3CU3E2__current_1;
// System.Int32 UnityEngine.Localization.SmartFormat.Utilities.TupleExtensions/<GetValueTupleItemObjectsFlattened>d__6::<>l__initialThreadId
int32_t ___U3CU3El__initialThreadId_2;
// System.Object UnityEngine.Localization.SmartFormat.Utilities.TupleExtensions/<GetValueTupleItemObjectsFlattened>d__6::tuple
RuntimeObject * ___tuple_3;
// System.Object UnityEngine.Localization.SmartFormat.Utilities.TupleExtensions/<GetValueTupleItemObjectsFlattened>d__6::<>3__tuple
RuntimeObject * ___U3CU3E3__tuple_4;
// System.Collections.Generic.IEnumerator`1<System.Object> UnityEngine.Localization.SmartFormat.Utilities.TupleExtensions/<GetValueTupleItemObjectsFlattened>d__6::<>7__wrap1
RuntimeObject* ___U3CU3E7__wrap1_5;
// System.Collections.Generic.IEnumerator`1<System.Object> UnityEngine.Localization.SmartFormat.Utilities.TupleExtensions/<GetValueTupleItemObjectsFlattened>d__6::<>7__wrap2
RuntimeObject* ___U3CU3E7__wrap2_6;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CGetValueTupleItemObjectsFlattenedU3Ed__6_t8B0DB9EB49D98CD7E327742CC8147FF3513935E2, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CGetValueTupleItemObjectsFlattenedU3Ed__6_t8B0DB9EB49D98CD7E327742CC8147FF3513935E2, ___U3CU3E2__current_1)); }
inline RuntimeObject * get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline RuntimeObject ** get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(RuntimeObject * value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E2__current_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3El__initialThreadId_2() { return static_cast<int32_t>(offsetof(U3CGetValueTupleItemObjectsFlattenedU3Ed__6_t8B0DB9EB49D98CD7E327742CC8147FF3513935E2, ___U3CU3El__initialThreadId_2)); }
inline int32_t get_U3CU3El__initialThreadId_2() const { return ___U3CU3El__initialThreadId_2; }
inline int32_t* get_address_of_U3CU3El__initialThreadId_2() { return &___U3CU3El__initialThreadId_2; }
inline void set_U3CU3El__initialThreadId_2(int32_t value)
{
___U3CU3El__initialThreadId_2 = value;
}
inline static int32_t get_offset_of_tuple_3() { return static_cast<int32_t>(offsetof(U3CGetValueTupleItemObjectsFlattenedU3Ed__6_t8B0DB9EB49D98CD7E327742CC8147FF3513935E2, ___tuple_3)); }
inline RuntimeObject * get_tuple_3() const { return ___tuple_3; }
inline RuntimeObject ** get_address_of_tuple_3() { return &___tuple_3; }
inline void set_tuple_3(RuntimeObject * value)
{
___tuple_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___tuple_3), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E3__tuple_4() { return static_cast<int32_t>(offsetof(U3CGetValueTupleItemObjectsFlattenedU3Ed__6_t8B0DB9EB49D98CD7E327742CC8147FF3513935E2, ___U3CU3E3__tuple_4)); }
inline RuntimeObject * get_U3CU3E3__tuple_4() const { return ___U3CU3E3__tuple_4; }
inline RuntimeObject ** get_address_of_U3CU3E3__tuple_4() { return &___U3CU3E3__tuple_4; }
inline void set_U3CU3E3__tuple_4(RuntimeObject * value)
{
___U3CU3E3__tuple_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E3__tuple_4), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E7__wrap1_5() { return static_cast<int32_t>(offsetof(U3CGetValueTupleItemObjectsFlattenedU3Ed__6_t8B0DB9EB49D98CD7E327742CC8147FF3513935E2, ___U3CU3E7__wrap1_5)); }
inline RuntimeObject* get_U3CU3E7__wrap1_5() const { return ___U3CU3E7__wrap1_5; }
inline RuntimeObject** get_address_of_U3CU3E7__wrap1_5() { return &___U3CU3E7__wrap1_5; }
inline void set_U3CU3E7__wrap1_5(RuntimeObject* value)
{
___U3CU3E7__wrap1_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E7__wrap1_5), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E7__wrap2_6() { return static_cast<int32_t>(offsetof(U3CGetValueTupleItemObjectsFlattenedU3Ed__6_t8B0DB9EB49D98CD7E327742CC8147FF3513935E2, ___U3CU3E7__wrap2_6)); }
inline RuntimeObject* get_U3CU3E7__wrap2_6() const { return ___U3CU3E7__wrap2_6; }
inline RuntimeObject** get_address_of_U3CU3E7__wrap2_6() { return &___U3CU3E7__wrap2_6; }
inline void set_U3CU3E7__wrap2_6(RuntimeObject* value)
{
___U3CU3E7__wrap2_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E7__wrap2_6), (void*)value);
}
};
// System.ComponentModel.TypeConverter/StandardValuesCollection
struct StandardValuesCollection_tB8B2368EBF592D624D7A07BE6C539DE9BA9A1FB1 : public RuntimeObject
{
public:
public:
};
// System.TypeNames/ATypeName
struct ATypeName_t19F245ED1619C78770F92C899C4FE364DBF30861 : public RuntimeObject
{
public:
public:
};
// System.Uri/MoreInfo
struct MoreInfo_t15D42286ECE8DAD0B0FE9CDC1291109300C3E727 : public RuntimeObject
{
public:
// System.String System.Uri/MoreInfo::Path
String_t* ___Path_0;
// System.String System.Uri/MoreInfo::Fragment
String_t* ___Fragment_1;
// System.String System.Uri/MoreInfo::AbsoluteUri
String_t* ___AbsoluteUri_2;
// System.Int32 System.Uri/MoreInfo::Hash
int32_t ___Hash_3;
// System.String System.Uri/MoreInfo::RemoteUrl
String_t* ___RemoteUrl_4;
public:
inline static int32_t get_offset_of_Path_0() { return static_cast<int32_t>(offsetof(MoreInfo_t15D42286ECE8DAD0B0FE9CDC1291109300C3E727, ___Path_0)); }
inline String_t* get_Path_0() const { return ___Path_0; }
inline String_t** get_address_of_Path_0() { return &___Path_0; }
inline void set_Path_0(String_t* value)
{
___Path_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Path_0), (void*)value);
}
inline static int32_t get_offset_of_Fragment_1() { return static_cast<int32_t>(offsetof(MoreInfo_t15D42286ECE8DAD0B0FE9CDC1291109300C3E727, ___Fragment_1)); }
inline String_t* get_Fragment_1() const { return ___Fragment_1; }
inline String_t** get_address_of_Fragment_1() { return &___Fragment_1; }
inline void set_Fragment_1(String_t* value)
{
___Fragment_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Fragment_1), (void*)value);
}
inline static int32_t get_offset_of_AbsoluteUri_2() { return static_cast<int32_t>(offsetof(MoreInfo_t15D42286ECE8DAD0B0FE9CDC1291109300C3E727, ___AbsoluteUri_2)); }
inline String_t* get_AbsoluteUri_2() const { return ___AbsoluteUri_2; }
inline String_t** get_address_of_AbsoluteUri_2() { return &___AbsoluteUri_2; }
inline void set_AbsoluteUri_2(String_t* value)
{
___AbsoluteUri_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___AbsoluteUri_2), (void*)value);
}
inline static int32_t get_offset_of_Hash_3() { return static_cast<int32_t>(offsetof(MoreInfo_t15D42286ECE8DAD0B0FE9CDC1291109300C3E727, ___Hash_3)); }
inline int32_t get_Hash_3() const { return ___Hash_3; }
inline int32_t* get_address_of_Hash_3() { return &___Hash_3; }
inline void set_Hash_3(int32_t value)
{
___Hash_3 = value;
}
inline static int32_t get_offset_of_RemoteUrl_4() { return static_cast<int32_t>(offsetof(MoreInfo_t15D42286ECE8DAD0B0FE9CDC1291109300C3E727, ___RemoteUrl_4)); }
inline String_t* get_RemoteUrl_4() const { return ___RemoteUrl_4; }
inline String_t** get_address_of_RemoteUrl_4() { return &___RemoteUrl_4; }
inline void set_RemoteUrl_4(String_t* value)
{
___RemoteUrl_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___RemoteUrl_4), (void*)value);
}
};
// Microsoft.Win32.Win32Native/WIN32_FIND_DATA
struct WIN32_FIND_DATA_tE88493B22E1CDD2E595CA4F800949555399AB3C7 : public RuntimeObject
{
public:
// System.Int32 Microsoft.Win32.Win32Native/WIN32_FIND_DATA::dwFileAttributes
int32_t ___dwFileAttributes_0;
// System.String Microsoft.Win32.Win32Native/WIN32_FIND_DATA::cFileName
String_t* ___cFileName_1;
public:
inline static int32_t get_offset_of_dwFileAttributes_0() { return static_cast<int32_t>(offsetof(WIN32_FIND_DATA_tE88493B22E1CDD2E595CA4F800949555399AB3C7, ___dwFileAttributes_0)); }
inline int32_t get_dwFileAttributes_0() const { return ___dwFileAttributes_0; }
inline int32_t* get_address_of_dwFileAttributes_0() { return &___dwFileAttributes_0; }
inline void set_dwFileAttributes_0(int32_t value)
{
___dwFileAttributes_0 = value;
}
inline static int32_t get_offset_of_cFileName_1() { return static_cast<int32_t>(offsetof(WIN32_FIND_DATA_tE88493B22E1CDD2E595CA4F800949555399AB3C7, ___cFileName_1)); }
inline String_t* get_cFileName_1() const { return ___cFileName_1; }
inline String_t** get_address_of_cFileName_1() { return &___cFileName_1; }
inline void set_cFileName_1(String_t* value)
{
___cFileName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___cFileName_1), (void*)value);
}
};
// System.Xml.Linq.XContainer/<GetElements>d__40
struct U3CGetElementsU3Ed__40_t3D9A23CCDAFD41655F6A212EBC2181DEB39FC3EC : public RuntimeObject
{
public:
// System.Int32 System.Xml.Linq.XContainer/<GetElements>d__40::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Xml.Linq.XElement System.Xml.Linq.XContainer/<GetElements>d__40::<>2__current
XElement_tB23449727DAFDA30624A9E24F99731430F9CC8A5 * ___U3CU3E2__current_1;
// System.Int32 System.Xml.Linq.XContainer/<GetElements>d__40::<>l__initialThreadId
int32_t ___U3CU3El__initialThreadId_2;
// System.Xml.Linq.XContainer System.Xml.Linq.XContainer/<GetElements>d__40::<>4__this
XContainer_t195526C99472280E1DE55FCBAF9060CD9DE37525 * ___U3CU3E4__this_3;
// System.Xml.Linq.XNode System.Xml.Linq.XContainer/<GetElements>d__40::<n>5__1
XNode_tB88EE59443DF799686825ED2168D47C857C8CA99 * ___U3CnU3E5__1_4;
// System.Xml.Linq.XName System.Xml.Linq.XContainer/<GetElements>d__40::name
XName_t03F670C1FC8B039AC94EB7B0BAE881E6E3545956 * ___name_5;
// System.Xml.Linq.XName System.Xml.Linq.XContainer/<GetElements>d__40::<>3__name
XName_t03F670C1FC8B039AC94EB7B0BAE881E6E3545956 * ___U3CU3E3__name_6;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CGetElementsU3Ed__40_t3D9A23CCDAFD41655F6A212EBC2181DEB39FC3EC, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CGetElementsU3Ed__40_t3D9A23CCDAFD41655F6A212EBC2181DEB39FC3EC, ___U3CU3E2__current_1)); }
inline XElement_tB23449727DAFDA30624A9E24F99731430F9CC8A5 * get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline XElement_tB23449727DAFDA30624A9E24F99731430F9CC8A5 ** get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(XElement_tB23449727DAFDA30624A9E24F99731430F9CC8A5 * value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E2__current_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3El__initialThreadId_2() { return static_cast<int32_t>(offsetof(U3CGetElementsU3Ed__40_t3D9A23CCDAFD41655F6A212EBC2181DEB39FC3EC, ___U3CU3El__initialThreadId_2)); }
inline int32_t get_U3CU3El__initialThreadId_2() const { return ___U3CU3El__initialThreadId_2; }
inline int32_t* get_address_of_U3CU3El__initialThreadId_2() { return &___U3CU3El__initialThreadId_2; }
inline void set_U3CU3El__initialThreadId_2(int32_t value)
{
___U3CU3El__initialThreadId_2 = value;
}
inline static int32_t get_offset_of_U3CU3E4__this_3() { return static_cast<int32_t>(offsetof(U3CGetElementsU3Ed__40_t3D9A23CCDAFD41655F6A212EBC2181DEB39FC3EC, ___U3CU3E4__this_3)); }
inline XContainer_t195526C99472280E1DE55FCBAF9060CD9DE37525 * get_U3CU3E4__this_3() const { return ___U3CU3E4__this_3; }
inline XContainer_t195526C99472280E1DE55FCBAF9060CD9DE37525 ** get_address_of_U3CU3E4__this_3() { return &___U3CU3E4__this_3; }
inline void set_U3CU3E4__this_3(XContainer_t195526C99472280E1DE55FCBAF9060CD9DE37525 * value)
{
___U3CU3E4__this_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_3), (void*)value);
}
inline static int32_t get_offset_of_U3CnU3E5__1_4() { return static_cast<int32_t>(offsetof(U3CGetElementsU3Ed__40_t3D9A23CCDAFD41655F6A212EBC2181DEB39FC3EC, ___U3CnU3E5__1_4)); }
inline XNode_tB88EE59443DF799686825ED2168D47C857C8CA99 * get_U3CnU3E5__1_4() const { return ___U3CnU3E5__1_4; }
inline XNode_tB88EE59443DF799686825ED2168D47C857C8CA99 ** get_address_of_U3CnU3E5__1_4() { return &___U3CnU3E5__1_4; }
inline void set_U3CnU3E5__1_4(XNode_tB88EE59443DF799686825ED2168D47C857C8CA99 * value)
{
___U3CnU3E5__1_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CnU3E5__1_4), (void*)value);
}
inline static int32_t get_offset_of_name_5() { return static_cast<int32_t>(offsetof(U3CGetElementsU3Ed__40_t3D9A23CCDAFD41655F6A212EBC2181DEB39FC3EC, ___name_5)); }
inline XName_t03F670C1FC8B039AC94EB7B0BAE881E6E3545956 * get_name_5() const { return ___name_5; }
inline XName_t03F670C1FC8B039AC94EB7B0BAE881E6E3545956 ** get_address_of_name_5() { return &___name_5; }
inline void set_name_5(XName_t03F670C1FC8B039AC94EB7B0BAE881E6E3545956 * value)
{
___name_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_5), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E3__name_6() { return static_cast<int32_t>(offsetof(U3CGetElementsU3Ed__40_t3D9A23CCDAFD41655F6A212EBC2181DEB39FC3EC, ___U3CU3E3__name_6)); }
inline XName_t03F670C1FC8B039AC94EB7B0BAE881E6E3545956 * get_U3CU3E3__name_6() const { return ___U3CU3E3__name_6; }
inline XName_t03F670C1FC8B039AC94EB7B0BAE881E6E3545956 ** get_address_of_U3CU3E3__name_6() { return &___U3CU3E3__name_6; }
inline void set_U3CU3E3__name_6(XName_t03F670C1FC8B039AC94EB7B0BAE881E6E3545956 * value)
{
___U3CU3E3__name_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E3__name_6), (void*)value);
}
};
// UnityEngine.XR.ARSubsystems.XRCpuImage/Api
struct Api_t7C92F00C6416A2C636A44AAC833C3773C567DC3E : public RuntimeObject
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.Extensions.XmlSource/<>c__DisplayClass1_0
struct U3CU3Ec__DisplayClass1_0_t88989E2B6DAA8E41F6AC01BFBE7CF39BFA379B51 : public RuntimeObject
{
public:
// System.String UnityEngine.Localization.SmartFormat.Extensions.XmlSource/<>c__DisplayClass1_0::selector
String_t* ___selector_0;
public:
inline static int32_t get_offset_of_selector_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass1_0_t88989E2B6DAA8E41F6AC01BFBE7CF39BFA379B51, ___selector_0)); }
inline String_t* get_selector_0() const { return ___selector_0; }
inline String_t** get_address_of_selector_0() { return &___selector_0; }
inline void set_selector_0(String_t* value)
{
___selector_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___selector_0), (void*)value);
}
};
// UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider/InternalOp/BundledCatalog
struct BundledCatalog_t0339865FD3004B1640C1314D57EA3E2B4EDF91BD : public RuntimeObject
{
public:
// System.String UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider/InternalOp/BundledCatalog::m_BundlePath
String_t* ___m_BundlePath_0;
// System.Boolean UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider/InternalOp/BundledCatalog::m_OpInProgress
bool ___m_OpInProgress_1;
// UnityEngine.AssetBundleCreateRequest UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider/InternalOp/BundledCatalog::m_LoadBundleRequest
AssetBundleCreateRequest_t6AB0C8676D1DAA5F624663445F46FAB7D63EAA3A * ___m_LoadBundleRequest_2;
// UnityEngine.AssetBundle UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider/InternalOp/BundledCatalog::m_CatalogAssetBundle
AssetBundle_t4D34D7FDF0F230DC641DC1FCFA2C0E7E9E628FA4 * ___m_CatalogAssetBundle_3;
// UnityEngine.AssetBundleRequest UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider/InternalOp/BundledCatalog::m_LoadTextAssetRequest
AssetBundleRequest_tBCF59D1FD408125E4C2C937EC23AB0ABB7E4051A * ___m_LoadTextAssetRequest_4;
// UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider/InternalOp/BundledCatalog::m_CatalogData
ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D * ___m_CatalogData_5;
// System.Action`1<UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData> UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider/InternalOp/BundledCatalog::OnLoaded
Action_1_t84A5A270A9C6B9D2B219E515F9DE052C0237D747 * ___OnLoaded_6;
public:
inline static int32_t get_offset_of_m_BundlePath_0() { return static_cast<int32_t>(offsetof(BundledCatalog_t0339865FD3004B1640C1314D57EA3E2B4EDF91BD, ___m_BundlePath_0)); }
inline String_t* get_m_BundlePath_0() const { return ___m_BundlePath_0; }
inline String_t** get_address_of_m_BundlePath_0() { return &___m_BundlePath_0; }
inline void set_m_BundlePath_0(String_t* value)
{
___m_BundlePath_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_BundlePath_0), (void*)value);
}
inline static int32_t get_offset_of_m_OpInProgress_1() { return static_cast<int32_t>(offsetof(BundledCatalog_t0339865FD3004B1640C1314D57EA3E2B4EDF91BD, ___m_OpInProgress_1)); }
inline bool get_m_OpInProgress_1() const { return ___m_OpInProgress_1; }
inline bool* get_address_of_m_OpInProgress_1() { return &___m_OpInProgress_1; }
inline void set_m_OpInProgress_1(bool value)
{
___m_OpInProgress_1 = value;
}
inline static int32_t get_offset_of_m_LoadBundleRequest_2() { return static_cast<int32_t>(offsetof(BundledCatalog_t0339865FD3004B1640C1314D57EA3E2B4EDF91BD, ___m_LoadBundleRequest_2)); }
inline AssetBundleCreateRequest_t6AB0C8676D1DAA5F624663445F46FAB7D63EAA3A * get_m_LoadBundleRequest_2() const { return ___m_LoadBundleRequest_2; }
inline AssetBundleCreateRequest_t6AB0C8676D1DAA5F624663445F46FAB7D63EAA3A ** get_address_of_m_LoadBundleRequest_2() { return &___m_LoadBundleRequest_2; }
inline void set_m_LoadBundleRequest_2(AssetBundleCreateRequest_t6AB0C8676D1DAA5F624663445F46FAB7D63EAA3A * value)
{
___m_LoadBundleRequest_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LoadBundleRequest_2), (void*)value);
}
inline static int32_t get_offset_of_m_CatalogAssetBundle_3() { return static_cast<int32_t>(offsetof(BundledCatalog_t0339865FD3004B1640C1314D57EA3E2B4EDF91BD, ___m_CatalogAssetBundle_3)); }
inline AssetBundle_t4D34D7FDF0F230DC641DC1FCFA2C0E7E9E628FA4 * get_m_CatalogAssetBundle_3() const { return ___m_CatalogAssetBundle_3; }
inline AssetBundle_t4D34D7FDF0F230DC641DC1FCFA2C0E7E9E628FA4 ** get_address_of_m_CatalogAssetBundle_3() { return &___m_CatalogAssetBundle_3; }
inline void set_m_CatalogAssetBundle_3(AssetBundle_t4D34D7FDF0F230DC641DC1FCFA2C0E7E9E628FA4 * value)
{
___m_CatalogAssetBundle_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CatalogAssetBundle_3), (void*)value);
}
inline static int32_t get_offset_of_m_LoadTextAssetRequest_4() { return static_cast<int32_t>(offsetof(BundledCatalog_t0339865FD3004B1640C1314D57EA3E2B4EDF91BD, ___m_LoadTextAssetRequest_4)); }
inline AssetBundleRequest_tBCF59D1FD408125E4C2C937EC23AB0ABB7E4051A * get_m_LoadTextAssetRequest_4() const { return ___m_LoadTextAssetRequest_4; }
inline AssetBundleRequest_tBCF59D1FD408125E4C2C937EC23AB0ABB7E4051A ** get_address_of_m_LoadTextAssetRequest_4() { return &___m_LoadTextAssetRequest_4; }
inline void set_m_LoadTextAssetRequest_4(AssetBundleRequest_tBCF59D1FD408125E4C2C937EC23AB0ABB7E4051A * value)
{
___m_LoadTextAssetRequest_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LoadTextAssetRequest_4), (void*)value);
}
inline static int32_t get_offset_of_m_CatalogData_5() { return static_cast<int32_t>(offsetof(BundledCatalog_t0339865FD3004B1640C1314D57EA3E2B4EDF91BD, ___m_CatalogData_5)); }
inline ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D * get_m_CatalogData_5() const { return ___m_CatalogData_5; }
inline ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D ** get_address_of_m_CatalogData_5() { return &___m_CatalogData_5; }
inline void set_m_CatalogData_5(ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D * value)
{
___m_CatalogData_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CatalogData_5), (void*)value);
}
inline static int32_t get_offset_of_OnLoaded_6() { return static_cast<int32_t>(offsetof(BundledCatalog_t0339865FD3004B1640C1314D57EA3E2B4EDF91BD, ___OnLoaded_6)); }
inline Action_1_t84A5A270A9C6B9D2B219E515F9DE052C0237D747 * get_OnLoaded_6() const { return ___OnLoaded_6; }
inline Action_1_t84A5A270A9C6B9D2B219E515F9DE052C0237D747 ** get_address_of_OnLoaded_6() { return &___OnLoaded_6; }
inline void set_OnLoaded_6(Action_1_t84A5A270A9C6B9D2B219E515F9DE052C0237D747 * value)
{
___OnLoaded_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___OnLoaded_6), (void*)value);
}
};
// System.IO.Stream/SynchronousAsyncResult/<>c
struct U3CU3Ec_t0B9BA392160C64553C28F93C014479CD7CDC88CB : public RuntimeObject
{
public:
public:
};
struct U3CU3Ec_t0B9BA392160C64553C28F93C014479CD7CDC88CB_StaticFields
{
public:
// System.IO.Stream/SynchronousAsyncResult/<>c System.IO.Stream/SynchronousAsyncResult/<>c::<>9
U3CU3Ec_t0B9BA392160C64553C28F93C014479CD7CDC88CB * ___U3CU3E9_0;
// System.Func`1<System.Threading.ManualResetEvent> System.IO.Stream/SynchronousAsyncResult/<>c::<>9__12_0
Func_1_t5676838A0CF4B34BFAE91E1902234AA2C5C4BE05 * ___U3CU3E9__12_0_1;
public:
inline static int32_t get_offset_of_U3CU3E9_0() { return static_cast<int32_t>(offsetof(U3CU3Ec_t0B9BA392160C64553C28F93C014479CD7CDC88CB_StaticFields, ___U3CU3E9_0)); }
inline U3CU3Ec_t0B9BA392160C64553C28F93C014479CD7CDC88CB * get_U3CU3E9_0() const { return ___U3CU3E9_0; }
inline U3CU3Ec_t0B9BA392160C64553C28F93C014479CD7CDC88CB ** get_address_of_U3CU3E9_0() { return &___U3CU3E9_0; }
inline void set_U3CU3E9_0(U3CU3Ec_t0B9BA392160C64553C28F93C014479CD7CDC88CB * value)
{
___U3CU3E9_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9_0), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E9__12_0_1() { return static_cast<int32_t>(offsetof(U3CU3Ec_t0B9BA392160C64553C28F93C014479CD7CDC88CB_StaticFields, ___U3CU3E9__12_0_1)); }
inline Func_1_t5676838A0CF4B34BFAE91E1902234AA2C5C4BE05 * get_U3CU3E9__12_0_1() const { return ___U3CU3E9__12_0_1; }
inline Func_1_t5676838A0CF4B34BFAE91E1902234AA2C5C4BE05 ** get_address_of_U3CU3E9__12_0_1() { return &___U3CU3E9__12_0_1; }
inline void set_U3CU3E9__12_0_1(Func_1_t5676838A0CF4B34BFAE91E1902234AA2C5C4BE05 * value)
{
___U3CU3E9__12_0_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E9__12_0_1), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<System.Collections.Generic.IList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle>>
struct AsyncOperationHandle_1_t0057C07DE37DEA6058C4D485225F00924A8B482F
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<TObject> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_InternalOp
AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014 * ___m_InternalOp_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_Version
int32_t ___m_Version_1;
// System.String UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_LocationName
String_t* ___m_LocationName_2;
public:
inline static int32_t get_offset_of_m_InternalOp_0() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t0057C07DE37DEA6058C4D485225F00924A8B482F, ___m_InternalOp_0)); }
inline AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014 * get_m_InternalOp_0() const { return ___m_InternalOp_0; }
inline AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014 ** get_address_of_m_InternalOp_0() { return &___m_InternalOp_0; }
inline void set_m_InternalOp_0(AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014 * value)
{
___m_InternalOp_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalOp_0), (void*)value);
}
inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t0057C07DE37DEA6058C4D485225F00924A8B482F, ___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;
}
inline static int32_t get_offset_of_m_LocationName_2() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t0057C07DE37DEA6058C4D485225F00924A8B482F, ___m_LocationName_2)); }
inline String_t* get_m_LocationName_2() const { return ___m_LocationName_2; }
inline String_t** get_address_of_m_LocationName_2() { return &___m_LocationName_2; }
inline void set_m_LocationName_2(String_t* value)
{
___m_LocationName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocationName_2), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<System.Collections.Generic.List`1<UnityEngine.AddressableAssets.ResourceLocators.IResourceLocator>>
struct AsyncOperationHandle_1_t5CED34FCEBFC00E685EAABBF350C43CBC2AED1D4
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<TObject> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_InternalOp
AsyncOperationBase_1_t83E82AF13D0861ABF96E701C62511E1FDE92A061 * ___m_InternalOp_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_Version
int32_t ___m_Version_1;
// System.String UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_LocationName
String_t* ___m_LocationName_2;
public:
inline static int32_t get_offset_of_m_InternalOp_0() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t5CED34FCEBFC00E685EAABBF350C43CBC2AED1D4, ___m_InternalOp_0)); }
inline AsyncOperationBase_1_t83E82AF13D0861ABF96E701C62511E1FDE92A061 * get_m_InternalOp_0() const { return ___m_InternalOp_0; }
inline AsyncOperationBase_1_t83E82AF13D0861ABF96E701C62511E1FDE92A061 ** get_address_of_m_InternalOp_0() { return &___m_InternalOp_0; }
inline void set_m_InternalOp_0(AsyncOperationBase_1_t83E82AF13D0861ABF96E701C62511E1FDE92A061 * value)
{
___m_InternalOp_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalOp_0), (void*)value);
}
inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t5CED34FCEBFC00E685EAABBF350C43CBC2AED1D4, ___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;
}
inline static int32_t get_offset_of_m_LocationName_2() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t5CED34FCEBFC00E685EAABBF350C43CBC2AED1D4, ___m_LocationName_2)); }
inline String_t* get_m_LocationName_2() const { return ___m_LocationName_2; }
inline String_t** get_address_of_m_LocationName_2() { return &___m_LocationName_2; }
inline void set_m_LocationName_2(String_t* value)
{
___m_LocationName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocationName_2), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Localization.Settings.LocalizedDatabase`2/TableEntryResult<UnityEngine.Localization.Tables.StringTable,UnityEngine.Localization.Tables.StringTableEntry>>
struct AsyncOperationHandle_1_t9E7AAF51D5B57BA477EB906ACDBD045E41CBC1AF
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<TObject> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_InternalOp
AsyncOperationBase_1_t346A268CBEFDF614068229E29CDBC74A0ED9D043 * ___m_InternalOp_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_Version
int32_t ___m_Version_1;
// System.String UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_LocationName
String_t* ___m_LocationName_2;
public:
inline static int32_t get_offset_of_m_InternalOp_0() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t9E7AAF51D5B57BA477EB906ACDBD045E41CBC1AF, ___m_InternalOp_0)); }
inline AsyncOperationBase_1_t346A268CBEFDF614068229E29CDBC74A0ED9D043 * get_m_InternalOp_0() const { return ___m_InternalOp_0; }
inline AsyncOperationBase_1_t346A268CBEFDF614068229E29CDBC74A0ED9D043 ** get_address_of_m_InternalOp_0() { return &___m_InternalOp_0; }
inline void set_m_InternalOp_0(AsyncOperationBase_1_t346A268CBEFDF614068229E29CDBC74A0ED9D043 * value)
{
___m_InternalOp_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalOp_0), (void*)value);
}
inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t9E7AAF51D5B57BA477EB906ACDBD045E41CBC1AF, ___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;
}
inline static int32_t get_offset_of_m_LocationName_2() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t9E7AAF51D5B57BA477EB906ACDBD045E41CBC1AF, ___m_LocationName_2)); }
inline String_t* get_m_LocationName_2() const { return ___m_LocationName_2; }
inline String_t** get_address_of_m_LocationName_2() { return &___m_LocationName_2; }
inline void set_m_LocationName_2(String_t* value)
{
___m_LocationName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocationName_2), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Localization.Tables.AssetTable>
struct AsyncOperationHandle_1_t267EC8C039FF06085B92B5BF44ACFC6BE5121D17
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<TObject> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_InternalOp
AsyncOperationBase_1_t8C31894BF30092F9E6B3581F96C9110EA1F7D305 * ___m_InternalOp_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_Version
int32_t ___m_Version_1;
// System.String UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_LocationName
String_t* ___m_LocationName_2;
public:
inline static int32_t get_offset_of_m_InternalOp_0() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t267EC8C039FF06085B92B5BF44ACFC6BE5121D17, ___m_InternalOp_0)); }
inline AsyncOperationBase_1_t8C31894BF30092F9E6B3581F96C9110EA1F7D305 * get_m_InternalOp_0() const { return ___m_InternalOp_0; }
inline AsyncOperationBase_1_t8C31894BF30092F9E6B3581F96C9110EA1F7D305 ** get_address_of_m_InternalOp_0() { return &___m_InternalOp_0; }
inline void set_m_InternalOp_0(AsyncOperationBase_1_t8C31894BF30092F9E6B3581F96C9110EA1F7D305 * value)
{
___m_InternalOp_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalOp_0), (void*)value);
}
inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t267EC8C039FF06085B92B5BF44ACFC6BE5121D17, ___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;
}
inline static int32_t get_offset_of_m_LocationName_2() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t267EC8C039FF06085B92B5BF44ACFC6BE5121D17, ___m_LocationName_2)); }
inline String_t* get_m_LocationName_2() const { return ___m_LocationName_2; }
inline String_t** get_address_of_m_LocationName_2() { return &___m_LocationName_2; }
inline void set_m_LocationName_2(String_t* value)
{
___m_LocationName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocationName_2), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.AudioClip>
struct AsyncOperationHandle_1_tE3B37CDD60A319DB7F341AE98BC9DE076AC0D201
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<TObject> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_InternalOp
AsyncOperationBase_1_t34BD5DB14154EE7355273D0B0069BFC17B34AF23 * ___m_InternalOp_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_Version
int32_t ___m_Version_1;
// System.String UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_LocationName
String_t* ___m_LocationName_2;
public:
inline static int32_t get_offset_of_m_InternalOp_0() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_tE3B37CDD60A319DB7F341AE98BC9DE076AC0D201, ___m_InternalOp_0)); }
inline AsyncOperationBase_1_t34BD5DB14154EE7355273D0B0069BFC17B34AF23 * get_m_InternalOp_0() const { return ___m_InternalOp_0; }
inline AsyncOperationBase_1_t34BD5DB14154EE7355273D0B0069BFC17B34AF23 ** get_address_of_m_InternalOp_0() { return &___m_InternalOp_0; }
inline void set_m_InternalOp_0(AsyncOperationBase_1_t34BD5DB14154EE7355273D0B0069BFC17B34AF23 * value)
{
___m_InternalOp_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalOp_0), (void*)value);
}
inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_tE3B37CDD60A319DB7F341AE98BC9DE076AC0D201, ___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;
}
inline static int32_t get_offset_of_m_LocationName_2() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_tE3B37CDD60A319DB7F341AE98BC9DE076AC0D201, ___m_LocationName_2)); }
inline String_t* get_m_LocationName_2() const { return ___m_LocationName_2; }
inline String_t** get_address_of_m_LocationName_2() { return &___m_LocationName_2; }
inline void set_m_LocationName_2(String_t* value)
{
___m_LocationName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocationName_2), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData>
struct AsyncOperationHandle_1_tC62B646D978D84BEE617E1BE501DB84504AF7442
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<TObject> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_InternalOp
AsyncOperationBase_1_tAB1F47A33E4D2FAA60BB0A9C067DAEDAA3E4A402 * ___m_InternalOp_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_Version
int32_t ___m_Version_1;
// System.String UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_LocationName
String_t* ___m_LocationName_2;
public:
inline static int32_t get_offset_of_m_InternalOp_0() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_tC62B646D978D84BEE617E1BE501DB84504AF7442, ___m_InternalOp_0)); }
inline AsyncOperationBase_1_tAB1F47A33E4D2FAA60BB0A9C067DAEDAA3E4A402 * get_m_InternalOp_0() const { return ___m_InternalOp_0; }
inline AsyncOperationBase_1_tAB1F47A33E4D2FAA60BB0A9C067DAEDAA3E4A402 ** get_address_of_m_InternalOp_0() { return &___m_InternalOp_0; }
inline void set_m_InternalOp_0(AsyncOperationBase_1_tAB1F47A33E4D2FAA60BB0A9C067DAEDAA3E4A402 * value)
{
___m_InternalOp_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalOp_0), (void*)value);
}
inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_tC62B646D978D84BEE617E1BE501DB84504AF7442, ___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;
}
inline static int32_t get_offset_of_m_LocationName_2() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_tC62B646D978D84BEE617E1BE501DB84504AF7442, ___m_LocationName_2)); }
inline String_t* get_m_LocationName_2() const { return ___m_LocationName_2; }
inline String_t** get_address_of_m_LocationName_2() { return &___m_LocationName_2; }
inline void set_m_LocationName_2(String_t* value)
{
___m_LocationName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocationName_2), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.GameObject>
struct AsyncOperationHandle_1_t078BA5A18ABD417B92201D3373635923590AF298
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<TObject> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_InternalOp
AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0 * ___m_InternalOp_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_Version
int32_t ___m_Version_1;
// System.String UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_LocationName
String_t* ___m_LocationName_2;
public:
inline static int32_t get_offset_of_m_InternalOp_0() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t078BA5A18ABD417B92201D3373635923590AF298, ___m_InternalOp_0)); }
inline AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0 * get_m_InternalOp_0() const { return ___m_InternalOp_0; }
inline AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0 ** get_address_of_m_InternalOp_0() { return &___m_InternalOp_0; }
inline void set_m_InternalOp_0(AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0 * value)
{
___m_InternalOp_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalOp_0), (void*)value);
}
inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t078BA5A18ABD417B92201D3373635923590AF298, ___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;
}
inline static int32_t get_offset_of_m_LocationName_2() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t078BA5A18ABD417B92201D3373635923590AF298, ___m_LocationName_2)); }
inline String_t* get_m_LocationName_2() const { return ___m_LocationName_2; }
inline String_t** get_address_of_m_LocationName_2() { return &___m_LocationName_2; }
inline void set_m_LocationName_2(String_t* value)
{
___m_LocationName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocationName_2), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.AddressableAssets.ResourceLocators.IResourceLocator>
struct AsyncOperationHandle_1_tACBCEBB25FC221B2183225C6276396BB356E14DE
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<TObject> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_InternalOp
AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA * ___m_InternalOp_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_Version
int32_t ___m_Version_1;
// System.String UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_LocationName
String_t* ___m_LocationName_2;
public:
inline static int32_t get_offset_of_m_InternalOp_0() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_tACBCEBB25FC221B2183225C6276396BB356E14DE, ___m_InternalOp_0)); }
inline AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA * get_m_InternalOp_0() const { return ___m_InternalOp_0; }
inline AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA ** get_address_of_m_InternalOp_0() { return &___m_InternalOp_0; }
inline void set_m_InternalOp_0(AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA * value)
{
___m_InternalOp_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalOp_0), (void*)value);
}
inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_tACBCEBB25FC221B2183225C6276396BB356E14DE, ___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;
}
inline static int32_t get_offset_of_m_LocationName_2() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_tACBCEBB25FC221B2183225C6276396BB356E14DE, ___m_LocationName_2)); }
inline String_t* get_m_LocationName_2() const { return ___m_LocationName_2; }
inline String_t** get_address_of_m_LocationName_2() { return &___m_LocationName_2; }
inline void set_m_LocationName_2(String_t* value)
{
___m_LocationName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocationName_2), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Localization.Locale>
struct AsyncOperationHandle_1_tC7B0F8626A75E3D5DD9579A7CF5506E414DD59C5
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<TObject> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_InternalOp
AsyncOperationBase_1_t7B2900EB896B34125D255DF5F32292B8F98B50DB * ___m_InternalOp_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_Version
int32_t ___m_Version_1;
// System.String UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_LocationName
String_t* ___m_LocationName_2;
public:
inline static int32_t get_offset_of_m_InternalOp_0() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_tC7B0F8626A75E3D5DD9579A7CF5506E414DD59C5, ___m_InternalOp_0)); }
inline AsyncOperationBase_1_t7B2900EB896B34125D255DF5F32292B8F98B50DB * get_m_InternalOp_0() const { return ___m_InternalOp_0; }
inline AsyncOperationBase_1_t7B2900EB896B34125D255DF5F32292B8F98B50DB ** get_address_of_m_InternalOp_0() { return &___m_InternalOp_0; }
inline void set_m_InternalOp_0(AsyncOperationBase_1_t7B2900EB896B34125D255DF5F32292B8F98B50DB * value)
{
___m_InternalOp_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalOp_0), (void*)value);
}
inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_tC7B0F8626A75E3D5DD9579A7CF5506E414DD59C5, ___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;
}
inline static int32_t get_offset_of_m_LocationName_2() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_tC7B0F8626A75E3D5DD9579A7CF5506E414DD59C5, ___m_LocationName_2)); }
inline String_t* get_m_LocationName_2() const { return ___m_LocationName_2; }
inline String_t** get_address_of_m_LocationName_2() { return &___m_LocationName_2; }
inline void set_m_LocationName_2(String_t* value)
{
___m_LocationName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocationName_2), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Localization.Settings.LocalizationSettings>
struct AsyncOperationHandle_1_t59AAD5876CDF4DC96CE354BD20464EBE6D055AAA
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<TObject> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_InternalOp
AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B * ___m_InternalOp_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_Version
int32_t ___m_Version_1;
// System.String UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_LocationName
String_t* ___m_LocationName_2;
public:
inline static int32_t get_offset_of_m_InternalOp_0() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t59AAD5876CDF4DC96CE354BD20464EBE6D055AAA, ___m_InternalOp_0)); }
inline AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B * get_m_InternalOp_0() const { return ___m_InternalOp_0; }
inline AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B ** get_address_of_m_InternalOp_0() { return &___m_InternalOp_0; }
inline void set_m_InternalOp_0(AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B * value)
{
___m_InternalOp_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalOp_0), (void*)value);
}
inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t59AAD5876CDF4DC96CE354BD20464EBE6D055AAA, ___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;
}
inline static int32_t get_offset_of_m_LocationName_2() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t59AAD5876CDF4DC96CE354BD20464EBE6D055AAA, ___m_LocationName_2)); }
inline String_t* get_m_LocationName_2() const { return ___m_LocationName_2; }
inline String_t** get_address_of_m_LocationName_2() { return &___m_LocationName_2; }
inline void set_m_LocationName_2(String_t* value)
{
___m_LocationName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocationName_2), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Material>
struct AsyncOperationHandle_1_t677BBFEEFFF1AD9D4545018E30E649F02F5AD2CE
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<TObject> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_InternalOp
AsyncOperationBase_1_tA9374CCDD8A57B83B5155D05D6D091CC87C9EE01 * ___m_InternalOp_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_Version
int32_t ___m_Version_1;
// System.String UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_LocationName
String_t* ___m_LocationName_2;
public:
inline static int32_t get_offset_of_m_InternalOp_0() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t677BBFEEFFF1AD9D4545018E30E649F02F5AD2CE, ___m_InternalOp_0)); }
inline AsyncOperationBase_1_tA9374CCDD8A57B83B5155D05D6D091CC87C9EE01 * get_m_InternalOp_0() const { return ___m_InternalOp_0; }
inline AsyncOperationBase_1_tA9374CCDD8A57B83B5155D05D6D091CC87C9EE01 ** get_address_of_m_InternalOp_0() { return &___m_InternalOp_0; }
inline void set_m_InternalOp_0(AsyncOperationBase_1_tA9374CCDD8A57B83B5155D05D6D091CC87C9EE01 * value)
{
___m_InternalOp_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalOp_0), (void*)value);
}
inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t677BBFEEFFF1AD9D4545018E30E649F02F5AD2CE, ___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;
}
inline static int32_t get_offset_of_m_LocationName_2() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t677BBFEEFFF1AD9D4545018E30E649F02F5AD2CE, ___m_LocationName_2)); }
inline String_t* get_m_LocationName_2() const { return ___m_LocationName_2; }
inline String_t** get_address_of_m_LocationName_2() { return &___m_LocationName_2; }
inline void set_m_LocationName_2(String_t* value)
{
___m_LocationName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocationName_2), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.AddressableAssets.Initialization.ResourceManagerRuntimeData>
struct AsyncOperationHandle_1_tD9812B9979E4D55015216D81BCBF97A7323C3B10
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<TObject> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_InternalOp
AsyncOperationBase_1_t2CE3F2102EB1B1FCA19149FD17C46F73D43CA783 * ___m_InternalOp_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_Version
int32_t ___m_Version_1;
// System.String UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_LocationName
String_t* ___m_LocationName_2;
public:
inline static int32_t get_offset_of_m_InternalOp_0() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_tD9812B9979E4D55015216D81BCBF97A7323C3B10, ___m_InternalOp_0)); }
inline AsyncOperationBase_1_t2CE3F2102EB1B1FCA19149FD17C46F73D43CA783 * get_m_InternalOp_0() const { return ___m_InternalOp_0; }
inline AsyncOperationBase_1_t2CE3F2102EB1B1FCA19149FD17C46F73D43CA783 ** get_address_of_m_InternalOp_0() { return &___m_InternalOp_0; }
inline void set_m_InternalOp_0(AsyncOperationBase_1_t2CE3F2102EB1B1FCA19149FD17C46F73D43CA783 * value)
{
___m_InternalOp_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalOp_0), (void*)value);
}
inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_tD9812B9979E4D55015216D81BCBF97A7323C3B10, ___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;
}
inline static int32_t get_offset_of_m_LocationName_2() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_tD9812B9979E4D55015216D81BCBF97A7323C3B10, ___m_LocationName_2)); }
inline String_t* get_m_LocationName_2() const { return ___m_LocationName_2; }
inline String_t** get_address_of_m_LocationName_2() { return &___m_LocationName_2; }
inline void set_m_LocationName_2(String_t* value)
{
___m_LocationName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocationName_2), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.ResourceManagement.ResourceProviders.SceneInstance>
struct AsyncOperationHandle_1_tB96B3BE55EEFE136B4996F894959358F2972EFBE
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<TObject> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_InternalOp
AsyncOperationBase_1_t115D039450A94B5E285CE91C166928D02353604A * ___m_InternalOp_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_Version
int32_t ___m_Version_1;
// System.String UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_LocationName
String_t* ___m_LocationName_2;
public:
inline static int32_t get_offset_of_m_InternalOp_0() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_tB96B3BE55EEFE136B4996F894959358F2972EFBE, ___m_InternalOp_0)); }
inline AsyncOperationBase_1_t115D039450A94B5E285CE91C166928D02353604A * get_m_InternalOp_0() const { return ___m_InternalOp_0; }
inline AsyncOperationBase_1_t115D039450A94B5E285CE91C166928D02353604A ** get_address_of_m_InternalOp_0() { return &___m_InternalOp_0; }
inline void set_m_InternalOp_0(AsyncOperationBase_1_t115D039450A94B5E285CE91C166928D02353604A * value)
{
___m_InternalOp_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalOp_0), (void*)value);
}
inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_tB96B3BE55EEFE136B4996F894959358F2972EFBE, ___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;
}
inline static int32_t get_offset_of_m_LocationName_2() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_tB96B3BE55EEFE136B4996F894959358F2972EFBE, ___m_LocationName_2)); }
inline String_t* get_m_LocationName_2() const { return ___m_LocationName_2; }
inline String_t** get_address_of_m_LocationName_2() { return &___m_LocationName_2; }
inline void set_m_LocationName_2(String_t* value)
{
___m_LocationName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocationName_2), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Sprite>
struct AsyncOperationHandle_1_t8F48BC5EA06336CA5D90BE7B7A7FA9629DB77901
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<TObject> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_InternalOp
AsyncOperationBase_1_tE1B63A60D98A61B42D47DD94A4E5B11698B34DC3 * ___m_InternalOp_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_Version
int32_t ___m_Version_1;
// System.String UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_LocationName
String_t* ___m_LocationName_2;
public:
inline static int32_t get_offset_of_m_InternalOp_0() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t8F48BC5EA06336CA5D90BE7B7A7FA9629DB77901, ___m_InternalOp_0)); }
inline AsyncOperationBase_1_tE1B63A60D98A61B42D47DD94A4E5B11698B34DC3 * get_m_InternalOp_0() const { return ___m_InternalOp_0; }
inline AsyncOperationBase_1_tE1B63A60D98A61B42D47DD94A4E5B11698B34DC3 ** get_address_of_m_InternalOp_0() { return &___m_InternalOp_0; }
inline void set_m_InternalOp_0(AsyncOperationBase_1_tE1B63A60D98A61B42D47DD94A4E5B11698B34DC3 * value)
{
___m_InternalOp_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalOp_0), (void*)value);
}
inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t8F48BC5EA06336CA5D90BE7B7A7FA9629DB77901, ___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;
}
inline static int32_t get_offset_of_m_LocationName_2() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t8F48BC5EA06336CA5D90BE7B7A7FA9629DB77901, ___m_LocationName_2)); }
inline String_t* get_m_LocationName_2() const { return ___m_LocationName_2; }
inline String_t** get_address_of_m_LocationName_2() { return &___m_LocationName_2; }
inline void set_m_LocationName_2(String_t* value)
{
___m_LocationName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocationName_2), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Localization.Tables.StringTable>
struct AsyncOperationHandle_1_t7C6CDD1E757180C5DD845ABE9ACD79A68DA8C3D0
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<TObject> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_InternalOp
AsyncOperationBase_1_t210C5EF0CC08F0945C7B620D726363030ADA2E54 * ___m_InternalOp_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_Version
int32_t ___m_Version_1;
// System.String UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_LocationName
String_t* ___m_LocationName_2;
public:
inline static int32_t get_offset_of_m_InternalOp_0() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t7C6CDD1E757180C5DD845ABE9ACD79A68DA8C3D0, ___m_InternalOp_0)); }
inline AsyncOperationBase_1_t210C5EF0CC08F0945C7B620D726363030ADA2E54 * get_m_InternalOp_0() const { return ___m_InternalOp_0; }
inline AsyncOperationBase_1_t210C5EF0CC08F0945C7B620D726363030ADA2E54 ** get_address_of_m_InternalOp_0() { return &___m_InternalOp_0; }
inline void set_m_InternalOp_0(AsyncOperationBase_1_t210C5EF0CC08F0945C7B620D726363030ADA2E54 * value)
{
___m_InternalOp_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalOp_0), (void*)value);
}
inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t7C6CDD1E757180C5DD845ABE9ACD79A68DA8C3D0, ___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;
}
inline static int32_t get_offset_of_m_LocationName_2() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t7C6CDD1E757180C5DD845ABE9ACD79A68DA8C3D0, ___m_LocationName_2)); }
inline String_t* get_m_LocationName_2() const { return ___m_LocationName_2; }
inline String_t** get_address_of_m_LocationName_2() { return &___m_LocationName_2; }
inline void set_m_LocationName_2(String_t* value)
{
___m_LocationName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocationName_2), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Texture>
struct AsyncOperationHandle_1_t8C1030FC15E78BA826A7DA0A73C63CDEBFBD948E
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<TObject> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_InternalOp
AsyncOperationBase_1_t1290BBD6489BCC7C55D18F13348AE1E26CB20021 * ___m_InternalOp_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_Version
int32_t ___m_Version_1;
// System.String UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1::m_LocationName
String_t* ___m_LocationName_2;
public:
inline static int32_t get_offset_of_m_InternalOp_0() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t8C1030FC15E78BA826A7DA0A73C63CDEBFBD948E, ___m_InternalOp_0)); }
inline AsyncOperationBase_1_t1290BBD6489BCC7C55D18F13348AE1E26CB20021 * get_m_InternalOp_0() const { return ___m_InternalOp_0; }
inline AsyncOperationBase_1_t1290BBD6489BCC7C55D18F13348AE1E26CB20021 ** get_address_of_m_InternalOp_0() { return &___m_InternalOp_0; }
inline void set_m_InternalOp_0(AsyncOperationBase_1_t1290BBD6489BCC7C55D18F13348AE1E26CB20021 * value)
{
___m_InternalOp_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalOp_0), (void*)value);
}
inline static int32_t get_offset_of_m_Version_1() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t8C1030FC15E78BA826A7DA0A73C63CDEBFBD948E, ___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;
}
inline static int32_t get_offset_of_m_LocationName_2() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_1_t8C1030FC15E78BA826A7DA0A73C63CDEBFBD948E, ___m_LocationName_2)); }
inline String_t* get_m_LocationName_2() const { return ___m_LocationName_2; }
inline String_t** get_address_of_m_LocationName_2() { return &___m_LocationName_2; }
inline void set_m_LocationName_2(String_t* value)
{
___m_LocationName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocationName_2), (void*)value);
}
};
// System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter<System.Boolean>
struct ConfiguredTaskAwaiter_t286C97C0AF102C4C0BE55CE2025CC7BD1FB5C20C
{
public:
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter::m_task
Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 * ___m_task_0;
// System.Boolean System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter::m_continueOnCapturedContext
bool ___m_continueOnCapturedContext_1;
public:
inline static int32_t get_offset_of_m_task_0() { return static_cast<int32_t>(offsetof(ConfiguredTaskAwaiter_t286C97C0AF102C4C0BE55CE2025CC7BD1FB5C20C, ___m_task_0)); }
inline Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 * get_m_task_0() const { return ___m_task_0; }
inline Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 ** get_address_of_m_task_0() { return &___m_task_0; }
inline void set_m_task_0(Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 * value)
{
___m_task_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_task_0), (void*)value);
}
inline static int32_t get_offset_of_m_continueOnCapturedContext_1() { return static_cast<int32_t>(offsetof(ConfiguredTaskAwaiter_t286C97C0AF102C4C0BE55CE2025CC7BD1FB5C20C, ___m_continueOnCapturedContext_1)); }
inline bool get_m_continueOnCapturedContext_1() const { return ___m_continueOnCapturedContext_1; }
inline bool* get_address_of_m_continueOnCapturedContext_1() { return &___m_continueOnCapturedContext_1; }
inline void set_m_continueOnCapturedContext_1(bool value)
{
___m_continueOnCapturedContext_1 = value;
}
};
// System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter<System.Threading.Tasks.Task>
struct ConfiguredTaskAwaiter_tF64824CB5C3CFE2E1C4CAFE410B4CDE6831E4C78
{
public:
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter::m_task
Task_1_t24E932728D4BE67BFA41487F43AE4FAEBBAC7284 * ___m_task_0;
// System.Boolean System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter::m_continueOnCapturedContext
bool ___m_continueOnCapturedContext_1;
public:
inline static int32_t get_offset_of_m_task_0() { return static_cast<int32_t>(offsetof(ConfiguredTaskAwaiter_tF64824CB5C3CFE2E1C4CAFE410B4CDE6831E4C78, ___m_task_0)); }
inline Task_1_t24E932728D4BE67BFA41487F43AE4FAEBBAC7284 * get_m_task_0() const { return ___m_task_0; }
inline Task_1_t24E932728D4BE67BFA41487F43AE4FAEBBAC7284 ** get_address_of_m_task_0() { return &___m_task_0; }
inline void set_m_task_0(Task_1_t24E932728D4BE67BFA41487F43AE4FAEBBAC7284 * value)
{
___m_task_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_task_0), (void*)value);
}
inline static int32_t get_offset_of_m_continueOnCapturedContext_1() { return static_cast<int32_t>(offsetof(ConfiguredTaskAwaiter_tF64824CB5C3CFE2E1C4CAFE410B4CDE6831E4C78, ___m_continueOnCapturedContext_1)); }
inline bool get_m_continueOnCapturedContext_1() const { return ___m_continueOnCapturedContext_1; }
inline bool* get_address_of_m_continueOnCapturedContext_1() { return &___m_continueOnCapturedContext_1; }
inline void set_m_continueOnCapturedContext_1(bool value)
{
___m_continueOnCapturedContext_1 = value;
}
};
// System.Collections.Generic.List`1/Enumerator<UnityEngine.XR.Management.XRLoader>
struct Enumerator_t5E925E051A8E0B9BEF75F1250A9B42E275E89FCF
{
public:
// System.Collections.Generic.List`1<T> System.Collections.Generic.List`1/Enumerator::list
List_1_t6331523A19E51FB87CA899920C03B10A48A562B0 * ___list_0;
// System.Int32 System.Collections.Generic.List`1/Enumerator::index
int32_t ___index_1;
// System.Int32 System.Collections.Generic.List`1/Enumerator::version
int32_t ___version_2;
// T System.Collections.Generic.List`1/Enumerator::current
XRLoader_tE37B92C6B9CDD944DDF7AFF5704E9EB342D62F6B * ___current_3;
public:
inline static int32_t get_offset_of_list_0() { return static_cast<int32_t>(offsetof(Enumerator_t5E925E051A8E0B9BEF75F1250A9B42E275E89FCF, ___list_0)); }
inline List_1_t6331523A19E51FB87CA899920C03B10A48A562B0 * get_list_0() const { return ___list_0; }
inline List_1_t6331523A19E51FB87CA899920C03B10A48A562B0 ** get_address_of_list_0() { return &___list_0; }
inline void set_list_0(List_1_t6331523A19E51FB87CA899920C03B10A48A562B0 * value)
{
___list_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___list_0), (void*)value);
}
inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(Enumerator_t5E925E051A8E0B9BEF75F1250A9B42E275E89FCF, ___index_1)); }
inline int32_t get_index_1() const { return ___index_1; }
inline int32_t* get_address_of_index_1() { return &___index_1; }
inline void set_index_1(int32_t value)
{
___index_1 = value;
}
inline static int32_t get_offset_of_version_2() { return static_cast<int32_t>(offsetof(Enumerator_t5E925E051A8E0B9BEF75F1250A9B42E275E89FCF, ___version_2)); }
inline int32_t get_version_2() const { return ___version_2; }
inline int32_t* get_address_of_version_2() { return &___version_2; }
inline void set_version_2(int32_t value)
{
___version_2 = value;
}
inline static int32_t get_offset_of_current_3() { return static_cast<int32_t>(offsetof(Enumerator_t5E925E051A8E0B9BEF75F1250A9B42E275E89FCF, ___current_3)); }
inline XRLoader_tE37B92C6B9CDD944DDF7AFF5704E9EB342D62F6B * get_current_3() const { return ___current_3; }
inline XRLoader_tE37B92C6B9CDD944DDF7AFF5704E9EB342D62F6B ** get_address_of_current_3() { return &___current_3; }
inline void set_current_3(XRLoader_tE37B92C6B9CDD944DDF7AFF5704E9EB342D62F6B * value)
{
___current_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___current_3), (void*)value);
}
};
// UnityEngine.XR.InputFeatureUsage`1<System.Boolean>
struct InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40
{
public:
// System.String UnityEngine.XR.InputFeatureUsage`1::<name>k__BackingField
String_t* ___U3CnameU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CnameU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40, ___U3CnameU3Ek__BackingField_0)); }
inline String_t* get_U3CnameU3Ek__BackingField_0() const { return ___U3CnameU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CnameU3Ek__BackingField_0() { return &___U3CnameU3Ek__BackingField_0; }
inline void set_U3CnameU3Ek__BackingField_0(String_t* value)
{
___U3CnameU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CnameU3Ek__BackingField_0), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.InputFeatureUsage`1
#ifndef InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke_define
#define InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke_define
struct InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke
{
char* ___U3CnameU3Ek__BackingField_0;
};
#endif
// Native definition for COM marshalling of UnityEngine.XR.InputFeatureUsage`1
#ifndef InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com_define
#define InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com_define
struct InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com
{
Il2CppChar* ___U3CnameU3Ek__BackingField_0;
};
#endif
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.XR.Eyes>
struct InputFeatureUsage_1_tA21EB101B253A2F3BE3AFE58A4EDDB48E61D0EC7
{
public:
// System.String UnityEngine.XR.InputFeatureUsage`1::<name>k__BackingField
String_t* ___U3CnameU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CnameU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(InputFeatureUsage_1_tA21EB101B253A2F3BE3AFE58A4EDDB48E61D0EC7, ___U3CnameU3Ek__BackingField_0)); }
inline String_t* get_U3CnameU3Ek__BackingField_0() const { return ___U3CnameU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CnameU3Ek__BackingField_0() { return &___U3CnameU3Ek__BackingField_0; }
inline void set_U3CnameU3Ek__BackingField_0(String_t* value)
{
___U3CnameU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CnameU3Ek__BackingField_0), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.InputFeatureUsage`1
#ifndef InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke_define
#define InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke_define
struct InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke
{
char* ___U3CnameU3Ek__BackingField_0;
};
#endif
// Native definition for COM marshalling of UnityEngine.XR.InputFeatureUsage`1
#ifndef InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com_define
#define InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com_define
struct InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com
{
Il2CppChar* ___U3CnameU3Ek__BackingField_0;
};
#endif
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.XR.Hand>
struct InputFeatureUsage_1_tE0761BFB6E30AE61DA99E3B1974C8A2B784A335E
{
public:
// System.String UnityEngine.XR.InputFeatureUsage`1::<name>k__BackingField
String_t* ___U3CnameU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CnameU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(InputFeatureUsage_1_tE0761BFB6E30AE61DA99E3B1974C8A2B784A335E, ___U3CnameU3Ek__BackingField_0)); }
inline String_t* get_U3CnameU3Ek__BackingField_0() const { return ___U3CnameU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CnameU3Ek__BackingField_0() { return &___U3CnameU3Ek__BackingField_0; }
inline void set_U3CnameU3Ek__BackingField_0(String_t* value)
{
___U3CnameU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CnameU3Ek__BackingField_0), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.InputFeatureUsage`1
#ifndef InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke_define
#define InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke_define
struct InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke
{
char* ___U3CnameU3Ek__BackingField_0;
};
#endif
// Native definition for COM marshalling of UnityEngine.XR.InputFeatureUsage`1
#ifndef InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com_define
#define InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com_define
struct InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com
{
Il2CppChar* ___U3CnameU3Ek__BackingField_0;
};
#endif
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.XR.InputTrackingState>
struct InputFeatureUsage_1_t6C373EE0FA4FD8646D31410FB0FD222C5C1E9E65
{
public:
// System.String UnityEngine.XR.InputFeatureUsage`1::<name>k__BackingField
String_t* ___U3CnameU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CnameU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(InputFeatureUsage_1_t6C373EE0FA4FD8646D31410FB0FD222C5C1E9E65, ___U3CnameU3Ek__BackingField_0)); }
inline String_t* get_U3CnameU3Ek__BackingField_0() const { return ___U3CnameU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CnameU3Ek__BackingField_0() { return &___U3CnameU3Ek__BackingField_0; }
inline void set_U3CnameU3Ek__BackingField_0(String_t* value)
{
___U3CnameU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CnameU3Ek__BackingField_0), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.InputFeatureUsage`1
#ifndef InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke_define
#define InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke_define
struct InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke
{
char* ___U3CnameU3Ek__BackingField_0;
};
#endif
// Native definition for COM marshalling of UnityEngine.XR.InputFeatureUsage`1
#ifndef InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com_define
#define InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com_define
struct InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com
{
Il2CppChar* ___U3CnameU3Ek__BackingField_0;
};
#endif
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Quaternion>
struct InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49
{
public:
// System.String UnityEngine.XR.InputFeatureUsage`1::<name>k__BackingField
String_t* ___U3CnameU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CnameU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49, ___U3CnameU3Ek__BackingField_0)); }
inline String_t* get_U3CnameU3Ek__BackingField_0() const { return ___U3CnameU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CnameU3Ek__BackingField_0() { return &___U3CnameU3Ek__BackingField_0; }
inline void set_U3CnameU3Ek__BackingField_0(String_t* value)
{
___U3CnameU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CnameU3Ek__BackingField_0), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.InputFeatureUsage`1
#ifndef InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke_define
#define InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke_define
struct InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke
{
char* ___U3CnameU3Ek__BackingField_0;
};
#endif
// Native definition for COM marshalling of UnityEngine.XR.InputFeatureUsage`1
#ifndef InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com_define
#define InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com_define
struct InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com
{
Il2CppChar* ___U3CnameU3Ek__BackingField_0;
};
#endif
// UnityEngine.XR.InputFeatureUsage`1<System.Single>
struct InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1
{
public:
// System.String UnityEngine.XR.InputFeatureUsage`1::<name>k__BackingField
String_t* ___U3CnameU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CnameU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1, ___U3CnameU3Ek__BackingField_0)); }
inline String_t* get_U3CnameU3Ek__BackingField_0() const { return ___U3CnameU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CnameU3Ek__BackingField_0() { return &___U3CnameU3Ek__BackingField_0; }
inline void set_U3CnameU3Ek__BackingField_0(String_t* value)
{
___U3CnameU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CnameU3Ek__BackingField_0), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.InputFeatureUsage`1
#ifndef InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke_define
#define InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke_define
struct InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke
{
char* ___U3CnameU3Ek__BackingField_0;
};
#endif
// Native definition for COM marshalling of UnityEngine.XR.InputFeatureUsage`1
#ifndef InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com_define
#define InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com_define
struct InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com
{
Il2CppChar* ___U3CnameU3Ek__BackingField_0;
};
#endif
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector2>
struct InputFeatureUsage_1_t8BAF53459FF79264F0E3F7F9716191756AFAC625
{
public:
// System.String UnityEngine.XR.InputFeatureUsage`1::<name>k__BackingField
String_t* ___U3CnameU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CnameU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(InputFeatureUsage_1_t8BAF53459FF79264F0E3F7F9716191756AFAC625, ___U3CnameU3Ek__BackingField_0)); }
inline String_t* get_U3CnameU3Ek__BackingField_0() const { return ___U3CnameU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CnameU3Ek__BackingField_0() { return &___U3CnameU3Ek__BackingField_0; }
inline void set_U3CnameU3Ek__BackingField_0(String_t* value)
{
___U3CnameU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CnameU3Ek__BackingField_0), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.InputFeatureUsage`1
#ifndef InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke_define
#define InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke_define
struct InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke
{
char* ___U3CnameU3Ek__BackingField_0;
};
#endif
// Native definition for COM marshalling of UnityEngine.XR.InputFeatureUsage`1
#ifndef InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com_define
#define InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com_define
struct InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com
{
Il2CppChar* ___U3CnameU3Ek__BackingField_0;
};
#endif
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3>
struct InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709
{
public:
// System.String UnityEngine.XR.InputFeatureUsage`1::<name>k__BackingField
String_t* ___U3CnameU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CnameU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709, ___U3CnameU3Ek__BackingField_0)); }
inline String_t* get_U3CnameU3Ek__BackingField_0() const { return ___U3CnameU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CnameU3Ek__BackingField_0() { return &___U3CnameU3Ek__BackingField_0; }
inline void set_U3CnameU3Ek__BackingField_0(String_t* value)
{
___U3CnameU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CnameU3Ek__BackingField_0), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.InputFeatureUsage`1
#ifndef InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke_define
#define InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke_define
struct InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_pinvoke
{
char* ___U3CnameU3Ek__BackingField_0;
};
#endif
// Native definition for COM marshalling of UnityEngine.XR.InputFeatureUsage`1
#ifndef InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com_define
#define InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com_define
struct InputFeatureUsage_1_t0883EAB3AD99A1D218140E4C4D1FD0A2AC401FA1_marshaled_com
{
Il2CppChar* ___U3CnameU3Ek__BackingField_0;
};
#endif
// System.Collections.Generic.KeyValuePair`2<System.String,UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup>
struct KeyValuePair_2_t4E4A18D6C14316C7E00A7782962D5269489193C6
{
public:
// TKey System.Collections.Generic.KeyValuePair`2::key
String_t* ___key_0;
// TValue System.Collections.Generic.KeyValuePair`2::value
GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A * ___value_1;
public:
inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t4E4A18D6C14316C7E00A7782962D5269489193C6, ___key_0)); }
inline String_t* get_key_0() const { return ___key_0; }
inline String_t** get_address_of_key_0() { return &___key_0; }
inline void set_key_0(String_t* value)
{
___key_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___key_0), (void*)value);
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t4E4A18D6C14316C7E00A7782962D5269489193C6, ___value_1)); }
inline GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A * get_value_1() const { return ___value_1; }
inline GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A ** get_address_of_value_1() { return &___value_1; }
inline void set_value_1(GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A * value)
{
___value_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value);
}
};
// System.Collections.Generic.KeyValuePair`2<System.String,UnityEngine.Localization.SmartFormat.GlobalVariables.IGlobalVariable>
struct KeyValuePair_2_t7DDEFD543109062B78478023646552E7AA6B970B
{
public:
// TKey System.Collections.Generic.KeyValuePair`2::key
String_t* ___key_0;
// TValue System.Collections.Generic.KeyValuePair`2::value
RuntimeObject* ___value_1;
public:
inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t7DDEFD543109062B78478023646552E7AA6B970B, ___key_0)); }
inline String_t* get_key_0() const { return ___key_0; }
inline String_t** get_address_of_key_0() { return &___key_0; }
inline void set_key_0(String_t* value)
{
___key_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___key_0), (void*)value);
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t7DDEFD543109062B78478023646552E7AA6B970B, ___value_1)); }
inline RuntimeObject* get_value_1() const { return ___value_1; }
inline RuntimeObject** get_address_of_value_1() { return &___value_1; }
inline void set_value_1(RuntimeObject* value)
{
___value_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value);
}
};
// System.Collections.Generic.KeyValuePair`2<System.String,UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/NameValuePair>
struct KeyValuePair_2_t68AC5DFB1FAC60F73FDA75D15F0E8620EED00461
{
public:
// TKey System.Collections.Generic.KeyValuePair`2::key
String_t* ___key_0;
// TValue System.Collections.Generic.KeyValuePair`2::value
NameValuePair_t5BEE3DA7E9D214707F7721C37CABF730B972BF97 * ___value_1;
public:
inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t68AC5DFB1FAC60F73FDA75D15F0E8620EED00461, ___key_0)); }
inline String_t* get_key_0() const { return ___key_0; }
inline String_t** get_address_of_key_0() { return &___key_0; }
inline void set_key_0(String_t* value)
{
___key_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___key_0), (void*)value);
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t68AC5DFB1FAC60F73FDA75D15F0E8620EED00461, ___value_1)); }
inline NameValuePair_t5BEE3DA7E9D214707F7721C37CABF730B972BF97 * get_value_1() const { return ___value_1; }
inline NameValuePair_t5BEE3DA7E9D214707F7721C37CABF730B972BF97 ** get_address_of_value_1() { return &___value_1; }
inline void set_value_1(NameValuePair_t5BEE3DA7E9D214707F7721C37CABF730B972BF97 * value)
{
___value_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value);
}
};
// System.Collections.Generic.KeyValuePair`2<System.String,UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/NameValuePair>
struct KeyValuePair_2_t68A019D6152AE15D9286751844E078F0FCD1978B
{
public:
// TKey System.Collections.Generic.KeyValuePair`2::key
String_t* ___key_0;
// TValue System.Collections.Generic.KeyValuePair`2::value
NameValuePair_t094C9E03AB65EA488E72926E1D87B3815929D708 * ___value_1;
public:
inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t68A019D6152AE15D9286751844E078F0FCD1978B, ___key_0)); }
inline String_t* get_key_0() const { return ___key_0; }
inline String_t** get_address_of_key_0() { return &___key_0; }
inline void set_key_0(String_t* value)
{
___key_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___key_0), (void*)value);
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(KeyValuePair_2_t68A019D6152AE15D9286751844E078F0FCD1978B, ___value_1)); }
inline NameValuePair_t094C9E03AB65EA488E72926E1D87B3815929D708 * get_value_1() const { return ___value_1; }
inline NameValuePair_t094C9E03AB65EA488E72926E1D87B3815929D708 ** get_address_of_value_1() { return &___value_1; }
inline void set_value_1(NameValuePair_t094C9E03AB65EA488E72926E1D87B3815929D708 * value)
{
___value_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value);
}
};
// Unity.Collections.NativeSlice`1<UnityEngine.Vector3>
struct NativeSlice_1_tCD0AC77C2E3CDA052D42479FF29B6F9F6454B125
{
public:
// System.Byte* Unity.Collections.NativeSlice`1::m_Buffer
uint8_t* ___m_Buffer_0;
// System.Int32 Unity.Collections.NativeSlice`1::m_Stride
int32_t ___m_Stride_1;
// System.Int32 Unity.Collections.NativeSlice`1::m_Length
int32_t ___m_Length_2;
public:
inline static int32_t get_offset_of_m_Buffer_0() { return static_cast<int32_t>(offsetof(NativeSlice_1_tCD0AC77C2E3CDA052D42479FF29B6F9F6454B125, ___m_Buffer_0)); }
inline uint8_t* get_m_Buffer_0() const { return ___m_Buffer_0; }
inline uint8_t** get_address_of_m_Buffer_0() { return &___m_Buffer_0; }
inline void set_m_Buffer_0(uint8_t* value)
{
___m_Buffer_0 = value;
}
inline static int32_t get_offset_of_m_Stride_1() { return static_cast<int32_t>(offsetof(NativeSlice_1_tCD0AC77C2E3CDA052D42479FF29B6F9F6454B125, ___m_Stride_1)); }
inline int32_t get_m_Stride_1() const { return ___m_Stride_1; }
inline int32_t* get_address_of_m_Stride_1() { return &___m_Stride_1; }
inline void set_m_Stride_1(int32_t value)
{
___m_Stride_1 = value;
}
inline static int32_t get_offset_of_m_Length_2() { return static_cast<int32_t>(offsetof(NativeSlice_1_tCD0AC77C2E3CDA052D42479FF29B6F9F6454B125, ___m_Length_2)); }
inline int32_t get_m_Length_2() const { return ___m_Length_2; }
inline int32_t* get_address_of_m_Length_2() { return &___m_Length_2; }
inline void set_m_Length_2(int32_t value)
{
___m_Length_2 = value;
}
};
// System.Nullable`1<System.Boolean>
struct Nullable_1_t1D1CD146BFCBDC2E53E1F700889F8C5C21063EF3
{
public:
// T System.Nullable`1::value
bool ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_t1D1CD146BFCBDC2E53E1F700889F8C5C21063EF3, ___value_0)); }
inline bool get_value_0() const { return ___value_0; }
inline bool* get_address_of_value_0() { return &___value_0; }
inline void set_value_0(bool value)
{
___value_0 = value;
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_t1D1CD146BFCBDC2E53E1F700889F8C5C21063EF3, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// System.Nullable`1<System.Double>
struct Nullable_1_t75730434CAD4E48A4EE117588CFD586FFBCAC209
{
public:
// T System.Nullable`1::value
double ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_t75730434CAD4E48A4EE117588CFD586FFBCAC209, ___value_0)); }
inline double get_value_0() const { return ___value_0; }
inline double* get_address_of_value_0() { return &___value_0; }
inline void set_value_0(double value)
{
___value_0 = value;
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_t75730434CAD4E48A4EE117588CFD586FFBCAC209, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// System.Nullable`1<System.Int32>
struct Nullable_1_t864FD0051A05D37F91C857AB496BFCB3FE756103
{
public:
// T System.Nullable`1::value
int32_t ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_t864FD0051A05D37F91C857AB496BFCB3FE756103, ___value_0)); }
inline int32_t get_value_0() const { return ___value_0; }
inline int32_t* get_address_of_value_0() { return &___value_0; }
inline void set_value_0(int32_t value)
{
___value_0 = value;
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_t864FD0051A05D37F91C857AB496BFCB3FE756103, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// System.Nullable`1<System.Int64>
struct Nullable_1_t340361C8134256120F5769AC5A3F743DB6C11D1F
{
public:
// T System.Nullable`1::value
int64_t ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_t340361C8134256120F5769AC5A3F743DB6C11D1F, ___value_0)); }
inline int64_t get_value_0() const { return ___value_0; }
inline int64_t* get_address_of_value_0() { return &___value_0; }
inline void set_value_0(int64_t value)
{
___value_0 = value;
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_t340361C8134256120F5769AC5A3F743DB6C11D1F, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// System.Nullable`1<System.Single>
struct Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A
{
public:
// T System.Nullable`1::value
float ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A, ___value_0)); }
inline float get_value_0() const { return ___value_0; }
inline float* get_address_of_value_0() { return &___value_0; }
inline void set_value_0(float value)
{
___value_0 = value;
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// System.Threading.SparselyPopulatedArrayAddInfo`1<System.Threading.CancellationCallbackInfo>
struct SparselyPopulatedArrayAddInfo_1_t6EE25E0D720E03DE7A660791DB554CADCD247FC0
{
public:
// System.Threading.SparselyPopulatedArrayFragment`1<T> System.Threading.SparselyPopulatedArrayAddInfo`1::m_source
SparselyPopulatedArrayFragment_1_t93197EF47D6A025755987003D5D62F3AED371C21 * ___m_source_0;
// System.Int32 System.Threading.SparselyPopulatedArrayAddInfo`1::m_index
int32_t ___m_index_1;
public:
inline static int32_t get_offset_of_m_source_0() { return static_cast<int32_t>(offsetof(SparselyPopulatedArrayAddInfo_1_t6EE25E0D720E03DE7A660791DB554CADCD247FC0, ___m_source_0)); }
inline SparselyPopulatedArrayFragment_1_t93197EF47D6A025755987003D5D62F3AED371C21 * get_m_source_0() const { return ___m_source_0; }
inline SparselyPopulatedArrayFragment_1_t93197EF47D6A025755987003D5D62F3AED371C21 ** get_address_of_m_source_0() { return &___m_source_0; }
inline void set_m_source_0(SparselyPopulatedArrayFragment_1_t93197EF47D6A025755987003D5D62F3AED371C21 * value)
{
___m_source_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_source_0), (void*)value);
}
inline static int32_t get_offset_of_m_index_1() { return static_cast<int32_t>(offsetof(SparselyPopulatedArrayAddInfo_1_t6EE25E0D720E03DE7A660791DB554CADCD247FC0, ___m_index_1)); }
inline int32_t get_m_index_1() const { return ___m_index_1; }
inline int32_t* get_address_of_m_index_1() { return &___m_index_1; }
inline void set_m_index_1(int32_t value)
{
___m_index_1 = value;
}
};
// UnityEngine.SubsystemsImplementation.SubsystemDescriptorWithProvider`2<UnityEngine.XR.ARSubsystems.XRAnchorSubsystem,UnityEngine.XR.ARSubsystems.XRAnchorSubsystem/Provider>
struct SubsystemDescriptorWithProvider_2_t0A7F13BEDD4EC8DFDD5AEC7D5171B22F3D852CE5 : public SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemDescriptorWithProvider`2<UnityEngine.XR.ARSubsystems.XRCameraSubsystem,UnityEngine.XR.ARSubsystems.XRCameraSubsystem/Provider>
struct SubsystemDescriptorWithProvider_2_tA9FA485739D1F05136E95B57BC5FC580309C9038 : public SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemDescriptorWithProvider`2<UnityEngine.XR.ARSubsystems.XRDepthSubsystem,UnityEngine.XR.ARSubsystems.XRDepthSubsystem/Provider>
struct SubsystemDescriptorWithProvider_2_t977F6FA0CAD110C500F658A35F19E5D5301AD0BC : public SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemDescriptorWithProvider`2<UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystem,UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystem/Provider>
struct SubsystemDescriptorWithProvider_2_t66BB4225DD47C0B6DF8312AEF1CDB8DB4CB729D9 : public SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemDescriptorWithProvider`2<UnityEngine.XR.ARSubsystems.XRFaceSubsystem,UnityEngine.XR.ARSubsystems.XRFaceSubsystem/Provider>
struct SubsystemDescriptorWithProvider_2_tB12E064D6020E2F12266EBEB553796258028452B : public SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemDescriptorWithProvider`2<UnityEngine.XR.ARSubsystems.XRHumanBodySubsystem,UnityEngine.XR.ARSubsystems.XRHumanBodySubsystem/Provider>
struct SubsystemDescriptorWithProvider_2_t0BF07E59C6A0B8ACC38BF74CC2BC483D05AE541D : public SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemDescriptorWithProvider`2<UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystem,UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystem/Provider>
struct SubsystemDescriptorWithProvider_2_tDB11EA61A7EEC9B491CE74FAFEDB41D9F00B7B34 : public SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemDescriptorWithProvider`2<UnityEngine.XR.ARSubsystems.XRObjectTrackingSubsystem,UnityEngine.XR.ARSubsystems.XRObjectTrackingSubsystem/Provider>
struct SubsystemDescriptorWithProvider_2_tB30A449BCFE0FA82C8183709FCA73609BEF8497F : public SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemDescriptorWithProvider`2<UnityEngine.XR.ARSubsystems.XROcclusionSubsystem,UnityEngine.XR.ARSubsystems.XROcclusionSubsystem/Provider>
struct SubsystemDescriptorWithProvider_2_t62816A265C3833F4CF714035B6683894F074039D : public SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemDescriptorWithProvider`2<UnityEngine.XR.ARSubsystems.XRParticipantSubsystem,UnityEngine.XR.ARSubsystems.XRParticipantSubsystem/Provider>
struct SubsystemDescriptorWithProvider_2_t43C05E9C3928E04822F2DA791FFAC4C140DF10A5 : public SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemDescriptorWithProvider`2<UnityEngine.XR.ARSubsystems.XRPlaneSubsystem,UnityEngine.XR.ARSubsystems.XRPlaneSubsystem/Provider>
struct SubsystemDescriptorWithProvider_2_t389082A83361A00577FB12B1BFEFA4439DBEAA69 : public SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemDescriptorWithProvider`2<UnityEngine.XR.ARSubsystems.XRRaycastSubsystem,UnityEngine.XR.ARSubsystems.XRRaycastSubsystem/Provider>
struct SubsystemDescriptorWithProvider_2_t0E1C52F3F099638F0EFF9E03352A814E50092E22 : public SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemDescriptorWithProvider`2<UnityEngine.XR.ARSubsystems.XRReferencePointSubsystem,UnityEngine.XR.ARSubsystems.XRReferencePointSubsystem/Provider>
struct SubsystemDescriptorWithProvider_2_t6B33D56713F4B67214F93287AFE9CF3125A6CD6C : public SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemDescriptorWithProvider`2<UnityEngine.XR.ARSubsystems.XRSessionSubsystem,UnityEngine.XR.ARSubsystems.XRSessionSubsystem/Provider>
struct SubsystemDescriptorWithProvider_2_tE9888364F17DF110619D7238068EB1EC98053AE5 : public SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemProvider`1<UnityEngine.XR.ARSubsystems.XRAnchorSubsystem>
struct SubsystemProvider_1_t302358330269847780327C2298A4FFA7D79AF2BF : public SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemProvider`1<UnityEngine.XR.ARSubsystems.XRCameraSubsystem>
struct SubsystemProvider_1_t3B6396AEE76B5D8268802608E3593AA3D48DB307 : public SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemProvider`1<UnityEngine.XR.ARSubsystems.XRDepthSubsystem>
struct SubsystemProvider_1_tBB539901FE99992CAA10A1EFDFA610E048498E98 : public SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemProvider`1<UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystem>
struct SubsystemProvider_1_tC3DB99A11F9F3210CE2ABA9FE09C127C5B13FF80 : public SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemProvider`1<UnityEngine.XR.ARSubsystems.XRFaceSubsystem>
struct SubsystemProvider_1_t23EADEE126E953AEBF796C02B50539998EA56B78 : public SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemProvider`1<UnityEngine.XR.ARSubsystems.XRHumanBodySubsystem>
struct SubsystemProvider_1_tBF37BFFB47314B7D87E24F4C4903C90930C0302C : public SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemProvider`1<UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystem>
struct SubsystemProvider_1_t3086BC462E1384FBB8137E64FA6C513FC002E440 : public SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemProvider`1<UnityEngine.XR.ARSubsystems.XRObjectTrackingSubsystem>
struct SubsystemProvider_1_t71FE677A1A2F32123FE4C7868D5943892028AE12 : public SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemProvider`1<UnityEngine.XR.ARSubsystems.XROcclusionSubsystem>
struct SubsystemProvider_1_t57D5C398A7A30AC3C3674CA126FAE612BC00F597 : public SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemProvider`1<UnityEngine.XR.ARSubsystems.XRParticipantSubsystem>
struct SubsystemProvider_1_t3D6D4D936F16F3264F75D1BAB46A4A398F18F204 : public SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemProvider`1<UnityEngine.XR.ARSubsystems.XRPlaneSubsystem>
struct SubsystemProvider_1_tF2F3B0C041BDD07A00CD49B25AE6016B61F24816 : public SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemProvider`1<UnityEngine.XR.ARSubsystems.XRRaycastSubsystem>
struct SubsystemProvider_1_t7ACBE98539B067B19E2D5BCC2B852277F4A38875 : public SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemProvider`1<UnityEngine.XR.ARSubsystems.XRReferencePointSubsystem>
struct SubsystemProvider_1_tA41ABDAA9644A18E81CC750DE7DDEA8EB6088742 : public SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemProvider`1<UnityEngine.XR.ARSubsystems.XRSessionSubsystem>
struct SubsystemProvider_1_tFA56F133FD9BCE90A1C4C7D15FFE2571963D8DE4 : public SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9
{
public:
public:
};
// UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3<UnityEngine.XR.ARSubsystems.XRAnchorSubsystem,UnityEngine.XR.ARSubsystems.XRAnchorSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRAnchorSubsystem/Provider>
struct SubsystemWithProvider_3_tD91EB2F57F19DA2CDB9A5E0011978CA1EA351BA2 : public SubsystemWithProvider_t1C1868CF8676F5596C1AD20A7CE69BDF7C7DE73E
{
public:
// TSubsystemDescriptor UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<subsystemDescriptor>k__BackingField
XRAnchorSubsystemDescriptor_t3BD7F9922EF5C04185D59349C76D625BC1E44E3B * ___U3CsubsystemDescriptorU3Ek__BackingField_2;
// TProvider UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<provider>k__BackingField
Provider_t9F286D20EB73EBBA4B6E7203C7A9051BE673C2E2 * ___U3CproviderU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_tD91EB2F57F19DA2CDB9A5E0011978CA1EA351BA2, ___U3CsubsystemDescriptorU3Ek__BackingField_2)); }
inline XRAnchorSubsystemDescriptor_t3BD7F9922EF5C04185D59349C76D625BC1E44E3B * get_U3CsubsystemDescriptorU3Ek__BackingField_2() const { return ___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline XRAnchorSubsystemDescriptor_t3BD7F9922EF5C04185D59349C76D625BC1E44E3B ** get_address_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return &___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline void set_U3CsubsystemDescriptorU3Ek__BackingField_2(XRAnchorSubsystemDescriptor_t3BD7F9922EF5C04185D59349C76D625BC1E44E3B * value)
{
___U3CsubsystemDescriptorU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemDescriptorU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_tD91EB2F57F19DA2CDB9A5E0011978CA1EA351BA2, ___U3CproviderU3Ek__BackingField_3)); }
inline Provider_t9F286D20EB73EBBA4B6E7203C7A9051BE673C2E2 * get_U3CproviderU3Ek__BackingField_3() const { return ___U3CproviderU3Ek__BackingField_3; }
inline Provider_t9F286D20EB73EBBA4B6E7203C7A9051BE673C2E2 ** get_address_of_U3CproviderU3Ek__BackingField_3() { return &___U3CproviderU3Ek__BackingField_3; }
inline void set_U3CproviderU3Ek__BackingField_3(Provider_t9F286D20EB73EBBA4B6E7203C7A9051BE673C2E2 * value)
{
___U3CproviderU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderU3Ek__BackingField_3), (void*)value);
}
};
// UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3<UnityEngine.XR.ARSubsystems.XRCameraSubsystem,UnityEngine.XR.ARSubsystems.XRCameraSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRCameraSubsystem/Provider>
struct SubsystemWithProvider_3_tA938665692EBC0CA746A276F8413E462E8930FD4 : public SubsystemWithProvider_t1C1868CF8676F5596C1AD20A7CE69BDF7C7DE73E
{
public:
// TSubsystemDescriptor UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<subsystemDescriptor>k__BackingField
XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5 * ___U3CsubsystemDescriptorU3Ek__BackingField_2;
// TProvider UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<provider>k__BackingField
Provider_t55916B0D2766C320DCA36A0C870BA2FD80F8B6D1 * ___U3CproviderU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_tA938665692EBC0CA746A276F8413E462E8930FD4, ___U3CsubsystemDescriptorU3Ek__BackingField_2)); }
inline XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5 * get_U3CsubsystemDescriptorU3Ek__BackingField_2() const { return ___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5 ** get_address_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return &___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline void set_U3CsubsystemDescriptorU3Ek__BackingField_2(XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5 * value)
{
___U3CsubsystemDescriptorU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemDescriptorU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_tA938665692EBC0CA746A276F8413E462E8930FD4, ___U3CproviderU3Ek__BackingField_3)); }
inline Provider_t55916B0D2766C320DCA36A0C870BA2FD80F8B6D1 * get_U3CproviderU3Ek__BackingField_3() const { return ___U3CproviderU3Ek__BackingField_3; }
inline Provider_t55916B0D2766C320DCA36A0C870BA2FD80F8B6D1 ** get_address_of_U3CproviderU3Ek__BackingField_3() { return &___U3CproviderU3Ek__BackingField_3; }
inline void set_U3CproviderU3Ek__BackingField_3(Provider_t55916B0D2766C320DCA36A0C870BA2FD80F8B6D1 * value)
{
___U3CproviderU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderU3Ek__BackingField_3), (void*)value);
}
};
// UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3<UnityEngine.XR.ARSubsystems.XRDepthSubsystem,UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRDepthSubsystem/Provider>
struct SubsystemWithProvider_3_tD436D6BE4AA164ED727D09EFDE50FF8DCAA50D98 : public SubsystemWithProvider_t1C1868CF8676F5596C1AD20A7CE69BDF7C7DE73E
{
public:
// TSubsystemDescriptor UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<subsystemDescriptor>k__BackingField
XRDepthSubsystemDescriptor_t745DBB7D313FB52F756E0B7AA993FBBC26B412C2 * ___U3CsubsystemDescriptorU3Ek__BackingField_2;
// TProvider UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<provider>k__BackingField
Provider_t8E88C17A70269CD3E96909AFCCA952AAA7DEC0B6 * ___U3CproviderU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_tD436D6BE4AA164ED727D09EFDE50FF8DCAA50D98, ___U3CsubsystemDescriptorU3Ek__BackingField_2)); }
inline XRDepthSubsystemDescriptor_t745DBB7D313FB52F756E0B7AA993FBBC26B412C2 * get_U3CsubsystemDescriptorU3Ek__BackingField_2() const { return ___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline XRDepthSubsystemDescriptor_t745DBB7D313FB52F756E0B7AA993FBBC26B412C2 ** get_address_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return &___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline void set_U3CsubsystemDescriptorU3Ek__BackingField_2(XRDepthSubsystemDescriptor_t745DBB7D313FB52F756E0B7AA993FBBC26B412C2 * value)
{
___U3CsubsystemDescriptorU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemDescriptorU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_tD436D6BE4AA164ED727D09EFDE50FF8DCAA50D98, ___U3CproviderU3Ek__BackingField_3)); }
inline Provider_t8E88C17A70269CD3E96909AFCCA952AAA7DEC0B6 * get_U3CproviderU3Ek__BackingField_3() const { return ___U3CproviderU3Ek__BackingField_3; }
inline Provider_t8E88C17A70269CD3E96909AFCCA952AAA7DEC0B6 ** get_address_of_U3CproviderU3Ek__BackingField_3() { return &___U3CproviderU3Ek__BackingField_3; }
inline void set_U3CproviderU3Ek__BackingField_3(Provider_t8E88C17A70269CD3E96909AFCCA952AAA7DEC0B6 * value)
{
___U3CproviderU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderU3Ek__BackingField_3), (void*)value);
}
};
// UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3<UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystem,UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystem/Provider>
struct SubsystemWithProvider_3_t8B33A21A2B183DB3F429FD3F0A899D7ED1BB4DEA : public SubsystemWithProvider_t1C1868CF8676F5596C1AD20A7CE69BDF7C7DE73E
{
public:
// TSubsystemDescriptor UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<subsystemDescriptor>k__BackingField
XREnvironmentProbeSubsystemDescriptor_t7C10519F545418330347AC7434FBB10F39DD4243 * ___U3CsubsystemDescriptorU3Ek__BackingField_2;
// TProvider UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<provider>k__BackingField
Provider_tAF87FE3E906FDBF14F06488A1AA5E80400EFE190 * ___U3CproviderU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_t8B33A21A2B183DB3F429FD3F0A899D7ED1BB4DEA, ___U3CsubsystemDescriptorU3Ek__BackingField_2)); }
inline XREnvironmentProbeSubsystemDescriptor_t7C10519F545418330347AC7434FBB10F39DD4243 * get_U3CsubsystemDescriptorU3Ek__BackingField_2() const { return ___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline XREnvironmentProbeSubsystemDescriptor_t7C10519F545418330347AC7434FBB10F39DD4243 ** get_address_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return &___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline void set_U3CsubsystemDescriptorU3Ek__BackingField_2(XREnvironmentProbeSubsystemDescriptor_t7C10519F545418330347AC7434FBB10F39DD4243 * value)
{
___U3CsubsystemDescriptorU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemDescriptorU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_t8B33A21A2B183DB3F429FD3F0A899D7ED1BB4DEA, ___U3CproviderU3Ek__BackingField_3)); }
inline Provider_tAF87FE3E906FDBF14F06488A1AA5E80400EFE190 * get_U3CproviderU3Ek__BackingField_3() const { return ___U3CproviderU3Ek__BackingField_3; }
inline Provider_tAF87FE3E906FDBF14F06488A1AA5E80400EFE190 ** get_address_of_U3CproviderU3Ek__BackingField_3() { return &___U3CproviderU3Ek__BackingField_3; }
inline void set_U3CproviderU3Ek__BackingField_3(Provider_tAF87FE3E906FDBF14F06488A1AA5E80400EFE190 * value)
{
___U3CproviderU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderU3Ek__BackingField_3), (void*)value);
}
};
// UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3<UnityEngine.XR.ARSubsystems.XRFaceSubsystem,UnityEngine.XR.ARSubsystems.XRFaceSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRFaceSubsystem/Provider>
struct SubsystemWithProvider_3_t2E74C29CB9922972A66085C9DAD6E1542BCCE25B : public SubsystemWithProvider_t1C1868CF8676F5596C1AD20A7CE69BDF7C7DE73E
{
public:
// TSubsystemDescriptor UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<subsystemDescriptor>k__BackingField
XRFaceSubsystemDescriptor_t129999D2BF40B1016A8C70A0FDE9763C21DCD618 * ___U3CsubsystemDescriptorU3Ek__BackingField_2;
// TProvider UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<provider>k__BackingField
Provider_t0133E0DB4F1A68EB3D4814F63B14456832E3EAE7 * ___U3CproviderU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_t2E74C29CB9922972A66085C9DAD6E1542BCCE25B, ___U3CsubsystemDescriptorU3Ek__BackingField_2)); }
inline XRFaceSubsystemDescriptor_t129999D2BF40B1016A8C70A0FDE9763C21DCD618 * get_U3CsubsystemDescriptorU3Ek__BackingField_2() const { return ___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline XRFaceSubsystemDescriptor_t129999D2BF40B1016A8C70A0FDE9763C21DCD618 ** get_address_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return &___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline void set_U3CsubsystemDescriptorU3Ek__BackingField_2(XRFaceSubsystemDescriptor_t129999D2BF40B1016A8C70A0FDE9763C21DCD618 * value)
{
___U3CsubsystemDescriptorU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemDescriptorU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_t2E74C29CB9922972A66085C9DAD6E1542BCCE25B, ___U3CproviderU3Ek__BackingField_3)); }
inline Provider_t0133E0DB4F1A68EB3D4814F63B14456832E3EAE7 * get_U3CproviderU3Ek__BackingField_3() const { return ___U3CproviderU3Ek__BackingField_3; }
inline Provider_t0133E0DB4F1A68EB3D4814F63B14456832E3EAE7 ** get_address_of_U3CproviderU3Ek__BackingField_3() { return &___U3CproviderU3Ek__BackingField_3; }
inline void set_U3CproviderU3Ek__BackingField_3(Provider_t0133E0DB4F1A68EB3D4814F63B14456832E3EAE7 * value)
{
___U3CproviderU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderU3Ek__BackingField_3), (void*)value);
}
};
// UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3<UnityEngine.XR.ARSubsystems.XRHumanBodySubsystem,UnityEngine.XR.ARSubsystems.XRHumanBodySubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRHumanBodySubsystem/Provider>
struct SubsystemWithProvider_3_t152AEC9946809B23BD9A7DE32A2113E12B8CE2C2 : public SubsystemWithProvider_t1C1868CF8676F5596C1AD20A7CE69BDF7C7DE73E
{
public:
// TSubsystemDescriptor UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<subsystemDescriptor>k__BackingField
XRHumanBodySubsystemDescriptor_t00E75DD05B03BCC1BF5A794547615692B7A55C04 * ___U3CsubsystemDescriptorU3Ek__BackingField_2;
// TProvider UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<provider>k__BackingField
Provider_t055C90C34B2BCE8D134DF44C12823E320519168C * ___U3CproviderU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_t152AEC9946809B23BD9A7DE32A2113E12B8CE2C2, ___U3CsubsystemDescriptorU3Ek__BackingField_2)); }
inline XRHumanBodySubsystemDescriptor_t00E75DD05B03BCC1BF5A794547615692B7A55C04 * get_U3CsubsystemDescriptorU3Ek__BackingField_2() const { return ___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline XRHumanBodySubsystemDescriptor_t00E75DD05B03BCC1BF5A794547615692B7A55C04 ** get_address_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return &___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline void set_U3CsubsystemDescriptorU3Ek__BackingField_2(XRHumanBodySubsystemDescriptor_t00E75DD05B03BCC1BF5A794547615692B7A55C04 * value)
{
___U3CsubsystemDescriptorU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemDescriptorU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_t152AEC9946809B23BD9A7DE32A2113E12B8CE2C2, ___U3CproviderU3Ek__BackingField_3)); }
inline Provider_t055C90C34B2BCE8D134DF44C12823E320519168C * get_U3CproviderU3Ek__BackingField_3() const { return ___U3CproviderU3Ek__BackingField_3; }
inline Provider_t055C90C34B2BCE8D134DF44C12823E320519168C ** get_address_of_U3CproviderU3Ek__BackingField_3() { return &___U3CproviderU3Ek__BackingField_3; }
inline void set_U3CproviderU3Ek__BackingField_3(Provider_t055C90C34B2BCE8D134DF44C12823E320519168C * value)
{
___U3CproviderU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderU3Ek__BackingField_3), (void*)value);
}
};
// UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3<UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystem,UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystem/Provider>
struct SubsystemWithProvider_3_t249D82EF0730E7FF15F2B19C4BB45B2E08CF620B : public SubsystemWithProvider_t1C1868CF8676F5596C1AD20A7CE69BDF7C7DE73E
{
public:
// TSubsystemDescriptor UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<subsystemDescriptor>k__BackingField
XRImageTrackingSubsystemDescriptor_t3EC191739B144A8AA00CEEE03E8F7FF01D7F833B * ___U3CsubsystemDescriptorU3Ek__BackingField_2;
// TProvider UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<provider>k__BackingField
Provider_tA7CEF856C3BC486ADEBD656F5535E24262AAAE9E * ___U3CproviderU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_t249D82EF0730E7FF15F2B19C4BB45B2E08CF620B, ___U3CsubsystemDescriptorU3Ek__BackingField_2)); }
inline XRImageTrackingSubsystemDescriptor_t3EC191739B144A8AA00CEEE03E8F7FF01D7F833B * get_U3CsubsystemDescriptorU3Ek__BackingField_2() const { return ___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline XRImageTrackingSubsystemDescriptor_t3EC191739B144A8AA00CEEE03E8F7FF01D7F833B ** get_address_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return &___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline void set_U3CsubsystemDescriptorU3Ek__BackingField_2(XRImageTrackingSubsystemDescriptor_t3EC191739B144A8AA00CEEE03E8F7FF01D7F833B * value)
{
___U3CsubsystemDescriptorU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemDescriptorU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_t249D82EF0730E7FF15F2B19C4BB45B2E08CF620B, ___U3CproviderU3Ek__BackingField_3)); }
inline Provider_tA7CEF856C3BC486ADEBD656F5535E24262AAAE9E * get_U3CproviderU3Ek__BackingField_3() const { return ___U3CproviderU3Ek__BackingField_3; }
inline Provider_tA7CEF856C3BC486ADEBD656F5535E24262AAAE9E ** get_address_of_U3CproviderU3Ek__BackingField_3() { return &___U3CproviderU3Ek__BackingField_3; }
inline void set_U3CproviderU3Ek__BackingField_3(Provider_tA7CEF856C3BC486ADEBD656F5535E24262AAAE9E * value)
{
___U3CproviderU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderU3Ek__BackingField_3), (void*)value);
}
};
// UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3<UnityEngine.XR.ARSubsystems.XRObjectTrackingSubsystem,UnityEngine.XR.ARSubsystems.XRObjectTrackingSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRObjectTrackingSubsystem/Provider>
struct SubsystemWithProvider_3_t2622D99FF6F2A6B95B2E82547A76A7E7712AA7DB : public SubsystemWithProvider_t1C1868CF8676F5596C1AD20A7CE69BDF7C7DE73E
{
public:
// TSubsystemDescriptor UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<subsystemDescriptor>k__BackingField
XRObjectTrackingSubsystemDescriptor_t831B568A9BE175A6A79BB87E25DEFAC519A6C472 * ___U3CsubsystemDescriptorU3Ek__BackingField_2;
// TProvider UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<provider>k__BackingField
Provider_t35977A2A0AA6C338BC9893668DD32F0294A9C01E * ___U3CproviderU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_t2622D99FF6F2A6B95B2E82547A76A7E7712AA7DB, ___U3CsubsystemDescriptorU3Ek__BackingField_2)); }
inline XRObjectTrackingSubsystemDescriptor_t831B568A9BE175A6A79BB87E25DEFAC519A6C472 * get_U3CsubsystemDescriptorU3Ek__BackingField_2() const { return ___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline XRObjectTrackingSubsystemDescriptor_t831B568A9BE175A6A79BB87E25DEFAC519A6C472 ** get_address_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return &___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline void set_U3CsubsystemDescriptorU3Ek__BackingField_2(XRObjectTrackingSubsystemDescriptor_t831B568A9BE175A6A79BB87E25DEFAC519A6C472 * value)
{
___U3CsubsystemDescriptorU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemDescriptorU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_t2622D99FF6F2A6B95B2E82547A76A7E7712AA7DB, ___U3CproviderU3Ek__BackingField_3)); }
inline Provider_t35977A2A0AA6C338BC9893668DD32F0294A9C01E * get_U3CproviderU3Ek__BackingField_3() const { return ___U3CproviderU3Ek__BackingField_3; }
inline Provider_t35977A2A0AA6C338BC9893668DD32F0294A9C01E ** get_address_of_U3CproviderU3Ek__BackingField_3() { return &___U3CproviderU3Ek__BackingField_3; }
inline void set_U3CproviderU3Ek__BackingField_3(Provider_t35977A2A0AA6C338BC9893668DD32F0294A9C01E * value)
{
___U3CproviderU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderU3Ek__BackingField_3), (void*)value);
}
};
// UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3<UnityEngine.XR.ARSubsystems.XROcclusionSubsystem,UnityEngine.XR.ARSubsystems.XROcclusionSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XROcclusionSubsystem/Provider>
struct SubsystemWithProvider_3_t2838D413336061A31AFDEA49065AD29BD1EB3A1B : public SubsystemWithProvider_t1C1868CF8676F5596C1AD20A7CE69BDF7C7DE73E
{
public:
// TSubsystemDescriptor UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<subsystemDescriptor>k__BackingField
XROcclusionSubsystemDescriptor_tC9C8F2EFB7768358C203968CA71D353F0DD234FB * ___U3CsubsystemDescriptorU3Ek__BackingField_2;
// TProvider UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<provider>k__BackingField
Provider_t5B60C630FB68EFEAB6FA2F3D9A732C144003B7FB * ___U3CproviderU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_t2838D413336061A31AFDEA49065AD29BD1EB3A1B, ___U3CsubsystemDescriptorU3Ek__BackingField_2)); }
inline XROcclusionSubsystemDescriptor_tC9C8F2EFB7768358C203968CA71D353F0DD234FB * get_U3CsubsystemDescriptorU3Ek__BackingField_2() const { return ___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline XROcclusionSubsystemDescriptor_tC9C8F2EFB7768358C203968CA71D353F0DD234FB ** get_address_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return &___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline void set_U3CsubsystemDescriptorU3Ek__BackingField_2(XROcclusionSubsystemDescriptor_tC9C8F2EFB7768358C203968CA71D353F0DD234FB * value)
{
___U3CsubsystemDescriptorU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemDescriptorU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_t2838D413336061A31AFDEA49065AD29BD1EB3A1B, ___U3CproviderU3Ek__BackingField_3)); }
inline Provider_t5B60C630FB68EFEAB6FA2F3D9A732C144003B7FB * get_U3CproviderU3Ek__BackingField_3() const { return ___U3CproviderU3Ek__BackingField_3; }
inline Provider_t5B60C630FB68EFEAB6FA2F3D9A732C144003B7FB ** get_address_of_U3CproviderU3Ek__BackingField_3() { return &___U3CproviderU3Ek__BackingField_3; }
inline void set_U3CproviderU3Ek__BackingField_3(Provider_t5B60C630FB68EFEAB6FA2F3D9A732C144003B7FB * value)
{
___U3CproviderU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderU3Ek__BackingField_3), (void*)value);
}
};
// UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3<UnityEngine.XR.ARSubsystems.XRParticipantSubsystem,UnityEngine.XR.ARSubsystems.XRParticipantSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRParticipantSubsystem/Provider>
struct SubsystemWithProvider_3_t0293B6FD1251DCA5DC0D3396C57B87118ECE01DF : public SubsystemWithProvider_t1C1868CF8676F5596C1AD20A7CE69BDF7C7DE73E
{
public:
// TSubsystemDescriptor UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<subsystemDescriptor>k__BackingField
XRParticipantSubsystemDescriptor_t533EE70DC8D4B105B9C87B76D35A7D59A84BCA55 * ___U3CsubsystemDescriptorU3Ek__BackingField_2;
// TProvider UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<provider>k__BackingField
Provider_t1D0BC515976D24FD30341AC456ACFCB2DE4A344E * ___U3CproviderU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_t0293B6FD1251DCA5DC0D3396C57B87118ECE01DF, ___U3CsubsystemDescriptorU3Ek__BackingField_2)); }
inline XRParticipantSubsystemDescriptor_t533EE70DC8D4B105B9C87B76D35A7D59A84BCA55 * get_U3CsubsystemDescriptorU3Ek__BackingField_2() const { return ___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline XRParticipantSubsystemDescriptor_t533EE70DC8D4B105B9C87B76D35A7D59A84BCA55 ** get_address_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return &___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline void set_U3CsubsystemDescriptorU3Ek__BackingField_2(XRParticipantSubsystemDescriptor_t533EE70DC8D4B105B9C87B76D35A7D59A84BCA55 * value)
{
___U3CsubsystemDescriptorU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemDescriptorU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_t0293B6FD1251DCA5DC0D3396C57B87118ECE01DF, ___U3CproviderU3Ek__BackingField_3)); }
inline Provider_t1D0BC515976D24FD30341AC456ACFCB2DE4A344E * get_U3CproviderU3Ek__BackingField_3() const { return ___U3CproviderU3Ek__BackingField_3; }
inline Provider_t1D0BC515976D24FD30341AC456ACFCB2DE4A344E ** get_address_of_U3CproviderU3Ek__BackingField_3() { return &___U3CproviderU3Ek__BackingField_3; }
inline void set_U3CproviderU3Ek__BackingField_3(Provider_t1D0BC515976D24FD30341AC456ACFCB2DE4A344E * value)
{
___U3CproviderU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderU3Ek__BackingField_3), (void*)value);
}
};
// UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3<UnityEngine.XR.ARSubsystems.XRPlaneSubsystem,UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRPlaneSubsystem/Provider>
struct SubsystemWithProvider_3_t2D48685843F3C8CD4AE71F1303F357DCAE9FD683 : public SubsystemWithProvider_t1C1868CF8676F5596C1AD20A7CE69BDF7C7DE73E
{
public:
// TSubsystemDescriptor UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<subsystemDescriptor>k__BackingField
XRPlaneSubsystemDescriptor_t98B66B6D99804656DDDB45C9BDA61C2EE4EDB483 * ___U3CsubsystemDescriptorU3Ek__BackingField_2;
// TProvider UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<provider>k__BackingField
Provider_t6CB5B1036B0AAED1379F3828D695A6942B72BA12 * ___U3CproviderU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_t2D48685843F3C8CD4AE71F1303F357DCAE9FD683, ___U3CsubsystemDescriptorU3Ek__BackingField_2)); }
inline XRPlaneSubsystemDescriptor_t98B66B6D99804656DDDB45C9BDA61C2EE4EDB483 * get_U3CsubsystemDescriptorU3Ek__BackingField_2() const { return ___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline XRPlaneSubsystemDescriptor_t98B66B6D99804656DDDB45C9BDA61C2EE4EDB483 ** get_address_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return &___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline void set_U3CsubsystemDescriptorU3Ek__BackingField_2(XRPlaneSubsystemDescriptor_t98B66B6D99804656DDDB45C9BDA61C2EE4EDB483 * value)
{
___U3CsubsystemDescriptorU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemDescriptorU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_t2D48685843F3C8CD4AE71F1303F357DCAE9FD683, ___U3CproviderU3Ek__BackingField_3)); }
inline Provider_t6CB5B1036B0AAED1379F3828D695A6942B72BA12 * get_U3CproviderU3Ek__BackingField_3() const { return ___U3CproviderU3Ek__BackingField_3; }
inline Provider_t6CB5B1036B0AAED1379F3828D695A6942B72BA12 ** get_address_of_U3CproviderU3Ek__BackingField_3() { return &___U3CproviderU3Ek__BackingField_3; }
inline void set_U3CproviderU3Ek__BackingField_3(Provider_t6CB5B1036B0AAED1379F3828D695A6942B72BA12 * value)
{
___U3CproviderU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderU3Ek__BackingField_3), (void*)value);
}
};
// UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3<UnityEngine.XR.ARSubsystems.XRRaycastSubsystem,UnityEngine.XR.ARSubsystems.XRRaycastSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRRaycastSubsystem/Provider>
struct SubsystemWithProvider_3_t6C72A4BB6DC4A9CC6B00E99D4A5EF1E1C9BBAF1E : public SubsystemWithProvider_t1C1868CF8676F5596C1AD20A7CE69BDF7C7DE73E
{
public:
// TSubsystemDescriptor UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<subsystemDescriptor>k__BackingField
XRRaycastSubsystemDescriptor_tB9891F63FC4871797BCD04DB7167142BE2049B2C * ___U3CsubsystemDescriptorU3Ek__BackingField_2;
// TProvider UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<provider>k__BackingField
Provider_tF185BE0541D2066CD242583CEFE7709DD22DD227 * ___U3CproviderU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_t6C72A4BB6DC4A9CC6B00E99D4A5EF1E1C9BBAF1E, ___U3CsubsystemDescriptorU3Ek__BackingField_2)); }
inline XRRaycastSubsystemDescriptor_tB9891F63FC4871797BCD04DB7167142BE2049B2C * get_U3CsubsystemDescriptorU3Ek__BackingField_2() const { return ___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline XRRaycastSubsystemDescriptor_tB9891F63FC4871797BCD04DB7167142BE2049B2C ** get_address_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return &___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline void set_U3CsubsystemDescriptorU3Ek__BackingField_2(XRRaycastSubsystemDescriptor_tB9891F63FC4871797BCD04DB7167142BE2049B2C * value)
{
___U3CsubsystemDescriptorU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemDescriptorU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_t6C72A4BB6DC4A9CC6B00E99D4A5EF1E1C9BBAF1E, ___U3CproviderU3Ek__BackingField_3)); }
inline Provider_tF185BE0541D2066CD242583CEFE7709DD22DD227 * get_U3CproviderU3Ek__BackingField_3() const { return ___U3CproviderU3Ek__BackingField_3; }
inline Provider_tF185BE0541D2066CD242583CEFE7709DD22DD227 ** get_address_of_U3CproviderU3Ek__BackingField_3() { return &___U3CproviderU3Ek__BackingField_3; }
inline void set_U3CproviderU3Ek__BackingField_3(Provider_tF185BE0541D2066CD242583CEFE7709DD22DD227 * value)
{
___U3CproviderU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderU3Ek__BackingField_3), (void*)value);
}
};
// UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3<UnityEngine.XR.ARSubsystems.XRReferencePointSubsystem,UnityEngine.XR.ARSubsystems.XRReferencePointSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRReferencePointSubsystem/Provider>
struct SubsystemWithProvider_3_tBEFCA8C8D6BE0554DE28CB542681793993E3C7C3 : public SubsystemWithProvider_t1C1868CF8676F5596C1AD20A7CE69BDF7C7DE73E
{
public:
// TSubsystemDescriptor UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<subsystemDescriptor>k__BackingField
XRReferencePointSubsystemDescriptor_t8200CCC29717B3E08EECC476427E1A4E63C4EBDB * ___U3CsubsystemDescriptorU3Ek__BackingField_2;
// TProvider UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<provider>k__BackingField
Provider_t7974F3BD624EC305575E361EE0BCAAA3DC5B253C * ___U3CproviderU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_tBEFCA8C8D6BE0554DE28CB542681793993E3C7C3, ___U3CsubsystemDescriptorU3Ek__BackingField_2)); }
inline XRReferencePointSubsystemDescriptor_t8200CCC29717B3E08EECC476427E1A4E63C4EBDB * get_U3CsubsystemDescriptorU3Ek__BackingField_2() const { return ___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline XRReferencePointSubsystemDescriptor_t8200CCC29717B3E08EECC476427E1A4E63C4EBDB ** get_address_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return &___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline void set_U3CsubsystemDescriptorU3Ek__BackingField_2(XRReferencePointSubsystemDescriptor_t8200CCC29717B3E08EECC476427E1A4E63C4EBDB * value)
{
___U3CsubsystemDescriptorU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemDescriptorU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_tBEFCA8C8D6BE0554DE28CB542681793993E3C7C3, ___U3CproviderU3Ek__BackingField_3)); }
inline Provider_t7974F3BD624EC305575E361EE0BCAAA3DC5B253C * get_U3CproviderU3Ek__BackingField_3() const { return ___U3CproviderU3Ek__BackingField_3; }
inline Provider_t7974F3BD624EC305575E361EE0BCAAA3DC5B253C ** get_address_of_U3CproviderU3Ek__BackingField_3() { return &___U3CproviderU3Ek__BackingField_3; }
inline void set_U3CproviderU3Ek__BackingField_3(Provider_t7974F3BD624EC305575E361EE0BCAAA3DC5B253C * value)
{
___U3CproviderU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderU3Ek__BackingField_3), (void*)value);
}
};
// UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3<UnityEngine.XR.ARSubsystems.XRSessionSubsystem,UnityEngine.XR.ARSubsystems.XRSessionSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRSessionSubsystem/Provider>
struct SubsystemWithProvider_3_t646DFCE31181130FB557E4AFA37198CF3170977F : public SubsystemWithProvider_t1C1868CF8676F5596C1AD20A7CE69BDF7C7DE73E
{
public:
// TSubsystemDescriptor UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<subsystemDescriptor>k__BackingField
XRSessionSubsystemDescriptor_tC45A49D1179090D5C6D3B3DC1DC31CAB5A627B1C * ___U3CsubsystemDescriptorU3Ek__BackingField_2;
// TProvider UnityEngine.SubsystemsImplementation.SubsystemWithProvider`3::<provider>k__BackingField
Provider_t4C3675997BB8AF3A6A32C3EC3C93C10E4D3E8D1A * ___U3CproviderU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_t646DFCE31181130FB557E4AFA37198CF3170977F, ___U3CsubsystemDescriptorU3Ek__BackingField_2)); }
inline XRSessionSubsystemDescriptor_tC45A49D1179090D5C6D3B3DC1DC31CAB5A627B1C * get_U3CsubsystemDescriptorU3Ek__BackingField_2() const { return ___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline XRSessionSubsystemDescriptor_tC45A49D1179090D5C6D3B3DC1DC31CAB5A627B1C ** get_address_of_U3CsubsystemDescriptorU3Ek__BackingField_2() { return &___U3CsubsystemDescriptorU3Ek__BackingField_2; }
inline void set_U3CsubsystemDescriptorU3Ek__BackingField_2(XRSessionSubsystemDescriptor_tC45A49D1179090D5C6D3B3DC1DC31CAB5A627B1C * value)
{
___U3CsubsystemDescriptorU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemDescriptorU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(SubsystemWithProvider_3_t646DFCE31181130FB557E4AFA37198CF3170977F, ___U3CproviderU3Ek__BackingField_3)); }
inline Provider_t4C3675997BB8AF3A6A32C3EC3C93C10E4D3E8D1A * get_U3CproviderU3Ek__BackingField_3() const { return ___U3CproviderU3Ek__BackingField_3; }
inline Provider_t4C3675997BB8AF3A6A32C3EC3C93C10E4D3E8D1A ** get_address_of_U3CproviderU3Ek__BackingField_3() { return &___U3CproviderU3Ek__BackingField_3; }
inline void set_U3CproviderU3Ek__BackingField_3(Provider_t4C3675997BB8AF3A6A32C3EC3C93C10E4D3E8D1A * value)
{
___U3CproviderU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderU3Ek__BackingField_3), (void*)value);
}
};
// TMPro.TMP_TextProcessingStack`1<System.Int32>
struct TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA
{
public:
// T[] TMPro.TMP_TextProcessingStack`1::itemStack
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___itemStack_0;
// System.Int32 TMPro.TMP_TextProcessingStack`1::index
int32_t ___index_1;
// T TMPro.TMP_TextProcessingStack`1::m_DefaultItem
int32_t ___m_DefaultItem_2;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_Capacity
int32_t ___m_Capacity_3;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_RolloverSize
int32_t ___m_RolloverSize_4;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_Count
int32_t ___m_Count_5;
public:
inline static int32_t get_offset_of_itemStack_0() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA, ___itemStack_0)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_itemStack_0() const { return ___itemStack_0; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_itemStack_0() { return &___itemStack_0; }
inline void set_itemStack_0(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___itemStack_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___itemStack_0), (void*)value);
}
inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA, ___index_1)); }
inline int32_t get_index_1() const { return ___index_1; }
inline int32_t* get_address_of_index_1() { return &___index_1; }
inline void set_index_1(int32_t value)
{
___index_1 = value;
}
inline static int32_t get_offset_of_m_DefaultItem_2() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA, ___m_DefaultItem_2)); }
inline int32_t get_m_DefaultItem_2() const { return ___m_DefaultItem_2; }
inline int32_t* get_address_of_m_DefaultItem_2() { return &___m_DefaultItem_2; }
inline void set_m_DefaultItem_2(int32_t value)
{
___m_DefaultItem_2 = value;
}
inline static int32_t get_offset_of_m_Capacity_3() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA, ___m_Capacity_3)); }
inline int32_t get_m_Capacity_3() const { return ___m_Capacity_3; }
inline int32_t* get_address_of_m_Capacity_3() { return &___m_Capacity_3; }
inline void set_m_Capacity_3(int32_t value)
{
___m_Capacity_3 = value;
}
inline static int32_t get_offset_of_m_RolloverSize_4() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA, ___m_RolloverSize_4)); }
inline int32_t get_m_RolloverSize_4() const { return ___m_RolloverSize_4; }
inline int32_t* get_address_of_m_RolloverSize_4() { return &___m_RolloverSize_4; }
inline void set_m_RolloverSize_4(int32_t value)
{
___m_RolloverSize_4 = value;
}
inline static int32_t get_offset_of_m_Count_5() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA, ___m_Count_5)); }
inline int32_t get_m_Count_5() const { return ___m_Count_5; }
inline int32_t* get_address_of_m_Count_5() { return &___m_Count_5; }
inline void set_m_Count_5(int32_t value)
{
___m_Count_5 = value;
}
};
// TMPro.TMP_TextProcessingStack`1<System.Single>
struct TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17
{
public:
// T[] TMPro.TMP_TextProcessingStack`1::itemStack
SingleU5BU5D_t47E8DBF5B597C122478D1FFBD9DD57399A0650FA* ___itemStack_0;
// System.Int32 TMPro.TMP_TextProcessingStack`1::index
int32_t ___index_1;
// T TMPro.TMP_TextProcessingStack`1::m_DefaultItem
float ___m_DefaultItem_2;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_Capacity
int32_t ___m_Capacity_3;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_RolloverSize
int32_t ___m_RolloverSize_4;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_Count
int32_t ___m_Count_5;
public:
inline static int32_t get_offset_of_itemStack_0() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17, ___itemStack_0)); }
inline SingleU5BU5D_t47E8DBF5B597C122478D1FFBD9DD57399A0650FA* get_itemStack_0() const { return ___itemStack_0; }
inline SingleU5BU5D_t47E8DBF5B597C122478D1FFBD9DD57399A0650FA** get_address_of_itemStack_0() { return &___itemStack_0; }
inline void set_itemStack_0(SingleU5BU5D_t47E8DBF5B597C122478D1FFBD9DD57399A0650FA* value)
{
___itemStack_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___itemStack_0), (void*)value);
}
inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17, ___index_1)); }
inline int32_t get_index_1() const { return ___index_1; }
inline int32_t* get_address_of_index_1() { return &___index_1; }
inline void set_index_1(int32_t value)
{
___index_1 = value;
}
inline static int32_t get_offset_of_m_DefaultItem_2() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17, ___m_DefaultItem_2)); }
inline float get_m_DefaultItem_2() const { return ___m_DefaultItem_2; }
inline float* get_address_of_m_DefaultItem_2() { return &___m_DefaultItem_2; }
inline void set_m_DefaultItem_2(float value)
{
___m_DefaultItem_2 = value;
}
inline static int32_t get_offset_of_m_Capacity_3() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17, ___m_Capacity_3)); }
inline int32_t get_m_Capacity_3() const { return ___m_Capacity_3; }
inline int32_t* get_address_of_m_Capacity_3() { return &___m_Capacity_3; }
inline void set_m_Capacity_3(int32_t value)
{
___m_Capacity_3 = value;
}
inline static int32_t get_offset_of_m_RolloverSize_4() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17, ___m_RolloverSize_4)); }
inline int32_t get_m_RolloverSize_4() const { return ___m_RolloverSize_4; }
inline int32_t* get_address_of_m_RolloverSize_4() { return &___m_RolloverSize_4; }
inline void set_m_RolloverSize_4(int32_t value)
{
___m_RolloverSize_4 = value;
}
inline static int32_t get_offset_of_m_Count_5() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17, ___m_Count_5)); }
inline int32_t get_m_Count_5() const { return ___m_Count_5; }
inline int32_t* get_address_of_m_Count_5() { return &___m_Count_5; }
inline void set_m_Count_5(int32_t value)
{
___m_Count_5 = value;
}
};
// TMPro.TMP_TextProcessingStack`1<TMPro.TMP_ColorGradient>
struct TMP_TextProcessingStack_1_t598A1976548F7435C20001605BBCC77262756804
{
public:
// T[] TMPro.TMP_TextProcessingStack`1::itemStack
TMP_ColorGradientU5BU5D_t5271ED3FC5D741D05A220867865A1DA1EB04919A* ___itemStack_0;
// System.Int32 TMPro.TMP_TextProcessingStack`1::index
int32_t ___index_1;
// T TMPro.TMP_TextProcessingStack`1::m_DefaultItem
TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461 * ___m_DefaultItem_2;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_Capacity
int32_t ___m_Capacity_3;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_RolloverSize
int32_t ___m_RolloverSize_4;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_Count
int32_t ___m_Count_5;
public:
inline static int32_t get_offset_of_itemStack_0() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t598A1976548F7435C20001605BBCC77262756804, ___itemStack_0)); }
inline TMP_ColorGradientU5BU5D_t5271ED3FC5D741D05A220867865A1DA1EB04919A* get_itemStack_0() const { return ___itemStack_0; }
inline TMP_ColorGradientU5BU5D_t5271ED3FC5D741D05A220867865A1DA1EB04919A** get_address_of_itemStack_0() { return &___itemStack_0; }
inline void set_itemStack_0(TMP_ColorGradientU5BU5D_t5271ED3FC5D741D05A220867865A1DA1EB04919A* value)
{
___itemStack_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___itemStack_0), (void*)value);
}
inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t598A1976548F7435C20001605BBCC77262756804, ___index_1)); }
inline int32_t get_index_1() const { return ___index_1; }
inline int32_t* get_address_of_index_1() { return &___index_1; }
inline void set_index_1(int32_t value)
{
___index_1 = value;
}
inline static int32_t get_offset_of_m_DefaultItem_2() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t598A1976548F7435C20001605BBCC77262756804, ___m_DefaultItem_2)); }
inline TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461 * get_m_DefaultItem_2() const { return ___m_DefaultItem_2; }
inline TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461 ** get_address_of_m_DefaultItem_2() { return &___m_DefaultItem_2; }
inline void set_m_DefaultItem_2(TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461 * value)
{
___m_DefaultItem_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DefaultItem_2), (void*)value);
}
inline static int32_t get_offset_of_m_Capacity_3() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t598A1976548F7435C20001605BBCC77262756804, ___m_Capacity_3)); }
inline int32_t get_m_Capacity_3() const { return ___m_Capacity_3; }
inline int32_t* get_address_of_m_Capacity_3() { return &___m_Capacity_3; }
inline void set_m_Capacity_3(int32_t value)
{
___m_Capacity_3 = value;
}
inline static int32_t get_offset_of_m_RolloverSize_4() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t598A1976548F7435C20001605BBCC77262756804, ___m_RolloverSize_4)); }
inline int32_t get_m_RolloverSize_4() const { return ___m_RolloverSize_4; }
inline int32_t* get_address_of_m_RolloverSize_4() { return &___m_RolloverSize_4; }
inline void set_m_RolloverSize_4(int32_t value)
{
___m_RolloverSize_4 = value;
}
inline static int32_t get_offset_of_m_Count_5() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t598A1976548F7435C20001605BBCC77262756804, ___m_Count_5)); }
inline int32_t get_m_Count_5() const { return ___m_Count_5; }
inline int32_t* get_address_of_m_Count_5() { return &___m_Count_5; }
inline void set_m_Count_5(int32_t value)
{
___m_Count_5 = value;
}
};
// UnityEngine.Events.UnityEvent`1<UnityEngine.AudioClip>
struct UnityEvent_1_tBA7C16988F2BE22CB4569F2A731D2E3B9D585449 : public UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB
{
public:
// System.Object[] UnityEngine.Events.UnityEvent`1::m_InvokeArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___m_InvokeArray_3;
public:
inline static int32_t get_offset_of_m_InvokeArray_3() { return static_cast<int32_t>(offsetof(UnityEvent_1_tBA7C16988F2BE22CB4569F2A731D2E3B9D585449, ___m_InvokeArray_3)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_m_InvokeArray_3() const { return ___m_InvokeArray_3; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_m_InvokeArray_3() { return &___m_InvokeArray_3; }
inline void set_m_InvokeArray_3(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___m_InvokeArray_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InvokeArray_3), (void*)value);
}
};
// UnityEngine.Events.UnityEvent`1<UnityEngine.EventSystems.BaseEventData>
struct UnityEvent_1_t5CD4A65E59B117C339B96E838E5F127A989C5428 : public UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB
{
public:
// System.Object[] UnityEngine.Events.UnityEvent`1::m_InvokeArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___m_InvokeArray_3;
public:
inline static int32_t get_offset_of_m_InvokeArray_3() { return static_cast<int32_t>(offsetof(UnityEvent_1_t5CD4A65E59B117C339B96E838E5F127A989C5428, ___m_InvokeArray_3)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_m_InvokeArray_3() const { return ___m_InvokeArray_3; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_m_InvokeArray_3() { return &___m_InvokeArray_3; }
inline void set_m_InvokeArray_3(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___m_InvokeArray_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InvokeArray_3), (void*)value);
}
};
// UnityEngine.Events.UnityEvent`1<System.Boolean>
struct UnityEvent_1_t10C429A2DAF73A4517568E494115F7503F9E17EB : public UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB
{
public:
// System.Object[] UnityEngine.Events.UnityEvent`1::m_InvokeArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___m_InvokeArray_3;
public:
inline static int32_t get_offset_of_m_InvokeArray_3() { return static_cast<int32_t>(offsetof(UnityEvent_1_t10C429A2DAF73A4517568E494115F7503F9E17EB, ___m_InvokeArray_3)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_m_InvokeArray_3() const { return ___m_InvokeArray_3; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_m_InvokeArray_3() { return &___m_InvokeArray_3; }
inline void set_m_InvokeArray_3(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___m_InvokeArray_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InvokeArray_3), (void*)value);
}
};
// UnityEngine.Events.UnityEvent`1<UnityEngine.Color>
struct UnityEvent_1_t1238B72D437B572D32DDC7E67B423C2E90691350 : public UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB
{
public:
// System.Object[] UnityEngine.Events.UnityEvent`1::m_InvokeArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___m_InvokeArray_3;
public:
inline static int32_t get_offset_of_m_InvokeArray_3() { return static_cast<int32_t>(offsetof(UnityEvent_1_t1238B72D437B572D32DDC7E67B423C2E90691350, ___m_InvokeArray_3)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_m_InvokeArray_3() const { return ___m_InvokeArray_3; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_m_InvokeArray_3() { return &___m_InvokeArray_3; }
inline void set_m_InvokeArray_3(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___m_InvokeArray_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InvokeArray_3), (void*)value);
}
};
// UnityEngine.Events.UnityEvent`1<UnityEngine.GameObject>
struct UnityEvent_1_t1DC2DB931FE9E53AEC9A04F4DE9B4F7B469BC78E : public UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB
{
public:
// System.Object[] UnityEngine.Events.UnityEvent`1::m_InvokeArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___m_InvokeArray_3;
public:
inline static int32_t get_offset_of_m_InvokeArray_3() { return static_cast<int32_t>(offsetof(UnityEvent_1_t1DC2DB931FE9E53AEC9A04F4DE9B4F7B469BC78E, ___m_InvokeArray_3)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_m_InvokeArray_3() const { return ___m_InvokeArray_3; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_m_InvokeArray_3() { return &___m_InvokeArray_3; }
inline void set_m_InvokeArray_3(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___m_InvokeArray_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InvokeArray_3), (void*)value);
}
};
// UnityEngine.Events.UnityEvent`1<System.Int32>
struct UnityEvent_1_tB235B5DAD099AC425DC059D10DEB8B97A35E2BBF : public UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB
{
public:
// System.Object[] UnityEngine.Events.UnityEvent`1::m_InvokeArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___m_InvokeArray_3;
public:
inline static int32_t get_offset_of_m_InvokeArray_3() { return static_cast<int32_t>(offsetof(UnityEvent_1_tB235B5DAD099AC425DC059D10DEB8B97A35E2BBF, ___m_InvokeArray_3)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_m_InvokeArray_3() const { return ___m_InvokeArray_3; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_m_InvokeArray_3() { return &___m_InvokeArray_3; }
inline void set_m_InvokeArray_3(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___m_InvokeArray_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InvokeArray_3), (void*)value);
}
};
// UnityEngine.Events.UnityEvent`1<UnityEngine.Networking.PlayerConnection.MessageEventArgs>
struct UnityEvent_1_t5380899C55F3CD7FD1CD64F13EE5E1E4B11D602B : public UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB
{
public:
// System.Object[] UnityEngine.Events.UnityEvent`1::m_InvokeArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___m_InvokeArray_3;
public:
inline static int32_t get_offset_of_m_InvokeArray_3() { return static_cast<int32_t>(offsetof(UnityEvent_1_t5380899C55F3CD7FD1CD64F13EE5E1E4B11D602B, ___m_InvokeArray_3)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_m_InvokeArray_3() const { return ___m_InvokeArray_3; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_m_InvokeArray_3() { return &___m_InvokeArray_3; }
inline void set_m_InvokeArray_3(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___m_InvokeArray_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InvokeArray_3), (void*)value);
}
};
// UnityEngine.Events.UnityEvent`1<System.Single>
struct UnityEvent_1_t84B4EA1A2A00DEAC63B85AFAA89EBF67CA749DBC : public UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB
{
public:
// System.Object[] UnityEngine.Events.UnityEvent`1::m_InvokeArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___m_InvokeArray_3;
public:
inline static int32_t get_offset_of_m_InvokeArray_3() { return static_cast<int32_t>(offsetof(UnityEvent_1_t84B4EA1A2A00DEAC63B85AFAA89EBF67CA749DBC, ___m_InvokeArray_3)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_m_InvokeArray_3() const { return ___m_InvokeArray_3; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_m_InvokeArray_3() { return &___m_InvokeArray_3; }
inline void set_m_InvokeArray_3(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___m_InvokeArray_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InvokeArray_3), (void*)value);
}
};
// UnityEngine.Events.UnityEvent`1<UnityEngine.Sprite>
struct UnityEvent_1_tD1A3576895E3035487488C96227A36D69DBE0C25 : public UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB
{
public:
// System.Object[] UnityEngine.Events.UnityEvent`1::m_InvokeArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___m_InvokeArray_3;
public:
inline static int32_t get_offset_of_m_InvokeArray_3() { return static_cast<int32_t>(offsetof(UnityEvent_1_tD1A3576895E3035487488C96227A36D69DBE0C25, ___m_InvokeArray_3)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_m_InvokeArray_3() const { return ___m_InvokeArray_3; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_m_InvokeArray_3() { return &___m_InvokeArray_3; }
inline void set_m_InvokeArray_3(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___m_InvokeArray_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InvokeArray_3), (void*)value);
}
};
// UnityEngine.Events.UnityEvent`1<System.String>
struct UnityEvent_1_t208A952325F66BFCB1EDEECEFEF5F1C7A16298A0 : public UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB
{
public:
// System.Object[] UnityEngine.Events.UnityEvent`1::m_InvokeArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___m_InvokeArray_3;
public:
inline static int32_t get_offset_of_m_InvokeArray_3() { return static_cast<int32_t>(offsetof(UnityEvent_1_t208A952325F66BFCB1EDEECEFEF5F1C7A16298A0, ___m_InvokeArray_3)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_m_InvokeArray_3() const { return ___m_InvokeArray_3; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_m_InvokeArray_3() { return &___m_InvokeArray_3; }
inline void set_m_InvokeArray_3(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___m_InvokeArray_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InvokeArray_3), (void*)value);
}
};
// UnityEngine.Events.UnityEvent`1<UnityEngine.Texture>
struct UnityEvent_1_tC2A74E53238556231212D21E2FE82F58475CA5B7 : public UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB
{
public:
// System.Object[] UnityEngine.Events.UnityEvent`1::m_InvokeArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___m_InvokeArray_3;
public:
inline static int32_t get_offset_of_m_InvokeArray_3() { return static_cast<int32_t>(offsetof(UnityEvent_1_tC2A74E53238556231212D21E2FE82F58475CA5B7, ___m_InvokeArray_3)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_m_InvokeArray_3() const { return ___m_InvokeArray_3; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_m_InvokeArray_3() { return &___m_InvokeArray_3; }
inline void set_m_InvokeArray_3(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___m_InvokeArray_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InvokeArray_3), (void*)value);
}
};
// UnityEngine.Events.UnityEvent`1<UnityEngine.Vector2>
struct UnityEvent_1_t3E6599546F71BCEFF271ED16D5DF9646BD868D7C : public UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB
{
public:
// System.Object[] UnityEngine.Events.UnityEvent`1::m_InvokeArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___m_InvokeArray_3;
public:
inline static int32_t get_offset_of_m_InvokeArray_3() { return static_cast<int32_t>(offsetof(UnityEvent_1_t3E6599546F71BCEFF271ED16D5DF9646BD868D7C, ___m_InvokeArray_3)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_m_InvokeArray_3() const { return ___m_InvokeArray_3; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_m_InvokeArray_3() { return &___m_InvokeArray_3; }
inline void set_m_InvokeArray_3(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___m_InvokeArray_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InvokeArray_3), (void*)value);
}
};
// UnityEngine.Events.UnityEvent`1<UnityEngine.TouchScreenKeyboard/Status>
struct UnityEvent_1_tE9C9315564F7F60781AFA1CEF49651315635AD53 : public UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB
{
public:
// System.Object[] UnityEngine.Events.UnityEvent`1::m_InvokeArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___m_InvokeArray_3;
public:
inline static int32_t get_offset_of_m_InvokeArray_3() { return static_cast<int32_t>(offsetof(UnityEvent_1_tE9C9315564F7F60781AFA1CEF49651315635AD53, ___m_InvokeArray_3)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_m_InvokeArray_3() const { return ___m_InvokeArray_3; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_m_InvokeArray_3() { return &___m_InvokeArray_3; }
inline void set_m_InvokeArray_3(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___m_InvokeArray_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InvokeArray_3), (void*)value);
}
};
// UnityEngine.Events.UnityEvent`3<System.String,System.Int32,System.Int32>
struct UnityEvent_3_tB2C1BFEE5A56978DECD9BA6756512E2CC49CB9FE : public UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB
{
public:
// System.Object[] UnityEngine.Events.UnityEvent`3::m_InvokeArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___m_InvokeArray_3;
public:
inline static int32_t get_offset_of_m_InvokeArray_3() { return static_cast<int32_t>(offsetof(UnityEvent_3_tB2C1BFEE5A56978DECD9BA6756512E2CC49CB9FE, ___m_InvokeArray_3)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_m_InvokeArray_3() const { return ___m_InvokeArray_3; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_m_InvokeArray_3() { return &___m_InvokeArray_3; }
inline void set_m_InvokeArray_3(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___m_InvokeArray_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InvokeArray_3), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARAnchorsChangedEventArgs
struct ARAnchorsChangedEventArgs_tD1D6CD5187F2B16BADA979200B333341991FAAC6
{
public:
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARAnchor> UnityEngine.XR.ARFoundation.ARAnchorsChangedEventArgs::<added>k__BackingField
List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * ___U3CaddedU3Ek__BackingField_0;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARAnchor> UnityEngine.XR.ARFoundation.ARAnchorsChangedEventArgs::<updated>k__BackingField
List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * ___U3CupdatedU3Ek__BackingField_1;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARAnchor> UnityEngine.XR.ARFoundation.ARAnchorsChangedEventArgs::<removed>k__BackingField
List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * ___U3CremovedU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CaddedU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(ARAnchorsChangedEventArgs_tD1D6CD5187F2B16BADA979200B333341991FAAC6, ___U3CaddedU3Ek__BackingField_0)); }
inline List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * get_U3CaddedU3Ek__BackingField_0() const { return ___U3CaddedU3Ek__BackingField_0; }
inline List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 ** get_address_of_U3CaddedU3Ek__BackingField_0() { return &___U3CaddedU3Ek__BackingField_0; }
inline void set_U3CaddedU3Ek__BackingField_0(List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * value)
{
___U3CaddedU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CaddedU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CupdatedU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(ARAnchorsChangedEventArgs_tD1D6CD5187F2B16BADA979200B333341991FAAC6, ___U3CupdatedU3Ek__BackingField_1)); }
inline List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * get_U3CupdatedU3Ek__BackingField_1() const { return ___U3CupdatedU3Ek__BackingField_1; }
inline List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 ** get_address_of_U3CupdatedU3Ek__BackingField_1() { return &___U3CupdatedU3Ek__BackingField_1; }
inline void set_U3CupdatedU3Ek__BackingField_1(List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * value)
{
___U3CupdatedU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CupdatedU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CremovedU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(ARAnchorsChangedEventArgs_tD1D6CD5187F2B16BADA979200B333341991FAAC6, ___U3CremovedU3Ek__BackingField_2)); }
inline List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * get_U3CremovedU3Ek__BackingField_2() const { return ___U3CremovedU3Ek__BackingField_2; }
inline List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 ** get_address_of_U3CremovedU3Ek__BackingField_2() { return &___U3CremovedU3Ek__BackingField_2; }
inline void set_U3CremovedU3Ek__BackingField_2(List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * value)
{
___U3CremovedU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CremovedU3Ek__BackingField_2), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARFoundation.ARAnchorsChangedEventArgs
struct ARAnchorsChangedEventArgs_tD1D6CD5187F2B16BADA979200B333341991FAAC6_marshaled_pinvoke
{
List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * ___U3CaddedU3Ek__BackingField_0;
List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * ___U3CupdatedU3Ek__BackingField_1;
List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * ___U3CremovedU3Ek__BackingField_2;
};
// Native definition for COM marshalling of UnityEngine.XR.ARFoundation.ARAnchorsChangedEventArgs
struct ARAnchorsChangedEventArgs_tD1D6CD5187F2B16BADA979200B333341991FAAC6_marshaled_com
{
List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * ___U3CaddedU3Ek__BackingField_0;
List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * ___U3CupdatedU3Ek__BackingField_1;
List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * ___U3CremovedU3Ek__BackingField_2;
};
// UnityEngine.XR.ARFoundation.AREnvironmentProbesChangedEvent
struct AREnvironmentProbesChangedEvent_t68EC14AA6CBF65AAEA57265703F86FBC51EDDE02
{
public:
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.AREnvironmentProbe> UnityEngine.XR.ARFoundation.AREnvironmentProbesChangedEvent::<added>k__BackingField
List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * ___U3CaddedU3Ek__BackingField_0;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.AREnvironmentProbe> UnityEngine.XR.ARFoundation.AREnvironmentProbesChangedEvent::<updated>k__BackingField
List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * ___U3CupdatedU3Ek__BackingField_1;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.AREnvironmentProbe> UnityEngine.XR.ARFoundation.AREnvironmentProbesChangedEvent::<removed>k__BackingField
List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * ___U3CremovedU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CaddedU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(AREnvironmentProbesChangedEvent_t68EC14AA6CBF65AAEA57265703F86FBC51EDDE02, ___U3CaddedU3Ek__BackingField_0)); }
inline List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * get_U3CaddedU3Ek__BackingField_0() const { return ___U3CaddedU3Ek__BackingField_0; }
inline List_1_t12C13F0345055042C3FFD538C739C927D17FC617 ** get_address_of_U3CaddedU3Ek__BackingField_0() { return &___U3CaddedU3Ek__BackingField_0; }
inline void set_U3CaddedU3Ek__BackingField_0(List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * value)
{
___U3CaddedU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CaddedU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CupdatedU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(AREnvironmentProbesChangedEvent_t68EC14AA6CBF65AAEA57265703F86FBC51EDDE02, ___U3CupdatedU3Ek__BackingField_1)); }
inline List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * get_U3CupdatedU3Ek__BackingField_1() const { return ___U3CupdatedU3Ek__BackingField_1; }
inline List_1_t12C13F0345055042C3FFD538C739C927D17FC617 ** get_address_of_U3CupdatedU3Ek__BackingField_1() { return &___U3CupdatedU3Ek__BackingField_1; }
inline void set_U3CupdatedU3Ek__BackingField_1(List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * value)
{
___U3CupdatedU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CupdatedU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CremovedU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(AREnvironmentProbesChangedEvent_t68EC14AA6CBF65AAEA57265703F86FBC51EDDE02, ___U3CremovedU3Ek__BackingField_2)); }
inline List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * get_U3CremovedU3Ek__BackingField_2() const { return ___U3CremovedU3Ek__BackingField_2; }
inline List_1_t12C13F0345055042C3FFD538C739C927D17FC617 ** get_address_of_U3CremovedU3Ek__BackingField_2() { return &___U3CremovedU3Ek__BackingField_2; }
inline void set_U3CremovedU3Ek__BackingField_2(List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * value)
{
___U3CremovedU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CremovedU3Ek__BackingField_2), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARFoundation.AREnvironmentProbesChangedEvent
struct AREnvironmentProbesChangedEvent_t68EC14AA6CBF65AAEA57265703F86FBC51EDDE02_marshaled_pinvoke
{
List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * ___U3CaddedU3Ek__BackingField_0;
List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * ___U3CupdatedU3Ek__BackingField_1;
List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * ___U3CremovedU3Ek__BackingField_2;
};
// Native definition for COM marshalling of UnityEngine.XR.ARFoundation.AREnvironmentProbesChangedEvent
struct AREnvironmentProbesChangedEvent_t68EC14AA6CBF65AAEA57265703F86FBC51EDDE02_marshaled_com
{
List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * ___U3CaddedU3Ek__BackingField_0;
List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * ___U3CupdatedU3Ek__BackingField_1;
List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * ___U3CremovedU3Ek__BackingField_2;
};
// UnityEngine.XR.ARFoundation.ARFaceUpdatedEventArgs
struct ARFaceUpdatedEventArgs_t19EF18AED849B5FE9A5C3948C924E7C369A1E24A
{
public:
// UnityEngine.XR.ARFoundation.ARFace UnityEngine.XR.ARFoundation.ARFaceUpdatedEventArgs::<face>k__BackingField
ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1 * ___U3CfaceU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CfaceU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(ARFaceUpdatedEventArgs_t19EF18AED849B5FE9A5C3948C924E7C369A1E24A, ___U3CfaceU3Ek__BackingField_0)); }
inline ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1 * get_U3CfaceU3Ek__BackingField_0() const { return ___U3CfaceU3Ek__BackingField_0; }
inline ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1 ** get_address_of_U3CfaceU3Ek__BackingField_0() { return &___U3CfaceU3Ek__BackingField_0; }
inline void set_U3CfaceU3Ek__BackingField_0(ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1 * value)
{
___U3CfaceU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CfaceU3Ek__BackingField_0), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARFoundation.ARFaceUpdatedEventArgs
struct ARFaceUpdatedEventArgs_t19EF18AED849B5FE9A5C3948C924E7C369A1E24A_marshaled_pinvoke
{
ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1 * ___U3CfaceU3Ek__BackingField_0;
};
// Native definition for COM marshalling of UnityEngine.XR.ARFoundation.ARFaceUpdatedEventArgs
struct ARFaceUpdatedEventArgs_t19EF18AED849B5FE9A5C3948C924E7C369A1E24A_marshaled_com
{
ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1 * ___U3CfaceU3Ek__BackingField_0;
};
// UnityEngine.XR.ARFoundation.ARFacesChangedEventArgs
struct ARFacesChangedEventArgs_t89074BF90E245926F958D87247377FC764637A12
{
public:
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARFace> UnityEngine.XR.ARFoundation.ARFacesChangedEventArgs::<added>k__BackingField
List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * ___U3CaddedU3Ek__BackingField_0;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARFace> UnityEngine.XR.ARFoundation.ARFacesChangedEventArgs::<updated>k__BackingField
List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * ___U3CupdatedU3Ek__BackingField_1;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARFace> UnityEngine.XR.ARFoundation.ARFacesChangedEventArgs::<removed>k__BackingField
List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * ___U3CremovedU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CaddedU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(ARFacesChangedEventArgs_t89074BF90E245926F958D87247377FC764637A12, ___U3CaddedU3Ek__BackingField_0)); }
inline List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * get_U3CaddedU3Ek__BackingField_0() const { return ___U3CaddedU3Ek__BackingField_0; }
inline List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 ** get_address_of_U3CaddedU3Ek__BackingField_0() { return &___U3CaddedU3Ek__BackingField_0; }
inline void set_U3CaddedU3Ek__BackingField_0(List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * value)
{
___U3CaddedU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CaddedU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CupdatedU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(ARFacesChangedEventArgs_t89074BF90E245926F958D87247377FC764637A12, ___U3CupdatedU3Ek__BackingField_1)); }
inline List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * get_U3CupdatedU3Ek__BackingField_1() const { return ___U3CupdatedU3Ek__BackingField_1; }
inline List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 ** get_address_of_U3CupdatedU3Ek__BackingField_1() { return &___U3CupdatedU3Ek__BackingField_1; }
inline void set_U3CupdatedU3Ek__BackingField_1(List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * value)
{
___U3CupdatedU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CupdatedU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CremovedU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(ARFacesChangedEventArgs_t89074BF90E245926F958D87247377FC764637A12, ___U3CremovedU3Ek__BackingField_2)); }
inline List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * get_U3CremovedU3Ek__BackingField_2() const { return ___U3CremovedU3Ek__BackingField_2; }
inline List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 ** get_address_of_U3CremovedU3Ek__BackingField_2() { return &___U3CremovedU3Ek__BackingField_2; }
inline void set_U3CremovedU3Ek__BackingField_2(List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * value)
{
___U3CremovedU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CremovedU3Ek__BackingField_2), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARFoundation.ARFacesChangedEventArgs
struct ARFacesChangedEventArgs_t89074BF90E245926F958D87247377FC764637A12_marshaled_pinvoke
{
List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * ___U3CaddedU3Ek__BackingField_0;
List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * ___U3CupdatedU3Ek__BackingField_1;
List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * ___U3CremovedU3Ek__BackingField_2;
};
// Native definition for COM marshalling of UnityEngine.XR.ARFoundation.ARFacesChangedEventArgs
struct ARFacesChangedEventArgs_t89074BF90E245926F958D87247377FC764637A12_marshaled_com
{
List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * ___U3CaddedU3Ek__BackingField_0;
List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * ___U3CupdatedU3Ek__BackingField_1;
List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * ___U3CremovedU3Ek__BackingField_2;
};
// UnityEngine.XR.ARFoundation.ARHumanBodiesChangedEventArgs
struct ARHumanBodiesChangedEventArgs_t03BC9E10B0F7EA109F54F589571A7FCE26B18729
{
public:
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARHumanBody> UnityEngine.XR.ARFoundation.ARHumanBodiesChangedEventArgs::<added>k__BackingField
List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * ___U3CaddedU3Ek__BackingField_0;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARHumanBody> UnityEngine.XR.ARFoundation.ARHumanBodiesChangedEventArgs::<updated>k__BackingField
List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * ___U3CupdatedU3Ek__BackingField_1;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARHumanBody> UnityEngine.XR.ARFoundation.ARHumanBodiesChangedEventArgs::<removed>k__BackingField
List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * ___U3CremovedU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CaddedU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(ARHumanBodiesChangedEventArgs_t03BC9E10B0F7EA109F54F589571A7FCE26B18729, ___U3CaddedU3Ek__BackingField_0)); }
inline List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * get_U3CaddedU3Ek__BackingField_0() const { return ___U3CaddedU3Ek__BackingField_0; }
inline List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 ** get_address_of_U3CaddedU3Ek__BackingField_0() { return &___U3CaddedU3Ek__BackingField_0; }
inline void set_U3CaddedU3Ek__BackingField_0(List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * value)
{
___U3CaddedU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CaddedU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CupdatedU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(ARHumanBodiesChangedEventArgs_t03BC9E10B0F7EA109F54F589571A7FCE26B18729, ___U3CupdatedU3Ek__BackingField_1)); }
inline List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * get_U3CupdatedU3Ek__BackingField_1() const { return ___U3CupdatedU3Ek__BackingField_1; }
inline List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 ** get_address_of_U3CupdatedU3Ek__BackingField_1() { return &___U3CupdatedU3Ek__BackingField_1; }
inline void set_U3CupdatedU3Ek__BackingField_1(List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * value)
{
___U3CupdatedU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CupdatedU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CremovedU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(ARHumanBodiesChangedEventArgs_t03BC9E10B0F7EA109F54F589571A7FCE26B18729, ___U3CremovedU3Ek__BackingField_2)); }
inline List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * get_U3CremovedU3Ek__BackingField_2() const { return ___U3CremovedU3Ek__BackingField_2; }
inline List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 ** get_address_of_U3CremovedU3Ek__BackingField_2() { return &___U3CremovedU3Ek__BackingField_2; }
inline void set_U3CremovedU3Ek__BackingField_2(List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * value)
{
___U3CremovedU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CremovedU3Ek__BackingField_2), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARFoundation.ARHumanBodiesChangedEventArgs
struct ARHumanBodiesChangedEventArgs_t03BC9E10B0F7EA109F54F589571A7FCE26B18729_marshaled_pinvoke
{
List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * ___U3CaddedU3Ek__BackingField_0;
List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * ___U3CupdatedU3Ek__BackingField_1;
List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * ___U3CremovedU3Ek__BackingField_2;
};
// Native definition for COM marshalling of UnityEngine.XR.ARFoundation.ARHumanBodiesChangedEventArgs
struct ARHumanBodiesChangedEventArgs_t03BC9E10B0F7EA109F54F589571A7FCE26B18729_marshaled_com
{
List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * ___U3CaddedU3Ek__BackingField_0;
List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * ___U3CupdatedU3Ek__BackingField_1;
List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * ___U3CremovedU3Ek__BackingField_2;
};
// UnityEngine.XR.ARFoundation.ARMeshesChangedEventArgs
struct ARMeshesChangedEventArgs_t06713ECAD9AF2974D409426B639B83B98D2B35E5
{
public:
// System.Collections.Generic.List`1<UnityEngine.MeshFilter> UnityEngine.XR.ARFoundation.ARMeshesChangedEventArgs::<added>k__BackingField
List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * ___U3CaddedU3Ek__BackingField_0;
// System.Collections.Generic.List`1<UnityEngine.MeshFilter> UnityEngine.XR.ARFoundation.ARMeshesChangedEventArgs::<updated>k__BackingField
List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * ___U3CupdatedU3Ek__BackingField_1;
// System.Collections.Generic.List`1<UnityEngine.MeshFilter> UnityEngine.XR.ARFoundation.ARMeshesChangedEventArgs::<removed>k__BackingField
List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * ___U3CremovedU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CaddedU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(ARMeshesChangedEventArgs_t06713ECAD9AF2974D409426B639B83B98D2B35E5, ___U3CaddedU3Ek__BackingField_0)); }
inline List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * get_U3CaddedU3Ek__BackingField_0() const { return ___U3CaddedU3Ek__BackingField_0; }
inline List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E ** get_address_of_U3CaddedU3Ek__BackingField_0() { return &___U3CaddedU3Ek__BackingField_0; }
inline void set_U3CaddedU3Ek__BackingField_0(List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * value)
{
___U3CaddedU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CaddedU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CupdatedU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(ARMeshesChangedEventArgs_t06713ECAD9AF2974D409426B639B83B98D2B35E5, ___U3CupdatedU3Ek__BackingField_1)); }
inline List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * get_U3CupdatedU3Ek__BackingField_1() const { return ___U3CupdatedU3Ek__BackingField_1; }
inline List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E ** get_address_of_U3CupdatedU3Ek__BackingField_1() { return &___U3CupdatedU3Ek__BackingField_1; }
inline void set_U3CupdatedU3Ek__BackingField_1(List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * value)
{
___U3CupdatedU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CupdatedU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CremovedU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(ARMeshesChangedEventArgs_t06713ECAD9AF2974D409426B639B83B98D2B35E5, ___U3CremovedU3Ek__BackingField_2)); }
inline List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * get_U3CremovedU3Ek__BackingField_2() const { return ___U3CremovedU3Ek__BackingField_2; }
inline List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E ** get_address_of_U3CremovedU3Ek__BackingField_2() { return &___U3CremovedU3Ek__BackingField_2; }
inline void set_U3CremovedU3Ek__BackingField_2(List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * value)
{
___U3CremovedU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CremovedU3Ek__BackingField_2), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARFoundation.ARMeshesChangedEventArgs
struct ARMeshesChangedEventArgs_t06713ECAD9AF2974D409426B639B83B98D2B35E5_marshaled_pinvoke
{
List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * ___U3CaddedU3Ek__BackingField_0;
List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * ___U3CupdatedU3Ek__BackingField_1;
List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * ___U3CremovedU3Ek__BackingField_2;
};
// Native definition for COM marshalling of UnityEngine.XR.ARFoundation.ARMeshesChangedEventArgs
struct ARMeshesChangedEventArgs_t06713ECAD9AF2974D409426B639B83B98D2B35E5_marshaled_com
{
List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * ___U3CaddedU3Ek__BackingField_0;
List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * ___U3CupdatedU3Ek__BackingField_1;
List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * ___U3CremovedU3Ek__BackingField_2;
};
// UnityEngine.XR.ARFoundation.AROcclusionFrameEventArgs
struct AROcclusionFrameEventArgs_t9F744F233B658BEAD4AB89A404804C5FF8B23CC0
{
public:
// System.Collections.Generic.List`1<UnityEngine.Texture2D> UnityEngine.XR.ARFoundation.AROcclusionFrameEventArgs::<textures>k__BackingField
List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7 * ___U3CtexturesU3Ek__BackingField_0;
// System.Collections.Generic.List`1<System.Int32> UnityEngine.XR.ARFoundation.AROcclusionFrameEventArgs::<propertyNameIds>k__BackingField
List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * ___U3CpropertyNameIdsU3Ek__BackingField_1;
// System.Collections.Generic.List`1<System.String> UnityEngine.XR.ARFoundation.AROcclusionFrameEventArgs::<enabledMaterialKeywords>k__BackingField
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___U3CenabledMaterialKeywordsU3Ek__BackingField_2;
// System.Collections.Generic.List`1<System.String> UnityEngine.XR.ARFoundation.AROcclusionFrameEventArgs::<disabledMaterialKeywords>k__BackingField
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___U3CdisabledMaterialKeywordsU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CtexturesU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(AROcclusionFrameEventArgs_t9F744F233B658BEAD4AB89A404804C5FF8B23CC0, ___U3CtexturesU3Ek__BackingField_0)); }
inline List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7 * get_U3CtexturesU3Ek__BackingField_0() const { return ___U3CtexturesU3Ek__BackingField_0; }
inline List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7 ** get_address_of_U3CtexturesU3Ek__BackingField_0() { return &___U3CtexturesU3Ek__BackingField_0; }
inline void set_U3CtexturesU3Ek__BackingField_0(List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7 * value)
{
___U3CtexturesU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CtexturesU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CpropertyNameIdsU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(AROcclusionFrameEventArgs_t9F744F233B658BEAD4AB89A404804C5FF8B23CC0, ___U3CpropertyNameIdsU3Ek__BackingField_1)); }
inline List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * get_U3CpropertyNameIdsU3Ek__BackingField_1() const { return ___U3CpropertyNameIdsU3Ek__BackingField_1; }
inline List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 ** get_address_of_U3CpropertyNameIdsU3Ek__BackingField_1() { return &___U3CpropertyNameIdsU3Ek__BackingField_1; }
inline void set_U3CpropertyNameIdsU3Ek__BackingField_1(List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * value)
{
___U3CpropertyNameIdsU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CpropertyNameIdsU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CenabledMaterialKeywordsU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(AROcclusionFrameEventArgs_t9F744F233B658BEAD4AB89A404804C5FF8B23CC0, ___U3CenabledMaterialKeywordsU3Ek__BackingField_2)); }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * get_U3CenabledMaterialKeywordsU3Ek__BackingField_2() const { return ___U3CenabledMaterialKeywordsU3Ek__BackingField_2; }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 ** get_address_of_U3CenabledMaterialKeywordsU3Ek__BackingField_2() { return &___U3CenabledMaterialKeywordsU3Ek__BackingField_2; }
inline void set_U3CenabledMaterialKeywordsU3Ek__BackingField_2(List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * value)
{
___U3CenabledMaterialKeywordsU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CenabledMaterialKeywordsU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CdisabledMaterialKeywordsU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(AROcclusionFrameEventArgs_t9F744F233B658BEAD4AB89A404804C5FF8B23CC0, ___U3CdisabledMaterialKeywordsU3Ek__BackingField_3)); }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * get_U3CdisabledMaterialKeywordsU3Ek__BackingField_3() const { return ___U3CdisabledMaterialKeywordsU3Ek__BackingField_3; }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 ** get_address_of_U3CdisabledMaterialKeywordsU3Ek__BackingField_3() { return &___U3CdisabledMaterialKeywordsU3Ek__BackingField_3; }
inline void set_U3CdisabledMaterialKeywordsU3Ek__BackingField_3(List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * value)
{
___U3CdisabledMaterialKeywordsU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CdisabledMaterialKeywordsU3Ek__BackingField_3), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARFoundation.AROcclusionFrameEventArgs
struct AROcclusionFrameEventArgs_t9F744F233B658BEAD4AB89A404804C5FF8B23CC0_marshaled_pinvoke
{
List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7 * ___U3CtexturesU3Ek__BackingField_0;
List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * ___U3CpropertyNameIdsU3Ek__BackingField_1;
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___U3CenabledMaterialKeywordsU3Ek__BackingField_2;
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___U3CdisabledMaterialKeywordsU3Ek__BackingField_3;
};
// Native definition for COM marshalling of UnityEngine.XR.ARFoundation.AROcclusionFrameEventArgs
struct AROcclusionFrameEventArgs_t9F744F233B658BEAD4AB89A404804C5FF8B23CC0_marshaled_com
{
List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7 * ___U3CtexturesU3Ek__BackingField_0;
List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * ___U3CpropertyNameIdsU3Ek__BackingField_1;
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___U3CenabledMaterialKeywordsU3Ek__BackingField_2;
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___U3CdisabledMaterialKeywordsU3Ek__BackingField_3;
};
// UnityEngine.XR.ARFoundation.ARParticipantsChangedEventArgs
struct ARParticipantsChangedEventArgs_tE7D46B14884B7CC3D05BA163A51AFC0029773A4A
{
public:
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARParticipant> UnityEngine.XR.ARFoundation.ARParticipantsChangedEventArgs::<added>k__BackingField
List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * ___U3CaddedU3Ek__BackingField_0;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARParticipant> UnityEngine.XR.ARFoundation.ARParticipantsChangedEventArgs::<updated>k__BackingField
List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * ___U3CupdatedU3Ek__BackingField_1;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARParticipant> UnityEngine.XR.ARFoundation.ARParticipantsChangedEventArgs::<removed>k__BackingField
List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * ___U3CremovedU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CaddedU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(ARParticipantsChangedEventArgs_tE7D46B14884B7CC3D05BA163A51AFC0029773A4A, ___U3CaddedU3Ek__BackingField_0)); }
inline List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * get_U3CaddedU3Ek__BackingField_0() const { return ___U3CaddedU3Ek__BackingField_0; }
inline List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E ** get_address_of_U3CaddedU3Ek__BackingField_0() { return &___U3CaddedU3Ek__BackingField_0; }
inline void set_U3CaddedU3Ek__BackingField_0(List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * value)
{
___U3CaddedU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CaddedU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CupdatedU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(ARParticipantsChangedEventArgs_tE7D46B14884B7CC3D05BA163A51AFC0029773A4A, ___U3CupdatedU3Ek__BackingField_1)); }
inline List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * get_U3CupdatedU3Ek__BackingField_1() const { return ___U3CupdatedU3Ek__BackingField_1; }
inline List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E ** get_address_of_U3CupdatedU3Ek__BackingField_1() { return &___U3CupdatedU3Ek__BackingField_1; }
inline void set_U3CupdatedU3Ek__BackingField_1(List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * value)
{
___U3CupdatedU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CupdatedU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CremovedU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(ARParticipantsChangedEventArgs_tE7D46B14884B7CC3D05BA163A51AFC0029773A4A, ___U3CremovedU3Ek__BackingField_2)); }
inline List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * get_U3CremovedU3Ek__BackingField_2() const { return ___U3CremovedU3Ek__BackingField_2; }
inline List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E ** get_address_of_U3CremovedU3Ek__BackingField_2() { return &___U3CremovedU3Ek__BackingField_2; }
inline void set_U3CremovedU3Ek__BackingField_2(List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * value)
{
___U3CremovedU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CremovedU3Ek__BackingField_2), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARFoundation.ARParticipantsChangedEventArgs
struct ARParticipantsChangedEventArgs_tE7D46B14884B7CC3D05BA163A51AFC0029773A4A_marshaled_pinvoke
{
List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * ___U3CaddedU3Ek__BackingField_0;
List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * ___U3CupdatedU3Ek__BackingField_1;
List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * ___U3CremovedU3Ek__BackingField_2;
};
// Native definition for COM marshalling of UnityEngine.XR.ARFoundation.ARParticipantsChangedEventArgs
struct ARParticipantsChangedEventArgs_tE7D46B14884B7CC3D05BA163A51AFC0029773A4A_marshaled_com
{
List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * ___U3CaddedU3Ek__BackingField_0;
List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * ___U3CupdatedU3Ek__BackingField_1;
List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * ___U3CremovedU3Ek__BackingField_2;
};
// UnityEngine.XR.ARFoundation.ARPlaneBoundaryChangedEventArgs
struct ARPlaneBoundaryChangedEventArgs_t6B93A5A70BFA40A2722C0351B2401EE7375D30D8
{
public:
// UnityEngine.XR.ARFoundation.ARPlane UnityEngine.XR.ARFoundation.ARPlaneBoundaryChangedEventArgs::<plane>k__BackingField
ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891 * ___U3CplaneU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CplaneU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(ARPlaneBoundaryChangedEventArgs_t6B93A5A70BFA40A2722C0351B2401EE7375D30D8, ___U3CplaneU3Ek__BackingField_0)); }
inline ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891 * get_U3CplaneU3Ek__BackingField_0() const { return ___U3CplaneU3Ek__BackingField_0; }
inline ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891 ** get_address_of_U3CplaneU3Ek__BackingField_0() { return &___U3CplaneU3Ek__BackingField_0; }
inline void set_U3CplaneU3Ek__BackingField_0(ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891 * value)
{
___U3CplaneU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CplaneU3Ek__BackingField_0), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARFoundation.ARPlaneBoundaryChangedEventArgs
struct ARPlaneBoundaryChangedEventArgs_t6B93A5A70BFA40A2722C0351B2401EE7375D30D8_marshaled_pinvoke
{
ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891 * ___U3CplaneU3Ek__BackingField_0;
};
// Native definition for COM marshalling of UnityEngine.XR.ARFoundation.ARPlaneBoundaryChangedEventArgs
struct ARPlaneBoundaryChangedEventArgs_t6B93A5A70BFA40A2722C0351B2401EE7375D30D8_marshaled_com
{
ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891 * ___U3CplaneU3Ek__BackingField_0;
};
// UnityEngine.XR.ARFoundation.ARPlanesChangedEventArgs
struct ARPlanesChangedEventArgs_tBF7407003D3B2F49087DBED7DEEBD8803466E6CF
{
public:
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARPlane> UnityEngine.XR.ARFoundation.ARPlanesChangedEventArgs::<added>k__BackingField
List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * ___U3CaddedU3Ek__BackingField_0;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARPlane> UnityEngine.XR.ARFoundation.ARPlanesChangedEventArgs::<updated>k__BackingField
List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * ___U3CupdatedU3Ek__BackingField_1;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARPlane> UnityEngine.XR.ARFoundation.ARPlanesChangedEventArgs::<removed>k__BackingField
List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * ___U3CremovedU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CaddedU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(ARPlanesChangedEventArgs_tBF7407003D3B2F49087DBED7DEEBD8803466E6CF, ___U3CaddedU3Ek__BackingField_0)); }
inline List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * get_U3CaddedU3Ek__BackingField_0() const { return ___U3CaddedU3Ek__BackingField_0; }
inline List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 ** get_address_of_U3CaddedU3Ek__BackingField_0() { return &___U3CaddedU3Ek__BackingField_0; }
inline void set_U3CaddedU3Ek__BackingField_0(List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * value)
{
___U3CaddedU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CaddedU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CupdatedU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(ARPlanesChangedEventArgs_tBF7407003D3B2F49087DBED7DEEBD8803466E6CF, ___U3CupdatedU3Ek__BackingField_1)); }
inline List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * get_U3CupdatedU3Ek__BackingField_1() const { return ___U3CupdatedU3Ek__BackingField_1; }
inline List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 ** get_address_of_U3CupdatedU3Ek__BackingField_1() { return &___U3CupdatedU3Ek__BackingField_1; }
inline void set_U3CupdatedU3Ek__BackingField_1(List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * value)
{
___U3CupdatedU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CupdatedU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CremovedU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(ARPlanesChangedEventArgs_tBF7407003D3B2F49087DBED7DEEBD8803466E6CF, ___U3CremovedU3Ek__BackingField_2)); }
inline List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * get_U3CremovedU3Ek__BackingField_2() const { return ___U3CremovedU3Ek__BackingField_2; }
inline List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 ** get_address_of_U3CremovedU3Ek__BackingField_2() { return &___U3CremovedU3Ek__BackingField_2; }
inline void set_U3CremovedU3Ek__BackingField_2(List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * value)
{
___U3CremovedU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CremovedU3Ek__BackingField_2), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARFoundation.ARPlanesChangedEventArgs
struct ARPlanesChangedEventArgs_tBF7407003D3B2F49087DBED7DEEBD8803466E6CF_marshaled_pinvoke
{
List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * ___U3CaddedU3Ek__BackingField_0;
List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * ___U3CupdatedU3Ek__BackingField_1;
List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * ___U3CremovedU3Ek__BackingField_2;
};
// Native definition for COM marshalling of UnityEngine.XR.ARFoundation.ARPlanesChangedEventArgs
struct ARPlanesChangedEventArgs_tBF7407003D3B2F49087DBED7DEEBD8803466E6CF_marshaled_com
{
List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * ___U3CaddedU3Ek__BackingField_0;
List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * ___U3CupdatedU3Ek__BackingField_1;
List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * ___U3CremovedU3Ek__BackingField_2;
};
// UnityEngine.XR.ARFoundation.ARPointCloudChangedEventArgs
struct ARPointCloudChangedEventArgs_t1531F6AE2CFDE8B9CF209F070465A20E1A235A36
{
public:
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARPointCloud> UnityEngine.XR.ARFoundation.ARPointCloudChangedEventArgs::<added>k__BackingField
List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * ___U3CaddedU3Ek__BackingField_0;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARPointCloud> UnityEngine.XR.ARFoundation.ARPointCloudChangedEventArgs::<updated>k__BackingField
List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * ___U3CupdatedU3Ek__BackingField_1;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARPointCloud> UnityEngine.XR.ARFoundation.ARPointCloudChangedEventArgs::<removed>k__BackingField
List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * ___U3CremovedU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CaddedU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(ARPointCloudChangedEventArgs_t1531F6AE2CFDE8B9CF209F070465A20E1A235A36, ___U3CaddedU3Ek__BackingField_0)); }
inline List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * get_U3CaddedU3Ek__BackingField_0() const { return ___U3CaddedU3Ek__BackingField_0; }
inline List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 ** get_address_of_U3CaddedU3Ek__BackingField_0() { return &___U3CaddedU3Ek__BackingField_0; }
inline void set_U3CaddedU3Ek__BackingField_0(List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * value)
{
___U3CaddedU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CaddedU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CupdatedU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(ARPointCloudChangedEventArgs_t1531F6AE2CFDE8B9CF209F070465A20E1A235A36, ___U3CupdatedU3Ek__BackingField_1)); }
inline List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * get_U3CupdatedU3Ek__BackingField_1() const { return ___U3CupdatedU3Ek__BackingField_1; }
inline List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 ** get_address_of_U3CupdatedU3Ek__BackingField_1() { return &___U3CupdatedU3Ek__BackingField_1; }
inline void set_U3CupdatedU3Ek__BackingField_1(List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * value)
{
___U3CupdatedU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CupdatedU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CremovedU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(ARPointCloudChangedEventArgs_t1531F6AE2CFDE8B9CF209F070465A20E1A235A36, ___U3CremovedU3Ek__BackingField_2)); }
inline List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * get_U3CremovedU3Ek__BackingField_2() const { return ___U3CremovedU3Ek__BackingField_2; }
inline List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 ** get_address_of_U3CremovedU3Ek__BackingField_2() { return &___U3CremovedU3Ek__BackingField_2; }
inline void set_U3CremovedU3Ek__BackingField_2(List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * value)
{
___U3CremovedU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CremovedU3Ek__BackingField_2), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARFoundation.ARPointCloudChangedEventArgs
struct ARPointCloudChangedEventArgs_t1531F6AE2CFDE8B9CF209F070465A20E1A235A36_marshaled_pinvoke
{
List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * ___U3CaddedU3Ek__BackingField_0;
List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * ___U3CupdatedU3Ek__BackingField_1;
List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * ___U3CremovedU3Ek__BackingField_2;
};
// Native definition for COM marshalling of UnityEngine.XR.ARFoundation.ARPointCloudChangedEventArgs
struct ARPointCloudChangedEventArgs_t1531F6AE2CFDE8B9CF209F070465A20E1A235A36_marshaled_com
{
List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * ___U3CaddedU3Ek__BackingField_0;
List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * ___U3CupdatedU3Ek__BackingField_1;
List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * ___U3CremovedU3Ek__BackingField_2;
};
// System.Text.ASCIIEncoding
struct ASCIIEncoding_t74F7DFFB8BC8B90AC1F688A990EAD43CDE0B2527 : public Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827
{
public:
public:
};
// System.Runtime.Remoting.ActivatedClientTypeEntry
struct ActivatedClientTypeEntry_t66A69B1534DEAA65BB13C418074C41B27F4662A3 : public TypeEntry_tE6A29217B055E31F4568B08F627D9BD7E4B28DE5
{
public:
// System.String System.Runtime.Remoting.ActivatedClientTypeEntry::applicationUrl
String_t* ___applicationUrl_2;
// System.Type System.Runtime.Remoting.ActivatedClientTypeEntry::obj_type
Type_t * ___obj_type_3;
public:
inline static int32_t get_offset_of_applicationUrl_2() { return static_cast<int32_t>(offsetof(ActivatedClientTypeEntry_t66A69B1534DEAA65BB13C418074C41B27F4662A3, ___applicationUrl_2)); }
inline String_t* get_applicationUrl_2() const { return ___applicationUrl_2; }
inline String_t** get_address_of_applicationUrl_2() { return &___applicationUrl_2; }
inline void set_applicationUrl_2(String_t* value)
{
___applicationUrl_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___applicationUrl_2), (void*)value);
}
inline static int32_t get_offset_of_obj_type_3() { return static_cast<int32_t>(offsetof(ActivatedClientTypeEntry_t66A69B1534DEAA65BB13C418074C41B27F4662A3, ___obj_type_3)); }
inline Type_t * get_obj_type_3() const { return ___obj_type_3; }
inline Type_t ** get_address_of_obj_type_3() { return &___obj_type_3; }
inline void set_obj_type_3(Type_t * value)
{
___obj_type_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___obj_type_3), (void*)value);
}
};
// System.Runtime.Remoting.ActivatedServiceTypeEntry
struct ActivatedServiceTypeEntry_t0DA790E1B80AFC9F7C69388B70AEC3F24C706274 : public TypeEntry_tE6A29217B055E31F4568B08F627D9BD7E4B28DE5
{
public:
// System.Type System.Runtime.Remoting.ActivatedServiceTypeEntry::obj_type
Type_t * ___obj_type_2;
public:
inline static int32_t get_offset_of_obj_type_2() { return static_cast<int32_t>(offsetof(ActivatedServiceTypeEntry_t0DA790E1B80AFC9F7C69388B70AEC3F24C706274, ___obj_type_2)); }
inline Type_t * get_obj_type_2() const { return ___obj_type_2; }
inline Type_t ** get_address_of_obj_type_2() { return &___obj_type_2; }
inline void set_obj_type_2(Type_t * value)
{
___obj_type_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___obj_type_2), (void*)value);
}
};
// UnityEngine.AddComponentMenu
struct AddComponentMenu_t3477A931DC56E9A4F67FFA5745D657ADD2931100 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String UnityEngine.AddComponentMenu::m_AddComponentMenu
String_t* ___m_AddComponentMenu_0;
// System.Int32 UnityEngine.AddComponentMenu::m_Ordering
int32_t ___m_Ordering_1;
public:
inline static int32_t get_offset_of_m_AddComponentMenu_0() { return static_cast<int32_t>(offsetof(AddComponentMenu_t3477A931DC56E9A4F67FFA5745D657ADD2931100, ___m_AddComponentMenu_0)); }
inline String_t* get_m_AddComponentMenu_0() const { return ___m_AddComponentMenu_0; }
inline String_t** get_address_of_m_AddComponentMenu_0() { return &___m_AddComponentMenu_0; }
inline void set_m_AddComponentMenu_0(String_t* value)
{
___m_AddComponentMenu_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_AddComponentMenu_0), (void*)value);
}
inline static int32_t get_offset_of_m_Ordering_1() { return static_cast<int32_t>(offsetof(AddComponentMenu_t3477A931DC56E9A4F67FFA5745D657ADD2931100, ___m_Ordering_1)); }
inline int32_t get_m_Ordering_1() const { return ___m_Ordering_1; }
inline int32_t* get_address_of_m_Ordering_1() { return &___m_Ordering_1; }
inline void set_m_Ordering_1(int32_t value)
{
___m_Ordering_1 = value;
}
};
// UnityEngine.Scripting.AlwaysLinkAssemblyAttribute
struct AlwaysLinkAssemblyAttribute_t1FF5118B2537571E3B8C038B2F382113F5385715 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.AnimatorClipInfo
struct AnimatorClipInfo_t758011D6F2B4C04893FCD364DAA936C801FBC610
{
public:
// System.Int32 UnityEngine.AnimatorClipInfo::m_ClipInstanceID
int32_t ___m_ClipInstanceID_0;
// System.Single UnityEngine.AnimatorClipInfo::m_Weight
float ___m_Weight_1;
public:
inline static int32_t get_offset_of_m_ClipInstanceID_0() { return static_cast<int32_t>(offsetof(AnimatorClipInfo_t758011D6F2B4C04893FCD364DAA936C801FBC610, ___m_ClipInstanceID_0)); }
inline int32_t get_m_ClipInstanceID_0() const { return ___m_ClipInstanceID_0; }
inline int32_t* get_address_of_m_ClipInstanceID_0() { return &___m_ClipInstanceID_0; }
inline void set_m_ClipInstanceID_0(int32_t value)
{
___m_ClipInstanceID_0 = value;
}
inline static int32_t get_offset_of_m_Weight_1() { return static_cast<int32_t>(offsetof(AnimatorClipInfo_t758011D6F2B4C04893FCD364DAA936C801FBC610, ___m_Weight_1)); }
inline float get_m_Weight_1() const { return ___m_Weight_1; }
inline float* get_address_of_m_Weight_1() { return &___m_Weight_1; }
inline void set_m_Weight_1(float value)
{
___m_Weight_1 = value;
}
};
// UnityEngine.AnimatorStateInfo
struct AnimatorStateInfo_t052E146D2DB1EC155950ECA45734BF57134258AA
{
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_t052E146D2DB1EC155950ECA45734BF57134258AA, ___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_t052E146D2DB1EC155950ECA45734BF57134258AA, ___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_t052E146D2DB1EC155950ECA45734BF57134258AA, ___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_t052E146D2DB1EC155950ECA45734BF57134258AA, ___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_t052E146D2DB1EC155950ECA45734BF57134258AA, ___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_t052E146D2DB1EC155950ECA45734BF57134258AA, ___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_t052E146D2DB1EC155950ECA45734BF57134258AA, ___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_t052E146D2DB1EC155950ECA45734BF57134258AA, ___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_t052E146D2DB1EC155950ECA45734BF57134258AA, ___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;
}
};
// UnityEngine.AnimatorTransitionInfo
struct AnimatorTransitionInfo_t7D0BAD3D274C055F1FC7ACE0F3A195CA3C9026A0
{
public:
// System.Int32 UnityEngine.AnimatorTransitionInfo::m_FullPath
int32_t ___m_FullPath_0;
// System.Int32 UnityEngine.AnimatorTransitionInfo::m_UserName
int32_t ___m_UserName_1;
// System.Int32 UnityEngine.AnimatorTransitionInfo::m_Name
int32_t ___m_Name_2;
// System.Boolean UnityEngine.AnimatorTransitionInfo::m_HasFixedDuration
bool ___m_HasFixedDuration_3;
// System.Single UnityEngine.AnimatorTransitionInfo::m_Duration
float ___m_Duration_4;
// System.Single UnityEngine.AnimatorTransitionInfo::m_NormalizedTime
float ___m_NormalizedTime_5;
// System.Boolean UnityEngine.AnimatorTransitionInfo::m_AnyState
bool ___m_AnyState_6;
// System.Int32 UnityEngine.AnimatorTransitionInfo::m_TransitionType
int32_t ___m_TransitionType_7;
public:
inline static int32_t get_offset_of_m_FullPath_0() { return static_cast<int32_t>(offsetof(AnimatorTransitionInfo_t7D0BAD3D274C055F1FC7ACE0F3A195CA3C9026A0, ___m_FullPath_0)); }
inline int32_t get_m_FullPath_0() const { return ___m_FullPath_0; }
inline int32_t* get_address_of_m_FullPath_0() { return &___m_FullPath_0; }
inline void set_m_FullPath_0(int32_t value)
{
___m_FullPath_0 = value;
}
inline static int32_t get_offset_of_m_UserName_1() { return static_cast<int32_t>(offsetof(AnimatorTransitionInfo_t7D0BAD3D274C055F1FC7ACE0F3A195CA3C9026A0, ___m_UserName_1)); }
inline int32_t get_m_UserName_1() const { return ___m_UserName_1; }
inline int32_t* get_address_of_m_UserName_1() { return &___m_UserName_1; }
inline void set_m_UserName_1(int32_t value)
{
___m_UserName_1 = value;
}
inline static int32_t get_offset_of_m_Name_2() { return static_cast<int32_t>(offsetof(AnimatorTransitionInfo_t7D0BAD3D274C055F1FC7ACE0F3A195CA3C9026A0, ___m_Name_2)); }
inline int32_t get_m_Name_2() const { return ___m_Name_2; }
inline int32_t* get_address_of_m_Name_2() { return &___m_Name_2; }
inline void set_m_Name_2(int32_t value)
{
___m_Name_2 = value;
}
inline static int32_t get_offset_of_m_HasFixedDuration_3() { return static_cast<int32_t>(offsetof(AnimatorTransitionInfo_t7D0BAD3D274C055F1FC7ACE0F3A195CA3C9026A0, ___m_HasFixedDuration_3)); }
inline bool get_m_HasFixedDuration_3() const { return ___m_HasFixedDuration_3; }
inline bool* get_address_of_m_HasFixedDuration_3() { return &___m_HasFixedDuration_3; }
inline void set_m_HasFixedDuration_3(bool value)
{
___m_HasFixedDuration_3 = value;
}
inline static int32_t get_offset_of_m_Duration_4() { return static_cast<int32_t>(offsetof(AnimatorTransitionInfo_t7D0BAD3D274C055F1FC7ACE0F3A195CA3C9026A0, ___m_Duration_4)); }
inline float get_m_Duration_4() const { return ___m_Duration_4; }
inline float* get_address_of_m_Duration_4() { return &___m_Duration_4; }
inline void set_m_Duration_4(float value)
{
___m_Duration_4 = value;
}
inline static int32_t get_offset_of_m_NormalizedTime_5() { return static_cast<int32_t>(offsetof(AnimatorTransitionInfo_t7D0BAD3D274C055F1FC7ACE0F3A195CA3C9026A0, ___m_NormalizedTime_5)); }
inline float get_m_NormalizedTime_5() const { return ___m_NormalizedTime_5; }
inline float* get_address_of_m_NormalizedTime_5() { return &___m_NormalizedTime_5; }
inline void set_m_NormalizedTime_5(float value)
{
___m_NormalizedTime_5 = value;
}
inline static int32_t get_offset_of_m_AnyState_6() { return static_cast<int32_t>(offsetof(AnimatorTransitionInfo_t7D0BAD3D274C055F1FC7ACE0F3A195CA3C9026A0, ___m_AnyState_6)); }
inline bool get_m_AnyState_6() const { return ___m_AnyState_6; }
inline bool* get_address_of_m_AnyState_6() { return &___m_AnyState_6; }
inline void set_m_AnyState_6(bool value)
{
___m_AnyState_6 = value;
}
inline static int32_t get_offset_of_m_TransitionType_7() { return static_cast<int32_t>(offsetof(AnimatorTransitionInfo_t7D0BAD3D274C055F1FC7ACE0F3A195CA3C9026A0, ___m_TransitionType_7)); }
inline int32_t get_m_TransitionType_7() const { return ___m_TransitionType_7; }
inline int32_t* get_address_of_m_TransitionType_7() { return &___m_TransitionType_7; }
inline void set_m_TransitionType_7(int32_t value)
{
___m_TransitionType_7 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.AnimatorTransitionInfo
struct AnimatorTransitionInfo_t7D0BAD3D274C055F1FC7ACE0F3A195CA3C9026A0_marshaled_pinvoke
{
int32_t ___m_FullPath_0;
int32_t ___m_UserName_1;
int32_t ___m_Name_2;
int32_t ___m_HasFixedDuration_3;
float ___m_Duration_4;
float ___m_NormalizedTime_5;
int32_t ___m_AnyState_6;
int32_t ___m_TransitionType_7;
};
// Native definition for COM marshalling of UnityEngine.AnimatorTransitionInfo
struct AnimatorTransitionInfo_t7D0BAD3D274C055F1FC7ACE0F3A195CA3C9026A0_marshaled_com
{
int32_t ___m_FullPath_0;
int32_t ___m_UserName_1;
int32_t ___m_Name_2;
int32_t ___m_HasFixedDuration_3;
float ___m_Duration_4;
float ___m_NormalizedTime_5;
int32_t ___m_AnyState_6;
int32_t ___m_TransitionType_7;
};
// System.Reflection.AssemblyCompanyAttribute
struct AssemblyCompanyAttribute_t642AAB097D7DEAAB623BEBE4664327E9B01D1DE4 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Reflection.AssemblyCompanyAttribute::m_company
String_t* ___m_company_0;
public:
inline static int32_t get_offset_of_m_company_0() { return static_cast<int32_t>(offsetof(AssemblyCompanyAttribute_t642AAB097D7DEAAB623BEBE4664327E9B01D1DE4, ___m_company_0)); }
inline String_t* get_m_company_0() const { return ___m_company_0; }
inline String_t** get_address_of_m_company_0() { return &___m_company_0; }
inline void set_m_company_0(String_t* value)
{
___m_company_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_company_0), (void*)value);
}
};
// System.Reflection.AssemblyConfigurationAttribute
struct AssemblyConfigurationAttribute_t071B324A83314FBA14A43F37BE7206C420218B7C : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Reflection.AssemblyConfigurationAttribute::m_configuration
String_t* ___m_configuration_0;
public:
inline static int32_t get_offset_of_m_configuration_0() { return static_cast<int32_t>(offsetof(AssemblyConfigurationAttribute_t071B324A83314FBA14A43F37BE7206C420218B7C, ___m_configuration_0)); }
inline String_t* get_m_configuration_0() const { return ___m_configuration_0; }
inline String_t** get_address_of_m_configuration_0() { return &___m_configuration_0; }
inline void set_m_configuration_0(String_t* value)
{
___m_configuration_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_configuration_0), (void*)value);
}
};
// System.Reflection.AssemblyCopyrightAttribute
struct AssemblyCopyrightAttribute_tA6A09319EF50B48D962810032000DEE7B12904EC : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Reflection.AssemblyCopyrightAttribute::m_copyright
String_t* ___m_copyright_0;
public:
inline static int32_t get_offset_of_m_copyright_0() { return static_cast<int32_t>(offsetof(AssemblyCopyrightAttribute_tA6A09319EF50B48D962810032000DEE7B12904EC, ___m_copyright_0)); }
inline String_t* get_m_copyright_0() const { return ___m_copyright_0; }
inline String_t** get_address_of_m_copyright_0() { return &___m_copyright_0; }
inline void set_m_copyright_0(String_t* value)
{
___m_copyright_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_copyright_0), (void*)value);
}
};
// System.Reflection.AssemblyDefaultAliasAttribute
struct AssemblyDefaultAliasAttribute_tBED24B7B2D875CB2BD712ABC4099024C2505B7AA : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Reflection.AssemblyDefaultAliasAttribute::m_defaultAlias
String_t* ___m_defaultAlias_0;
public:
inline static int32_t get_offset_of_m_defaultAlias_0() { return static_cast<int32_t>(offsetof(AssemblyDefaultAliasAttribute_tBED24B7B2D875CB2BD712ABC4099024C2505B7AA, ___m_defaultAlias_0)); }
inline String_t* get_m_defaultAlias_0() const { return ___m_defaultAlias_0; }
inline String_t** get_address_of_m_defaultAlias_0() { return &___m_defaultAlias_0; }
inline void set_m_defaultAlias_0(String_t* value)
{
___m_defaultAlias_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_defaultAlias_0), (void*)value);
}
};
// System.Reflection.AssemblyDelaySignAttribute
struct AssemblyDelaySignAttribute_tB66445498441723DC06E545FAA1CF0F128A1FE38 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Boolean System.Reflection.AssemblyDelaySignAttribute::m_delaySign
bool ___m_delaySign_0;
public:
inline static int32_t get_offset_of_m_delaySign_0() { return static_cast<int32_t>(offsetof(AssemblyDelaySignAttribute_tB66445498441723DC06E545FAA1CF0F128A1FE38, ___m_delaySign_0)); }
inline bool get_m_delaySign_0() const { return ___m_delaySign_0; }
inline bool* get_address_of_m_delaySign_0() { return &___m_delaySign_0; }
inline void set_m_delaySign_0(bool value)
{
___m_delaySign_0 = value;
}
};
// System.Reflection.AssemblyDescriptionAttribute
struct AssemblyDescriptionAttribute_tF4460CCB289F6E2F71841792BBC7E6907DF612B3 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Reflection.AssemblyDescriptionAttribute::m_description
String_t* ___m_description_0;
public:
inline static int32_t get_offset_of_m_description_0() { return static_cast<int32_t>(offsetof(AssemblyDescriptionAttribute_tF4460CCB289F6E2F71841792BBC7E6907DF612B3, ___m_description_0)); }
inline String_t* get_m_description_0() const { return ___m_description_0; }
inline String_t** get_address_of_m_description_0() { return &___m_description_0; }
inline void set_m_description_0(String_t* value)
{
___m_description_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_description_0), (void*)value);
}
};
// System.Reflection.AssemblyFileVersionAttribute
struct AssemblyFileVersionAttribute_tCC1036D0566155DC5688D9230EF3C07D82A1896F : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Reflection.AssemblyFileVersionAttribute::_version
String_t* ____version_0;
public:
inline static int32_t get_offset_of__version_0() { return static_cast<int32_t>(offsetof(AssemblyFileVersionAttribute_tCC1036D0566155DC5688D9230EF3C07D82A1896F, ____version_0)); }
inline String_t* get__version_0() const { return ____version_0; }
inline String_t** get_address_of__version_0() { return &____version_0; }
inline void set__version_0(String_t* value)
{
____version_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____version_0), (void*)value);
}
};
// System.Reflection.AssemblyInformationalVersionAttribute
struct AssemblyInformationalVersionAttribute_t962229DBE84C4A66FB0B542E9AEBC510F55950D0 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Reflection.AssemblyInformationalVersionAttribute::m_informationalVersion
String_t* ___m_informationalVersion_0;
public:
inline static int32_t get_offset_of_m_informationalVersion_0() { return static_cast<int32_t>(offsetof(AssemblyInformationalVersionAttribute_t962229DBE84C4A66FB0B542E9AEBC510F55950D0, ___m_informationalVersion_0)); }
inline String_t* get_m_informationalVersion_0() const { return ___m_informationalVersion_0; }
inline String_t** get_address_of_m_informationalVersion_0() { return &___m_informationalVersion_0; }
inline void set_m_informationalVersion_0(String_t* value)
{
___m_informationalVersion_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_informationalVersion_0), (void*)value);
}
};
// UnityEngine.AssemblyIsEditorAssembly
struct AssemblyIsEditorAssembly_tE38D28C884213787958626B62CE1855E9DDF9A3A : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Reflection.AssemblyKeyFileAttribute
struct AssemblyKeyFileAttribute_tEF26145AA8A5F35C218FE543113825F133CC6253 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Reflection.AssemblyKeyFileAttribute::m_keyFile
String_t* ___m_keyFile_0;
public:
inline static int32_t get_offset_of_m_keyFile_0() { return static_cast<int32_t>(offsetof(AssemblyKeyFileAttribute_tEF26145AA8A5F35C218FE543113825F133CC6253, ___m_keyFile_0)); }
inline String_t* get_m_keyFile_0() const { return ___m_keyFile_0; }
inline String_t** get_address_of_m_keyFile_0() { return &___m_keyFile_0; }
inline void set_m_keyFile_0(String_t* value)
{
___m_keyFile_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_keyFile_0), (void*)value);
}
};
// System.AssemblyLoadEventArgs
struct AssemblyLoadEventArgs_tD98BB6DC3D935FD1EBF381956ECABA2009ADE08F : public EventArgs_tBCAACA538A5195B6D6C8DFCC3524A2A4A67FD8BA
{
public:
// System.Reflection.Assembly System.AssemblyLoadEventArgs::m_loadedAssembly
Assembly_t * ___m_loadedAssembly_1;
public:
inline static int32_t get_offset_of_m_loadedAssembly_1() { return static_cast<int32_t>(offsetof(AssemblyLoadEventArgs_tD98BB6DC3D935FD1EBF381956ECABA2009ADE08F, ___m_loadedAssembly_1)); }
inline Assembly_t * get_m_loadedAssembly_1() const { return ___m_loadedAssembly_1; }
inline Assembly_t ** get_address_of_m_loadedAssembly_1() { return &___m_loadedAssembly_1; }
inline void set_m_loadedAssembly_1(Assembly_t * value)
{
___m_loadedAssembly_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_loadedAssembly_1), (void*)value);
}
};
// System.Reflection.AssemblyProductAttribute
struct AssemblyProductAttribute_t6BB0E0F76C752E14A4C26B4D1E230019068601CA : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Reflection.AssemblyProductAttribute::m_product
String_t* ___m_product_0;
public:
inline static int32_t get_offset_of_m_product_0() { return static_cast<int32_t>(offsetof(AssemblyProductAttribute_t6BB0E0F76C752E14A4C26B4D1E230019068601CA, ___m_product_0)); }
inline String_t* get_m_product_0() const { return ___m_product_0; }
inline String_t** get_address_of_m_product_0() { return &___m_product_0; }
inline void set_m_product_0(String_t* value)
{
___m_product_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_product_0), (void*)value);
}
};
// System.Reflection.AssemblyTitleAttribute
struct AssemblyTitleAttribute_tABB894D0792C7F307694CC796C8AE5D6A20382E7 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Reflection.AssemblyTitleAttribute::m_title
String_t* ___m_title_0;
public:
inline static int32_t get_offset_of_m_title_0() { return static_cast<int32_t>(offsetof(AssemblyTitleAttribute_tABB894D0792C7F307694CC796C8AE5D6A20382E7, ___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((void**)(&___m_title_0), (void*)value);
}
};
// System.Reflection.AssemblyTrademarkAttribute
struct AssemblyTrademarkAttribute_t0602679435F8EBECC5DDB55CFE3A7A4A4CA2B5E2 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Reflection.AssemblyTrademarkAttribute::m_trademark
String_t* ___m_trademark_0;
public:
inline static int32_t get_offset_of_m_trademark_0() { return static_cast<int32_t>(offsetof(AssemblyTrademarkAttribute_t0602679435F8EBECC5DDB55CFE3A7A4A4CA2B5E2, ___m_trademark_0)); }
inline String_t* get_m_trademark_0() const { return ___m_trademark_0; }
inline String_t** get_address_of_m_trademark_0() { return &___m_trademark_0; }
inline void set_m_trademark_0(String_t* value)
{
___m_trademark_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_trademark_0), (void*)value);
}
};
// UnityEngine.AssetFileNameExtensionAttribute
struct AssetFileNameExtensionAttribute_tED45B2D2362BB4D5CDCA25F7C1E890AADAD6FA2D : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String UnityEngine.AssetFileNameExtensionAttribute::<preferredExtension>k__BackingField
String_t* ___U3CpreferredExtensionU3Ek__BackingField_0;
// System.Collections.Generic.IEnumerable`1<System.String> UnityEngine.AssetFileNameExtensionAttribute::<otherExtensions>k__BackingField
RuntimeObject* ___U3CotherExtensionsU3Ek__BackingField_1;
public:
inline static int32_t get_offset_of_U3CpreferredExtensionU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(AssetFileNameExtensionAttribute_tED45B2D2362BB4D5CDCA25F7C1E890AADAD6FA2D, ___U3CpreferredExtensionU3Ek__BackingField_0)); }
inline String_t* get_U3CpreferredExtensionU3Ek__BackingField_0() const { return ___U3CpreferredExtensionU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CpreferredExtensionU3Ek__BackingField_0() { return &___U3CpreferredExtensionU3Ek__BackingField_0; }
inline void set_U3CpreferredExtensionU3Ek__BackingField_0(String_t* value)
{
___U3CpreferredExtensionU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CpreferredExtensionU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CotherExtensionsU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(AssetFileNameExtensionAttribute_tED45B2D2362BB4D5CDCA25F7C1E890AADAD6FA2D, ___U3CotherExtensionsU3Ek__BackingField_1)); }
inline RuntimeObject* get_U3CotherExtensionsU3Ek__BackingField_1() const { return ___U3CotherExtensionsU3Ek__BackingField_1; }
inline RuntimeObject** get_address_of_U3CotherExtensionsU3Ek__BackingField_1() { return &___U3CotherExtensionsU3Ek__BackingField_1; }
inline void set_U3CotherExtensionsU3Ek__BackingField_1(RuntimeObject* value)
{
___U3CotherExtensionsU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CotherExtensionsU3Ek__BackingField_1), (void*)value);
}
};
// UnityEngine.Localization.Metadata.AssetTypeMetadata
struct AssetTypeMetadata_t3F58FB27451A29F2B33E9590EE9DDC081255A710 : public SharedTableCollectionMetadata_tBCEFC3ADDFF5D44DAC473D0D37664BA3D51880FF
{
public:
// System.String UnityEngine.Localization.Metadata.AssetTypeMetadata::m_TypeString
String_t* ___m_TypeString_2;
// System.Type UnityEngine.Localization.Metadata.AssetTypeMetadata::<Type>k__BackingField
Type_t * ___U3CTypeU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_m_TypeString_2() { return static_cast<int32_t>(offsetof(AssetTypeMetadata_t3F58FB27451A29F2B33E9590EE9DDC081255A710, ___m_TypeString_2)); }
inline String_t* get_m_TypeString_2() const { return ___m_TypeString_2; }
inline String_t** get_address_of_m_TypeString_2() { return &___m_TypeString_2; }
inline void set_m_TypeString_2(String_t* value)
{
___m_TypeString_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TypeString_2), (void*)value);
}
inline static int32_t get_offset_of_U3CTypeU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(AssetTypeMetadata_t3F58FB27451A29F2B33E9590EE9DDC081255A710, ___U3CTypeU3Ek__BackingField_3)); }
inline Type_t * get_U3CTypeU3Ek__BackingField_3() const { return ___U3CTypeU3Ek__BackingField_3; }
inline Type_t ** get_address_of_U3CTypeU3Ek__BackingField_3() { return &___U3CTypeU3Ek__BackingField_3; }
inline void set_U3CTypeU3Ek__BackingField_3(Type_t * value)
{
___U3CTypeU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CTypeU3Ek__BackingField_3), (void*)value);
}
};
// System.Runtime.CompilerServices.AsyncMethodBuilderCore
struct AsyncMethodBuilderCore_t2C85055E04767C52B9F66144476FCBF500DBFA34
{
public:
// System.Runtime.CompilerServices.IAsyncStateMachine System.Runtime.CompilerServices.AsyncMethodBuilderCore::m_stateMachine
RuntimeObject* ___m_stateMachine_0;
// System.Action System.Runtime.CompilerServices.AsyncMethodBuilderCore::m_defaultContextAction
Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * ___m_defaultContextAction_1;
public:
inline static int32_t get_offset_of_m_stateMachine_0() { return static_cast<int32_t>(offsetof(AsyncMethodBuilderCore_t2C85055E04767C52B9F66144476FCBF500DBFA34, ___m_stateMachine_0)); }
inline RuntimeObject* get_m_stateMachine_0() const { return ___m_stateMachine_0; }
inline RuntimeObject** get_address_of_m_stateMachine_0() { return &___m_stateMachine_0; }
inline void set_m_stateMachine_0(RuntimeObject* value)
{
___m_stateMachine_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_stateMachine_0), (void*)value);
}
inline static int32_t get_offset_of_m_defaultContextAction_1() { return static_cast<int32_t>(offsetof(AsyncMethodBuilderCore_t2C85055E04767C52B9F66144476FCBF500DBFA34, ___m_defaultContextAction_1)); }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * get_m_defaultContextAction_1() const { return ___m_defaultContextAction_1; }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 ** get_address_of_m_defaultContextAction_1() { return &___m_defaultContextAction_1; }
inline void set_m_defaultContextAction_1(Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * value)
{
___m_defaultContextAction_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_defaultContextAction_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Runtime.CompilerServices.AsyncMethodBuilderCore
struct AsyncMethodBuilderCore_t2C85055E04767C52B9F66144476FCBF500DBFA34_marshaled_pinvoke
{
RuntimeObject* ___m_stateMachine_0;
Il2CppMethodPointer ___m_defaultContextAction_1;
};
// Native definition for COM marshalling of System.Runtime.CompilerServices.AsyncMethodBuilderCore
struct AsyncMethodBuilderCore_t2C85055E04767C52B9F66144476FCBF500DBFA34_marshaled_com
{
RuntimeObject* ___m_stateMachine_0;
Il2CppMethodPointer ___m_defaultContextAction_1;
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle
struct AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.IAsyncOperation UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle::m_InternalOp
RuntimeObject* ___m_InternalOp_1;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle::m_Version
int32_t ___m_Version_2;
// System.String UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle::m_LocationName
String_t* ___m_LocationName_3;
public:
inline static int32_t get_offset_of_m_InternalOp_1() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E, ___m_InternalOp_1)); }
inline RuntimeObject* get_m_InternalOp_1() const { return ___m_InternalOp_1; }
inline RuntimeObject** get_address_of_m_InternalOp_1() { return &___m_InternalOp_1; }
inline void set_m_InternalOp_1(RuntimeObject* value)
{
___m_InternalOp_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalOp_1), (void*)value);
}
inline static int32_t get_offset_of_m_Version_2() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E, ___m_Version_2)); }
inline int32_t get_m_Version_2() const { return ___m_Version_2; }
inline int32_t* get_address_of_m_Version_2() { return &___m_Version_2; }
inline void set_m_Version_2(int32_t value)
{
___m_Version_2 = value;
}
inline static int32_t get_offset_of_m_LocationName_3() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E, ___m_LocationName_3)); }
inline String_t* get_m_LocationName_3() const { return ___m_LocationName_3; }
inline String_t** get_address_of_m_LocationName_3() { return &___m_LocationName_3; }
inline void set_m_LocationName_3(String_t* value)
{
___m_LocationName_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocationName_3), (void*)value);
}
};
struct AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E_StaticFields
{
public:
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle::m_IsWaitingForCompletion
bool ___m_IsWaitingForCompletion_0;
public:
inline static int32_t get_offset_of_m_IsWaitingForCompletion_0() { return static_cast<int32_t>(offsetof(AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E_StaticFields, ___m_IsWaitingForCompletion_0)); }
inline bool get_m_IsWaitingForCompletion_0() const { return ___m_IsWaitingForCompletion_0; }
inline bool* get_address_of_m_IsWaitingForCompletion_0() { return &___m_IsWaitingForCompletion_0; }
inline void set_m_IsWaitingForCompletion_0(bool value)
{
___m_IsWaitingForCompletion_0 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle
struct AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E_marshaled_pinvoke
{
RuntimeObject* ___m_InternalOp_1;
int32_t ___m_Version_2;
char* ___m_LocationName_3;
};
// Native definition for COM marshalling of UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle
struct AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E_marshaled_com
{
RuntimeObject* ___m_InternalOp_1;
int32_t ___m_Version_2;
Il2CppChar* ___m_LocationName_3;
};
// System.Threading.Tasks.AwaitTaskContinuation
struct AwaitTaskContinuation_t1A2278C0F0612C10EEF2B2FF352D2833C53E86CB : public TaskContinuation_t7DB04E82749A3EF935DB28E54C213451D635E7C0
{
public:
// System.Threading.ExecutionContext System.Threading.Tasks.AwaitTaskContinuation::m_capturedContext
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * ___m_capturedContext_0;
// System.Action System.Threading.Tasks.AwaitTaskContinuation::m_action
Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * ___m_action_1;
public:
inline static int32_t get_offset_of_m_capturedContext_0() { return static_cast<int32_t>(offsetof(AwaitTaskContinuation_t1A2278C0F0612C10EEF2B2FF352D2833C53E86CB, ___m_capturedContext_0)); }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * get_m_capturedContext_0() const { return ___m_capturedContext_0; }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 ** get_address_of_m_capturedContext_0() { return &___m_capturedContext_0; }
inline void set_m_capturedContext_0(ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * value)
{
___m_capturedContext_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_capturedContext_0), (void*)value);
}
inline static int32_t get_offset_of_m_action_1() { return static_cast<int32_t>(offsetof(AwaitTaskContinuation_t1A2278C0F0612C10EEF2B2FF352D2833C53E86CB, ___m_action_1)); }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * get_m_action_1() const { return ___m_action_1; }
inline Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 ** get_address_of_m_action_1() { return &___m_action_1; }
inline void set_m_action_1(Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 * value)
{
___m_action_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_action_1), (void*)value);
}
};
struct AwaitTaskContinuation_t1A2278C0F0612C10EEF2B2FF352D2833C53E86CB_StaticFields
{
public:
// System.Threading.ContextCallback System.Threading.Tasks.AwaitTaskContinuation::s_invokeActionCallback
ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * ___s_invokeActionCallback_2;
public:
inline static int32_t get_offset_of_s_invokeActionCallback_2() { return static_cast<int32_t>(offsetof(AwaitTaskContinuation_t1A2278C0F0612C10EEF2B2FF352D2833C53E86CB_StaticFields, ___s_invokeActionCallback_2)); }
inline ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * get_s_invokeActionCallback_2() const { return ___s_invokeActionCallback_2; }
inline ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B ** get_address_of_s_invokeActionCallback_2() { return &___s_invokeActionCallback_2; }
inline void set_s_invokeActionCallback_2(ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * value)
{
___s_invokeActionCallback_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_invokeActionCallback_2), (void*)value);
}
};
// UnityEngine.EventSystems.BaseEventData
struct BaseEventData_t722C48843CF21B50E06CC0E2E679415E38A7444E : public AbstractEventData_tA0B5065DE3430C0031ADE061668E1C7073D718DF
{
public:
// UnityEngine.EventSystems.EventSystem UnityEngine.EventSystems.BaseEventData::m_EventSystem
EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C * ___m_EventSystem_1;
public:
inline static int32_t get_offset_of_m_EventSystem_1() { return static_cast<int32_t>(offsetof(BaseEventData_t722C48843CF21B50E06CC0E2E679415E38A7444E, ___m_EventSystem_1)); }
inline EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C * get_m_EventSystem_1() const { return ___m_EventSystem_1; }
inline EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C ** get_address_of_m_EventSystem_1() { return &___m_EventSystem_1; }
inline void set_m_EventSystem_1(EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C * value)
{
___m_EventSystem_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_EventSystem_1), (void*)value);
}
};
// UnityEngine.Rendering.BatchVisibility
struct BatchVisibility_tFA63D052426424FBD58F78E973AAAC52A67B5AFE
{
public:
// System.Int32 UnityEngine.Rendering.BatchVisibility::offset
int32_t ___offset_0;
// System.Int32 UnityEngine.Rendering.BatchVisibility::instancesCount
int32_t ___instancesCount_1;
// System.Int32 UnityEngine.Rendering.BatchVisibility::visibleCount
int32_t ___visibleCount_2;
public:
inline static int32_t get_offset_of_offset_0() { return static_cast<int32_t>(offsetof(BatchVisibility_tFA63D052426424FBD58F78E973AAAC52A67B5AFE, ___offset_0)); }
inline int32_t get_offset_0() const { return ___offset_0; }
inline int32_t* get_address_of_offset_0() { return &___offset_0; }
inline void set_offset_0(int32_t value)
{
___offset_0 = value;
}
inline static int32_t get_offset_of_instancesCount_1() { return static_cast<int32_t>(offsetof(BatchVisibility_tFA63D052426424FBD58F78E973AAAC52A67B5AFE, ___instancesCount_1)); }
inline int32_t get_instancesCount_1() const { return ___instancesCount_1; }
inline int32_t* get_address_of_instancesCount_1() { return &___instancesCount_1; }
inline void set_instancesCount_1(int32_t value)
{
___instancesCount_1 = value;
}
inline static int32_t get_offset_of_visibleCount_2() { return static_cast<int32_t>(offsetof(BatchVisibility_tFA63D052426424FBD58F78E973AAAC52A67B5AFE, ___visibleCount_2)); }
inline int32_t get_visibleCount_2() const { return ___visibleCount_2; }
inline int32_t* get_address_of_visibleCount_2() { return &___visibleCount_2; }
inline void set_visibleCount_2(int32_t value)
{
___visibleCount_2 = value;
}
};
// UnityEngine.BeforeRenderOrderAttribute
struct BeforeRenderOrderAttribute_t5984C4A55C43405FA092DFA31FF73E30DEF0648A : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Int32 UnityEngine.BeforeRenderOrderAttribute::<order>k__BackingField
int32_t ___U3CorderU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CorderU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(BeforeRenderOrderAttribute_t5984C4A55C43405FA092DFA31FF73E30DEF0648A, ___U3CorderU3Ek__BackingField_0)); }
inline int32_t get_U3CorderU3Ek__BackingField_0() const { return ___U3CorderU3Ek__BackingField_0; }
inline int32_t* get_address_of_U3CorderU3Ek__BackingField_0() { return &___U3CorderU3Ek__BackingField_0; }
inline void set_U3CorderU3Ek__BackingField_0(int32_t value)
{
___U3CorderU3Ek__BackingField_0 = value;
}
};
// System.Linq.Expressions.BinaryExpression
struct BinaryExpression_tCD79755962D104E6603B50D89E7F0E41D1D9CA79 : public Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660
{
public:
// System.Linq.Expressions.Expression System.Linq.Expressions.BinaryExpression::<Right>k__BackingField
Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * ___U3CRightU3Ek__BackingField_3;
// System.Linq.Expressions.Expression System.Linq.Expressions.BinaryExpression::<Left>k__BackingField
Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * ___U3CLeftU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CRightU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(BinaryExpression_tCD79755962D104E6603B50D89E7F0E41D1D9CA79, ___U3CRightU3Ek__BackingField_3)); }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * get_U3CRightU3Ek__BackingField_3() const { return ___U3CRightU3Ek__BackingField_3; }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 ** get_address_of_U3CRightU3Ek__BackingField_3() { return &___U3CRightU3Ek__BackingField_3; }
inline void set_U3CRightU3Ek__BackingField_3(Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * value)
{
___U3CRightU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CRightU3Ek__BackingField_3), (void*)value);
}
inline static int32_t get_offset_of_U3CLeftU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(BinaryExpression_tCD79755962D104E6603B50D89E7F0E41D1D9CA79, ___U3CLeftU3Ek__BackingField_4)); }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * get_U3CLeftU3Ek__BackingField_4() const { return ___U3CLeftU3Ek__BackingField_4; }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 ** get_address_of_U3CLeftU3Ek__BackingField_4() { return &___U3CLeftU3Ek__BackingField_4; }
inline void set_U3CLeftU3Ek__BackingField_4(Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * value)
{
___U3CLeftU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CLeftU3Ek__BackingField_4), (void*)value);
}
};
// System.Linq.Expressions.BlockExpression
struct BlockExpression_t429D310E740322594C18397DEAE7E17DCFE0E0BB : public Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660
{
public:
public:
};
// UnityEngine.XR.Bone
struct Bone_t8EDF2FA2139528015195AF2EA866A28947C3F070
{
public:
// System.UInt64 UnityEngine.XR.Bone::m_DeviceId
uint64_t ___m_DeviceId_0;
// System.UInt32 UnityEngine.XR.Bone::m_FeatureIndex
uint32_t ___m_FeatureIndex_1;
public:
inline static int32_t get_offset_of_m_DeviceId_0() { return static_cast<int32_t>(offsetof(Bone_t8EDF2FA2139528015195AF2EA866A28947C3F070, ___m_DeviceId_0)); }
inline uint64_t get_m_DeviceId_0() const { return ___m_DeviceId_0; }
inline uint64_t* get_address_of_m_DeviceId_0() { return &___m_DeviceId_0; }
inline void set_m_DeviceId_0(uint64_t value)
{
___m_DeviceId_0 = value;
}
inline static int32_t get_offset_of_m_FeatureIndex_1() { return static_cast<int32_t>(offsetof(Bone_t8EDF2FA2139528015195AF2EA866A28947C3F070, ___m_FeatureIndex_1)); }
inline uint32_t get_m_FeatureIndex_1() const { return ___m_FeatureIndex_1; }
inline uint32_t* get_address_of_m_FeatureIndex_1() { return &___m_FeatureIndex_1; }
inline void set_m_FeatureIndex_1(uint32_t value)
{
___m_FeatureIndex_1 = value;
}
};
// UnityEngine.Localization.SmartFormat.GlobalVariables.BoolGlobalVariable
struct BoolGlobalVariable_t81BF26ADDC5074069B6DB60A22032D58A23117AD : public GlobalVariable_1_tA3907D1EC4CFE7DC4013DCF108515D346A2A36CE
{
public:
public:
};
// System.Boolean
struct Boolean_t07D1E3F34E4813023D64F584DFF7B34C9D922F37
{
public:
// System.Boolean System.Boolean::m_value
bool ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Boolean_t07D1E3F34E4813023D64F584DFF7B34C9D922F37, ___m_value_0)); }
inline bool get_m_value_0() const { return ___m_value_0; }
inline bool* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(bool value)
{
___m_value_0 = value;
}
};
struct Boolean_t07D1E3F34E4813023D64F584DFF7B34C9D922F37_StaticFields
{
public:
// System.String System.Boolean::TrueString
String_t* ___TrueString_5;
// System.String System.Boolean::FalseString
String_t* ___FalseString_6;
public:
inline static int32_t get_offset_of_TrueString_5() { return static_cast<int32_t>(offsetof(Boolean_t07D1E3F34E4813023D64F584DFF7B34C9D922F37_StaticFields, ___TrueString_5)); }
inline String_t* get_TrueString_5() const { return ___TrueString_5; }
inline String_t** get_address_of_TrueString_5() { return &___TrueString_5; }
inline void set_TrueString_5(String_t* value)
{
___TrueString_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___TrueString_5), (void*)value);
}
inline static int32_t get_offset_of_FalseString_6() { return static_cast<int32_t>(offsetof(Boolean_t07D1E3F34E4813023D64F584DFF7B34C9D922F37_StaticFields, ___FalseString_6)); }
inline String_t* get_FalseString_6() const { return ___FalseString_6; }
inline String_t** get_address_of_FalseString_6() { return &___FalseString_6; }
inline void set_FalseString_6(String_t* value)
{
___FalseString_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___FalseString_6), (void*)value);
}
};
// System.ComponentModel.BrowsableAttribute
struct BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Boolean System.ComponentModel.BrowsableAttribute::browsable
bool ___browsable_3;
public:
inline static int32_t get_offset_of_browsable_3() { return static_cast<int32_t>(offsetof(BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2, ___browsable_3)); }
inline bool get_browsable_3() const { return ___browsable_3; }
inline bool* get_address_of_browsable_3() { return &___browsable_3; }
inline void set_browsable_3(bool value)
{
___browsable_3 = value;
}
};
struct BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2_StaticFields
{
public:
// System.ComponentModel.BrowsableAttribute System.ComponentModel.BrowsableAttribute::Yes
BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2 * ___Yes_0;
// System.ComponentModel.BrowsableAttribute System.ComponentModel.BrowsableAttribute::No
BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2 * ___No_1;
// System.ComponentModel.BrowsableAttribute System.ComponentModel.BrowsableAttribute::Default
BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2 * ___Default_2;
public:
inline static int32_t get_offset_of_Yes_0() { return static_cast<int32_t>(offsetof(BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2_StaticFields, ___Yes_0)); }
inline BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2 * get_Yes_0() const { return ___Yes_0; }
inline BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2 ** get_address_of_Yes_0() { return &___Yes_0; }
inline void set_Yes_0(BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2 * value)
{
___Yes_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Yes_0), (void*)value);
}
inline static int32_t get_offset_of_No_1() { return static_cast<int32_t>(offsetof(BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2_StaticFields, ___No_1)); }
inline BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2 * get_No_1() const { return ___No_1; }
inline BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2 ** get_address_of_No_1() { return &___No_1; }
inline void set_No_1(BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2 * value)
{
___No_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___No_1), (void*)value);
}
inline static int32_t get_offset_of_Default_2() { return static_cast<int32_t>(offsetof(BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2_StaticFields, ___Default_2)); }
inline BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2 * get_Default_2() const { return ___Default_2; }
inline BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2 ** get_address_of_Default_2() { return &___Default_2; }
inline void set_Default_2(BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2 * value)
{
___Default_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Default_2), (void*)value);
}
};
// System.Net.Configuration.BypassElement
struct BypassElement_t037DE5FD6BD20EA2527F030909858B6CF3602D96 : public ConfigurationElement_t571C446CFDFF39CF17130653C433786BEFF25DFA
{
public:
public:
};
// System.Byte
struct Byte_t0111FAB8B8685667EDDAF77683F0D8F86B659056
{
public:
// System.Byte System.Byte::m_value
uint8_t ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Byte_t0111FAB8B8685667EDDAF77683F0D8F86B659056, ___m_value_0)); }
inline uint8_t get_m_value_0() const { return ___m_value_0; }
inline uint8_t* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(uint8_t value)
{
___m_value_0 = value;
}
};
// System.Collections.Generic.ByteEqualityComparer
struct ByteEqualityComparer_t5DEB0978C83C3FA68A8AE80E9A8E0F74F5F81026 : public EqualityComparer_1_t315BFEDB969101238C563049FF00D5CB9F8D6509
{
public:
public:
};
// System.Runtime.Remoting.Messaging.CADMethodCallMessage
struct CADMethodCallMessage_t57296ECCBF254F676C852CB37D8A35782059F906 : public CADMessageBase_t78A590A87FD9362D67AAD58A88C4062CA0A105C7
{
public:
// System.String System.Runtime.Remoting.Messaging.CADMethodCallMessage::_uri
String_t* ____uri_5;
public:
inline static int32_t get_offset_of__uri_5() { return static_cast<int32_t>(offsetof(CADMethodCallMessage_t57296ECCBF254F676C852CB37D8A35782059F906, ____uri_5)); }
inline String_t* get__uri_5() const { return ____uri_5; }
inline String_t** get_address_of__uri_5() { return &____uri_5; }
inline void set__uri_5(String_t* value)
{
____uri_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____uri_5), (void*)value);
}
};
// System.Runtime.Remoting.Messaging.CADMethodReturnMessage
struct CADMethodReturnMessage_t875AA26C474A6CC70596D42E9D74006BCC86A272 : public CADMessageBase_t78A590A87FD9362D67AAD58A88C4062CA0A105C7
{
public:
// System.Object System.Runtime.Remoting.Messaging.CADMethodReturnMessage::_returnValue
RuntimeObject * ____returnValue_5;
// System.Runtime.Remoting.Messaging.CADArgHolder System.Runtime.Remoting.Messaging.CADMethodReturnMessage::_exception
CADArgHolder_tF834CE7AC93B38AABC332460CBAB127B82A9389E * ____exception_6;
// System.Type[] System.Runtime.Remoting.Messaging.CADMethodReturnMessage::_sig
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ____sig_7;
public:
inline static int32_t get_offset_of__returnValue_5() { return static_cast<int32_t>(offsetof(CADMethodReturnMessage_t875AA26C474A6CC70596D42E9D74006BCC86A272, ____returnValue_5)); }
inline RuntimeObject * get__returnValue_5() const { return ____returnValue_5; }
inline RuntimeObject ** get_address_of__returnValue_5() { return &____returnValue_5; }
inline void set__returnValue_5(RuntimeObject * value)
{
____returnValue_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____returnValue_5), (void*)value);
}
inline static int32_t get_offset_of__exception_6() { return static_cast<int32_t>(offsetof(CADMethodReturnMessage_t875AA26C474A6CC70596D42E9D74006BCC86A272, ____exception_6)); }
inline CADArgHolder_tF834CE7AC93B38AABC332460CBAB127B82A9389E * get__exception_6() const { return ____exception_6; }
inline CADArgHolder_tF834CE7AC93B38AABC332460CBAB127B82A9389E ** get_address_of__exception_6() { return &____exception_6; }
inline void set__exception_6(CADArgHolder_tF834CE7AC93B38AABC332460CBAB127B82A9389E * value)
{
____exception_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____exception_6), (void*)value);
}
inline static int32_t get_offset_of__sig_7() { return static_cast<int32_t>(offsetof(CADMethodReturnMessage_t875AA26C474A6CC70596D42E9D74006BCC86A272, ____sig_7)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get__sig_7() const { return ____sig_7; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of__sig_7() { return &____sig_7; }
inline void set__sig_7(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
____sig_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&____sig_7), (void*)value);
}
};
// System.CLSCompliantAttribute
struct CLSCompliantAttribute_tA28EF6D4ADBD3C5C429DE9A70DD1E927C8906249 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Boolean System.CLSCompliantAttribute::m_compliant
bool ___m_compliant_0;
public:
inline static int32_t get_offset_of_m_compliant_0() { return static_cast<int32_t>(offsetof(CLSCompliantAttribute_tA28EF6D4ADBD3C5C429DE9A70DD1E927C8906249, ___m_compliant_0)); }
inline bool get_m_compliant_0() const { return ___m_compliant_0; }
inline bool* get_address_of_m_compliant_0() { return &___m_compliant_0; }
inline void set_m_compliant_0(bool value)
{
___m_compliant_0 = value;
}
};
// System.Threading.CancellationCallbackCoreWorkArguments
struct CancellationCallbackCoreWorkArguments_t9ECCD883EF9DF3283696D1CE1F7A81C0F075923E
{
public:
// System.Threading.SparselyPopulatedArrayFragment`1<System.Threading.CancellationCallbackInfo> System.Threading.CancellationCallbackCoreWorkArguments::m_currArrayFragment
SparselyPopulatedArrayFragment_1_t93197EF47D6A025755987003D5D62F3AED371C21 * ___m_currArrayFragment_0;
// System.Int32 System.Threading.CancellationCallbackCoreWorkArguments::m_currArrayIndex
int32_t ___m_currArrayIndex_1;
public:
inline static int32_t get_offset_of_m_currArrayFragment_0() { return static_cast<int32_t>(offsetof(CancellationCallbackCoreWorkArguments_t9ECCD883EF9DF3283696D1CE1F7A81C0F075923E, ___m_currArrayFragment_0)); }
inline SparselyPopulatedArrayFragment_1_t93197EF47D6A025755987003D5D62F3AED371C21 * get_m_currArrayFragment_0() const { return ___m_currArrayFragment_0; }
inline SparselyPopulatedArrayFragment_1_t93197EF47D6A025755987003D5D62F3AED371C21 ** get_address_of_m_currArrayFragment_0() { return &___m_currArrayFragment_0; }
inline void set_m_currArrayFragment_0(SparselyPopulatedArrayFragment_1_t93197EF47D6A025755987003D5D62F3AED371C21 * value)
{
___m_currArrayFragment_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_currArrayFragment_0), (void*)value);
}
inline static int32_t get_offset_of_m_currArrayIndex_1() { return static_cast<int32_t>(offsetof(CancellationCallbackCoreWorkArguments_t9ECCD883EF9DF3283696D1CE1F7A81C0F075923E, ___m_currArrayIndex_1)); }
inline int32_t get_m_currArrayIndex_1() const { return ___m_currArrayIndex_1; }
inline int32_t* get_address_of_m_currArrayIndex_1() { return &___m_currArrayIndex_1; }
inline void set_m_currArrayIndex_1(int32_t value)
{
___m_currArrayIndex_1 = value;
}
};
// Native definition for P/Invoke marshalling of System.Threading.CancellationCallbackCoreWorkArguments
struct CancellationCallbackCoreWorkArguments_t9ECCD883EF9DF3283696D1CE1F7A81C0F075923E_marshaled_pinvoke
{
SparselyPopulatedArrayFragment_1_t93197EF47D6A025755987003D5D62F3AED371C21 * ___m_currArrayFragment_0;
int32_t ___m_currArrayIndex_1;
};
// Native definition for COM marshalling of System.Threading.CancellationCallbackCoreWorkArguments
struct CancellationCallbackCoreWorkArguments_t9ECCD883EF9DF3283696D1CE1F7A81C0F075923E_marshaled_com
{
SparselyPopulatedArrayFragment_1_t93197EF47D6A025755987003D5D62F3AED371C21 * ___m_currArrayFragment_0;
int32_t ___m_currArrayIndex_1;
};
// System.Threading.CancellationToken
struct CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD
{
public:
// System.Threading.CancellationTokenSource System.Threading.CancellationToken::m_source
CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 * ___m_source_0;
public:
inline static int32_t get_offset_of_m_source_0() { return static_cast<int32_t>(offsetof(CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD, ___m_source_0)); }
inline CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 * get_m_source_0() const { return ___m_source_0; }
inline CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 ** get_address_of_m_source_0() { return &___m_source_0; }
inline void set_m_source_0(CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 * value)
{
___m_source_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_source_0), (void*)value);
}
};
struct CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD_StaticFields
{
public:
// System.Action`1<System.Object> System.Threading.CancellationToken::s_ActionToActionObjShunt
Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * ___s_ActionToActionObjShunt_1;
public:
inline static int32_t get_offset_of_s_ActionToActionObjShunt_1() { return static_cast<int32_t>(offsetof(CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD_StaticFields, ___s_ActionToActionObjShunt_1)); }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * get_s_ActionToActionObjShunt_1() const { return ___s_ActionToActionObjShunt_1; }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC ** get_address_of_s_ActionToActionObjShunt_1() { return &___s_ActionToActionObjShunt_1; }
inline void set_s_ActionToActionObjShunt_1(Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * value)
{
___s_ActionToActionObjShunt_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_ActionToActionObjShunt_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Threading.CancellationToken
struct CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD_marshaled_pinvoke
{
CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 * ___m_source_0;
};
// Native definition for COM marshalling of System.Threading.CancellationToken
struct CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD_marshaled_com
{
CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 * ___m_source_0;
};
// System.Char
struct Char_tFF60D8E7E89A20BE2294A003734341BD1DF43E14
{
public:
// System.Char System.Char::m_value
Il2CppChar ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Char_tFF60D8E7E89A20BE2294A003734341BD1DF43E14, ___m_value_0)); }
inline Il2CppChar get_m_value_0() const { return ___m_value_0; }
inline Il2CppChar* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(Il2CppChar value)
{
___m_value_0 = value;
}
};
struct Char_tFF60D8E7E89A20BE2294A003734341BD1DF43E14_StaticFields
{
public:
// System.Byte[] System.Char::categoryForLatin1
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___categoryForLatin1_3;
public:
inline static int32_t get_offset_of_categoryForLatin1_3() { return static_cast<int32_t>(offsetof(Char_tFF60D8E7E89A20BE2294A003734341BD1DF43E14_StaticFields, ___categoryForLatin1_3)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_categoryForLatin1_3() const { return ___categoryForLatin1_3; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_categoryForLatin1_3() { return &___categoryForLatin1_3; }
inline void set_categoryForLatin1_3(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___categoryForLatin1_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___categoryForLatin1_3), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Extensions.ChooseFormatter
struct ChooseFormatter_tC8BE1B658C0A9146259888BF09153270BEA65139 : public FormatterBase_t9C41952D199D3C96A9F94A46395C8E387B42FC0C
{
public:
// System.Char UnityEngine.Localization.SmartFormat.Extensions.ChooseFormatter::m_SplitChar
Il2CppChar ___m_SplitChar_1;
public:
inline static int32_t get_offset_of_m_SplitChar_1() { return static_cast<int32_t>(offsetof(ChooseFormatter_tC8BE1B658C0A9146259888BF09153270BEA65139, ___m_SplitChar_1)); }
inline Il2CppChar get_m_SplitChar_1() const { return ___m_SplitChar_1; }
inline Il2CppChar* get_address_of_m_SplitChar_1() { return &___m_SplitChar_1; }
inline void set_m_SplitChar_1(Il2CppChar value)
{
___m_SplitChar_1 = value;
}
};
// System.Runtime.Remoting.ClientIdentity
struct ClientIdentity_tF35F3D3529880FBF0017AB612179C8E060AE611E : public Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5
{
public:
// System.WeakReference System.Runtime.Remoting.ClientIdentity::_proxyReference
WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 * ____proxyReference_7;
public:
inline static int32_t get_offset_of__proxyReference_7() { return static_cast<int32_t>(offsetof(ClientIdentity_tF35F3D3529880FBF0017AB612179C8E060AE611E, ____proxyReference_7)); }
inline WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 * get__proxyReference_7() const { return ____proxyReference_7; }
inline WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 ** get_address_of__proxyReference_7() { return &____proxyReference_7; }
inline void set__proxyReference_7(WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 * value)
{
____proxyReference_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&____proxyReference_7), (void*)value);
}
};
// UnityEngine.Color
struct Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659
{
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_tF40DAF76C04FFECF3FE6024F85A294741C9CC659, ___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_tF40DAF76C04FFECF3FE6024F85A294741C9CC659, ___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_tF40DAF76C04FFECF3FE6024F85A294741C9CC659, ___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_tF40DAF76C04FFECF3FE6024F85A294741C9CC659, ___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;
}
};
// UnityEngine.Color32
struct Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D
{
public:
union
{
#pragma pack(push, tp, 1)
struct
{
// System.Int32 UnityEngine.Color32::rgba
int32_t ___rgba_0;
};
#pragma pack(pop, tp)
struct
{
int32_t ___rgba_0_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
// System.Byte UnityEngine.Color32::r
uint8_t ___r_1;
};
#pragma pack(pop, tp)
struct
{
uint8_t ___r_1_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___g_2_OffsetPadding[1];
// System.Byte UnityEngine.Color32::g
uint8_t ___g_2;
};
#pragma pack(pop, tp)
struct
{
char ___g_2_OffsetPadding_forAlignmentOnly[1];
uint8_t ___g_2_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___b_3_OffsetPadding[2];
// System.Byte UnityEngine.Color32::b
uint8_t ___b_3;
};
#pragma pack(pop, tp)
struct
{
char ___b_3_OffsetPadding_forAlignmentOnly[2];
uint8_t ___b_3_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___a_4_OffsetPadding[3];
// System.Byte UnityEngine.Color32::a
uint8_t ___a_4;
};
#pragma pack(pop, tp)
struct
{
char ___a_4_OffsetPadding_forAlignmentOnly[3];
uint8_t ___a_4_forAlignmentOnly;
};
};
public:
inline static int32_t get_offset_of_rgba_0() { return static_cast<int32_t>(offsetof(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D, ___rgba_0)); }
inline int32_t get_rgba_0() const { return ___rgba_0; }
inline int32_t* get_address_of_rgba_0() { return &___rgba_0; }
inline void set_rgba_0(int32_t value)
{
___rgba_0 = value;
}
inline static int32_t get_offset_of_r_1() { return static_cast<int32_t>(offsetof(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D, ___r_1)); }
inline uint8_t get_r_1() const { return ___r_1; }
inline uint8_t* get_address_of_r_1() { return &___r_1; }
inline void set_r_1(uint8_t value)
{
___r_1 = value;
}
inline static int32_t get_offset_of_g_2() { return static_cast<int32_t>(offsetof(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D, ___g_2)); }
inline uint8_t get_g_2() const { return ___g_2; }
inline uint8_t* get_address_of_g_2() { return &___g_2; }
inline void set_g_2(uint8_t value)
{
___g_2 = value;
}
inline static int32_t get_offset_of_b_3() { return static_cast<int32_t>(offsetof(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D, ___b_3)); }
inline uint8_t get_b_3() const { return ___b_3; }
inline uint8_t* get_address_of_b_3() { return &___b_3; }
inline void set_b_3(uint8_t value)
{
___b_3 = value;
}
inline static int32_t get_offset_of_a_4() { return static_cast<int32_t>(offsetof(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D, ___a_4)); }
inline uint8_t get_a_4() const { return ___a_4; }
inline uint8_t* get_address_of_a_4() { return &___a_4; }
inline void set_a_4(uint8_t value)
{
___a_4 = value;
}
};
// System.Runtime.InteropServices.ComCompatibleVersionAttribute
struct ComCompatibleVersionAttribute_tC75249EF0E76BDB5322EC20EBCADDF5E8F9E183A : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Int32 System.Runtime.InteropServices.ComCompatibleVersionAttribute::_major
int32_t ____major_0;
// System.Int32 System.Runtime.InteropServices.ComCompatibleVersionAttribute::_minor
int32_t ____minor_1;
// System.Int32 System.Runtime.InteropServices.ComCompatibleVersionAttribute::_build
int32_t ____build_2;
// System.Int32 System.Runtime.InteropServices.ComCompatibleVersionAttribute::_revision
int32_t ____revision_3;
public:
inline static int32_t get_offset_of__major_0() { return static_cast<int32_t>(offsetof(ComCompatibleVersionAttribute_tC75249EF0E76BDB5322EC20EBCADDF5E8F9E183A, ____major_0)); }
inline int32_t get__major_0() const { return ____major_0; }
inline int32_t* get_address_of__major_0() { return &____major_0; }
inline void set__major_0(int32_t value)
{
____major_0 = value;
}
inline static int32_t get_offset_of__minor_1() { return static_cast<int32_t>(offsetof(ComCompatibleVersionAttribute_tC75249EF0E76BDB5322EC20EBCADDF5E8F9E183A, ____minor_1)); }
inline int32_t get__minor_1() const { return ____minor_1; }
inline int32_t* get_address_of__minor_1() { return &____minor_1; }
inline void set__minor_1(int32_t value)
{
____minor_1 = value;
}
inline static int32_t get_offset_of__build_2() { return static_cast<int32_t>(offsetof(ComCompatibleVersionAttribute_tC75249EF0E76BDB5322EC20EBCADDF5E8F9E183A, ____build_2)); }
inline int32_t get__build_2() const { return ____build_2; }
inline int32_t* get_address_of__build_2() { return &____build_2; }
inline void set__build_2(int32_t value)
{
____build_2 = value;
}
inline static int32_t get_offset_of__revision_3() { return static_cast<int32_t>(offsetof(ComCompatibleVersionAttribute_tC75249EF0E76BDB5322EC20EBCADDF5E8F9E183A, ____revision_3)); }
inline int32_t get__revision_3() const { return ____revision_3; }
inline int32_t* get_address_of__revision_3() { return &____revision_3; }
inline void set__revision_3(int32_t value)
{
____revision_3 = value;
}
};
// System.Runtime.InteropServices.ComDefaultInterfaceAttribute
struct ComDefaultInterfaceAttribute_tC170FF54A68C3A32A635632D3DB9E6410F02FE72 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Type System.Runtime.InteropServices.ComDefaultInterfaceAttribute::_val
Type_t * ____val_0;
public:
inline static int32_t get_offset_of__val_0() { return static_cast<int32_t>(offsetof(ComDefaultInterfaceAttribute_tC170FF54A68C3A32A635632D3DB9E6410F02FE72, ____val_0)); }
inline Type_t * get__val_0() const { return ____val_0; }
inline Type_t ** get_address_of__val_0() { return &____val_0; }
inline void set__val_0(Type_t * value)
{
____val_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____val_0), (void*)value);
}
};
// System.Runtime.InteropServices.ComImportAttribute
struct ComImportAttribute_t8A6BBE54E3259B07ACE4161A64FF180879E82E15 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Runtime.InteropServices.ComVisibleAttribute
struct ComVisibleAttribute_tCE3DF5E341F3ECE4C81FE85C15B3D782AB302A2A : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Boolean System.Runtime.InteropServices.ComVisibleAttribute::_val
bool ____val_0;
public:
inline static int32_t get_offset_of__val_0() { return static_cast<int32_t>(offsetof(ComVisibleAttribute_tCE3DF5E341F3ECE4C81FE85C15B3D782AB302A2A, ____val_0)); }
inline bool get__val_0() const { return ____val_0; }
inline bool* get_address_of__val_0() { return &____val_0; }
inline void set__val_0(bool value)
{
____val_0 = value;
}
};
// System.Runtime.CompilerServices.CompilationRelaxationsAttribute
struct CompilationRelaxationsAttribute_t661FDDC06629BDA607A42BD660944F039FE03AFF : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Int32 System.Runtime.CompilerServices.CompilationRelaxationsAttribute::m_relaxations
int32_t ___m_relaxations_0;
public:
inline static int32_t get_offset_of_m_relaxations_0() { return static_cast<int32_t>(offsetof(CompilationRelaxationsAttribute_t661FDDC06629BDA607A42BD660944F039FE03AFF, ___m_relaxations_0)); }
inline int32_t get_m_relaxations_0() const { return ___m_relaxations_0; }
inline int32_t* get_address_of_m_relaxations_0() { return &___m_relaxations_0; }
inline void set_m_relaxations_0(int32_t value)
{
___m_relaxations_0 = value;
}
};
// System.Runtime.CompilerServices.CompilerGeneratedAttribute
struct CompilerGeneratedAttribute_t39106AB982658D7A94C27DEF3C48DB2F5F7CD75C : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Diagnostics.ConditionalAttribute
struct ConditionalAttribute_t5DD558ED67ECF65952A82B94A75C6E8E121B2D8C : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Diagnostics.ConditionalAttribute::m_conditionString
String_t* ___m_conditionString_0;
public:
inline static int32_t get_offset_of_m_conditionString_0() { return static_cast<int32_t>(offsetof(ConditionalAttribute_t5DD558ED67ECF65952A82B94A75C6E8E121B2D8C, ___m_conditionString_0)); }
inline String_t* get_m_conditionString_0() const { return ___m_conditionString_0; }
inline String_t** get_address_of_m_conditionString_0() { return &___m_conditionString_0; }
inline void set_m_conditionString_0(String_t* value)
{
___m_conditionString_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_conditionString_0), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Extensions.ConditionalFormatter
struct ConditionalFormatter_tB58C41A538AFDA319CCBFF79E92C32BDFF194C79 : public FormatterBase_t9C41952D199D3C96A9F94A46395C8E387B42FC0C
{
public:
public:
};
struct ConditionalFormatter_tB58C41A538AFDA319CCBFF79E92C32BDFF194C79_StaticFields
{
public:
// System.Text.RegularExpressions.Regex UnityEngine.Localization.SmartFormat.Extensions.ConditionalFormatter::_complexConditionPattern
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * ____complexConditionPattern_1;
public:
inline static int32_t get_offset_of__complexConditionPattern_1() { return static_cast<int32_t>(offsetof(ConditionalFormatter_tB58C41A538AFDA319CCBFF79E92C32BDFF194C79_StaticFields, ____complexConditionPattern_1)); }
inline Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * get__complexConditionPattern_1() const { return ____complexConditionPattern_1; }
inline Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F ** get_address_of__complexConditionPattern_1() { return &____complexConditionPattern_1; }
inline void set__complexConditionPattern_1(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * value)
{
____complexConditionPattern_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____complexConditionPattern_1), (void*)value);
}
};
// System.Configuration.ConfigurationCollectionAttribute
struct ConfigurationCollectionAttribute_t354F77C0DE61B8BFEC17006B49F23D7F7C73C5D6 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Configuration.ConfigurationElementCollection
struct ConfigurationElementCollection_t09097ED83C909F1481AEF6E4451CF7595AFA403E : public ConfigurationElement_t571C446CFDFF39CF17130653C433786BEFF25DFA
{
public:
public:
};
// System.Configuration.ConfigurationSection
struct ConfigurationSection_t0D68AA1EA007506253A4935DB9F357AF9B50C683 : public ConfigurationElement_t571C446CFDFF39CF17130653C433786BEFF25DFA
{
public:
public:
};
// System.Net.Configuration.ConnectionManagementElement
struct ConnectionManagementElement_t815959D6EEDA090A8381EA9B9D9A3A9C451E3A11 : public ConfigurationElement_t571C446CFDFF39CF17130653C433786BEFF25DFA
{
public:
public:
};
// System.Linq.Expressions.ConstantExpression
struct ConstantExpression_tE22239C4AE815AF9B4647E026E802623F433F0FB : public Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660
{
public:
// System.Object System.Linq.Expressions.ConstantExpression::<Value>k__BackingField
RuntimeObject * ___U3CValueU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CValueU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(ConstantExpression_tE22239C4AE815AF9B4647E026E802623F433F0FB, ___U3CValueU3Ek__BackingField_3)); }
inline RuntimeObject * get_U3CValueU3Ek__BackingField_3() const { return ___U3CValueU3Ek__BackingField_3; }
inline RuntimeObject ** get_address_of_U3CValueU3Ek__BackingField_3() { return &___U3CValueU3Ek__BackingField_3; }
inline void set_U3CValueU3Ek__BackingField_3(RuntimeObject * value)
{
___U3CValueU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CValueU3Ek__BackingField_3), (void*)value);
}
};
// System.Runtime.Remoting.Messaging.ConstructionCall
struct ConstructionCall_tFB3D22905098A82A4E9D61E6E555818CB2E1104C : public MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2
{
public:
// System.Runtime.Remoting.Activation.IActivator System.Runtime.Remoting.Messaging.ConstructionCall::_activator
RuntimeObject* ____activator_11;
// System.Object[] System.Runtime.Remoting.Messaging.ConstructionCall::_activationAttributes
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ____activationAttributes_12;
// System.Collections.IList System.Runtime.Remoting.Messaging.ConstructionCall::_contextProperties
RuntimeObject* ____contextProperties_13;
// System.Type System.Runtime.Remoting.Messaging.ConstructionCall::_activationType
Type_t * ____activationType_14;
// System.String System.Runtime.Remoting.Messaging.ConstructionCall::_activationTypeName
String_t* ____activationTypeName_15;
// System.Boolean System.Runtime.Remoting.Messaging.ConstructionCall::_isContextOk
bool ____isContextOk_16;
// System.Runtime.Remoting.Proxies.RemotingProxy System.Runtime.Remoting.Messaging.ConstructionCall::_sourceProxy
RemotingProxy_t98432727E564B2B45BB25C0AAE02F29ABDE70F63 * ____sourceProxy_17;
public:
inline static int32_t get_offset_of__activator_11() { return static_cast<int32_t>(offsetof(ConstructionCall_tFB3D22905098A82A4E9D61E6E555818CB2E1104C, ____activator_11)); }
inline RuntimeObject* get__activator_11() const { return ____activator_11; }
inline RuntimeObject** get_address_of__activator_11() { return &____activator_11; }
inline void set__activator_11(RuntimeObject* value)
{
____activator_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&____activator_11), (void*)value);
}
inline static int32_t get_offset_of__activationAttributes_12() { return static_cast<int32_t>(offsetof(ConstructionCall_tFB3D22905098A82A4E9D61E6E555818CB2E1104C, ____activationAttributes_12)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get__activationAttributes_12() const { return ____activationAttributes_12; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of__activationAttributes_12() { return &____activationAttributes_12; }
inline void set__activationAttributes_12(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
____activationAttributes_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&____activationAttributes_12), (void*)value);
}
inline static int32_t get_offset_of__contextProperties_13() { return static_cast<int32_t>(offsetof(ConstructionCall_tFB3D22905098A82A4E9D61E6E555818CB2E1104C, ____contextProperties_13)); }
inline RuntimeObject* get__contextProperties_13() const { return ____contextProperties_13; }
inline RuntimeObject** get_address_of__contextProperties_13() { return &____contextProperties_13; }
inline void set__contextProperties_13(RuntimeObject* value)
{
____contextProperties_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&____contextProperties_13), (void*)value);
}
inline static int32_t get_offset_of__activationType_14() { return static_cast<int32_t>(offsetof(ConstructionCall_tFB3D22905098A82A4E9D61E6E555818CB2E1104C, ____activationType_14)); }
inline Type_t * get__activationType_14() const { return ____activationType_14; }
inline Type_t ** get_address_of__activationType_14() { return &____activationType_14; }
inline void set__activationType_14(Type_t * value)
{
____activationType_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&____activationType_14), (void*)value);
}
inline static int32_t get_offset_of__activationTypeName_15() { return static_cast<int32_t>(offsetof(ConstructionCall_tFB3D22905098A82A4E9D61E6E555818CB2E1104C, ____activationTypeName_15)); }
inline String_t* get__activationTypeName_15() const { return ____activationTypeName_15; }
inline String_t** get_address_of__activationTypeName_15() { return &____activationTypeName_15; }
inline void set__activationTypeName_15(String_t* value)
{
____activationTypeName_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&____activationTypeName_15), (void*)value);
}
inline static int32_t get_offset_of__isContextOk_16() { return static_cast<int32_t>(offsetof(ConstructionCall_tFB3D22905098A82A4E9D61E6E555818CB2E1104C, ____isContextOk_16)); }
inline bool get__isContextOk_16() const { return ____isContextOk_16; }
inline bool* get_address_of__isContextOk_16() { return &____isContextOk_16; }
inline void set__isContextOk_16(bool value)
{
____isContextOk_16 = value;
}
inline static int32_t get_offset_of__sourceProxy_17() { return static_cast<int32_t>(offsetof(ConstructionCall_tFB3D22905098A82A4E9D61E6E555818CB2E1104C, ____sourceProxy_17)); }
inline RemotingProxy_t98432727E564B2B45BB25C0AAE02F29ABDE70F63 * get__sourceProxy_17() const { return ____sourceProxy_17; }
inline RemotingProxy_t98432727E564B2B45BB25C0AAE02F29ABDE70F63 ** get_address_of__sourceProxy_17() { return &____sourceProxy_17; }
inline void set__sourceProxy_17(RemotingProxy_t98432727E564B2B45BB25C0AAE02F29ABDE70F63 * value)
{
____sourceProxy_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&____sourceProxy_17), (void*)value);
}
};
// System.Runtime.Remoting.Messaging.ConstructionCallDictionary
struct ConstructionCallDictionary_t1F05D29F308518AED68842C93E90EC397344A0C8 : public MessageDictionary_tF87E1D8408337642172945A13C9C116D7F9336BE
{
public:
public:
};
struct ConstructionCallDictionary_t1F05D29F308518AED68842C93E90EC397344A0C8_StaticFields
{
public:
// System.String[] System.Runtime.Remoting.Messaging.ConstructionCallDictionary::InternalKeys
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___InternalKeys_4;
public:
inline static int32_t get_offset_of_InternalKeys_4() { return static_cast<int32_t>(offsetof(ConstructionCallDictionary_t1F05D29F308518AED68842C93E90EC397344A0C8_StaticFields, ___InternalKeys_4)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_InternalKeys_4() const { return ___InternalKeys_4; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_InternalKeys_4() { return &___InternalKeys_4; }
inline void set_InternalKeys_4(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___InternalKeys_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___InternalKeys_4), (void*)value);
}
};
// System.Runtime.Remoting.Messaging.ConstructionResponse
struct ConstructionResponse_tE79C40DEC377C146FBACA7BB86741F76704F30DE : public MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5
{
public:
public:
};
// System.ContextBoundObject
struct ContextBoundObject_tBB875F915633B46F9364AAFC4129DC6DDC05753B : public MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8
{
public:
public:
};
// UnityEngine.ContextMenu
struct ContextMenu_tA743E775BCF043B77AB6D4872E90FC4D7AE8E861 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.ContextStaticAttribute
struct ContextStaticAttribute_t7F3343F17E35F2FD20841A3114D6D8A2A8180FF5 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Coord
struct Coord_tC91F4C76F249B7D08375D2F4066B39D2E5B35766
{
public:
// System.Int16 System.Coord::X
int16_t ___X_0;
// System.Int16 System.Coord::Y
int16_t ___Y_1;
public:
inline static int32_t get_offset_of_X_0() { return static_cast<int32_t>(offsetof(Coord_tC91F4C76F249B7D08375D2F4066B39D2E5B35766, ___X_0)); }
inline int16_t get_X_0() const { return ___X_0; }
inline int16_t* get_address_of_X_0() { return &___X_0; }
inline void set_X_0(int16_t value)
{
___X_0 = value;
}
inline static int32_t get_offset_of_Y_1() { return static_cast<int32_t>(offsetof(Coord_tC91F4C76F249B7D08375D2F4066B39D2E5B35766, ___Y_1)); }
inline int16_t get_Y_1() const { return ___Y_1; }
inline int16_t* get_address_of_Y_1() { return &___Y_1; }
inline void set_Y_1(int16_t value)
{
___Y_1 = value;
}
};
// UnityEngine.CreateAssetMenuAttribute
struct CreateAssetMenuAttribute_t79F6BDD595B569A2D16681BDD571D1AE6E782D0C : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String UnityEngine.CreateAssetMenuAttribute::<menuName>k__BackingField
String_t* ___U3CmenuNameU3Ek__BackingField_0;
// System.String UnityEngine.CreateAssetMenuAttribute::<fileName>k__BackingField
String_t* ___U3CfileNameU3Ek__BackingField_1;
// System.Int32 UnityEngine.CreateAssetMenuAttribute::<order>k__BackingField
int32_t ___U3CorderU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CmenuNameU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(CreateAssetMenuAttribute_t79F6BDD595B569A2D16681BDD571D1AE6E782D0C, ___U3CmenuNameU3Ek__BackingField_0)); }
inline String_t* get_U3CmenuNameU3Ek__BackingField_0() const { return ___U3CmenuNameU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CmenuNameU3Ek__BackingField_0() { return &___U3CmenuNameU3Ek__BackingField_0; }
inline void set_U3CmenuNameU3Ek__BackingField_0(String_t* value)
{
___U3CmenuNameU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CmenuNameU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CfileNameU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(CreateAssetMenuAttribute_t79F6BDD595B569A2D16681BDD571D1AE6E782D0C, ___U3CfileNameU3Ek__BackingField_1)); }
inline String_t* get_U3CfileNameU3Ek__BackingField_1() const { return ___U3CfileNameU3Ek__BackingField_1; }
inline String_t** get_address_of_U3CfileNameU3Ek__BackingField_1() { return &___U3CfileNameU3Ek__BackingField_1; }
inline void set_U3CfileNameU3Ek__BackingField_1(String_t* value)
{
___U3CfileNameU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CfileNameU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CorderU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(CreateAssetMenuAttribute_t79F6BDD595B569A2D16681BDD571D1AE6E782D0C, ___U3CorderU3Ek__BackingField_2)); }
inline int32_t get_U3CorderU3Ek__BackingField_2() const { return ___U3CorderU3Ek__BackingField_2; }
inline int32_t* get_address_of_U3CorderU3Ek__BackingField_2() { return &___U3CorderU3Ek__BackingField_2; }
inline void set_U3CorderU3Ek__BackingField_2(int32_t value)
{
___U3CorderU3Ek__BackingField_2 = value;
}
};
// UnityEngine.CullingGroupEvent
struct CullingGroupEvent_t58E1718FD0A5FC5037538BD223DCF1385014185C
{
public:
// System.Int32 UnityEngine.CullingGroupEvent::m_Index
int32_t ___m_Index_0;
// System.Byte UnityEngine.CullingGroupEvent::m_PrevState
uint8_t ___m_PrevState_1;
// System.Byte UnityEngine.CullingGroupEvent::m_ThisState
uint8_t ___m_ThisState_2;
public:
inline static int32_t get_offset_of_m_Index_0() { return static_cast<int32_t>(offsetof(CullingGroupEvent_t58E1718FD0A5FC5037538BD223DCF1385014185C, ___m_Index_0)); }
inline int32_t get_m_Index_0() const { return ___m_Index_0; }
inline int32_t* get_address_of_m_Index_0() { return &___m_Index_0; }
inline void set_m_Index_0(int32_t value)
{
___m_Index_0 = value;
}
inline static int32_t get_offset_of_m_PrevState_1() { return static_cast<int32_t>(offsetof(CullingGroupEvent_t58E1718FD0A5FC5037538BD223DCF1385014185C, ___m_PrevState_1)); }
inline uint8_t get_m_PrevState_1() const { return ___m_PrevState_1; }
inline uint8_t* get_address_of_m_PrevState_1() { return &___m_PrevState_1; }
inline void set_m_PrevState_1(uint8_t value)
{
___m_PrevState_1 = value;
}
inline static int32_t get_offset_of_m_ThisState_2() { return static_cast<int32_t>(offsetof(CullingGroupEvent_t58E1718FD0A5FC5037538BD223DCF1385014185C, ___m_ThisState_2)); }
inline uint8_t get_m_ThisState_2() const { return ___m_ThisState_2; }
inline uint8_t* get_address_of_m_ThisState_2() { return &___m_ThisState_2; }
inline void set_m_ThisState_2(uint8_t value)
{
___m_ThisState_2 = value;
}
};
// System.CurrentSystemTimeZone
struct CurrentSystemTimeZone_t1D374DF5A6A47A1790B1BF8759342E40E0CD129A : public TimeZone_t7BDF23D00BD0964D237E34664984422C85EB43F5
{
public:
// System.TimeZoneInfo System.CurrentSystemTimeZone::LocalTimeZone
TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074 * ___LocalTimeZone_1;
public:
inline static int32_t get_offset_of_LocalTimeZone_1() { return static_cast<int32_t>(offsetof(CurrentSystemTimeZone_t1D374DF5A6A47A1790B1BF8759342E40E0CD129A, ___LocalTimeZone_1)); }
inline TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074 * get_LocalTimeZone_1() const { return ___LocalTimeZone_1; }
inline TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074 ** get_address_of_LocalTimeZone_1() { return &___LocalTimeZone_1; }
inline void set_LocalTimeZone_1(TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074 * value)
{
___LocalTimeZone_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___LocalTimeZone_1), (void*)value);
}
};
// System.Reflection.CustomAttributeTypedArgument
struct CustomAttributeTypedArgument_tE7152E8FACDD29A8E0040E151C86F436FA8E6910
{
public:
// System.Type System.Reflection.CustomAttributeTypedArgument::argumentType
Type_t * ___argumentType_0;
// System.Object System.Reflection.CustomAttributeTypedArgument::value
RuntimeObject * ___value_1;
public:
inline static int32_t get_offset_of_argumentType_0() { return static_cast<int32_t>(offsetof(CustomAttributeTypedArgument_tE7152E8FACDD29A8E0040E151C86F436FA8E6910, ___argumentType_0)); }
inline Type_t * get_argumentType_0() const { return ___argumentType_0; }
inline Type_t ** get_address_of_argumentType_0() { return &___argumentType_0; }
inline void set_argumentType_0(Type_t * value)
{
___argumentType_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___argumentType_0), (void*)value);
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(CustomAttributeTypedArgument_tE7152E8FACDD29A8E0040E151C86F436FA8E6910, ___value_1)); }
inline RuntimeObject * get_value_1() const { return ___value_1; }
inline RuntimeObject ** get_address_of_value_1() { return &___value_1; }
inline void set_value_1(RuntimeObject * value)
{
___value_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Reflection.CustomAttributeTypedArgument
struct CustomAttributeTypedArgument_tE7152E8FACDD29A8E0040E151C86F436FA8E6910_marshaled_pinvoke
{
Type_t * ___argumentType_0;
Il2CppIUnknown* ___value_1;
};
// Native definition for COM marshalling of System.Reflection.CustomAttributeTypedArgument
struct CustomAttributeTypedArgument_tE7152E8FACDD29A8E0040E151C86F436FA8E6910_marshaled_com
{
Type_t * ___argumentType_0;
Il2CppIUnknown* ___value_1;
};
// System.Runtime.CompilerServices.CustomConstantAttribute
struct CustomConstantAttribute_t1088F47FE1E92C116114FB811293DBCCC9B6C580 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.DateTime
struct DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405
{
public:
// System.UInt64 System.DateTime::dateData
uint64_t ___dateData_44;
public:
inline static int32_t get_offset_of_dateData_44() { return static_cast<int32_t>(offsetof(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405, ___dateData_44)); }
inline uint64_t get_dateData_44() const { return ___dateData_44; }
inline uint64_t* get_address_of_dateData_44() { return &___dateData_44; }
inline void set_dateData_44(uint64_t value)
{
___dateData_44 = value;
}
};
struct DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405_StaticFields
{
public:
// System.Int32[] System.DateTime::DaysToMonth365
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___DaysToMonth365_29;
// System.Int32[] System.DateTime::DaysToMonth366
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___DaysToMonth366_30;
// System.DateTime System.DateTime::MinValue
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 ___MinValue_31;
// System.DateTime System.DateTime::MaxValue
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 ___MaxValue_32;
public:
inline static int32_t get_offset_of_DaysToMonth365_29() { return static_cast<int32_t>(offsetof(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405_StaticFields, ___DaysToMonth365_29)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_DaysToMonth365_29() const { return ___DaysToMonth365_29; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_DaysToMonth365_29() { return &___DaysToMonth365_29; }
inline void set_DaysToMonth365_29(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___DaysToMonth365_29 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DaysToMonth365_29), (void*)value);
}
inline static int32_t get_offset_of_DaysToMonth366_30() { return static_cast<int32_t>(offsetof(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405_StaticFields, ___DaysToMonth366_30)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_DaysToMonth366_30() const { return ___DaysToMonth366_30; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_DaysToMonth366_30() { return &___DaysToMonth366_30; }
inline void set_DaysToMonth366_30(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___DaysToMonth366_30 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DaysToMonth366_30), (void*)value);
}
inline static int32_t get_offset_of_MinValue_31() { return static_cast<int32_t>(offsetof(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405_StaticFields, ___MinValue_31)); }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 get_MinValue_31() const { return ___MinValue_31; }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 * get_address_of_MinValue_31() { return &___MinValue_31; }
inline void set_MinValue_31(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 value)
{
___MinValue_31 = value;
}
inline static int32_t get_offset_of_MaxValue_32() { return static_cast<int32_t>(offsetof(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405_StaticFields, ___MaxValue_32)); }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 get_MaxValue_32() const { return ___MaxValue_32; }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 * get_address_of_MaxValue_32() { return &___MaxValue_32; }
inline void set_MaxValue_32(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 value)
{
___MaxValue_32 = value;
}
};
// Unity.Collections.DeallocateOnJobCompletionAttribute
struct DeallocateOnJobCompletionAttribute_t9DD74D14DC0E26E36F239BC9A51229AEDC02DC59 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Diagnostics.DebuggerDisplayAttribute
struct DebuggerDisplayAttribute_tA5070C1A6CAB579DAC66A469530D946F6F42727F : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Diagnostics.DebuggerDisplayAttribute::name
String_t* ___name_0;
// System.String System.Diagnostics.DebuggerDisplayAttribute::value
String_t* ___value_1;
// System.String System.Diagnostics.DebuggerDisplayAttribute::type
String_t* ___type_2;
public:
inline static int32_t get_offset_of_name_0() { return static_cast<int32_t>(offsetof(DebuggerDisplayAttribute_tA5070C1A6CAB579DAC66A469530D946F6F42727F, ___name_0)); }
inline String_t* get_name_0() const { return ___name_0; }
inline String_t** get_address_of_name_0() { return &___name_0; }
inline void set_name_0(String_t* value)
{
___name_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_0), (void*)value);
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(DebuggerDisplayAttribute_tA5070C1A6CAB579DAC66A469530D946F6F42727F, ___value_1)); }
inline String_t* get_value_1() const { return ___value_1; }
inline String_t** get_address_of_value_1() { return &___value_1; }
inline void set_value_1(String_t* value)
{
___value_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value);
}
inline static int32_t get_offset_of_type_2() { return static_cast<int32_t>(offsetof(DebuggerDisplayAttribute_tA5070C1A6CAB579DAC66A469530D946F6F42727F, ___type_2)); }
inline String_t* get_type_2() const { return ___type_2; }
inline String_t** get_address_of_type_2() { return &___type_2; }
inline void set_type_2(String_t* value)
{
___type_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___type_2), (void*)value);
}
};
// System.Diagnostics.DebuggerHiddenAttribute
struct DebuggerHiddenAttribute_tD84728997C009D6F540FB29D88F032350E046A88 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Diagnostics.DebuggerNonUserCodeAttribute
struct DebuggerNonUserCodeAttribute_t47FE9BBE8F4A377B2EDD62B769D2AF2392ED7D41 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Diagnostics.DebuggerStepThroughAttribute
struct DebuggerStepThroughAttribute_t4058F4B4E5E1DF6883627F75165741AF154B781F : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Diagnostics.DebuggerTypeProxyAttribute
struct DebuggerTypeProxyAttribute_t20C961369DAE0E16D87B752F1C04F16FC3B90014 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Diagnostics.DebuggerTypeProxyAttribute::typeName
String_t* ___typeName_0;
public:
inline static int32_t get_offset_of_typeName_0() { return static_cast<int32_t>(offsetof(DebuggerTypeProxyAttribute_t20C961369DAE0E16D87B752F1C04F16FC3B90014, ___typeName_0)); }
inline String_t* get_typeName_0() const { return ___typeName_0; }
inline String_t** get_address_of_typeName_0() { return &___typeName_0; }
inline void set_typeName_0(String_t* value)
{
___typeName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeName_0), (void*)value);
}
};
// System.Decimal
struct Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7
{
public:
// System.Int32 System.Decimal::flags
int32_t ___flags_14;
// System.Int32 System.Decimal::hi
int32_t ___hi_15;
// System.Int32 System.Decimal::lo
int32_t ___lo_16;
// System.Int32 System.Decimal::mid
int32_t ___mid_17;
public:
inline static int32_t get_offset_of_flags_14() { return static_cast<int32_t>(offsetof(Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7, ___flags_14)); }
inline int32_t get_flags_14() const { return ___flags_14; }
inline int32_t* get_address_of_flags_14() { return &___flags_14; }
inline void set_flags_14(int32_t value)
{
___flags_14 = value;
}
inline static int32_t get_offset_of_hi_15() { return static_cast<int32_t>(offsetof(Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7, ___hi_15)); }
inline int32_t get_hi_15() const { return ___hi_15; }
inline int32_t* get_address_of_hi_15() { return &___hi_15; }
inline void set_hi_15(int32_t value)
{
___hi_15 = value;
}
inline static int32_t get_offset_of_lo_16() { return static_cast<int32_t>(offsetof(Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7, ___lo_16)); }
inline int32_t get_lo_16() const { return ___lo_16; }
inline int32_t* get_address_of_lo_16() { return &___lo_16; }
inline void set_lo_16(int32_t value)
{
___lo_16 = value;
}
inline static int32_t get_offset_of_mid_17() { return static_cast<int32_t>(offsetof(Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7, ___mid_17)); }
inline int32_t get_mid_17() const { return ___mid_17; }
inline int32_t* get_address_of_mid_17() { return &___mid_17; }
inline void set_mid_17(int32_t value)
{
___mid_17 = value;
}
};
struct Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7_StaticFields
{
public:
// System.UInt32[] System.Decimal::Powers10
UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* ___Powers10_6;
// System.Decimal System.Decimal::Zero
Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 ___Zero_7;
// System.Decimal System.Decimal::One
Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 ___One_8;
// System.Decimal System.Decimal::MinusOne
Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 ___MinusOne_9;
// System.Decimal System.Decimal::MaxValue
Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 ___MaxValue_10;
// System.Decimal System.Decimal::MinValue
Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 ___MinValue_11;
// System.Decimal System.Decimal::NearNegativeZero
Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 ___NearNegativeZero_12;
// System.Decimal System.Decimal::NearPositiveZero
Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 ___NearPositiveZero_13;
public:
inline static int32_t get_offset_of_Powers10_6() { return static_cast<int32_t>(offsetof(Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7_StaticFields, ___Powers10_6)); }
inline UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* get_Powers10_6() const { return ___Powers10_6; }
inline UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF** get_address_of_Powers10_6() { return &___Powers10_6; }
inline void set_Powers10_6(UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* value)
{
___Powers10_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Powers10_6), (void*)value);
}
inline static int32_t get_offset_of_Zero_7() { return static_cast<int32_t>(offsetof(Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7_StaticFields, ___Zero_7)); }
inline Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 get_Zero_7() const { return ___Zero_7; }
inline Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 * get_address_of_Zero_7() { return &___Zero_7; }
inline void set_Zero_7(Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 value)
{
___Zero_7 = value;
}
inline static int32_t get_offset_of_One_8() { return static_cast<int32_t>(offsetof(Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7_StaticFields, ___One_8)); }
inline Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 get_One_8() const { return ___One_8; }
inline Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 * get_address_of_One_8() { return &___One_8; }
inline void set_One_8(Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 value)
{
___One_8 = value;
}
inline static int32_t get_offset_of_MinusOne_9() { return static_cast<int32_t>(offsetof(Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7_StaticFields, ___MinusOne_9)); }
inline Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 get_MinusOne_9() const { return ___MinusOne_9; }
inline Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 * get_address_of_MinusOne_9() { return &___MinusOne_9; }
inline void set_MinusOne_9(Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 value)
{
___MinusOne_9 = value;
}
inline static int32_t get_offset_of_MaxValue_10() { return static_cast<int32_t>(offsetof(Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7_StaticFields, ___MaxValue_10)); }
inline Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 get_MaxValue_10() const { return ___MaxValue_10; }
inline Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 * get_address_of_MaxValue_10() { return &___MaxValue_10; }
inline void set_MaxValue_10(Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 value)
{
___MaxValue_10 = value;
}
inline static int32_t get_offset_of_MinValue_11() { return static_cast<int32_t>(offsetof(Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7_StaticFields, ___MinValue_11)); }
inline Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 get_MinValue_11() const { return ___MinValue_11; }
inline Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 * get_address_of_MinValue_11() { return &___MinValue_11; }
inline void set_MinValue_11(Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 value)
{
___MinValue_11 = value;
}
inline static int32_t get_offset_of_NearNegativeZero_12() { return static_cast<int32_t>(offsetof(Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7_StaticFields, ___NearNegativeZero_12)); }
inline Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 get_NearNegativeZero_12() const { return ___NearNegativeZero_12; }
inline Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 * get_address_of_NearNegativeZero_12() { return &___NearNegativeZero_12; }
inline void set_NearNegativeZero_12(Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 value)
{
___NearNegativeZero_12 = value;
}
inline static int32_t get_offset_of_NearPositiveZero_13() { return static_cast<int32_t>(offsetof(Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7_StaticFields, ___NearPositiveZero_13)); }
inline Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 get_NearPositiveZero_13() const { return ___NearPositiveZero_13; }
inline Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 * get_address_of_NearPositiveZero_13() { return &___NearPositiveZero_13; }
inline void set_NearPositiveZero_13(Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 value)
{
___NearPositiveZero_13 = value;
}
};
// System.Text.DecoderExceptionFallback
struct DecoderExceptionFallback_t16A13BA9B30CD5518E631304FCC70EF3877D7E52 : public DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D
{
public:
public:
};
// System.Text.DecoderExceptionFallbackBuffer
struct DecoderExceptionFallbackBuffer_tB09511C11D1143298FFB923A929B88D3ACB01199 : public DecoderFallbackBuffer_t236B3D4172A9BAD1C2150ED78958227F8F20C94B
{
public:
public:
};
// System.Text.DecoderNLS
struct DecoderNLS_tE5B1B7D68B698C0B65FBEE94EAE2453FFD3D538A : public Decoder_t91B2ED8AEC25AA24D23A00265203BE992B12C370
{
public:
// System.Text.Encoding System.Text.DecoderNLS::m_encoding
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___m_encoding_2;
// System.Boolean System.Text.DecoderNLS::m_mustFlush
bool ___m_mustFlush_3;
// System.Boolean System.Text.DecoderNLS::m_throwOnOverflow
bool ___m_throwOnOverflow_4;
// System.Int32 System.Text.DecoderNLS::m_bytesUsed
int32_t ___m_bytesUsed_5;
public:
inline static int32_t get_offset_of_m_encoding_2() { return static_cast<int32_t>(offsetof(DecoderNLS_tE5B1B7D68B698C0B65FBEE94EAE2453FFD3D538A, ___m_encoding_2)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_m_encoding_2() const { return ___m_encoding_2; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_m_encoding_2() { return &___m_encoding_2; }
inline void set_m_encoding_2(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___m_encoding_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_encoding_2), (void*)value);
}
inline static int32_t get_offset_of_m_mustFlush_3() { return static_cast<int32_t>(offsetof(DecoderNLS_tE5B1B7D68B698C0B65FBEE94EAE2453FFD3D538A, ___m_mustFlush_3)); }
inline bool get_m_mustFlush_3() const { return ___m_mustFlush_3; }
inline bool* get_address_of_m_mustFlush_3() { return &___m_mustFlush_3; }
inline void set_m_mustFlush_3(bool value)
{
___m_mustFlush_3 = value;
}
inline static int32_t get_offset_of_m_throwOnOverflow_4() { return static_cast<int32_t>(offsetof(DecoderNLS_tE5B1B7D68B698C0B65FBEE94EAE2453FFD3D538A, ___m_throwOnOverflow_4)); }
inline bool get_m_throwOnOverflow_4() const { return ___m_throwOnOverflow_4; }
inline bool* get_address_of_m_throwOnOverflow_4() { return &___m_throwOnOverflow_4; }
inline void set_m_throwOnOverflow_4(bool value)
{
___m_throwOnOverflow_4 = value;
}
inline static int32_t get_offset_of_m_bytesUsed_5() { return static_cast<int32_t>(offsetof(DecoderNLS_tE5B1B7D68B698C0B65FBEE94EAE2453FFD3D538A, ___m_bytesUsed_5)); }
inline int32_t get_m_bytesUsed_5() const { return ___m_bytesUsed_5; }
inline int32_t* get_address_of_m_bytesUsed_5() { return &___m_bytesUsed_5; }
inline void set_m_bytesUsed_5(int32_t value)
{
___m_bytesUsed_5 = value;
}
};
// System.Text.DecoderReplacementFallback
struct DecoderReplacementFallback_t8DA345EC4EF3A35A2667365F691EE69408A62130 : public DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D
{
public:
// System.String System.Text.DecoderReplacementFallback::strDefault
String_t* ___strDefault_4;
public:
inline static int32_t get_offset_of_strDefault_4() { return static_cast<int32_t>(offsetof(DecoderReplacementFallback_t8DA345EC4EF3A35A2667365F691EE69408A62130, ___strDefault_4)); }
inline String_t* get_strDefault_4() const { return ___strDefault_4; }
inline String_t** get_address_of_strDefault_4() { return &___strDefault_4; }
inline void set_strDefault_4(String_t* value)
{
___strDefault_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___strDefault_4), (void*)value);
}
};
// System.Text.DecoderReplacementFallbackBuffer
struct DecoderReplacementFallbackBuffer_t11D71E853A1417EAFAEA7A18AB77D176C6E2CB94 : public DecoderFallbackBuffer_t236B3D4172A9BAD1C2150ED78958227F8F20C94B
{
public:
// System.String System.Text.DecoderReplacementFallbackBuffer::strDefault
String_t* ___strDefault_2;
// System.Int32 System.Text.DecoderReplacementFallbackBuffer::fallbackCount
int32_t ___fallbackCount_3;
// System.Int32 System.Text.DecoderReplacementFallbackBuffer::fallbackIndex
int32_t ___fallbackIndex_4;
public:
inline static int32_t get_offset_of_strDefault_2() { return static_cast<int32_t>(offsetof(DecoderReplacementFallbackBuffer_t11D71E853A1417EAFAEA7A18AB77D176C6E2CB94, ___strDefault_2)); }
inline String_t* get_strDefault_2() const { return ___strDefault_2; }
inline String_t** get_address_of_strDefault_2() { return &___strDefault_2; }
inline void set_strDefault_2(String_t* value)
{
___strDefault_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___strDefault_2), (void*)value);
}
inline static int32_t get_offset_of_fallbackCount_3() { return static_cast<int32_t>(offsetof(DecoderReplacementFallbackBuffer_t11D71E853A1417EAFAEA7A18AB77D176C6E2CB94, ___fallbackCount_3)); }
inline int32_t get_fallbackCount_3() const { return ___fallbackCount_3; }
inline int32_t* get_address_of_fallbackCount_3() { return &___fallbackCount_3; }
inline void set_fallbackCount_3(int32_t value)
{
___fallbackCount_3 = value;
}
inline static int32_t get_offset_of_fallbackIndex_4() { return static_cast<int32_t>(offsetof(DecoderReplacementFallbackBuffer_t11D71E853A1417EAFAEA7A18AB77D176C6E2CB94, ___fallbackIndex_4)); }
inline int32_t get_fallbackIndex_4() const { return ___fallbackIndex_4; }
inline int32_t* get_address_of_fallbackIndex_4() { return &___fallbackIndex_4; }
inline void set_fallbackIndex_4(int32_t value)
{
___fallbackIndex_4 = value;
}
};
// System.DefaultBinder
struct DefaultBinder_t53E61191376E63AB66B9855D19FD71181EBC6BE1 : public Binder_t2BEE27FD84737D1E79BC47FD67F6D3DD2F2DDA30
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.DefaultConfigurationChooser
struct DefaultConfigurationChooser_tC3488EB08C98156663D851D9F0F0AD9294D4613F : public ConfigurationChooser_t0CCF856A226297A702F306A2217CF17D652E72C4
{
public:
public:
};
// UnityEngine.DefaultExecutionOrder
struct DefaultExecutionOrder_t8495D3D4ECDFC3590621D31C3677D234D8A9BB1F : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Int32 UnityEngine.DefaultExecutionOrder::m_Order
int32_t ___m_Order_0;
public:
inline static int32_t get_offset_of_m_Order_0() { return static_cast<int32_t>(offsetof(DefaultExecutionOrder_t8495D3D4ECDFC3590621D31C3677D234D8A9BB1F, ___m_Order_0)); }
inline int32_t get_m_Order_0() const { return ___m_Order_0; }
inline int32_t* get_address_of_m_Order_0() { return &___m_Order_0; }
inline void set_m_Order_0(int32_t value)
{
___m_Order_0 = value;
}
};
// UnityEngine.Localization.SmartFormat.Extensions.DefaultFormatter
struct DefaultFormatter_t33186C4EABFD3EC5DDA751132545D5DDF1963FFF : public FormatterBase_t9C41952D199D3C96A9F94A46395C8E387B42FC0C
{
public:
public:
};
// System.Reflection.DefaultMemberAttribute
struct DefaultMemberAttribute_t8C9B3330DEA69EE364962477FF14FD2CFE30D4B5 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Reflection.DefaultMemberAttribute::m_memberName
String_t* ___m_memberName_0;
public:
inline static int32_t get_offset_of_m_memberName_0() { return static_cast<int32_t>(offsetof(DefaultMemberAttribute_t8C9B3330DEA69EE364962477FF14FD2CFE30D4B5, ___m_memberName_0)); }
inline String_t* get_m_memberName_0() const { return ___m_memberName_0; }
inline String_t** get_address_of_m_memberName_0() { return &___m_memberName_0; }
inline void set_m_memberName_0(String_t* value)
{
___m_memberName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_memberName_0), (void*)value);
}
};
// UnityEngine.Internal.DefaultValueAttribute
struct DefaultValueAttribute_tC16686567591630447D94937AF74EF53DC158122 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Object UnityEngine.Internal.DefaultValueAttribute::DefaultValue
RuntimeObject * ___DefaultValue_0;
public:
inline static int32_t get_offset_of_DefaultValue_0() { return static_cast<int32_t>(offsetof(DefaultValueAttribute_tC16686567591630447D94937AF74EF53DC158122, ___DefaultValue_0)); }
inline RuntimeObject * get_DefaultValue_0() const { return ___DefaultValue_0; }
inline RuntimeObject ** get_address_of_DefaultValue_0() { return &___DefaultValue_0; }
inline void set_DefaultValue_0(RuntimeObject * value)
{
___DefaultValue_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DefaultValue_0), (void*)value);
}
};
// System.ComponentModel.DescriptionAttribute
struct DescriptionAttribute_tBDFA332A8D0CD36C090BA99110241E2A4A6F25DA : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.ComponentModel.DescriptionAttribute::description
String_t* ___description_1;
public:
inline static int32_t get_offset_of_description_1() { return static_cast<int32_t>(offsetof(DescriptionAttribute_tBDFA332A8D0CD36C090BA99110241E2A4A6F25DA, ___description_1)); }
inline String_t* get_description_1() const { return ___description_1; }
inline String_t** get_address_of_description_1() { return &___description_1; }
inline void set_description_1(String_t* value)
{
___description_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___description_1), (void*)value);
}
};
struct DescriptionAttribute_tBDFA332A8D0CD36C090BA99110241E2A4A6F25DA_StaticFields
{
public:
// System.ComponentModel.DescriptionAttribute System.ComponentModel.DescriptionAttribute::Default
DescriptionAttribute_tBDFA332A8D0CD36C090BA99110241E2A4A6F25DA * ___Default_0;
public:
inline static int32_t get_offset_of_Default_0() { return static_cast<int32_t>(offsetof(DescriptionAttribute_tBDFA332A8D0CD36C090BA99110241E2A4A6F25DA_StaticFields, ___Default_0)); }
inline DescriptionAttribute_tBDFA332A8D0CD36C090BA99110241E2A4A6F25DA * get_Default_0() const { return ___Default_0; }
inline DescriptionAttribute_tBDFA332A8D0CD36C090BA99110241E2A4A6F25DA ** get_address_of_Default_0() { return &___Default_0; }
inline void set_Default_0(DescriptionAttribute_tBDFA332A8D0CD36C090BA99110241E2A4A6F25DA * value)
{
___Default_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Default_0), (void*)value);
}
};
// UnityEngine.ResourceManagement.Diagnostics.DiagnosticEvent
struct DiagnosticEvent_tD3253FD4BA4A574A0DE029BE7A64A5AF090E3D58
{
public:
// System.String UnityEngine.ResourceManagement.Diagnostics.DiagnosticEvent::m_Graph
String_t* ___m_Graph_0;
// System.Int32[] UnityEngine.ResourceManagement.Diagnostics.DiagnosticEvent::m_Dependencies
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___m_Dependencies_1;
// System.Int32 UnityEngine.ResourceManagement.Diagnostics.DiagnosticEvent::m_ObjectId
int32_t ___m_ObjectId_2;
// System.String UnityEngine.ResourceManagement.Diagnostics.DiagnosticEvent::m_DisplayName
String_t* ___m_DisplayName_3;
// System.Int32 UnityEngine.ResourceManagement.Diagnostics.DiagnosticEvent::m_Stream
int32_t ___m_Stream_4;
// System.Int32 UnityEngine.ResourceManagement.Diagnostics.DiagnosticEvent::m_Frame
int32_t ___m_Frame_5;
// System.Int32 UnityEngine.ResourceManagement.Diagnostics.DiagnosticEvent::m_Value
int32_t ___m_Value_6;
public:
inline static int32_t get_offset_of_m_Graph_0() { return static_cast<int32_t>(offsetof(DiagnosticEvent_tD3253FD4BA4A574A0DE029BE7A64A5AF090E3D58, ___m_Graph_0)); }
inline String_t* get_m_Graph_0() const { return ___m_Graph_0; }
inline String_t** get_address_of_m_Graph_0() { return &___m_Graph_0; }
inline void set_m_Graph_0(String_t* value)
{
___m_Graph_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Graph_0), (void*)value);
}
inline static int32_t get_offset_of_m_Dependencies_1() { return static_cast<int32_t>(offsetof(DiagnosticEvent_tD3253FD4BA4A574A0DE029BE7A64A5AF090E3D58, ___m_Dependencies_1)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_m_Dependencies_1() const { return ___m_Dependencies_1; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_m_Dependencies_1() { return &___m_Dependencies_1; }
inline void set_m_Dependencies_1(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___m_Dependencies_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Dependencies_1), (void*)value);
}
inline static int32_t get_offset_of_m_ObjectId_2() { return static_cast<int32_t>(offsetof(DiagnosticEvent_tD3253FD4BA4A574A0DE029BE7A64A5AF090E3D58, ___m_ObjectId_2)); }
inline int32_t get_m_ObjectId_2() const { return ___m_ObjectId_2; }
inline int32_t* get_address_of_m_ObjectId_2() { return &___m_ObjectId_2; }
inline void set_m_ObjectId_2(int32_t value)
{
___m_ObjectId_2 = value;
}
inline static int32_t get_offset_of_m_DisplayName_3() { return static_cast<int32_t>(offsetof(DiagnosticEvent_tD3253FD4BA4A574A0DE029BE7A64A5AF090E3D58, ___m_DisplayName_3)); }
inline String_t* get_m_DisplayName_3() const { return ___m_DisplayName_3; }
inline String_t** get_address_of_m_DisplayName_3() { return &___m_DisplayName_3; }
inline void set_m_DisplayName_3(String_t* value)
{
___m_DisplayName_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DisplayName_3), (void*)value);
}
inline static int32_t get_offset_of_m_Stream_4() { return static_cast<int32_t>(offsetof(DiagnosticEvent_tD3253FD4BA4A574A0DE029BE7A64A5AF090E3D58, ___m_Stream_4)); }
inline int32_t get_m_Stream_4() const { return ___m_Stream_4; }
inline int32_t* get_address_of_m_Stream_4() { return &___m_Stream_4; }
inline void set_m_Stream_4(int32_t value)
{
___m_Stream_4 = value;
}
inline static int32_t get_offset_of_m_Frame_5() { return static_cast<int32_t>(offsetof(DiagnosticEvent_tD3253FD4BA4A574A0DE029BE7A64A5AF090E3D58, ___m_Frame_5)); }
inline int32_t get_m_Frame_5() const { return ___m_Frame_5; }
inline int32_t* get_address_of_m_Frame_5() { return &___m_Frame_5; }
inline void set_m_Frame_5(int32_t value)
{
___m_Frame_5 = value;
}
inline static int32_t get_offset_of_m_Value_6() { return static_cast<int32_t>(offsetof(DiagnosticEvent_tD3253FD4BA4A574A0DE029BE7A64A5AF090E3D58, ___m_Value_6)); }
inline int32_t get_m_Value_6() const { return ___m_Value_6; }
inline int32_t* get_address_of_m_Value_6() { return &___m_Value_6; }
inline void set_m_Value_6(int32_t value)
{
___m_Value_6 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.ResourceManagement.Diagnostics.DiagnosticEvent
struct DiagnosticEvent_tD3253FD4BA4A574A0DE029BE7A64A5AF090E3D58_marshaled_pinvoke
{
char* ___m_Graph_0;
Il2CppSafeArray/*NONE*/* ___m_Dependencies_1;
int32_t ___m_ObjectId_2;
char* ___m_DisplayName_3;
int32_t ___m_Stream_4;
int32_t ___m_Frame_5;
int32_t ___m_Value_6;
};
// Native definition for COM marshalling of UnityEngine.ResourceManagement.Diagnostics.DiagnosticEvent
struct DiagnosticEvent_tD3253FD4BA4A574A0DE029BE7A64A5AF090E3D58_marshaled_com
{
Il2CppChar* ___m_Graph_0;
Il2CppSafeArray/*NONE*/* ___m_Dependencies_1;
int32_t ___m_ObjectId_2;
Il2CppChar* ___m_DisplayName_3;
int32_t ___m_Stream_4;
int32_t ___m_Frame_5;
int32_t ___m_Value_6;
};
// System.Collections.DictionaryEntry
struct DictionaryEntry_tF60471FAB430320A9C7D4382BF966EAAC06D7A90
{
public:
// System.Object System.Collections.DictionaryEntry::_key
RuntimeObject * ____key_0;
// System.Object System.Collections.DictionaryEntry::_value
RuntimeObject * ____value_1;
public:
inline static int32_t get_offset_of__key_0() { return static_cast<int32_t>(offsetof(DictionaryEntry_tF60471FAB430320A9C7D4382BF966EAAC06D7A90, ____key_0)); }
inline RuntimeObject * get__key_0() const { return ____key_0; }
inline RuntimeObject ** get_address_of__key_0() { return &____key_0; }
inline void set__key_0(RuntimeObject * value)
{
____key_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____key_0), (void*)value);
}
inline static int32_t get_offset_of__value_1() { return static_cast<int32_t>(offsetof(DictionaryEntry_tF60471FAB430320A9C7D4382BF966EAAC06D7A90, ____value_1)); }
inline RuntimeObject * get__value_1() const { return ____value_1; }
inline RuntimeObject ** get_address_of__value_1() { return &____value_1; }
inline void set__value_1(RuntimeObject * value)
{
____value_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____value_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Collections.DictionaryEntry
struct DictionaryEntry_tF60471FAB430320A9C7D4382BF966EAAC06D7A90_marshaled_pinvoke
{
Il2CppIUnknown* ____key_0;
Il2CppIUnknown* ____value_1;
};
// Native definition for COM marshalling of System.Collections.DictionaryEntry
struct DictionaryEntry_tF60471FAB430320A9C7D4382BF966EAAC06D7A90_marshaled_com
{
Il2CppIUnknown* ____key_0;
Il2CppIUnknown* ____value_1;
};
// UnityEngine.DisallowMultipleComponent
struct DisallowMultipleComponent_tDB3D3DBC9AC523A0BD11DA0B7D88F960FDB89E3E : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Runtime.InteropServices.DispIdAttribute
struct DispIdAttribute_tA0AC84D3405A11FF2C0118FE7B55976B89DBD829 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Int32 System.Runtime.InteropServices.DispIdAttribute::_val
int32_t ____val_0;
public:
inline static int32_t get_offset_of__val_0() { return static_cast<int32_t>(offsetof(DispIdAttribute_tA0AC84D3405A11FF2C0118FE7B55976B89DBD829, ____val_0)); }
inline int32_t get__val_0() const { return ____val_0; }
inline int32_t* get_address_of__val_0() { return &____val_0; }
inline void set__val_0(int32_t value)
{
____val_0 = value;
}
};
// System.ComponentModel.DisplayNameAttribute
struct DisplayNameAttribute_t23E87B8B23DC5CF5E2A72B8039935029D0A53E85 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.ComponentModel.DisplayNameAttribute::_displayName
String_t* ____displayName_1;
public:
inline static int32_t get_offset_of__displayName_1() { return static_cast<int32_t>(offsetof(DisplayNameAttribute_t23E87B8B23DC5CF5E2A72B8039935029D0A53E85, ____displayName_1)); }
inline String_t* get__displayName_1() const { return ____displayName_1; }
inline String_t** get_address_of__displayName_1() { return &____displayName_1; }
inline void set__displayName_1(String_t* value)
{
____displayName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____displayName_1), (void*)value);
}
};
struct DisplayNameAttribute_t23E87B8B23DC5CF5E2A72B8039935029D0A53E85_StaticFields
{
public:
// System.ComponentModel.DisplayNameAttribute System.ComponentModel.DisplayNameAttribute::Default
DisplayNameAttribute_t23E87B8B23DC5CF5E2A72B8039935029D0A53E85 * ___Default_0;
public:
inline static int32_t get_offset_of_Default_0() { return static_cast<int32_t>(offsetof(DisplayNameAttribute_t23E87B8B23DC5CF5E2A72B8039935029D0A53E85_StaticFields, ___Default_0)); }
inline DisplayNameAttribute_t23E87B8B23DC5CF5E2A72B8039935029D0A53E85 * get_Default_0() const { return ___Default_0; }
inline DisplayNameAttribute_t23E87B8B23DC5CF5E2A72B8039935029D0A53E85 ** get_address_of_Default_0() { return &___Default_0; }
inline void set_Default_0(DisplayNameAttribute_t23E87B8B23DC5CF5E2A72B8039935029D0A53E85 * value)
{
___Default_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Default_0), (void*)value);
}
};
// UnityEngine.Localization.DisplayNameAttribute
struct DisplayNameAttribute_t62B52922FEACDFE4CCB98A5A7D68D3CA9BE1E3E6 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String UnityEngine.Localization.DisplayNameAttribute::<Name>k__BackingField
String_t* ___U3CNameU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CNameU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(DisplayNameAttribute_t62B52922FEACDFE4CCB98A5A7D68D3CA9BE1E3E6, ___U3CNameU3Ek__BackingField_0)); }
inline String_t* get_U3CNameU3Ek__BackingField_0() const { return ___U3CNameU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CNameU3Ek__BackingField_0() { return &___U3CNameU3Ek__BackingField_0; }
inline void set_U3CNameU3Ek__BackingField_0(String_t* value)
{
___U3CNameU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CNameU3Ek__BackingField_0), (void*)value);
}
};
// System.Double
struct Double_t42821932CB52DE2057E685D0E1AF3DE5033D2181
{
public:
// System.Double System.Double::m_value
double ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Double_t42821932CB52DE2057E685D0E1AF3DE5033D2181, ___m_value_0)); }
inline double get_m_value_0() const { return ___m_value_0; }
inline double* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(double value)
{
___m_value_0 = value;
}
};
struct Double_t42821932CB52DE2057E685D0E1AF3DE5033D2181_StaticFields
{
public:
// System.Double System.Double::NegativeZero
double ___NegativeZero_7;
public:
inline static int32_t get_offset_of_NegativeZero_7() { return static_cast<int32_t>(offsetof(Double_t42821932CB52DE2057E685D0E1AF3DE5033D2181_StaticFields, ___NegativeZero_7)); }
inline double get_NegativeZero_7() const { return ___NegativeZero_7; }
inline double* get_address_of_NegativeZero_7() { return &___NegativeZero_7; }
inline void set_NegativeZero_7(double value)
{
___NegativeZero_7 = value;
}
};
// UnityEngine.ResourceManagement.AsyncOperations.DownloadStatus
struct DownloadStatus_t904E2139825F4045CFE06F8636F3B14A1D3B01E9
{
public:
// System.Int64 UnityEngine.ResourceManagement.AsyncOperations.DownloadStatus::TotalBytes
int64_t ___TotalBytes_0;
// System.Int64 UnityEngine.ResourceManagement.AsyncOperations.DownloadStatus::DownloadedBytes
int64_t ___DownloadedBytes_1;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.DownloadStatus::IsDone
bool ___IsDone_2;
public:
inline static int32_t get_offset_of_TotalBytes_0() { return static_cast<int32_t>(offsetof(DownloadStatus_t904E2139825F4045CFE06F8636F3B14A1D3B01E9, ___TotalBytes_0)); }
inline int64_t get_TotalBytes_0() const { return ___TotalBytes_0; }
inline int64_t* get_address_of_TotalBytes_0() { return &___TotalBytes_0; }
inline void set_TotalBytes_0(int64_t value)
{
___TotalBytes_0 = value;
}
inline static int32_t get_offset_of_DownloadedBytes_1() { return static_cast<int32_t>(offsetof(DownloadStatus_t904E2139825F4045CFE06F8636F3B14A1D3B01E9, ___DownloadedBytes_1)); }
inline int64_t get_DownloadedBytes_1() const { return ___DownloadedBytes_1; }
inline int64_t* get_address_of_DownloadedBytes_1() { return &___DownloadedBytes_1; }
inline void set_DownloadedBytes_1(int64_t value)
{
___DownloadedBytes_1 = value;
}
inline static int32_t get_offset_of_IsDone_2() { return static_cast<int32_t>(offsetof(DownloadStatus_t904E2139825F4045CFE06F8636F3B14A1D3B01E9, ___IsDone_2)); }
inline bool get_IsDone_2() const { return ___IsDone_2; }
inline bool* get_address_of_IsDone_2() { return &___IsDone_2; }
inline void set_IsDone_2(bool value)
{
___IsDone_2 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.ResourceManagement.AsyncOperations.DownloadStatus
struct DownloadStatus_t904E2139825F4045CFE06F8636F3B14A1D3B01E9_marshaled_pinvoke
{
int64_t ___TotalBytes_0;
int64_t ___DownloadedBytes_1;
int32_t ___IsDone_2;
};
// Native definition for COM marshalling of UnityEngine.ResourceManagement.AsyncOperations.DownloadStatus
struct DownloadStatus_t904E2139825F4045CFE06F8636F3B14A1D3B01E9_marshaled_com
{
int64_t ___TotalBytes_0;
int64_t ___DownloadedBytes_1;
int32_t ___IsDone_2;
};
// UnityEngine.DrivenRectTransformTracker
struct DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2
{
public:
union
{
struct
{
};
uint8_t DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate
struct EarlyUpdate_t683E44A9E9836945CA0E577E02CA23D9E88B5095
{
public:
union
{
struct
{
};
uint8_t EarlyUpdate_t683E44A9E9836945CA0E577E02CA23D9E88B5095__padding[1];
};
public:
};
// Microsoft.CodeAnalysis.EmbeddedAttribute
struct EmbeddedAttribute_tA2371B4C4F2719496D0CD6ACA0181DAB26F8EDC9 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// Microsoft.CodeAnalysis.EmbeddedAttribute
struct EmbeddedAttribute_tBB2FA256127BD71C39E2C2B371C8127E009F7934 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// Microsoft.CodeAnalysis.EmbeddedAttribute
struct EmbeddedAttribute_tA852A3CA20E730EE88DC894412A45F67219643F6 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// Microsoft.CodeAnalysis.EmbeddedAttribute
struct EmbeddedAttribute_t90946B46F8A884CD575D2A26804B242737A86DDA : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// Microsoft.CodeAnalysis.EmbeddedAttribute
struct EmbeddedAttribute_t9A29FAFE0D69CF7E7B52FAA4D7F55F05FAC5B592 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// Microsoft.CodeAnalysis.EmbeddedAttribute
struct EmbeddedAttribute_t5E067CFFC785D2CA342F4F32B80BDC1D221BAC98 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Text.EncoderExceptionFallback
struct EncoderExceptionFallback_t71499B6207D8D53B9FC61036683F96187AEB40FF : public EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4
{
public:
public:
};
// System.Text.EncoderExceptionFallbackBuffer
struct EncoderExceptionFallbackBuffer_t2BDCCC40EB19EFEED98A3B3D151A25F3CE34F2FA : public EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0
{
public:
public:
};
// System.Text.EncoderNLS
struct EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712 : public Encoder_t5095F24D3B1D0F70D08762B980731B9F1ADEE56A
{
public:
// System.Char System.Text.EncoderNLS::charLeftOver
Il2CppChar ___charLeftOver_2;
// System.Text.Encoding System.Text.EncoderNLS::m_encoding
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___m_encoding_3;
// System.Boolean System.Text.EncoderNLS::m_mustFlush
bool ___m_mustFlush_4;
// System.Boolean System.Text.EncoderNLS::m_throwOnOverflow
bool ___m_throwOnOverflow_5;
// System.Int32 System.Text.EncoderNLS::m_charsUsed
int32_t ___m_charsUsed_6;
public:
inline static int32_t get_offset_of_charLeftOver_2() { return static_cast<int32_t>(offsetof(EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712, ___charLeftOver_2)); }
inline Il2CppChar get_charLeftOver_2() const { return ___charLeftOver_2; }
inline Il2CppChar* get_address_of_charLeftOver_2() { return &___charLeftOver_2; }
inline void set_charLeftOver_2(Il2CppChar value)
{
___charLeftOver_2 = value;
}
inline static int32_t get_offset_of_m_encoding_3() { return static_cast<int32_t>(offsetof(EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712, ___m_encoding_3)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_m_encoding_3() const { return ___m_encoding_3; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_m_encoding_3() { return &___m_encoding_3; }
inline void set_m_encoding_3(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___m_encoding_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_encoding_3), (void*)value);
}
inline static int32_t get_offset_of_m_mustFlush_4() { return static_cast<int32_t>(offsetof(EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712, ___m_mustFlush_4)); }
inline bool get_m_mustFlush_4() const { return ___m_mustFlush_4; }
inline bool* get_address_of_m_mustFlush_4() { return &___m_mustFlush_4; }
inline void set_m_mustFlush_4(bool value)
{
___m_mustFlush_4 = value;
}
inline static int32_t get_offset_of_m_throwOnOverflow_5() { return static_cast<int32_t>(offsetof(EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712, ___m_throwOnOverflow_5)); }
inline bool get_m_throwOnOverflow_5() const { return ___m_throwOnOverflow_5; }
inline bool* get_address_of_m_throwOnOverflow_5() { return &___m_throwOnOverflow_5; }
inline void set_m_throwOnOverflow_5(bool value)
{
___m_throwOnOverflow_5 = value;
}
inline static int32_t get_offset_of_m_charsUsed_6() { return static_cast<int32_t>(offsetof(EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712, ___m_charsUsed_6)); }
inline int32_t get_m_charsUsed_6() const { return ___m_charsUsed_6; }
inline int32_t* get_address_of_m_charsUsed_6() { return &___m_charsUsed_6; }
inline void set_m_charsUsed_6(int32_t value)
{
___m_charsUsed_6 = value;
}
};
// System.Text.EncoderReplacementFallback
struct EncoderReplacementFallback_t61E36A507D7FA8034B49F86DBE560EC77A6A8418 : public EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4
{
public:
// System.String System.Text.EncoderReplacementFallback::strDefault
String_t* ___strDefault_4;
public:
inline static int32_t get_offset_of_strDefault_4() { return static_cast<int32_t>(offsetof(EncoderReplacementFallback_t61E36A507D7FA8034B49F86DBE560EC77A6A8418, ___strDefault_4)); }
inline String_t* get_strDefault_4() const { return ___strDefault_4; }
inline String_t** get_address_of_strDefault_4() { return &___strDefault_4; }
inline void set_strDefault_4(String_t* value)
{
___strDefault_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___strDefault_4), (void*)value);
}
};
// System.Text.EncoderReplacementFallbackBuffer
struct EncoderReplacementFallbackBuffer_t478DE6137BD6E7CE7AAA4880F98A71492AB6CE27 : public EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0
{
public:
// System.String System.Text.EncoderReplacementFallbackBuffer::strDefault
String_t* ___strDefault_7;
// System.Int32 System.Text.EncoderReplacementFallbackBuffer::fallbackCount
int32_t ___fallbackCount_8;
// System.Int32 System.Text.EncoderReplacementFallbackBuffer::fallbackIndex
int32_t ___fallbackIndex_9;
public:
inline static int32_t get_offset_of_strDefault_7() { return static_cast<int32_t>(offsetof(EncoderReplacementFallbackBuffer_t478DE6137BD6E7CE7AAA4880F98A71492AB6CE27, ___strDefault_7)); }
inline String_t* get_strDefault_7() const { return ___strDefault_7; }
inline String_t** get_address_of_strDefault_7() { return &___strDefault_7; }
inline void set_strDefault_7(String_t* value)
{
___strDefault_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___strDefault_7), (void*)value);
}
inline static int32_t get_offset_of_fallbackCount_8() { return static_cast<int32_t>(offsetof(EncoderReplacementFallbackBuffer_t478DE6137BD6E7CE7AAA4880F98A71492AB6CE27, ___fallbackCount_8)); }
inline int32_t get_fallbackCount_8() const { return ___fallbackCount_8; }
inline int32_t* get_address_of_fallbackCount_8() { return &___fallbackCount_8; }
inline void set_fallbackCount_8(int32_t value)
{
___fallbackCount_8 = value;
}
inline static int32_t get_offset_of_fallbackIndex_9() { return static_cast<int32_t>(offsetof(EncoderReplacementFallbackBuffer_t478DE6137BD6E7CE7AAA4880F98A71492AB6CE27, ___fallbackIndex_9)); }
inline int32_t get_fallbackIndex_9() const { return ___fallbackIndex_9; }
inline int32_t* get_address_of_fallbackIndex_9() { return &___fallbackIndex_9; }
inline void set_fallbackIndex_9(int32_t value)
{
___fallbackIndex_9 = value;
}
};
// System.Text.EncodingNLS
struct EncodingNLS_t6F875E5EF171A3E07D8CC7F36D51FD52797E43EE : public Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827
{
public:
public:
};
// System.Enum
struct Enum_t23B90B40F60E677A8025267341651C94AE079CDA : public ValueType_tDBF999C1B75C48C68621878250DBF6CDBCF51E52
{
public:
public:
};
struct Enum_t23B90B40F60E677A8025267341651C94AE079CDA_StaticFields
{
public:
// System.Char[] System.Enum::enumSeperatorCharArray
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___enumSeperatorCharArray_0;
public:
inline static int32_t get_offset_of_enumSeperatorCharArray_0() { return static_cast<int32_t>(offsetof(Enum_t23B90B40F60E677A8025267341651C94AE079CDA_StaticFields, ___enumSeperatorCharArray_0)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_enumSeperatorCharArray_0() const { return ___enumSeperatorCharArray_0; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_enumSeperatorCharArray_0() { return &___enumSeperatorCharArray_0; }
inline void set_enumSeperatorCharArray_0(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___enumSeperatorCharArray_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___enumSeperatorCharArray_0), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Enum
struct Enum_t23B90B40F60E677A8025267341651C94AE079CDA_marshaled_pinvoke
{
};
// Native definition for COM marshalling of System.Enum
struct Enum_t23B90B40F60E677A8025267341651C94AE079CDA_marshaled_com
{
};
// System.Runtime.CompilerServices.Ephemeron
struct Ephemeron_t76EEAA1BDD5BE64FEAF9E3CD185451837EAA6208
{
public:
// System.Object System.Runtime.CompilerServices.Ephemeron::key
RuntimeObject * ___key_0;
// System.Object System.Runtime.CompilerServices.Ephemeron::value
RuntimeObject * ___value_1;
public:
inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(Ephemeron_t76EEAA1BDD5BE64FEAF9E3CD185451837EAA6208, ___key_0)); }
inline RuntimeObject * get_key_0() const { return ___key_0; }
inline RuntimeObject ** get_address_of_key_0() { return &___key_0; }
inline void set_key_0(RuntimeObject * value)
{
___key_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___key_0), (void*)value);
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(Ephemeron_t76EEAA1BDD5BE64FEAF9E3CD185451837EAA6208, ___value_1)); }
inline RuntimeObject * get_value_1() const { return ___value_1; }
inline RuntimeObject ** get_address_of_value_1() { return &___value_1; }
inline void set_value_1(RuntimeObject * value)
{
___value_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Runtime.CompilerServices.Ephemeron
struct Ephemeron_t76EEAA1BDD5BE64FEAF9E3CD185451837EAA6208_marshaled_pinvoke
{
Il2CppIUnknown* ___key_0;
Il2CppIUnknown* ___value_1;
};
// Native definition for COM marshalling of System.Runtime.CompilerServices.Ephemeron
struct Ephemeron_t76EEAA1BDD5BE64FEAF9E3CD185451837EAA6208_marshaled_com
{
Il2CppIUnknown* ___key_0;
Il2CppIUnknown* ___value_1;
};
// System.Reflection.EventInfo
struct EventInfo_t : public MemberInfo_t
{
public:
// System.Reflection.EventInfo/AddEventAdapter System.Reflection.EventInfo::cached_add_event
AddEventAdapter_t6E27B946DE3E58DCAC2BF10DF7992922E7D8987F * ___cached_add_event_0;
public:
inline static int32_t get_offset_of_cached_add_event_0() { return static_cast<int32_t>(offsetof(EventInfo_t, ___cached_add_event_0)); }
inline AddEventAdapter_t6E27B946DE3E58DCAC2BF10DF7992922E7D8987F * get_cached_add_event_0() const { return ___cached_add_event_0; }
inline AddEventAdapter_t6E27B946DE3E58DCAC2BF10DF7992922E7D8987F ** get_address_of_cached_add_event_0() { return &___cached_add_event_0; }
inline void set_cached_add_event_0(AddEventAdapter_t6E27B946DE3E58DCAC2BF10DF7992922E7D8987F * value)
{
___cached_add_event_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___cached_add_event_0), (void*)value);
}
};
// System.Diagnostics.CodeAnalysis.ExcludeFromCodeCoverageAttribute
struct ExcludeFromCodeCoverageAttribute_tFEDA2165DC4920539BEB2F72C8A78D10BB6F9CA0 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.Internal.ExcludeFromDocsAttribute
struct ExcludeFromDocsAttribute_tF2E270E47DCFC0F0F22FA6D71B95FF71B08703B8 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.ExcludeFromObjectFactoryAttribute
struct ExcludeFromObjectFactoryAttribute_t76EEA428CB04C23B2844EB37275816B16C847271 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.ExcludeFromPresetAttribute
struct ExcludeFromPresetAttribute_t7CD7E37B16D721152DFC29DC2CA64C9BE762A703 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.ExecuteAlways
struct ExecuteAlways_tF6C3132EB025F81EAA1C682801417AE96BEBF84B : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.ExecuteInEditMode
struct ExecuteInEditMode_tAA3B5DE8B7E207BC6CAAFDB1F2502350C0546173 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Linq.Expressions.ExpressionStringBuilder
struct ExpressionStringBuilder_tE6E52B108CBCCFC0A1DBDA11731A3D4CA9BDC7FD : public ExpressionVisitor_tD098DE8A366FBBB58C498C4EFF8B003FCA726DF4
{
public:
// System.Text.StringBuilder System.Linq.Expressions.ExpressionStringBuilder::_out
StringBuilder_t * ____out_0;
// System.Collections.Generic.Dictionary`2<System.Object,System.Int32> System.Linq.Expressions.ExpressionStringBuilder::_ids
Dictionary_2_t1DDD2F48B87E022F599DF2452A49BB70BE95A7F8 * ____ids_1;
public:
inline static int32_t get_offset_of__out_0() { return static_cast<int32_t>(offsetof(ExpressionStringBuilder_tE6E52B108CBCCFC0A1DBDA11731A3D4CA9BDC7FD, ____out_0)); }
inline StringBuilder_t * get__out_0() const { return ____out_0; }
inline StringBuilder_t ** get_address_of__out_0() { return &____out_0; }
inline void set__out_0(StringBuilder_t * value)
{
____out_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____out_0), (void*)value);
}
inline static int32_t get_offset_of__ids_1() { return static_cast<int32_t>(offsetof(ExpressionStringBuilder_tE6E52B108CBCCFC0A1DBDA11731A3D4CA9BDC7FD, ____ids_1)); }
inline Dictionary_2_t1DDD2F48B87E022F599DF2452A49BB70BE95A7F8 * get__ids_1() const { return ____ids_1; }
inline Dictionary_2_t1DDD2F48B87E022F599DF2452A49BB70BE95A7F8 ** get_address_of__ids_1() { return &____ids_1; }
inline void set__ids_1(Dictionary_2_t1DDD2F48B87E022F599DF2452A49BB70BE95A7F8 * value)
{
____ids_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____ids_1), (void*)value);
}
};
// System.Runtime.CompilerServices.ExtensionAttribute
struct ExtensionAttribute_t917F3F92E717DC8B2D7BC03967A9790B1B8EF7CC : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.ExtensionOfNativeClassAttribute
struct ExtensionOfNativeClassAttribute_t46F94699A784FF55B490C6A2DB3399CC6F8CCDDB : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.XR.Eyes
struct Eyes_t8097B0BA9FC12824F6ABD076309CEAC1047C094D
{
public:
// System.UInt64 UnityEngine.XR.Eyes::m_DeviceId
uint64_t ___m_DeviceId_0;
// System.UInt32 UnityEngine.XR.Eyes::m_FeatureIndex
uint32_t ___m_FeatureIndex_1;
public:
inline static int32_t get_offset_of_m_DeviceId_0() { return static_cast<int32_t>(offsetof(Eyes_t8097B0BA9FC12824F6ABD076309CEAC1047C094D, ___m_DeviceId_0)); }
inline uint64_t get_m_DeviceId_0() const { return ___m_DeviceId_0; }
inline uint64_t* get_address_of_m_DeviceId_0() { return &___m_DeviceId_0; }
inline void set_m_DeviceId_0(uint64_t value)
{
___m_DeviceId_0 = value;
}
inline static int32_t get_offset_of_m_FeatureIndex_1() { return static_cast<int32_t>(offsetof(Eyes_t8097B0BA9FC12824F6ABD076309CEAC1047C094D, ___m_FeatureIndex_1)); }
inline uint32_t get_m_FeatureIndex_1() const { return ___m_FeatureIndex_1; }
inline uint32_t* get_address_of_m_FeatureIndex_1() { return &___m_FeatureIndex_1; }
inline void set_m_FeatureIndex_1(uint32_t value)
{
___m_FeatureIndex_1 = value;
}
};
// UnityEngine.TextCore.FaceInfo
struct FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979
{
public:
// System.Int32 UnityEngine.TextCore.FaceInfo::m_FaceIndex
int32_t ___m_FaceIndex_0;
// System.String UnityEngine.TextCore.FaceInfo::m_FamilyName
String_t* ___m_FamilyName_1;
// System.String UnityEngine.TextCore.FaceInfo::m_StyleName
String_t* ___m_StyleName_2;
// System.Int32 UnityEngine.TextCore.FaceInfo::m_PointSize
int32_t ___m_PointSize_3;
// System.Single UnityEngine.TextCore.FaceInfo::m_Scale
float ___m_Scale_4;
// System.Single UnityEngine.TextCore.FaceInfo::m_LineHeight
float ___m_LineHeight_5;
// System.Single UnityEngine.TextCore.FaceInfo::m_AscentLine
float ___m_AscentLine_6;
// System.Single UnityEngine.TextCore.FaceInfo::m_CapLine
float ___m_CapLine_7;
// System.Single UnityEngine.TextCore.FaceInfo::m_MeanLine
float ___m_MeanLine_8;
// System.Single UnityEngine.TextCore.FaceInfo::m_Baseline
float ___m_Baseline_9;
// System.Single UnityEngine.TextCore.FaceInfo::m_DescentLine
float ___m_DescentLine_10;
// System.Single UnityEngine.TextCore.FaceInfo::m_SuperscriptOffset
float ___m_SuperscriptOffset_11;
// System.Single UnityEngine.TextCore.FaceInfo::m_SuperscriptSize
float ___m_SuperscriptSize_12;
// System.Single UnityEngine.TextCore.FaceInfo::m_SubscriptOffset
float ___m_SubscriptOffset_13;
// System.Single UnityEngine.TextCore.FaceInfo::m_SubscriptSize
float ___m_SubscriptSize_14;
// System.Single UnityEngine.TextCore.FaceInfo::m_UnderlineOffset
float ___m_UnderlineOffset_15;
// System.Single UnityEngine.TextCore.FaceInfo::m_UnderlineThickness
float ___m_UnderlineThickness_16;
// System.Single UnityEngine.TextCore.FaceInfo::m_StrikethroughOffset
float ___m_StrikethroughOffset_17;
// System.Single UnityEngine.TextCore.FaceInfo::m_StrikethroughThickness
float ___m_StrikethroughThickness_18;
// System.Single UnityEngine.TextCore.FaceInfo::m_TabWidth
float ___m_TabWidth_19;
public:
inline static int32_t get_offset_of_m_FaceIndex_0() { return static_cast<int32_t>(offsetof(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979, ___m_FaceIndex_0)); }
inline int32_t get_m_FaceIndex_0() const { return ___m_FaceIndex_0; }
inline int32_t* get_address_of_m_FaceIndex_0() { return &___m_FaceIndex_0; }
inline void set_m_FaceIndex_0(int32_t value)
{
___m_FaceIndex_0 = value;
}
inline static int32_t get_offset_of_m_FamilyName_1() { return static_cast<int32_t>(offsetof(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979, ___m_FamilyName_1)); }
inline String_t* get_m_FamilyName_1() const { return ___m_FamilyName_1; }
inline String_t** get_address_of_m_FamilyName_1() { return &___m_FamilyName_1; }
inline void set_m_FamilyName_1(String_t* value)
{
___m_FamilyName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_FamilyName_1), (void*)value);
}
inline static int32_t get_offset_of_m_StyleName_2() { return static_cast<int32_t>(offsetof(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979, ___m_StyleName_2)); }
inline String_t* get_m_StyleName_2() const { return ___m_StyleName_2; }
inline String_t** get_address_of_m_StyleName_2() { return &___m_StyleName_2; }
inline void set_m_StyleName_2(String_t* value)
{
___m_StyleName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_StyleName_2), (void*)value);
}
inline static int32_t get_offset_of_m_PointSize_3() { return static_cast<int32_t>(offsetof(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979, ___m_PointSize_3)); }
inline int32_t get_m_PointSize_3() const { return ___m_PointSize_3; }
inline int32_t* get_address_of_m_PointSize_3() { return &___m_PointSize_3; }
inline void set_m_PointSize_3(int32_t value)
{
___m_PointSize_3 = value;
}
inline static int32_t get_offset_of_m_Scale_4() { return static_cast<int32_t>(offsetof(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979, ___m_Scale_4)); }
inline float get_m_Scale_4() const { return ___m_Scale_4; }
inline float* get_address_of_m_Scale_4() { return &___m_Scale_4; }
inline void set_m_Scale_4(float value)
{
___m_Scale_4 = value;
}
inline static int32_t get_offset_of_m_LineHeight_5() { return static_cast<int32_t>(offsetof(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979, ___m_LineHeight_5)); }
inline float get_m_LineHeight_5() const { return ___m_LineHeight_5; }
inline float* get_address_of_m_LineHeight_5() { return &___m_LineHeight_5; }
inline void set_m_LineHeight_5(float value)
{
___m_LineHeight_5 = value;
}
inline static int32_t get_offset_of_m_AscentLine_6() { return static_cast<int32_t>(offsetof(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979, ___m_AscentLine_6)); }
inline float get_m_AscentLine_6() const { return ___m_AscentLine_6; }
inline float* get_address_of_m_AscentLine_6() { return &___m_AscentLine_6; }
inline void set_m_AscentLine_6(float value)
{
___m_AscentLine_6 = value;
}
inline static int32_t get_offset_of_m_CapLine_7() { return static_cast<int32_t>(offsetof(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979, ___m_CapLine_7)); }
inline float get_m_CapLine_7() const { return ___m_CapLine_7; }
inline float* get_address_of_m_CapLine_7() { return &___m_CapLine_7; }
inline void set_m_CapLine_7(float value)
{
___m_CapLine_7 = value;
}
inline static int32_t get_offset_of_m_MeanLine_8() { return static_cast<int32_t>(offsetof(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979, ___m_MeanLine_8)); }
inline float get_m_MeanLine_8() const { return ___m_MeanLine_8; }
inline float* get_address_of_m_MeanLine_8() { return &___m_MeanLine_8; }
inline void set_m_MeanLine_8(float value)
{
___m_MeanLine_8 = value;
}
inline static int32_t get_offset_of_m_Baseline_9() { return static_cast<int32_t>(offsetof(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979, ___m_Baseline_9)); }
inline float get_m_Baseline_9() const { return ___m_Baseline_9; }
inline float* get_address_of_m_Baseline_9() { return &___m_Baseline_9; }
inline void set_m_Baseline_9(float value)
{
___m_Baseline_9 = value;
}
inline static int32_t get_offset_of_m_DescentLine_10() { return static_cast<int32_t>(offsetof(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979, ___m_DescentLine_10)); }
inline float get_m_DescentLine_10() const { return ___m_DescentLine_10; }
inline float* get_address_of_m_DescentLine_10() { return &___m_DescentLine_10; }
inline void set_m_DescentLine_10(float value)
{
___m_DescentLine_10 = value;
}
inline static int32_t get_offset_of_m_SuperscriptOffset_11() { return static_cast<int32_t>(offsetof(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979, ___m_SuperscriptOffset_11)); }
inline float get_m_SuperscriptOffset_11() const { return ___m_SuperscriptOffset_11; }
inline float* get_address_of_m_SuperscriptOffset_11() { return &___m_SuperscriptOffset_11; }
inline void set_m_SuperscriptOffset_11(float value)
{
___m_SuperscriptOffset_11 = value;
}
inline static int32_t get_offset_of_m_SuperscriptSize_12() { return static_cast<int32_t>(offsetof(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979, ___m_SuperscriptSize_12)); }
inline float get_m_SuperscriptSize_12() const { return ___m_SuperscriptSize_12; }
inline float* get_address_of_m_SuperscriptSize_12() { return &___m_SuperscriptSize_12; }
inline void set_m_SuperscriptSize_12(float value)
{
___m_SuperscriptSize_12 = value;
}
inline static int32_t get_offset_of_m_SubscriptOffset_13() { return static_cast<int32_t>(offsetof(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979, ___m_SubscriptOffset_13)); }
inline float get_m_SubscriptOffset_13() const { return ___m_SubscriptOffset_13; }
inline float* get_address_of_m_SubscriptOffset_13() { return &___m_SubscriptOffset_13; }
inline void set_m_SubscriptOffset_13(float value)
{
___m_SubscriptOffset_13 = value;
}
inline static int32_t get_offset_of_m_SubscriptSize_14() { return static_cast<int32_t>(offsetof(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979, ___m_SubscriptSize_14)); }
inline float get_m_SubscriptSize_14() const { return ___m_SubscriptSize_14; }
inline float* get_address_of_m_SubscriptSize_14() { return &___m_SubscriptSize_14; }
inline void set_m_SubscriptSize_14(float value)
{
___m_SubscriptSize_14 = value;
}
inline static int32_t get_offset_of_m_UnderlineOffset_15() { return static_cast<int32_t>(offsetof(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979, ___m_UnderlineOffset_15)); }
inline float get_m_UnderlineOffset_15() const { return ___m_UnderlineOffset_15; }
inline float* get_address_of_m_UnderlineOffset_15() { return &___m_UnderlineOffset_15; }
inline void set_m_UnderlineOffset_15(float value)
{
___m_UnderlineOffset_15 = value;
}
inline static int32_t get_offset_of_m_UnderlineThickness_16() { return static_cast<int32_t>(offsetof(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979, ___m_UnderlineThickness_16)); }
inline float get_m_UnderlineThickness_16() const { return ___m_UnderlineThickness_16; }
inline float* get_address_of_m_UnderlineThickness_16() { return &___m_UnderlineThickness_16; }
inline void set_m_UnderlineThickness_16(float value)
{
___m_UnderlineThickness_16 = value;
}
inline static int32_t get_offset_of_m_StrikethroughOffset_17() { return static_cast<int32_t>(offsetof(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979, ___m_StrikethroughOffset_17)); }
inline float get_m_StrikethroughOffset_17() const { return ___m_StrikethroughOffset_17; }
inline float* get_address_of_m_StrikethroughOffset_17() { return &___m_StrikethroughOffset_17; }
inline void set_m_StrikethroughOffset_17(float value)
{
___m_StrikethroughOffset_17 = value;
}
inline static int32_t get_offset_of_m_StrikethroughThickness_18() { return static_cast<int32_t>(offsetof(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979, ___m_StrikethroughThickness_18)); }
inline float get_m_StrikethroughThickness_18() const { return ___m_StrikethroughThickness_18; }
inline float* get_address_of_m_StrikethroughThickness_18() { return &___m_StrikethroughThickness_18; }
inline void set_m_StrikethroughThickness_18(float value)
{
___m_StrikethroughThickness_18 = value;
}
inline static int32_t get_offset_of_m_TabWidth_19() { return static_cast<int32_t>(offsetof(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979, ___m_TabWidth_19)); }
inline float get_m_TabWidth_19() const { return ___m_TabWidth_19; }
inline float* get_address_of_m_TabWidth_19() { return &___m_TabWidth_19; }
inline void set_m_TabWidth_19(float value)
{
___m_TabWidth_19 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.TextCore.FaceInfo
struct FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979_marshaled_pinvoke
{
int32_t ___m_FaceIndex_0;
char* ___m_FamilyName_1;
char* ___m_StyleName_2;
int32_t ___m_PointSize_3;
float ___m_Scale_4;
float ___m_LineHeight_5;
float ___m_AscentLine_6;
float ___m_CapLine_7;
float ___m_MeanLine_8;
float ___m_Baseline_9;
float ___m_DescentLine_10;
float ___m_SuperscriptOffset_11;
float ___m_SuperscriptSize_12;
float ___m_SubscriptOffset_13;
float ___m_SubscriptSize_14;
float ___m_UnderlineOffset_15;
float ___m_UnderlineThickness_16;
float ___m_StrikethroughOffset_17;
float ___m_StrikethroughThickness_18;
float ___m_TabWidth_19;
};
// Native definition for COM marshalling of UnityEngine.TextCore.FaceInfo
struct FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979_marshaled_com
{
int32_t ___m_FaceIndex_0;
Il2CppChar* ___m_FamilyName_1;
Il2CppChar* ___m_StyleName_2;
int32_t ___m_PointSize_3;
float ___m_Scale_4;
float ___m_LineHeight_5;
float ___m_AscentLine_6;
float ___m_CapLine_7;
float ___m_MeanLine_8;
float ___m_Baseline_9;
float ___m_DescentLine_10;
float ___m_SuperscriptOffset_11;
float ___m_SuperscriptSize_12;
float ___m_SubscriptOffset_13;
float ___m_SubscriptSize_14;
float ___m_UnderlineOffset_15;
float ___m_UnderlineThickness_16;
float ___m_StrikethroughOffset_17;
float ___m_StrikethroughThickness_18;
float ___m_TabWidth_19;
};
// System.Reflection.FieldInfo
struct FieldInfo_t : public MemberInfo_t
{
public:
public:
};
// System.Runtime.InteropServices.FieldOffsetAttribute
struct FieldOffsetAttribute_t5AD7F4C02930B318CE4C72D97897E52D84684944 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Int32 System.Runtime.InteropServices.FieldOffsetAttribute::_val
int32_t ____val_0;
public:
inline static int32_t get_offset_of__val_0() { return static_cast<int32_t>(offsetof(FieldOffsetAttribute_t5AD7F4C02930B318CE4C72D97897E52D84684944, ____val_0)); }
inline int32_t get__val_0() const { return ____val_0; }
inline int32_t* get_address_of__val_0() { return &____val_0; }
inline void set__val_0(int32_t value)
{
____val_0 = value;
}
};
// System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs
struct FirstChanceExceptionEventArgs_tEEB4F0A560E822DC4713261226457348F0B2217F : public EventArgs_tBCAACA538A5195B6D6C8DFCC3524A2A4A67FD8BA
{
public:
public:
};
// System.Runtime.CompilerServices.FixedBufferAttribute
struct FixedBufferAttribute_tA3523076C957FC980B0B4445B25C2D4AA626DC4C : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Type System.Runtime.CompilerServices.FixedBufferAttribute::elementType
Type_t * ___elementType_0;
// System.Int32 System.Runtime.CompilerServices.FixedBufferAttribute::length
int32_t ___length_1;
public:
inline static int32_t get_offset_of_elementType_0() { return static_cast<int32_t>(offsetof(FixedBufferAttribute_tA3523076C957FC980B0B4445B25C2D4AA626DC4C, ___elementType_0)); }
inline Type_t * get_elementType_0() const { return ___elementType_0; }
inline Type_t ** get_address_of_elementType_0() { return &___elementType_0; }
inline void set_elementType_0(Type_t * value)
{
___elementType_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___elementType_0), (void*)value);
}
inline static int32_t get_offset_of_length_1() { return static_cast<int32_t>(offsetof(FixedBufferAttribute_tA3523076C957FC980B0B4445B25C2D4AA626DC4C, ___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;
}
};
// UnityEngine.PlayerLoop.FixedUpdate
struct FixedUpdate_t4607F2480384D5A8F0BF5E9F9538A48BFC87C323
{
public:
union
{
struct
{
};
uint8_t FixedUpdate_t4607F2480384D5A8F0BF5E9F9538A48BFC87C323__padding[1];
};
public:
};
// System.FlagsAttribute
struct FlagsAttribute_t511C558FACEF1CC64702A8FAB67CAF3CBA65DF36 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.GlobalVariables.FloatGlobalVariable
struct FloatGlobalVariable_tF33E126A56DDCA46AFE2D369C8677B0427D70A9C : public GlobalVariable_1_t18026FBD4FEC7AC1E2967D67F586B7C7B688AA57
{
public:
public:
};
// TMPro.FloatTween
struct FloatTween_t5A586E52817A19AA6B977C2E775A83AB391BBC97
{
public:
// TMPro.FloatTween/FloatTweenCallback TMPro.FloatTween::m_Target
FloatTweenCallback_tFA05DE1963C7BD69C06DEAD6FFA6C107A9E1D949 * ___m_Target_0;
// System.Single TMPro.FloatTween::m_StartValue
float ___m_StartValue_1;
// System.Single TMPro.FloatTween::m_TargetValue
float ___m_TargetValue_2;
// System.Single TMPro.FloatTween::m_Duration
float ___m_Duration_3;
// System.Boolean TMPro.FloatTween::m_IgnoreTimeScale
bool ___m_IgnoreTimeScale_4;
public:
inline static int32_t get_offset_of_m_Target_0() { return static_cast<int32_t>(offsetof(FloatTween_t5A586E52817A19AA6B977C2E775A83AB391BBC97, ___m_Target_0)); }
inline FloatTweenCallback_tFA05DE1963C7BD69C06DEAD6FFA6C107A9E1D949 * get_m_Target_0() const { return ___m_Target_0; }
inline FloatTweenCallback_tFA05DE1963C7BD69C06DEAD6FFA6C107A9E1D949 ** get_address_of_m_Target_0() { return &___m_Target_0; }
inline void set_m_Target_0(FloatTweenCallback_tFA05DE1963C7BD69C06DEAD6FFA6C107A9E1D949 * value)
{
___m_Target_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Target_0), (void*)value);
}
inline static int32_t get_offset_of_m_StartValue_1() { return static_cast<int32_t>(offsetof(FloatTween_t5A586E52817A19AA6B977C2E775A83AB391BBC97, ___m_StartValue_1)); }
inline float get_m_StartValue_1() const { return ___m_StartValue_1; }
inline float* get_address_of_m_StartValue_1() { return &___m_StartValue_1; }
inline void set_m_StartValue_1(float value)
{
___m_StartValue_1 = value;
}
inline static int32_t get_offset_of_m_TargetValue_2() { return static_cast<int32_t>(offsetof(FloatTween_t5A586E52817A19AA6B977C2E775A83AB391BBC97, ___m_TargetValue_2)); }
inline float get_m_TargetValue_2() const { return ___m_TargetValue_2; }
inline float* get_address_of_m_TargetValue_2() { return &___m_TargetValue_2; }
inline void set_m_TargetValue_2(float value)
{
___m_TargetValue_2 = value;
}
inline static int32_t get_offset_of_m_Duration_3() { return static_cast<int32_t>(offsetof(FloatTween_t5A586E52817A19AA6B977C2E775A83AB391BBC97, ___m_Duration_3)); }
inline float get_m_Duration_3() const { return ___m_Duration_3; }
inline float* get_address_of_m_Duration_3() { return &___m_Duration_3; }
inline void set_m_Duration_3(float value)
{
___m_Duration_3 = value;
}
inline static int32_t get_offset_of_m_IgnoreTimeScale_4() { return static_cast<int32_t>(offsetof(FloatTween_t5A586E52817A19AA6B977C2E775A83AB391BBC97, ___m_IgnoreTimeScale_4)); }
inline bool get_m_IgnoreTimeScale_4() const { return ___m_IgnoreTimeScale_4; }
inline bool* get_address_of_m_IgnoreTimeScale_4() { return &___m_IgnoreTimeScale_4; }
inline void set_m_IgnoreTimeScale_4(bool value)
{
___m_IgnoreTimeScale_4 = value;
}
};
// Native definition for P/Invoke marshalling of TMPro.FloatTween
struct FloatTween_t5A586E52817A19AA6B977C2E775A83AB391BBC97_marshaled_pinvoke
{
FloatTweenCallback_tFA05DE1963C7BD69C06DEAD6FFA6C107A9E1D949 * ___m_Target_0;
float ___m_StartValue_1;
float ___m_TargetValue_2;
float ___m_Duration_3;
int32_t ___m_IgnoreTimeScale_4;
};
// Native definition for COM marshalling of TMPro.FloatTween
struct FloatTween_t5A586E52817A19AA6B977C2E775A83AB391BBC97_marshaled_com
{
FloatTweenCallback_tFA05DE1963C7BD69C06DEAD6FFA6C107A9E1D949 * ___m_Target_0;
float ___m_StartValue_1;
float ___m_TargetValue_2;
float ___m_Duration_3;
int32_t ___m_IgnoreTimeScale_4;
};
// UnityEngine.UI.CoroutineTween.FloatTween
struct FloatTween_tFC6A79CB4DD9D51D99523093925F926E12D2F228
{
public:
// UnityEngine.UI.CoroutineTween.FloatTween/FloatTweenCallback UnityEngine.UI.CoroutineTween.FloatTween::m_Target
FloatTweenCallback_t56E4D48C62B03C68A69708463C2CCF8E02BBFB23 * ___m_Target_0;
// System.Single UnityEngine.UI.CoroutineTween.FloatTween::m_StartValue
float ___m_StartValue_1;
// System.Single UnityEngine.UI.CoroutineTween.FloatTween::m_TargetValue
float ___m_TargetValue_2;
// System.Single UnityEngine.UI.CoroutineTween.FloatTween::m_Duration
float ___m_Duration_3;
// System.Boolean UnityEngine.UI.CoroutineTween.FloatTween::m_IgnoreTimeScale
bool ___m_IgnoreTimeScale_4;
public:
inline static int32_t get_offset_of_m_Target_0() { return static_cast<int32_t>(offsetof(FloatTween_tFC6A79CB4DD9D51D99523093925F926E12D2F228, ___m_Target_0)); }
inline FloatTweenCallback_t56E4D48C62B03C68A69708463C2CCF8E02BBFB23 * get_m_Target_0() const { return ___m_Target_0; }
inline FloatTweenCallback_t56E4D48C62B03C68A69708463C2CCF8E02BBFB23 ** get_address_of_m_Target_0() { return &___m_Target_0; }
inline void set_m_Target_0(FloatTweenCallback_t56E4D48C62B03C68A69708463C2CCF8E02BBFB23 * value)
{
___m_Target_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Target_0), (void*)value);
}
inline static int32_t get_offset_of_m_StartValue_1() { return static_cast<int32_t>(offsetof(FloatTween_tFC6A79CB4DD9D51D99523093925F926E12D2F228, ___m_StartValue_1)); }
inline float get_m_StartValue_1() const { return ___m_StartValue_1; }
inline float* get_address_of_m_StartValue_1() { return &___m_StartValue_1; }
inline void set_m_StartValue_1(float value)
{
___m_StartValue_1 = value;
}
inline static int32_t get_offset_of_m_TargetValue_2() { return static_cast<int32_t>(offsetof(FloatTween_tFC6A79CB4DD9D51D99523093925F926E12D2F228, ___m_TargetValue_2)); }
inline float get_m_TargetValue_2() const { return ___m_TargetValue_2; }
inline float* get_address_of_m_TargetValue_2() { return &___m_TargetValue_2; }
inline void set_m_TargetValue_2(float value)
{
___m_TargetValue_2 = value;
}
inline static int32_t get_offset_of_m_Duration_3() { return static_cast<int32_t>(offsetof(FloatTween_tFC6A79CB4DD9D51D99523093925F926E12D2F228, ___m_Duration_3)); }
inline float get_m_Duration_3() const { return ___m_Duration_3; }
inline float* get_address_of_m_Duration_3() { return &___m_Duration_3; }
inline void set_m_Duration_3(float value)
{
___m_Duration_3 = value;
}
inline static int32_t get_offset_of_m_IgnoreTimeScale_4() { return static_cast<int32_t>(offsetof(FloatTween_tFC6A79CB4DD9D51D99523093925F926E12D2F228, ___m_IgnoreTimeScale_4)); }
inline bool get_m_IgnoreTimeScale_4() const { return ___m_IgnoreTimeScale_4; }
inline bool* get_address_of_m_IgnoreTimeScale_4() { return &___m_IgnoreTimeScale_4; }
inline void set_m_IgnoreTimeScale_4(bool value)
{
___m_IgnoreTimeScale_4 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.UI.CoroutineTween.FloatTween
struct FloatTween_tFC6A79CB4DD9D51D99523093925F926E12D2F228_marshaled_pinvoke
{
FloatTweenCallback_t56E4D48C62B03C68A69708463C2CCF8E02BBFB23 * ___m_Target_0;
float ___m_StartValue_1;
float ___m_TargetValue_2;
float ___m_Duration_3;
int32_t ___m_IgnoreTimeScale_4;
};
// Native definition for COM marshalling of UnityEngine.UI.CoroutineTween.FloatTween
struct FloatTween_tFC6A79CB4DD9D51D99523093925F926E12D2F228_marshaled_com
{
FloatTweenCallback_t56E4D48C62B03C68A69708463C2CCF8E02BBFB23 * ___m_Target_0;
float ___m_StartValue_1;
float ___m_TargetValue_2;
float ___m_Duration_3;
int32_t ___m_IgnoreTimeScale_4;
};
// TMPro.FontAssetCreationSettings
struct FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1
{
public:
// System.String TMPro.FontAssetCreationSettings::sourceFontFileName
String_t* ___sourceFontFileName_0;
// System.String TMPro.FontAssetCreationSettings::sourceFontFileGUID
String_t* ___sourceFontFileGUID_1;
// System.Int32 TMPro.FontAssetCreationSettings::pointSizeSamplingMode
int32_t ___pointSizeSamplingMode_2;
// System.Int32 TMPro.FontAssetCreationSettings::pointSize
int32_t ___pointSize_3;
// System.Int32 TMPro.FontAssetCreationSettings::padding
int32_t ___padding_4;
// System.Int32 TMPro.FontAssetCreationSettings::packingMode
int32_t ___packingMode_5;
// System.Int32 TMPro.FontAssetCreationSettings::atlasWidth
int32_t ___atlasWidth_6;
// System.Int32 TMPro.FontAssetCreationSettings::atlasHeight
int32_t ___atlasHeight_7;
// System.Int32 TMPro.FontAssetCreationSettings::characterSetSelectionMode
int32_t ___characterSetSelectionMode_8;
// System.String TMPro.FontAssetCreationSettings::characterSequence
String_t* ___characterSequence_9;
// System.String TMPro.FontAssetCreationSettings::referencedFontAssetGUID
String_t* ___referencedFontAssetGUID_10;
// System.String TMPro.FontAssetCreationSettings::referencedTextAssetGUID
String_t* ___referencedTextAssetGUID_11;
// System.Int32 TMPro.FontAssetCreationSettings::fontStyle
int32_t ___fontStyle_12;
// System.Single TMPro.FontAssetCreationSettings::fontStyleModifier
float ___fontStyleModifier_13;
// System.Int32 TMPro.FontAssetCreationSettings::renderMode
int32_t ___renderMode_14;
// System.Boolean TMPro.FontAssetCreationSettings::includeFontFeatures
bool ___includeFontFeatures_15;
public:
inline static int32_t get_offset_of_sourceFontFileName_0() { return static_cast<int32_t>(offsetof(FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1, ___sourceFontFileName_0)); }
inline String_t* get_sourceFontFileName_0() const { return ___sourceFontFileName_0; }
inline String_t** get_address_of_sourceFontFileName_0() { return &___sourceFontFileName_0; }
inline void set_sourceFontFileName_0(String_t* value)
{
___sourceFontFileName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sourceFontFileName_0), (void*)value);
}
inline static int32_t get_offset_of_sourceFontFileGUID_1() { return static_cast<int32_t>(offsetof(FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1, ___sourceFontFileGUID_1)); }
inline String_t* get_sourceFontFileGUID_1() const { return ___sourceFontFileGUID_1; }
inline String_t** get_address_of_sourceFontFileGUID_1() { return &___sourceFontFileGUID_1; }
inline void set_sourceFontFileGUID_1(String_t* value)
{
___sourceFontFileGUID_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sourceFontFileGUID_1), (void*)value);
}
inline static int32_t get_offset_of_pointSizeSamplingMode_2() { return static_cast<int32_t>(offsetof(FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1, ___pointSizeSamplingMode_2)); }
inline int32_t get_pointSizeSamplingMode_2() const { return ___pointSizeSamplingMode_2; }
inline int32_t* get_address_of_pointSizeSamplingMode_2() { return &___pointSizeSamplingMode_2; }
inline void set_pointSizeSamplingMode_2(int32_t value)
{
___pointSizeSamplingMode_2 = value;
}
inline static int32_t get_offset_of_pointSize_3() { return static_cast<int32_t>(offsetof(FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1, ___pointSize_3)); }
inline int32_t get_pointSize_3() const { return ___pointSize_3; }
inline int32_t* get_address_of_pointSize_3() { return &___pointSize_3; }
inline void set_pointSize_3(int32_t value)
{
___pointSize_3 = value;
}
inline static int32_t get_offset_of_padding_4() { return static_cast<int32_t>(offsetof(FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1, ___padding_4)); }
inline int32_t get_padding_4() const { return ___padding_4; }
inline int32_t* get_address_of_padding_4() { return &___padding_4; }
inline void set_padding_4(int32_t value)
{
___padding_4 = value;
}
inline static int32_t get_offset_of_packingMode_5() { return static_cast<int32_t>(offsetof(FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1, ___packingMode_5)); }
inline int32_t get_packingMode_5() const { return ___packingMode_5; }
inline int32_t* get_address_of_packingMode_5() { return &___packingMode_5; }
inline void set_packingMode_5(int32_t value)
{
___packingMode_5 = value;
}
inline static int32_t get_offset_of_atlasWidth_6() { return static_cast<int32_t>(offsetof(FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1, ___atlasWidth_6)); }
inline int32_t get_atlasWidth_6() const { return ___atlasWidth_6; }
inline int32_t* get_address_of_atlasWidth_6() { return &___atlasWidth_6; }
inline void set_atlasWidth_6(int32_t value)
{
___atlasWidth_6 = value;
}
inline static int32_t get_offset_of_atlasHeight_7() { return static_cast<int32_t>(offsetof(FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1, ___atlasHeight_7)); }
inline int32_t get_atlasHeight_7() const { return ___atlasHeight_7; }
inline int32_t* get_address_of_atlasHeight_7() { return &___atlasHeight_7; }
inline void set_atlasHeight_7(int32_t value)
{
___atlasHeight_7 = value;
}
inline static int32_t get_offset_of_characterSetSelectionMode_8() { return static_cast<int32_t>(offsetof(FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1, ___characterSetSelectionMode_8)); }
inline int32_t get_characterSetSelectionMode_8() const { return ___characterSetSelectionMode_8; }
inline int32_t* get_address_of_characterSetSelectionMode_8() { return &___characterSetSelectionMode_8; }
inline void set_characterSetSelectionMode_8(int32_t value)
{
___characterSetSelectionMode_8 = value;
}
inline static int32_t get_offset_of_characterSequence_9() { return static_cast<int32_t>(offsetof(FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1, ___characterSequence_9)); }
inline String_t* get_characterSequence_9() const { return ___characterSequence_9; }
inline String_t** get_address_of_characterSequence_9() { return &___characterSequence_9; }
inline void set_characterSequence_9(String_t* value)
{
___characterSequence_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___characterSequence_9), (void*)value);
}
inline static int32_t get_offset_of_referencedFontAssetGUID_10() { return static_cast<int32_t>(offsetof(FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1, ___referencedFontAssetGUID_10)); }
inline String_t* get_referencedFontAssetGUID_10() const { return ___referencedFontAssetGUID_10; }
inline String_t** get_address_of_referencedFontAssetGUID_10() { return &___referencedFontAssetGUID_10; }
inline void set_referencedFontAssetGUID_10(String_t* value)
{
___referencedFontAssetGUID_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___referencedFontAssetGUID_10), (void*)value);
}
inline static int32_t get_offset_of_referencedTextAssetGUID_11() { return static_cast<int32_t>(offsetof(FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1, ___referencedTextAssetGUID_11)); }
inline String_t* get_referencedTextAssetGUID_11() const { return ___referencedTextAssetGUID_11; }
inline String_t** get_address_of_referencedTextAssetGUID_11() { return &___referencedTextAssetGUID_11; }
inline void set_referencedTextAssetGUID_11(String_t* value)
{
___referencedTextAssetGUID_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___referencedTextAssetGUID_11), (void*)value);
}
inline static int32_t get_offset_of_fontStyle_12() { return static_cast<int32_t>(offsetof(FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1, ___fontStyle_12)); }
inline int32_t get_fontStyle_12() const { return ___fontStyle_12; }
inline int32_t* get_address_of_fontStyle_12() { return &___fontStyle_12; }
inline void set_fontStyle_12(int32_t value)
{
___fontStyle_12 = value;
}
inline static int32_t get_offset_of_fontStyleModifier_13() { return static_cast<int32_t>(offsetof(FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1, ___fontStyleModifier_13)); }
inline float get_fontStyleModifier_13() const { return ___fontStyleModifier_13; }
inline float* get_address_of_fontStyleModifier_13() { return &___fontStyleModifier_13; }
inline void set_fontStyleModifier_13(float value)
{
___fontStyleModifier_13 = value;
}
inline static int32_t get_offset_of_renderMode_14() { return static_cast<int32_t>(offsetof(FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1, ___renderMode_14)); }
inline int32_t get_renderMode_14() const { return ___renderMode_14; }
inline int32_t* get_address_of_renderMode_14() { return &___renderMode_14; }
inline void set_renderMode_14(int32_t value)
{
___renderMode_14 = value;
}
inline static int32_t get_offset_of_includeFontFeatures_15() { return static_cast<int32_t>(offsetof(FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1, ___includeFontFeatures_15)); }
inline bool get_includeFontFeatures_15() const { return ___includeFontFeatures_15; }
inline bool* get_address_of_includeFontFeatures_15() { return &___includeFontFeatures_15; }
inline void set_includeFontFeatures_15(bool value)
{
___includeFontFeatures_15 = value;
}
};
// Native definition for P/Invoke marshalling of TMPro.FontAssetCreationSettings
struct FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1_marshaled_pinvoke
{
char* ___sourceFontFileName_0;
char* ___sourceFontFileGUID_1;
int32_t ___pointSizeSamplingMode_2;
int32_t ___pointSize_3;
int32_t ___padding_4;
int32_t ___packingMode_5;
int32_t ___atlasWidth_6;
int32_t ___atlasHeight_7;
int32_t ___characterSetSelectionMode_8;
char* ___characterSequence_9;
char* ___referencedFontAssetGUID_10;
char* ___referencedTextAssetGUID_11;
int32_t ___fontStyle_12;
float ___fontStyleModifier_13;
int32_t ___renderMode_14;
int32_t ___includeFontFeatures_15;
};
// Native definition for COM marshalling of TMPro.FontAssetCreationSettings
struct FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1_marshaled_com
{
Il2CppChar* ___sourceFontFileName_0;
Il2CppChar* ___sourceFontFileGUID_1;
int32_t ___pointSizeSamplingMode_2;
int32_t ___pointSize_3;
int32_t ___padding_4;
int32_t ___packingMode_5;
int32_t ___atlasWidth_6;
int32_t ___atlasHeight_7;
int32_t ___characterSetSelectionMode_8;
Il2CppChar* ___characterSequence_9;
Il2CppChar* ___referencedFontAssetGUID_10;
Il2CppChar* ___referencedTextAssetGUID_11;
int32_t ___fontStyle_12;
float ___fontStyleModifier_13;
int32_t ___renderMode_14;
int32_t ___includeFontFeatures_15;
};
// UnityEngine.TextCore.LowLevel.FontEngineUtilities
struct FontEngineUtilities_tFA15A550712D3C90200C37F9DEAA234D04F47B8D
{
public:
union
{
struct
{
};
uint8_t FontEngineUtilities_tFA15A550712D3C90200C37F9DEAA234D04F47B8D__padding[1];
};
public:
};
// UnityEngine.Localization.SmartFormat.Core.Parsing.Format
struct Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E : public FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843
{
public:
// UnityEngine.Localization.SmartFormat.Core.Parsing.Placeholder UnityEngine.Localization.SmartFormat.Core.Parsing.Format::parent
Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE * ___parent_6;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem> UnityEngine.Localization.SmartFormat.Core.Parsing.Format::<Items>k__BackingField
List_1_t84C01D625A34E3128ADA5EDF65F2C378615A92BA * ___U3CItemsU3Ek__BackingField_7;
// System.Boolean UnityEngine.Localization.SmartFormat.Core.Parsing.Format::<HasNested>k__BackingField
bool ___U3CHasNestedU3Ek__BackingField_8;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.Core.Parsing.Format/SplitList> UnityEngine.Localization.SmartFormat.Core.Parsing.Format::m_Splits
List_1_t1B54F2768E41B6837F24A8EBF0ADE5C873002CF3 * ___m_Splits_9;
// System.Char UnityEngine.Localization.SmartFormat.Core.Parsing.Format::splitCacheChar
Il2CppChar ___splitCacheChar_10;
// System.Collections.Generic.IList`1<UnityEngine.Localization.SmartFormat.Core.Parsing.Format> UnityEngine.Localization.SmartFormat.Core.Parsing.Format::splitCache
RuntimeObject* ___splitCache_11;
public:
inline static int32_t get_offset_of_parent_6() { return static_cast<int32_t>(offsetof(Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E, ___parent_6)); }
inline Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE * get_parent_6() const { return ___parent_6; }
inline Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE ** get_address_of_parent_6() { return &___parent_6; }
inline void set_parent_6(Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE * value)
{
___parent_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___parent_6), (void*)value);
}
inline static int32_t get_offset_of_U3CItemsU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E, ___U3CItemsU3Ek__BackingField_7)); }
inline List_1_t84C01D625A34E3128ADA5EDF65F2C378615A92BA * get_U3CItemsU3Ek__BackingField_7() const { return ___U3CItemsU3Ek__BackingField_7; }
inline List_1_t84C01D625A34E3128ADA5EDF65F2C378615A92BA ** get_address_of_U3CItemsU3Ek__BackingField_7() { return &___U3CItemsU3Ek__BackingField_7; }
inline void set_U3CItemsU3Ek__BackingField_7(List_1_t84C01D625A34E3128ADA5EDF65F2C378615A92BA * value)
{
___U3CItemsU3Ek__BackingField_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CItemsU3Ek__BackingField_7), (void*)value);
}
inline static int32_t get_offset_of_U3CHasNestedU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E, ___U3CHasNestedU3Ek__BackingField_8)); }
inline bool get_U3CHasNestedU3Ek__BackingField_8() const { return ___U3CHasNestedU3Ek__BackingField_8; }
inline bool* get_address_of_U3CHasNestedU3Ek__BackingField_8() { return &___U3CHasNestedU3Ek__BackingField_8; }
inline void set_U3CHasNestedU3Ek__BackingField_8(bool value)
{
___U3CHasNestedU3Ek__BackingField_8 = value;
}
inline static int32_t get_offset_of_m_Splits_9() { return static_cast<int32_t>(offsetof(Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E, ___m_Splits_9)); }
inline List_1_t1B54F2768E41B6837F24A8EBF0ADE5C873002CF3 * get_m_Splits_9() const { return ___m_Splits_9; }
inline List_1_t1B54F2768E41B6837F24A8EBF0ADE5C873002CF3 ** get_address_of_m_Splits_9() { return &___m_Splits_9; }
inline void set_m_Splits_9(List_1_t1B54F2768E41B6837F24A8EBF0ADE5C873002CF3 * value)
{
___m_Splits_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Splits_9), (void*)value);
}
inline static int32_t get_offset_of_splitCacheChar_10() { return static_cast<int32_t>(offsetof(Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E, ___splitCacheChar_10)); }
inline Il2CppChar get_splitCacheChar_10() const { return ___splitCacheChar_10; }
inline Il2CppChar* get_address_of_splitCacheChar_10() { return &___splitCacheChar_10; }
inline void set_splitCacheChar_10(Il2CppChar value)
{
___splitCacheChar_10 = value;
}
inline static int32_t get_offset_of_splitCache_11() { return static_cast<int32_t>(offsetof(Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E, ___splitCache_11)); }
inline RuntimeObject* get_splitCache_11() const { return ___splitCache_11; }
inline RuntimeObject** get_address_of_splitCache_11() { return &___splitCache_11; }
inline void set_splitCache_11(RuntimeObject* value)
{
___splitCache_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___splitCache_11), (void*)value);
}
};
// System.Runtime.Remoting.FormatterData
struct FormatterData_t949FC0175724CB0B0A0CECED5896D0597B2CC955 : public ProviderData_t2E4B222839D59BB2D2C44E370FA8ED37DAF4F582
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.FormattingErrorEventArgs
struct FormattingErrorEventArgs_t164055C4ACF4CC62FD8C99F243450D259F5D8ECF : public EventArgs_tBCAACA538A5195B6D6C8DFCC3524A2A4A67FD8BA
{
public:
// System.String UnityEngine.Localization.SmartFormat.FormattingErrorEventArgs::<Placeholder>k__BackingField
String_t* ___U3CPlaceholderU3Ek__BackingField_1;
// System.Int32 UnityEngine.Localization.SmartFormat.FormattingErrorEventArgs::<ErrorIndex>k__BackingField
int32_t ___U3CErrorIndexU3Ek__BackingField_2;
// System.Boolean UnityEngine.Localization.SmartFormat.FormattingErrorEventArgs::<IgnoreError>k__BackingField
bool ___U3CIgnoreErrorU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CPlaceholderU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(FormattingErrorEventArgs_t164055C4ACF4CC62FD8C99F243450D259F5D8ECF, ___U3CPlaceholderU3Ek__BackingField_1)); }
inline String_t* get_U3CPlaceholderU3Ek__BackingField_1() const { return ___U3CPlaceholderU3Ek__BackingField_1; }
inline String_t** get_address_of_U3CPlaceholderU3Ek__BackingField_1() { return &___U3CPlaceholderU3Ek__BackingField_1; }
inline void set_U3CPlaceholderU3Ek__BackingField_1(String_t* value)
{
___U3CPlaceholderU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CPlaceholderU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CErrorIndexU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(FormattingErrorEventArgs_t164055C4ACF4CC62FD8C99F243450D259F5D8ECF, ___U3CErrorIndexU3Ek__BackingField_2)); }
inline int32_t get_U3CErrorIndexU3Ek__BackingField_2() const { return ___U3CErrorIndexU3Ek__BackingField_2; }
inline int32_t* get_address_of_U3CErrorIndexU3Ek__BackingField_2() { return &___U3CErrorIndexU3Ek__BackingField_2; }
inline void set_U3CErrorIndexU3Ek__BackingField_2(int32_t value)
{
___U3CErrorIndexU3Ek__BackingField_2 = value;
}
inline static int32_t get_offset_of_U3CIgnoreErrorU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(FormattingErrorEventArgs_t164055C4ACF4CC62FD8C99F243450D259F5D8ECF, ___U3CIgnoreErrorU3Ek__BackingField_3)); }
inline bool get_U3CIgnoreErrorU3Ek__BackingField_3() const { return ___U3CIgnoreErrorU3Ek__BackingField_3; }
inline bool* get_address_of_U3CIgnoreErrorU3Ek__BackingField_3() { return &___U3CIgnoreErrorU3Ek__BackingField_3; }
inline void set_U3CIgnoreErrorU3Ek__BackingField_3(bool value)
{
___U3CIgnoreErrorU3Ek__BackingField_3 = value;
}
};
// UnityEngine.Serialization.FormerlySerializedAsAttribute
struct FormerlySerializedAsAttribute_t9505BD2243F1C81AB32EEAF3543A796C2D935210 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
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_t9505BD2243F1C81AB32EEAF3543A796C2D935210, ___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((void**)(&___m_oldName_0), (void*)value);
}
};
// System.Runtime.CompilerServices.FriendAccessAllowedAttribute
struct FriendAccessAllowedAttribute_tEF68D19B7A8C64D368FBDC59BB0A456B9D7271B3 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Runtime.InteropServices.GCHandle
struct GCHandle_t757890BC4BBBEDE5A623A3C110013EDD24613603
{
public:
// System.Int32 System.Runtime.InteropServices.GCHandle::handle
int32_t ___handle_0;
public:
inline static int32_t get_offset_of_handle_0() { return static_cast<int32_t>(offsetof(GCHandle_t757890BC4BBBEDE5A623A3C110013EDD24613603, ___handle_0)); }
inline int32_t get_handle_0() const { return ___handle_0; }
inline int32_t* get_address_of_handle_0() { return &___handle_0; }
inline void set_handle_0(int32_t value)
{
___handle_0 = value;
}
};
// UnityEngine.GUITargetAttribute
struct GUITargetAttribute_tFC89E3290401D51DDE92D1FA3F39134D87B9E73C : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Int32 UnityEngine.GUITargetAttribute::displayMask
int32_t ___displayMask_0;
public:
inline static int32_t get_offset_of_displayMask_0() { return static_cast<int32_t>(offsetof(GUITargetAttribute_tFC89E3290401D51DDE92D1FA3F39134D87B9E73C, ___displayMask_0)); }
inline int32_t get_displayMask_0() const { return ___displayMask_0; }
inline int32_t* get_address_of_displayMask_0() { return &___displayMask_0; }
inline void set_displayMask_0(int32_t value)
{
___displayMask_0 = value;
}
};
// UnityEngine.SocialPlatforms.GameCenter.GcAchievementData
struct GcAchievementData_t5391FC501EEDA04D3C45DB4213CAE82CA9ED9C24
{
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_t5391FC501EEDA04D3C45DB4213CAE82CA9ED9C24, ___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((void**)(&___m_Identifier_0), (void*)value);
}
inline static int32_t get_offset_of_m_PercentCompleted_1() { return static_cast<int32_t>(offsetof(GcAchievementData_t5391FC501EEDA04D3C45DB4213CAE82CA9ED9C24, ___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_t5391FC501EEDA04D3C45DB4213CAE82CA9ED9C24, ___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_t5391FC501EEDA04D3C45DB4213CAE82CA9ED9C24, ___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_t5391FC501EEDA04D3C45DB4213CAE82CA9ED9C24, ___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;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.SocialPlatforms.GameCenter.GcAchievementData
struct GcAchievementData_t5391FC501EEDA04D3C45DB4213CAE82CA9ED9C24_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_t5391FC501EEDA04D3C45DB4213CAE82CA9ED9C24_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;
};
// UnityEngine.SocialPlatforms.GameCenter.GcAchievementDescriptionData
struct GcAchievementDescriptionData_tA9C8FD052A0FAD05F5C290DEC026DDF07E81AF9D
{
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_t9B604D0D8E28032123641A7E7338FA872E2698BF * ___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_tA9C8FD052A0FAD05F5C290DEC026DDF07E81AF9D, ___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((void**)(&___m_Identifier_0), (void*)value);
}
inline static int32_t get_offset_of_m_Title_1() { return static_cast<int32_t>(offsetof(GcAchievementDescriptionData_tA9C8FD052A0FAD05F5C290DEC026DDF07E81AF9D, ___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((void**)(&___m_Title_1), (void*)value);
}
inline static int32_t get_offset_of_m_Image_2() { return static_cast<int32_t>(offsetof(GcAchievementDescriptionData_tA9C8FD052A0FAD05F5C290DEC026DDF07E81AF9D, ___m_Image_2)); }
inline Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * get_m_Image_2() const { return ___m_Image_2; }
inline Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF ** get_address_of_m_Image_2() { return &___m_Image_2; }
inline void set_m_Image_2(Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * value)
{
___m_Image_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Image_2), (void*)value);
}
inline static int32_t get_offset_of_m_AchievedDescription_3() { return static_cast<int32_t>(offsetof(GcAchievementDescriptionData_tA9C8FD052A0FAD05F5C290DEC026DDF07E81AF9D, ___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((void**)(&___m_AchievedDescription_3), (void*)value);
}
inline static int32_t get_offset_of_m_UnachievedDescription_4() { return static_cast<int32_t>(offsetof(GcAchievementDescriptionData_tA9C8FD052A0FAD05F5C290DEC026DDF07E81AF9D, ___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((void**)(&___m_UnachievedDescription_4), (void*)value);
}
inline static int32_t get_offset_of_m_Hidden_5() { return static_cast<int32_t>(offsetof(GcAchievementDescriptionData_tA9C8FD052A0FAD05F5C290DEC026DDF07E81AF9D, ___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_tA9C8FD052A0FAD05F5C290DEC026DDF07E81AF9D, ___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;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.SocialPlatforms.GameCenter.GcAchievementDescriptionData
struct GcAchievementDescriptionData_tA9C8FD052A0FAD05F5C290DEC026DDF07E81AF9D_marshaled_pinvoke
{
char* ___m_Identifier_0;
char* ___m_Title_1;
Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * ___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_tA9C8FD052A0FAD05F5C290DEC026DDF07E81AF9D_marshaled_com
{
Il2CppChar* ___m_Identifier_0;
Il2CppChar* ___m_Title_1;
Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * ___m_Image_2;
Il2CppChar* ___m_AchievedDescription_3;
Il2CppChar* ___m_UnachievedDescription_4;
int32_t ___m_Hidden_5;
int32_t ___m_Points_6;
};
// UnityEngine.SocialPlatforms.GameCenter.GcScoreData
struct GcScoreData_tAECE4DD4FB50D9F0B5504A41C1D95B028A5B28EC
{
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_tAECE4DD4FB50D9F0B5504A41C1D95B028A5B28EC, ___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((void**)(&___m_Category_0), (void*)value);
}
inline static int32_t get_offset_of_m_ValueLow_1() { return static_cast<int32_t>(offsetof(GcScoreData_tAECE4DD4FB50D9F0B5504A41C1D95B028A5B28EC, ___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_tAECE4DD4FB50D9F0B5504A41C1D95B028A5B28EC, ___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_tAECE4DD4FB50D9F0B5504A41C1D95B028A5B28EC, ___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_tAECE4DD4FB50D9F0B5504A41C1D95B028A5B28EC, ___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((void**)(&___m_FormattedValue_4), (void*)value);
}
inline static int32_t get_offset_of_m_PlayerID_5() { return static_cast<int32_t>(offsetof(GcScoreData_tAECE4DD4FB50D9F0B5504A41C1D95B028A5B28EC, ___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((void**)(&___m_PlayerID_5), (void*)value);
}
inline static int32_t get_offset_of_m_Rank_6() { return static_cast<int32_t>(offsetof(GcScoreData_tAECE4DD4FB50D9F0B5504A41C1D95B028A5B28EC, ___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;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.SocialPlatforms.GameCenter.GcScoreData
struct GcScoreData_tAECE4DD4FB50D9F0B5504A41C1D95B028A5B28EC_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_tAECE4DD4FB50D9F0B5504A41C1D95B028A5B28EC_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;
};
// UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData
struct GcUserProfileData_t18036AD9C18F55CBB882ABACD4DE2771EFFDF03D
{
public:
// System.String UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData::userName
String_t* ___userName_0;
// System.String UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData::teamID
String_t* ___teamID_1;
// System.String UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData::gameID
String_t* ___gameID_2;
// System.Int32 UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData::isFriend
int32_t ___isFriend_3;
// UnityEngine.Texture2D UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData::image
Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * ___image_4;
public:
inline static int32_t get_offset_of_userName_0() { return static_cast<int32_t>(offsetof(GcUserProfileData_t18036AD9C18F55CBB882ABACD4DE2771EFFDF03D, ___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((void**)(&___userName_0), (void*)value);
}
inline static int32_t get_offset_of_teamID_1() { return static_cast<int32_t>(offsetof(GcUserProfileData_t18036AD9C18F55CBB882ABACD4DE2771EFFDF03D, ___teamID_1)); }
inline String_t* get_teamID_1() const { return ___teamID_1; }
inline String_t** get_address_of_teamID_1() { return &___teamID_1; }
inline void set_teamID_1(String_t* value)
{
___teamID_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___teamID_1), (void*)value);
}
inline static int32_t get_offset_of_gameID_2() { return static_cast<int32_t>(offsetof(GcUserProfileData_t18036AD9C18F55CBB882ABACD4DE2771EFFDF03D, ___gameID_2)); }
inline String_t* get_gameID_2() const { return ___gameID_2; }
inline String_t** get_address_of_gameID_2() { return &___gameID_2; }
inline void set_gameID_2(String_t* value)
{
___gameID_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___gameID_2), (void*)value);
}
inline static int32_t get_offset_of_isFriend_3() { return static_cast<int32_t>(offsetof(GcUserProfileData_t18036AD9C18F55CBB882ABACD4DE2771EFFDF03D, ___isFriend_3)); }
inline int32_t get_isFriend_3() const { return ___isFriend_3; }
inline int32_t* get_address_of_isFriend_3() { return &___isFriend_3; }
inline void set_isFriend_3(int32_t value)
{
___isFriend_3 = value;
}
inline static int32_t get_offset_of_image_4() { return static_cast<int32_t>(offsetof(GcUserProfileData_t18036AD9C18F55CBB882ABACD4DE2771EFFDF03D, ___image_4)); }
inline Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * get_image_4() const { return ___image_4; }
inline Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF ** get_address_of_image_4() { return &___image_4; }
inline void set_image_4(Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * value)
{
___image_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___image_4), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData
struct GcUserProfileData_t18036AD9C18F55CBB882ABACD4DE2771EFFDF03D_marshaled_pinvoke
{
char* ___userName_0;
char* ___teamID_1;
char* ___gameID_2;
int32_t ___isFriend_3;
Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * ___image_4;
};
// Native definition for COM marshalling of UnityEngine.SocialPlatforms.GameCenter.GcUserProfileData
struct GcUserProfileData_t18036AD9C18F55CBB882ABACD4DE2771EFFDF03D_marshaled_com
{
Il2CppChar* ___userName_0;
Il2CppChar* ___teamID_1;
Il2CppChar* ___gameID_2;
int32_t ___isFriend_3;
Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * ___image_4;
};
// UnityEngineInternal.GenericStack
struct GenericStack_tFE88EF4FAC2E3519951AC2A4D721C3BD1A02E24C : public Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8
{
public:
public:
};
// UnityEngine.TextCore.GlyphMetrics
struct GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B
{
public:
// System.Single UnityEngine.TextCore.GlyphMetrics::m_Width
float ___m_Width_0;
// System.Single UnityEngine.TextCore.GlyphMetrics::m_Height
float ___m_Height_1;
// System.Single UnityEngine.TextCore.GlyphMetrics::m_HorizontalBearingX
float ___m_HorizontalBearingX_2;
// System.Single UnityEngine.TextCore.GlyphMetrics::m_HorizontalBearingY
float ___m_HorizontalBearingY_3;
// System.Single UnityEngine.TextCore.GlyphMetrics::m_HorizontalAdvance
float ___m_HorizontalAdvance_4;
public:
inline static int32_t get_offset_of_m_Width_0() { return static_cast<int32_t>(offsetof(GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B, ___m_Width_0)); }
inline float get_m_Width_0() const { return ___m_Width_0; }
inline float* get_address_of_m_Width_0() { return &___m_Width_0; }
inline void set_m_Width_0(float value)
{
___m_Width_0 = value;
}
inline static int32_t get_offset_of_m_Height_1() { return static_cast<int32_t>(offsetof(GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B, ___m_Height_1)); }
inline float get_m_Height_1() const { return ___m_Height_1; }
inline float* get_address_of_m_Height_1() { return &___m_Height_1; }
inline void set_m_Height_1(float value)
{
___m_Height_1 = value;
}
inline static int32_t get_offset_of_m_HorizontalBearingX_2() { return static_cast<int32_t>(offsetof(GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B, ___m_HorizontalBearingX_2)); }
inline float get_m_HorizontalBearingX_2() const { return ___m_HorizontalBearingX_2; }
inline float* get_address_of_m_HorizontalBearingX_2() { return &___m_HorizontalBearingX_2; }
inline void set_m_HorizontalBearingX_2(float value)
{
___m_HorizontalBearingX_2 = value;
}
inline static int32_t get_offset_of_m_HorizontalBearingY_3() { return static_cast<int32_t>(offsetof(GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B, ___m_HorizontalBearingY_3)); }
inline float get_m_HorizontalBearingY_3() const { return ___m_HorizontalBearingY_3; }
inline float* get_address_of_m_HorizontalBearingY_3() { return &___m_HorizontalBearingY_3; }
inline void set_m_HorizontalBearingY_3(float value)
{
___m_HorizontalBearingY_3 = value;
}
inline static int32_t get_offset_of_m_HorizontalAdvance_4() { return static_cast<int32_t>(offsetof(GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B, ___m_HorizontalAdvance_4)); }
inline float get_m_HorizontalAdvance_4() const { return ___m_HorizontalAdvance_4; }
inline float* get_address_of_m_HorizontalAdvance_4() { return &___m_HorizontalAdvance_4; }
inline void set_m_HorizontalAdvance_4(float value)
{
___m_HorizontalAdvance_4 = value;
}
};
// TMPro.GlyphPairKey
struct GlyphPairKey_t57B91D5EFC7D65AD20ABFC6A47F01D86616DAD2D
{
public:
// System.UInt32 TMPro.GlyphPairKey::firstGlyphIndex
uint32_t ___firstGlyphIndex_0;
// System.UInt32 TMPro.GlyphPairKey::secondGlyphIndex
uint32_t ___secondGlyphIndex_1;
// System.UInt32 TMPro.GlyphPairKey::key
uint32_t ___key_2;
public:
inline static int32_t get_offset_of_firstGlyphIndex_0() { return static_cast<int32_t>(offsetof(GlyphPairKey_t57B91D5EFC7D65AD20ABFC6A47F01D86616DAD2D, ___firstGlyphIndex_0)); }
inline uint32_t get_firstGlyphIndex_0() const { return ___firstGlyphIndex_0; }
inline uint32_t* get_address_of_firstGlyphIndex_0() { return &___firstGlyphIndex_0; }
inline void set_firstGlyphIndex_0(uint32_t value)
{
___firstGlyphIndex_0 = value;
}
inline static int32_t get_offset_of_secondGlyphIndex_1() { return static_cast<int32_t>(offsetof(GlyphPairKey_t57B91D5EFC7D65AD20ABFC6A47F01D86616DAD2D, ___secondGlyphIndex_1)); }
inline uint32_t get_secondGlyphIndex_1() const { return ___secondGlyphIndex_1; }
inline uint32_t* get_address_of_secondGlyphIndex_1() { return &___secondGlyphIndex_1; }
inline void set_secondGlyphIndex_1(uint32_t value)
{
___secondGlyphIndex_1 = value;
}
inline static int32_t get_offset_of_key_2() { return static_cast<int32_t>(offsetof(GlyphPairKey_t57B91D5EFC7D65AD20ABFC6A47F01D86616DAD2D, ___key_2)); }
inline uint32_t get_key_2() const { return ___key_2; }
inline uint32_t* get_address_of_key_2() { return &___key_2; }
inline void set_key_2(uint32_t value)
{
___key_2 = value;
}
};
// UnityEngine.TextCore.GlyphRect
struct GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D
{
public:
// System.Int32 UnityEngine.TextCore.GlyphRect::m_X
int32_t ___m_X_0;
// System.Int32 UnityEngine.TextCore.GlyphRect::m_Y
int32_t ___m_Y_1;
// System.Int32 UnityEngine.TextCore.GlyphRect::m_Width
int32_t ___m_Width_2;
// System.Int32 UnityEngine.TextCore.GlyphRect::m_Height
int32_t ___m_Height_3;
public:
inline static int32_t get_offset_of_m_X_0() { return static_cast<int32_t>(offsetof(GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D, ___m_X_0)); }
inline int32_t get_m_X_0() const { return ___m_X_0; }
inline int32_t* get_address_of_m_X_0() { return &___m_X_0; }
inline void set_m_X_0(int32_t value)
{
___m_X_0 = value;
}
inline static int32_t get_offset_of_m_Y_1() { return static_cast<int32_t>(offsetof(GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D, ___m_Y_1)); }
inline int32_t get_m_Y_1() const { return ___m_Y_1; }
inline int32_t* get_address_of_m_Y_1() { return &___m_Y_1; }
inline void set_m_Y_1(int32_t value)
{
___m_Y_1 = value;
}
inline static int32_t get_offset_of_m_Width_2() { return static_cast<int32_t>(offsetof(GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D, ___m_Width_2)); }
inline int32_t get_m_Width_2() const { return ___m_Width_2; }
inline int32_t* get_address_of_m_Width_2() { return &___m_Width_2; }
inline void set_m_Width_2(int32_t value)
{
___m_Width_2 = value;
}
inline static int32_t get_offset_of_m_Height_3() { return static_cast<int32_t>(offsetof(GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D, ___m_Height_3)); }
inline int32_t get_m_Height_3() const { return ___m_Height_3; }
inline int32_t* get_address_of_m_Height_3() { return &___m_Height_3; }
inline void set_m_Height_3(int32_t value)
{
___m_Height_3 = value;
}
};
struct GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D_StaticFields
{
public:
// UnityEngine.TextCore.GlyphRect UnityEngine.TextCore.GlyphRect::s_ZeroGlyphRect
GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D ___s_ZeroGlyphRect_4;
public:
inline static int32_t get_offset_of_s_ZeroGlyphRect_4() { return static_cast<int32_t>(offsetof(GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D_StaticFields, ___s_ZeroGlyphRect_4)); }
inline GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D get_s_ZeroGlyphRect_4() const { return ___s_ZeroGlyphRect_4; }
inline GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D * get_address_of_s_ZeroGlyphRect_4() { return &___s_ZeroGlyphRect_4; }
inline void set_s_ZeroGlyphRect_4(GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D value)
{
___s_ZeroGlyphRect_4 = value;
}
};
// UnityEngine.TextCore.LowLevel.GlyphValueRecord
struct GlyphValueRecord_tC3EE2C6CB47827CE4BD352D84B3E9E540567DAB3
{
public:
// System.Single UnityEngine.TextCore.LowLevel.GlyphValueRecord::m_XPlacement
float ___m_XPlacement_0;
// System.Single UnityEngine.TextCore.LowLevel.GlyphValueRecord::m_YPlacement
float ___m_YPlacement_1;
// System.Single UnityEngine.TextCore.LowLevel.GlyphValueRecord::m_XAdvance
float ___m_XAdvance_2;
// System.Single UnityEngine.TextCore.LowLevel.GlyphValueRecord::m_YAdvance
float ___m_YAdvance_3;
public:
inline static int32_t get_offset_of_m_XPlacement_0() { return static_cast<int32_t>(offsetof(GlyphValueRecord_tC3EE2C6CB47827CE4BD352D84B3E9E540567DAB3, ___m_XPlacement_0)); }
inline float get_m_XPlacement_0() const { return ___m_XPlacement_0; }
inline float* get_address_of_m_XPlacement_0() { return &___m_XPlacement_0; }
inline void set_m_XPlacement_0(float value)
{
___m_XPlacement_0 = value;
}
inline static int32_t get_offset_of_m_YPlacement_1() { return static_cast<int32_t>(offsetof(GlyphValueRecord_tC3EE2C6CB47827CE4BD352D84B3E9E540567DAB3, ___m_YPlacement_1)); }
inline float get_m_YPlacement_1() const { return ___m_YPlacement_1; }
inline float* get_address_of_m_YPlacement_1() { return &___m_YPlacement_1; }
inline void set_m_YPlacement_1(float value)
{
___m_YPlacement_1 = value;
}
inline static int32_t get_offset_of_m_XAdvance_2() { return static_cast<int32_t>(offsetof(GlyphValueRecord_tC3EE2C6CB47827CE4BD352D84B3E9E540567DAB3, ___m_XAdvance_2)); }
inline float get_m_XAdvance_2() const { return ___m_XAdvance_2; }
inline float* get_address_of_m_XAdvance_2() { return &___m_XAdvance_2; }
inline void set_m_XAdvance_2(float value)
{
___m_XAdvance_2 = value;
}
inline static int32_t get_offset_of_m_YAdvance_3() { return static_cast<int32_t>(offsetof(GlyphValueRecord_tC3EE2C6CB47827CE4BD352D84B3E9E540567DAB3, ___m_YAdvance_3)); }
inline float get_m_YAdvance_3() const { return ___m_YAdvance_3; }
inline float* get_address_of_m_YAdvance_3() { return &___m_YAdvance_3; }
inline void set_m_YAdvance_3(float value)
{
___m_YAdvance_3 = value;
}
};
// TMPro.GlyphValueRecord_Legacy
struct GlyphValueRecord_Legacy_t5C73495CD377A665A6AAD41DBC2F73E6091E1907
{
public:
// System.Single TMPro.GlyphValueRecord_Legacy::xPlacement
float ___xPlacement_0;
// System.Single TMPro.GlyphValueRecord_Legacy::yPlacement
float ___yPlacement_1;
// System.Single TMPro.GlyphValueRecord_Legacy::xAdvance
float ___xAdvance_2;
// System.Single TMPro.GlyphValueRecord_Legacy::yAdvance
float ___yAdvance_3;
public:
inline static int32_t get_offset_of_xPlacement_0() { return static_cast<int32_t>(offsetof(GlyphValueRecord_Legacy_t5C73495CD377A665A6AAD41DBC2F73E6091E1907, ___xPlacement_0)); }
inline float get_xPlacement_0() const { return ___xPlacement_0; }
inline float* get_address_of_xPlacement_0() { return &___xPlacement_0; }
inline void set_xPlacement_0(float value)
{
___xPlacement_0 = value;
}
inline static int32_t get_offset_of_yPlacement_1() { return static_cast<int32_t>(offsetof(GlyphValueRecord_Legacy_t5C73495CD377A665A6AAD41DBC2F73E6091E1907, ___yPlacement_1)); }
inline float get_yPlacement_1() const { return ___yPlacement_1; }
inline float* get_address_of_yPlacement_1() { return &___yPlacement_1; }
inline void set_yPlacement_1(float value)
{
___yPlacement_1 = value;
}
inline static int32_t get_offset_of_xAdvance_2() { return static_cast<int32_t>(offsetof(GlyphValueRecord_Legacy_t5C73495CD377A665A6AAD41DBC2F73E6091E1907, ___xAdvance_2)); }
inline float get_xAdvance_2() const { return ___xAdvance_2; }
inline float* get_address_of_xAdvance_2() { return &___xAdvance_2; }
inline void set_xAdvance_2(float value)
{
___xAdvance_2 = value;
}
inline static int32_t get_offset_of_yAdvance_3() { return static_cast<int32_t>(offsetof(GlyphValueRecord_Legacy_t5C73495CD377A665A6AAD41DBC2F73E6091E1907, ___yAdvance_3)); }
inline float get_yAdvance_3() const { return ___yAdvance_3; }
inline float* get_address_of_yAdvance_3() { return &___yAdvance_3; }
inline void set_yAdvance_3(float value)
{
___yAdvance_3 = value;
}
};
// System.Text.RegularExpressions.Group
struct Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883 : public Capture_t048191E7E0D3177DCD8610E4968075AB41FB91D6
{
public:
// System.Int32[] System.Text.RegularExpressions.Group::_caps
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ____caps_4;
// System.Int32 System.Text.RegularExpressions.Group::_capcount
int32_t ____capcount_5;
// System.Text.RegularExpressions.CaptureCollection System.Text.RegularExpressions.Group::_capcoll
CaptureCollection_t40C06BBACB56CDD5F84860FDC1B0C3D8F160DCF9 * ____capcoll_6;
// System.String System.Text.RegularExpressions.Group::_name
String_t* ____name_7;
public:
inline static int32_t get_offset_of__caps_4() { return static_cast<int32_t>(offsetof(Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883, ____caps_4)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get__caps_4() const { return ____caps_4; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of__caps_4() { return &____caps_4; }
inline void set__caps_4(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
____caps_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____caps_4), (void*)value);
}
inline static int32_t get_offset_of__capcount_5() { return static_cast<int32_t>(offsetof(Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883, ____capcount_5)); }
inline int32_t get__capcount_5() const { return ____capcount_5; }
inline int32_t* get_address_of__capcount_5() { return &____capcount_5; }
inline void set__capcount_5(int32_t value)
{
____capcount_5 = value;
}
inline static int32_t get_offset_of__capcoll_6() { return static_cast<int32_t>(offsetof(Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883, ____capcoll_6)); }
inline CaptureCollection_t40C06BBACB56CDD5F84860FDC1B0C3D8F160DCF9 * get__capcoll_6() const { return ____capcoll_6; }
inline CaptureCollection_t40C06BBACB56CDD5F84860FDC1B0C3D8F160DCF9 ** get_address_of__capcoll_6() { return &____capcoll_6; }
inline void set__capcoll_6(CaptureCollection_t40C06BBACB56CDD5F84860FDC1B0C3D8F160DCF9 * value)
{
____capcoll_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____capcoll_6), (void*)value);
}
inline static int32_t get_offset_of__name_7() { return static_cast<int32_t>(offsetof(Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883, ____name_7)); }
inline String_t* get__name_7() const { return ____name_7; }
inline String_t** get_address_of__name_7() { return &____name_7; }
inline void set__name_7(String_t* value)
{
____name_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&____name_7), (void*)value);
}
};
struct Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883_StaticFields
{
public:
// System.Text.RegularExpressions.Group System.Text.RegularExpressions.Group::_emptygroup
Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883 * ____emptygroup_3;
public:
inline static int32_t get_offset_of__emptygroup_3() { return static_cast<int32_t>(offsetof(Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883_StaticFields, ____emptygroup_3)); }
inline Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883 * get__emptygroup_3() const { return ____emptygroup_3; }
inline Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883 ** get_address_of__emptygroup_3() { return &____emptygroup_3; }
inline void set__emptygroup_3(Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883 * value)
{
____emptygroup_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____emptygroup_3), (void*)value);
}
};
// System.Guid
struct Guid_t
{
public:
// System.Int32 System.Guid::_a
int32_t ____a_1;
// System.Int16 System.Guid::_b
int16_t ____b_2;
// System.Int16 System.Guid::_c
int16_t ____c_3;
// System.Byte System.Guid::_d
uint8_t ____d_4;
// System.Byte System.Guid::_e
uint8_t ____e_5;
// System.Byte System.Guid::_f
uint8_t ____f_6;
// System.Byte System.Guid::_g
uint8_t ____g_7;
// System.Byte System.Guid::_h
uint8_t ____h_8;
// System.Byte System.Guid::_i
uint8_t ____i_9;
// System.Byte System.Guid::_j
uint8_t ____j_10;
// System.Byte System.Guid::_k
uint8_t ____k_11;
public:
inline static int32_t get_offset_of__a_1() { return static_cast<int32_t>(offsetof(Guid_t, ____a_1)); }
inline int32_t get__a_1() const { return ____a_1; }
inline int32_t* get_address_of__a_1() { return &____a_1; }
inline void set__a_1(int32_t value)
{
____a_1 = value;
}
inline static int32_t get_offset_of__b_2() { return static_cast<int32_t>(offsetof(Guid_t, ____b_2)); }
inline int16_t get__b_2() const { return ____b_2; }
inline int16_t* get_address_of__b_2() { return &____b_2; }
inline void set__b_2(int16_t value)
{
____b_2 = value;
}
inline static int32_t get_offset_of__c_3() { return static_cast<int32_t>(offsetof(Guid_t, ____c_3)); }
inline int16_t get__c_3() const { return ____c_3; }
inline int16_t* get_address_of__c_3() { return &____c_3; }
inline void set__c_3(int16_t value)
{
____c_3 = value;
}
inline static int32_t get_offset_of__d_4() { return static_cast<int32_t>(offsetof(Guid_t, ____d_4)); }
inline uint8_t get__d_4() const { return ____d_4; }
inline uint8_t* get_address_of__d_4() { return &____d_4; }
inline void set__d_4(uint8_t value)
{
____d_4 = value;
}
inline static int32_t get_offset_of__e_5() { return static_cast<int32_t>(offsetof(Guid_t, ____e_5)); }
inline uint8_t get__e_5() const { return ____e_5; }
inline uint8_t* get_address_of__e_5() { return &____e_5; }
inline void set__e_5(uint8_t value)
{
____e_5 = value;
}
inline static int32_t get_offset_of__f_6() { return static_cast<int32_t>(offsetof(Guid_t, ____f_6)); }
inline uint8_t get__f_6() const { return ____f_6; }
inline uint8_t* get_address_of__f_6() { return &____f_6; }
inline void set__f_6(uint8_t value)
{
____f_6 = value;
}
inline static int32_t get_offset_of__g_7() { return static_cast<int32_t>(offsetof(Guid_t, ____g_7)); }
inline uint8_t get__g_7() const { return ____g_7; }
inline uint8_t* get_address_of__g_7() { return &____g_7; }
inline void set__g_7(uint8_t value)
{
____g_7 = value;
}
inline static int32_t get_offset_of__h_8() { return static_cast<int32_t>(offsetof(Guid_t, ____h_8)); }
inline uint8_t get__h_8() const { return ____h_8; }
inline uint8_t* get_address_of__h_8() { return &____h_8; }
inline void set__h_8(uint8_t value)
{
____h_8 = value;
}
inline static int32_t get_offset_of__i_9() { return static_cast<int32_t>(offsetof(Guid_t, ____i_9)); }
inline uint8_t get__i_9() const { return ____i_9; }
inline uint8_t* get_address_of__i_9() { return &____i_9; }
inline void set__i_9(uint8_t value)
{
____i_9 = value;
}
inline static int32_t get_offset_of__j_10() { return static_cast<int32_t>(offsetof(Guid_t, ____j_10)); }
inline uint8_t get__j_10() const { return ____j_10; }
inline uint8_t* get_address_of__j_10() { return &____j_10; }
inline void set__j_10(uint8_t value)
{
____j_10 = value;
}
inline static int32_t get_offset_of__k_11() { return static_cast<int32_t>(offsetof(Guid_t, ____k_11)); }
inline uint8_t get__k_11() const { return ____k_11; }
inline uint8_t* get_address_of__k_11() { return &____k_11; }
inline void set__k_11(uint8_t value)
{
____k_11 = value;
}
};
struct Guid_t_StaticFields
{
public:
// System.Guid System.Guid::Empty
Guid_t ___Empty_0;
// System.Object System.Guid::_rngAccess
RuntimeObject * ____rngAccess_12;
// System.Security.Cryptography.RandomNumberGenerator System.Guid::_rng
RandomNumberGenerator_t2CB5440F189986116A2FA9F907AE52644047AC50 * ____rng_13;
// System.Security.Cryptography.RandomNumberGenerator System.Guid::_fastRng
RandomNumberGenerator_t2CB5440F189986116A2FA9F907AE52644047AC50 * ____fastRng_14;
public:
inline static int32_t get_offset_of_Empty_0() { return static_cast<int32_t>(offsetof(Guid_t_StaticFields, ___Empty_0)); }
inline Guid_t get_Empty_0() const { return ___Empty_0; }
inline Guid_t * get_address_of_Empty_0() { return &___Empty_0; }
inline void set_Empty_0(Guid_t value)
{
___Empty_0 = value;
}
inline static int32_t get_offset_of__rngAccess_12() { return static_cast<int32_t>(offsetof(Guid_t_StaticFields, ____rngAccess_12)); }
inline RuntimeObject * get__rngAccess_12() const { return ____rngAccess_12; }
inline RuntimeObject ** get_address_of__rngAccess_12() { return &____rngAccess_12; }
inline void set__rngAccess_12(RuntimeObject * value)
{
____rngAccess_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&____rngAccess_12), (void*)value);
}
inline static int32_t get_offset_of__rng_13() { return static_cast<int32_t>(offsetof(Guid_t_StaticFields, ____rng_13)); }
inline RandomNumberGenerator_t2CB5440F189986116A2FA9F907AE52644047AC50 * get__rng_13() const { return ____rng_13; }
inline RandomNumberGenerator_t2CB5440F189986116A2FA9F907AE52644047AC50 ** get_address_of__rng_13() { return &____rng_13; }
inline void set__rng_13(RandomNumberGenerator_t2CB5440F189986116A2FA9F907AE52644047AC50 * value)
{
____rng_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&____rng_13), (void*)value);
}
inline static int32_t get_offset_of__fastRng_14() { return static_cast<int32_t>(offsetof(Guid_t_StaticFields, ____fastRng_14)); }
inline RandomNumberGenerator_t2CB5440F189986116A2FA9F907AE52644047AC50 * get__fastRng_14() const { return ____fastRng_14; }
inline RandomNumberGenerator_t2CB5440F189986116A2FA9F907AE52644047AC50 ** get_address_of__fastRng_14() { return &____fastRng_14; }
inline void set__fastRng_14(RandomNumberGenerator_t2CB5440F189986116A2FA9F907AE52644047AC50 * value)
{
____fastRng_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&____fastRng_14), (void*)value);
}
};
// System.Runtime.InteropServices.GuidAttribute
struct GuidAttribute_tBB494B31270577CCD589ABBB159C18CDAE20D063 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Runtime.InteropServices.GuidAttribute::_val
String_t* ____val_0;
public:
inline static int32_t get_offset_of__val_0() { return static_cast<int32_t>(offsetof(GuidAttribute_tBB494B31270577CCD589ABBB159C18CDAE20D063, ____val_0)); }
inline String_t* get__val_0() const { return ____val_0; }
inline String_t** get_address_of__val_0() { return &____val_0; }
inline void set__val_0(String_t* value)
{
____val_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____val_0), (void*)value);
}
};
// UnityEngine.XR.Hand
struct Hand_tB64007EC8D01384426C93432737BA9C5F636A690
{
public:
// System.UInt64 UnityEngine.XR.Hand::m_DeviceId
uint64_t ___m_DeviceId_0;
// System.UInt32 UnityEngine.XR.Hand::m_FeatureIndex
uint32_t ___m_FeatureIndex_1;
public:
inline static int32_t get_offset_of_m_DeviceId_0() { return static_cast<int32_t>(offsetof(Hand_tB64007EC8D01384426C93432737BA9C5F636A690, ___m_DeviceId_0)); }
inline uint64_t get_m_DeviceId_0() const { return ___m_DeviceId_0; }
inline uint64_t* get_address_of_m_DeviceId_0() { return &___m_DeviceId_0; }
inline void set_m_DeviceId_0(uint64_t value)
{
___m_DeviceId_0 = value;
}
inline static int32_t get_offset_of_m_FeatureIndex_1() { return static_cast<int32_t>(offsetof(Hand_tB64007EC8D01384426C93432737BA9C5F636A690, ___m_FeatureIndex_1)); }
inline uint32_t get_m_FeatureIndex_1() const { return ___m_FeatureIndex_1; }
inline uint32_t* get_address_of_m_FeatureIndex_1() { return &___m_FeatureIndex_1; }
inline void set_m_FeatureIndex_1(uint32_t value)
{
___m_FeatureIndex_1 = value;
}
};
// System.Runtime.ExceptionServices.HandleProcessCorruptedStateExceptionsAttribute
struct HandleProcessCorruptedStateExceptionsAttribute_t1C1324265A78BFA8D907504315B78C9E09E2EE53 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.Hash128
struct Hash128_t1858EA099934FD6F2B769E5661C17A276A2AFE7A
{
public:
// System.UInt32 UnityEngine.Hash128::m_u32_0
uint32_t ___m_u32_0_0;
// System.UInt32 UnityEngine.Hash128::m_u32_1
uint32_t ___m_u32_1_1;
// System.UInt32 UnityEngine.Hash128::m_u32_2
uint32_t ___m_u32_2_2;
// System.UInt32 UnityEngine.Hash128::m_u32_3
uint32_t ___m_u32_3_3;
public:
inline static int32_t get_offset_of_m_u32_0_0() { return static_cast<int32_t>(offsetof(Hash128_t1858EA099934FD6F2B769E5661C17A276A2AFE7A, ___m_u32_0_0)); }
inline uint32_t get_m_u32_0_0() const { return ___m_u32_0_0; }
inline uint32_t* get_address_of_m_u32_0_0() { return &___m_u32_0_0; }
inline void set_m_u32_0_0(uint32_t value)
{
___m_u32_0_0 = value;
}
inline static int32_t get_offset_of_m_u32_1_1() { return static_cast<int32_t>(offsetof(Hash128_t1858EA099934FD6F2B769E5661C17A276A2AFE7A, ___m_u32_1_1)); }
inline uint32_t get_m_u32_1_1() const { return ___m_u32_1_1; }
inline uint32_t* get_address_of_m_u32_1_1() { return &___m_u32_1_1; }
inline void set_m_u32_1_1(uint32_t value)
{
___m_u32_1_1 = value;
}
inline static int32_t get_offset_of_m_u32_2_2() { return static_cast<int32_t>(offsetof(Hash128_t1858EA099934FD6F2B769E5661C17A276A2AFE7A, ___m_u32_2_2)); }
inline uint32_t get_m_u32_2_2() const { return ___m_u32_2_2; }
inline uint32_t* get_address_of_m_u32_2_2() { return &___m_u32_2_2; }
inline void set_m_u32_2_2(uint32_t value)
{
___m_u32_2_2 = value;
}
inline static int32_t get_offset_of_m_u32_3_3() { return static_cast<int32_t>(offsetof(Hash128_t1858EA099934FD6F2B769E5661C17A276A2AFE7A, ___m_u32_3_3)); }
inline uint32_t get_m_u32_3_3() const { return ___m_u32_3_3; }
inline uint32_t* get_address_of_m_u32_3_3() { return &___m_u32_3_3; }
inline void set_m_u32_3_3(uint32_t value)
{
___m_u32_3_3 = value;
}
};
// UnityEngine.HelpURLAttribute
struct HelpURLAttribute_t0924A6D83FABA7B77780F7F9BBCBCB9E0EA15023 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String UnityEngine.HelpURLAttribute::m_Url
String_t* ___m_Url_0;
// System.Boolean UnityEngine.HelpURLAttribute::m_Dispatcher
bool ___m_Dispatcher_1;
// System.String UnityEngine.HelpURLAttribute::m_DispatchingFieldName
String_t* ___m_DispatchingFieldName_2;
public:
inline static int32_t get_offset_of_m_Url_0() { return static_cast<int32_t>(offsetof(HelpURLAttribute_t0924A6D83FABA7B77780F7F9BBCBCB9E0EA15023, ___m_Url_0)); }
inline String_t* get_m_Url_0() const { return ___m_Url_0; }
inline String_t** get_address_of_m_Url_0() { return &___m_Url_0; }
inline void set_m_Url_0(String_t* value)
{
___m_Url_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Url_0), (void*)value);
}
inline static int32_t get_offset_of_m_Dispatcher_1() { return static_cast<int32_t>(offsetof(HelpURLAttribute_t0924A6D83FABA7B77780F7F9BBCBCB9E0EA15023, ___m_Dispatcher_1)); }
inline bool get_m_Dispatcher_1() const { return ___m_Dispatcher_1; }
inline bool* get_address_of_m_Dispatcher_1() { return &___m_Dispatcher_1; }
inline void set_m_Dispatcher_1(bool value)
{
___m_Dispatcher_1 = value;
}
inline static int32_t get_offset_of_m_DispatchingFieldName_2() { return static_cast<int32_t>(offsetof(HelpURLAttribute_t0924A6D83FABA7B77780F7F9BBCBCB9E0EA15023, ___m_DispatchingFieldName_2)); }
inline String_t* get_m_DispatchingFieldName_2() const { return ___m_DispatchingFieldName_2; }
inline String_t** get_address_of_m_DispatchingFieldName_2() { return &___m_DispatchingFieldName_2; }
inline void set_m_DispatchingFieldName_2(String_t* value)
{
___m_DispatchingFieldName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DispatchingFieldName_2), (void*)value);
}
};
// UnityEngine.HideInInspector
struct HideInInspector_tDD5B9D3AD8D48C93E23FE6CA3ECDA5589D60CCDA : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Net.Configuration.HttpWebRequestElement
struct HttpWebRequestElement_t359B9211350C71365139BCC698CCEB140F474F7B : public ConfigurationElement_t571C446CFDFF39CF17130653C433786BEFF25DFA
{
public:
public:
};
// System.Net.IPv6AddressFormatter
struct IPv6AddressFormatter_tB4B75557A1014D1E6E250A35E5F94411EF2979BA
{
public:
// System.UInt16[] System.Net.IPv6AddressFormatter::address
UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67* ___address_0;
// System.Int64 System.Net.IPv6AddressFormatter::scopeId
int64_t ___scopeId_1;
public:
inline static int32_t get_offset_of_address_0() { return static_cast<int32_t>(offsetof(IPv6AddressFormatter_tB4B75557A1014D1E6E250A35E5F94411EF2979BA, ___address_0)); }
inline UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67* get_address_0() const { return ___address_0; }
inline UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67** get_address_of_address_0() { return &___address_0; }
inline void set_address_0(UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67* value)
{
___address_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___address_0), (void*)value);
}
inline static int32_t get_offset_of_scopeId_1() { return static_cast<int32_t>(offsetof(IPv6AddressFormatter_tB4B75557A1014D1E6E250A35E5F94411EF2979BA, ___scopeId_1)); }
inline int64_t get_scopeId_1() const { return ___scopeId_1; }
inline int64_t* get_address_of_scopeId_1() { return &___scopeId_1; }
inline void set_scopeId_1(int64_t value)
{
___scopeId_1 = value;
}
};
// Native definition for P/Invoke marshalling of System.Net.IPv6AddressFormatter
struct IPv6AddressFormatter_tB4B75557A1014D1E6E250A35E5F94411EF2979BA_marshaled_pinvoke
{
Il2CppSafeArray/*NONE*/* ___address_0;
int64_t ___scopeId_1;
};
// Native definition for COM marshalling of System.Net.IPv6AddressFormatter
struct IPv6AddressFormatter_tB4B75557A1014D1E6E250A35E5F94411EF2979BA_marshaled_com
{
Il2CppSafeArray/*NONE*/* ___address_0;
int64_t ___scopeId_1;
};
// UnityEngine.Bindings.IgnoreAttribute
struct IgnoreAttribute_tAB4906F0BB2E4FD1CAE2D8D21DFD776EA434E5CA : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Boolean UnityEngine.Bindings.IgnoreAttribute::<DoesNotContributeToSize>k__BackingField
bool ___U3CDoesNotContributeToSizeU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CDoesNotContributeToSizeU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(IgnoreAttribute_tAB4906F0BB2E4FD1CAE2D8D21DFD776EA434E5CA, ___U3CDoesNotContributeToSizeU3Ek__BackingField_0)); }
inline bool get_U3CDoesNotContributeToSizeU3Ek__BackingField_0() const { return ___U3CDoesNotContributeToSizeU3Ek__BackingField_0; }
inline bool* get_address_of_U3CDoesNotContributeToSizeU3Ek__BackingField_0() { return &___U3CDoesNotContributeToSizeU3Ek__BackingField_0; }
inline void set_U3CDoesNotContributeToSizeU3Ek__BackingField_0(bool value)
{
___U3CDoesNotContributeToSizeU3Ek__BackingField_0 = value;
}
};
// Unity.IL2CPP.CompilerServices.Il2CppEagerStaticClassConstructionAttribute
struct Il2CppEagerStaticClassConstructionAttribute_tCF99C3F9094304667CDB0EE7EDB24CD15D29E6B7 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Runtime.InteropServices.InAttribute
struct InAttribute_t7A70EB9EF1F01E6C3F189CE2B89EAB14C78AB83D : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Linq.Expressions.IndexExpression
struct IndexExpression_t9AD464D53B8462904096A225217131CEB4406AFD : public Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660
{
public:
// System.Collections.Generic.IReadOnlyList`1<System.Linq.Expressions.Expression> System.Linq.Expressions.IndexExpression::_arguments
RuntimeObject* ____arguments_3;
// System.Linq.Expressions.Expression System.Linq.Expressions.IndexExpression::<Object>k__BackingField
Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * ___U3CObjectU3Ek__BackingField_4;
// System.Reflection.PropertyInfo System.Linq.Expressions.IndexExpression::<Indexer>k__BackingField
PropertyInfo_t * ___U3CIndexerU3Ek__BackingField_5;
public:
inline static int32_t get_offset_of__arguments_3() { return static_cast<int32_t>(offsetof(IndexExpression_t9AD464D53B8462904096A225217131CEB4406AFD, ____arguments_3)); }
inline RuntimeObject* get__arguments_3() const { return ____arguments_3; }
inline RuntimeObject** get_address_of__arguments_3() { return &____arguments_3; }
inline void set__arguments_3(RuntimeObject* value)
{
____arguments_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____arguments_3), (void*)value);
}
inline static int32_t get_offset_of_U3CObjectU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(IndexExpression_t9AD464D53B8462904096A225217131CEB4406AFD, ___U3CObjectU3Ek__BackingField_4)); }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * get_U3CObjectU3Ek__BackingField_4() const { return ___U3CObjectU3Ek__BackingField_4; }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 ** get_address_of_U3CObjectU3Ek__BackingField_4() { return &___U3CObjectU3Ek__BackingField_4; }
inline void set_U3CObjectU3Ek__BackingField_4(Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * value)
{
___U3CObjectU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CObjectU3Ek__BackingField_4), (void*)value);
}
inline static int32_t get_offset_of_U3CIndexerU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(IndexExpression_t9AD464D53B8462904096A225217131CEB4406AFD, ___U3CIndexerU3Ek__BackingField_5)); }
inline PropertyInfo_t * get_U3CIndexerU3Ek__BackingField_5() const { return ___U3CIndexerU3Ek__BackingField_5; }
inline PropertyInfo_t ** get_address_of_U3CIndexerU3Ek__BackingField_5() { return &___U3CIndexerU3Ek__BackingField_5; }
inline void set_U3CIndexerU3Ek__BackingField_5(PropertyInfo_t * value)
{
___U3CIndexerU3Ek__BackingField_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CIndexerU3Ek__BackingField_5), (void*)value);
}
};
// UnityEngine.PlayerLoop.Initialization
struct Initialization_t7B2536C5EC00EAB0948F09401B106F9A2BB5D7B4
{
public:
union
{
struct
{
};
uint8_t Initialization_t7B2536C5EC00EAB0948F09401B106F9A2BB5D7B4__padding[1];
};
public:
};
// UnityEngine.XR.InputDevice
struct InputDevice_t69B790C68145C769BA3819DE33AA94155C77207E
{
public:
// System.UInt64 UnityEngine.XR.InputDevice::m_DeviceId
uint64_t ___m_DeviceId_1;
// System.Boolean UnityEngine.XR.InputDevice::m_Initialized
bool ___m_Initialized_2;
public:
inline static int32_t get_offset_of_m_DeviceId_1() { return static_cast<int32_t>(offsetof(InputDevice_t69B790C68145C769BA3819DE33AA94155C77207E, ___m_DeviceId_1)); }
inline uint64_t get_m_DeviceId_1() const { return ___m_DeviceId_1; }
inline uint64_t* get_address_of_m_DeviceId_1() { return &___m_DeviceId_1; }
inline void set_m_DeviceId_1(uint64_t value)
{
___m_DeviceId_1 = value;
}
inline static int32_t get_offset_of_m_Initialized_2() { return static_cast<int32_t>(offsetof(InputDevice_t69B790C68145C769BA3819DE33AA94155C77207E, ___m_Initialized_2)); }
inline bool get_m_Initialized_2() const { return ___m_Initialized_2; }
inline bool* get_address_of_m_Initialized_2() { return &___m_Initialized_2; }
inline void set_m_Initialized_2(bool value)
{
___m_Initialized_2 = value;
}
};
struct InputDevice_t69B790C68145C769BA3819DE33AA94155C77207E_StaticFields
{
public:
// System.Collections.Generic.List`1<UnityEngine.XR.XRInputSubsystem> UnityEngine.XR.InputDevice::s_InputSubsystemCache
List_1_t39579540B4BF5D674E4CAA282D3CEA957BCB90D4 * ___s_InputSubsystemCache_0;
public:
inline static int32_t get_offset_of_s_InputSubsystemCache_0() { return static_cast<int32_t>(offsetof(InputDevice_t69B790C68145C769BA3819DE33AA94155C77207E_StaticFields, ___s_InputSubsystemCache_0)); }
inline List_1_t39579540B4BF5D674E4CAA282D3CEA957BCB90D4 * get_s_InputSubsystemCache_0() const { return ___s_InputSubsystemCache_0; }
inline List_1_t39579540B4BF5D674E4CAA282D3CEA957BCB90D4 ** get_address_of_s_InputSubsystemCache_0() { return &___s_InputSubsystemCache_0; }
inline void set_s_InputSubsystemCache_0(List_1_t39579540B4BF5D674E4CAA282D3CEA957BCB90D4 * value)
{
___s_InputSubsystemCache_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_InputSubsystemCache_0), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.InputDevice
struct InputDevice_t69B790C68145C769BA3819DE33AA94155C77207E_marshaled_pinvoke
{
uint64_t ___m_DeviceId_1;
int32_t ___m_Initialized_2;
};
// Native definition for COM marshalling of UnityEngine.XR.InputDevice
struct InputDevice_t69B790C68145C769BA3819DE33AA94155C77207E_marshaled_com
{
uint64_t ___m_DeviceId_1;
int32_t ___m_Initialized_2;
};
// System.InputRecord
struct InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8
{
public:
// System.Int16 System.InputRecord::EventType
int16_t ___EventType_0;
// System.Boolean System.InputRecord::KeyDown
bool ___KeyDown_1;
// System.Int16 System.InputRecord::RepeatCount
int16_t ___RepeatCount_2;
// System.Int16 System.InputRecord::VirtualKeyCode
int16_t ___VirtualKeyCode_3;
// System.Int16 System.InputRecord::VirtualScanCode
int16_t ___VirtualScanCode_4;
// System.Char System.InputRecord::Character
Il2CppChar ___Character_5;
// System.Int32 System.InputRecord::ControlKeyState
int32_t ___ControlKeyState_6;
// System.Int32 System.InputRecord::pad1
int32_t ___pad1_7;
// System.Boolean System.InputRecord::pad2
bool ___pad2_8;
public:
inline static int32_t get_offset_of_EventType_0() { return static_cast<int32_t>(offsetof(InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8, ___EventType_0)); }
inline int16_t get_EventType_0() const { return ___EventType_0; }
inline int16_t* get_address_of_EventType_0() { return &___EventType_0; }
inline void set_EventType_0(int16_t value)
{
___EventType_0 = value;
}
inline static int32_t get_offset_of_KeyDown_1() { return static_cast<int32_t>(offsetof(InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8, ___KeyDown_1)); }
inline bool get_KeyDown_1() const { return ___KeyDown_1; }
inline bool* get_address_of_KeyDown_1() { return &___KeyDown_1; }
inline void set_KeyDown_1(bool value)
{
___KeyDown_1 = value;
}
inline static int32_t get_offset_of_RepeatCount_2() { return static_cast<int32_t>(offsetof(InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8, ___RepeatCount_2)); }
inline int16_t get_RepeatCount_2() const { return ___RepeatCount_2; }
inline int16_t* get_address_of_RepeatCount_2() { return &___RepeatCount_2; }
inline void set_RepeatCount_2(int16_t value)
{
___RepeatCount_2 = value;
}
inline static int32_t get_offset_of_VirtualKeyCode_3() { return static_cast<int32_t>(offsetof(InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8, ___VirtualKeyCode_3)); }
inline int16_t get_VirtualKeyCode_3() const { return ___VirtualKeyCode_3; }
inline int16_t* get_address_of_VirtualKeyCode_3() { return &___VirtualKeyCode_3; }
inline void set_VirtualKeyCode_3(int16_t value)
{
___VirtualKeyCode_3 = value;
}
inline static int32_t get_offset_of_VirtualScanCode_4() { return static_cast<int32_t>(offsetof(InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8, ___VirtualScanCode_4)); }
inline int16_t get_VirtualScanCode_4() const { return ___VirtualScanCode_4; }
inline int16_t* get_address_of_VirtualScanCode_4() { return &___VirtualScanCode_4; }
inline void set_VirtualScanCode_4(int16_t value)
{
___VirtualScanCode_4 = value;
}
inline static int32_t get_offset_of_Character_5() { return static_cast<int32_t>(offsetof(InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8, ___Character_5)); }
inline Il2CppChar get_Character_5() const { return ___Character_5; }
inline Il2CppChar* get_address_of_Character_5() { return &___Character_5; }
inline void set_Character_5(Il2CppChar value)
{
___Character_5 = value;
}
inline static int32_t get_offset_of_ControlKeyState_6() { return static_cast<int32_t>(offsetof(InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8, ___ControlKeyState_6)); }
inline int32_t get_ControlKeyState_6() const { return ___ControlKeyState_6; }
inline int32_t* get_address_of_ControlKeyState_6() { return &___ControlKeyState_6; }
inline void set_ControlKeyState_6(int32_t value)
{
___ControlKeyState_6 = value;
}
inline static int32_t get_offset_of_pad1_7() { return static_cast<int32_t>(offsetof(InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8, ___pad1_7)); }
inline int32_t get_pad1_7() const { return ___pad1_7; }
inline int32_t* get_address_of_pad1_7() { return &___pad1_7; }
inline void set_pad1_7(int32_t value)
{
___pad1_7 = value;
}
inline static int32_t get_offset_of_pad2_8() { return static_cast<int32_t>(offsetof(InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8, ___pad2_8)); }
inline bool get_pad2_8() const { return ___pad2_8; }
inline bool* get_address_of_pad2_8() { return &___pad2_8; }
inline void set_pad2_8(bool value)
{
___pad2_8 = value;
}
};
// Native definition for P/Invoke marshalling of System.InputRecord
struct InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8_marshaled_pinvoke
{
int16_t ___EventType_0;
int32_t ___KeyDown_1;
int16_t ___RepeatCount_2;
int16_t ___VirtualKeyCode_3;
int16_t ___VirtualScanCode_4;
uint8_t ___Character_5;
int32_t ___ControlKeyState_6;
int32_t ___pad1_7;
int32_t ___pad2_8;
};
// Native definition for COM marshalling of System.InputRecord
struct InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8_marshaled_com
{
int16_t ___EventType_0;
int32_t ___KeyDown_1;
int16_t ___RepeatCount_2;
int16_t ___VirtualKeyCode_3;
int16_t ___VirtualScanCode_4;
uint8_t ___Character_5;
int32_t ___ControlKeyState_6;
int32_t ___pad1_7;
int32_t ___pad2_8;
};
// System.Int16
struct Int16_tD0F031114106263BB459DA1F099FF9F42691295A
{
public:
// System.Int16 System.Int16::m_value
int16_t ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Int16_tD0F031114106263BB459DA1F099FF9F42691295A, ___m_value_0)); }
inline int16_t get_m_value_0() const { return ___m_value_0; }
inline int16_t* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(int16_t value)
{
___m_value_0 = value;
}
};
// System.Int32
struct Int32_tFDE5F8CD43D10453F6A2E0C77FE48C6CC7009046
{
public:
// System.Int32 System.Int32::m_value
int32_t ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Int32_tFDE5F8CD43D10453F6A2E0C77FE48C6CC7009046, ___m_value_0)); }
inline int32_t get_m_value_0() const { return ___m_value_0; }
inline int32_t* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(int32_t value)
{
___m_value_0 = value;
}
};
// System.Int64
struct Int64_t378EE0D608BD3107E77238E85F30D2BBD46981F3
{
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_t378EE0D608BD3107E77238E85F30D2BBD46981F3, ___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;
}
};
// UnityEngine.Localization.SmartFormat.GlobalVariables.IntGlobalVariable
struct IntGlobalVariable_t822A263CD040D9E5980084D240C833F5E65984F3 : public GlobalVariable_1_t7A50433844FB310AB32B2BF5566B7DDCD0C1F794
{
public:
public:
};
// System.IntPtr
struct IntPtr_t
{
public:
// System.Void* System.IntPtr::m_value
void* ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(IntPtr_t, ___m_value_0)); }
inline void* get_m_value_0() const { return ___m_value_0; }
inline void** get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(void* value)
{
___m_value_0 = value;
}
};
struct IntPtr_t_StaticFields
{
public:
// System.IntPtr System.IntPtr::Zero
intptr_t ___Zero_1;
public:
inline static int32_t get_offset_of_Zero_1() { return static_cast<int32_t>(offsetof(IntPtr_t_StaticFields, ___Zero_1)); }
inline intptr_t get_Zero_1() const { return ___Zero_1; }
inline intptr_t* get_address_of_Zero_1() { return &___Zero_1; }
inline void set_Zero_1(intptr_t value)
{
___Zero_1 = value;
}
};
// System.Globalization.InternalCodePageDataItem
struct InternalCodePageDataItem_t885932F372A8EEC39396B0D57CC93AC72E2A3DA7
{
public:
// System.UInt16 System.Globalization.InternalCodePageDataItem::codePage
uint16_t ___codePage_0;
// System.UInt16 System.Globalization.InternalCodePageDataItem::uiFamilyCodePage
uint16_t ___uiFamilyCodePage_1;
// System.UInt32 System.Globalization.InternalCodePageDataItem::flags
uint32_t ___flags_2;
// System.String System.Globalization.InternalCodePageDataItem::Names
String_t* ___Names_3;
public:
inline static int32_t get_offset_of_codePage_0() { return static_cast<int32_t>(offsetof(InternalCodePageDataItem_t885932F372A8EEC39396B0D57CC93AC72E2A3DA7, ___codePage_0)); }
inline uint16_t get_codePage_0() const { return ___codePage_0; }
inline uint16_t* get_address_of_codePage_0() { return &___codePage_0; }
inline void set_codePage_0(uint16_t value)
{
___codePage_0 = value;
}
inline static int32_t get_offset_of_uiFamilyCodePage_1() { return static_cast<int32_t>(offsetof(InternalCodePageDataItem_t885932F372A8EEC39396B0D57CC93AC72E2A3DA7, ___uiFamilyCodePage_1)); }
inline uint16_t get_uiFamilyCodePage_1() const { return ___uiFamilyCodePage_1; }
inline uint16_t* get_address_of_uiFamilyCodePage_1() { return &___uiFamilyCodePage_1; }
inline void set_uiFamilyCodePage_1(uint16_t value)
{
___uiFamilyCodePage_1 = value;
}
inline static int32_t get_offset_of_flags_2() { return static_cast<int32_t>(offsetof(InternalCodePageDataItem_t885932F372A8EEC39396B0D57CC93AC72E2A3DA7, ___flags_2)); }
inline uint32_t get_flags_2() const { return ___flags_2; }
inline uint32_t* get_address_of_flags_2() { return &___flags_2; }
inline void set_flags_2(uint32_t value)
{
___flags_2 = value;
}
inline static int32_t get_offset_of_Names_3() { return static_cast<int32_t>(offsetof(InternalCodePageDataItem_t885932F372A8EEC39396B0D57CC93AC72E2A3DA7, ___Names_3)); }
inline String_t* get_Names_3() const { return ___Names_3; }
inline String_t** get_address_of_Names_3() { return &___Names_3; }
inline void set_Names_3(String_t* value)
{
___Names_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Names_3), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Globalization.InternalCodePageDataItem
struct InternalCodePageDataItem_t885932F372A8EEC39396B0D57CC93AC72E2A3DA7_marshaled_pinvoke
{
uint16_t ___codePage_0;
uint16_t ___uiFamilyCodePage_1;
uint32_t ___flags_2;
char* ___Names_3;
};
// Native definition for COM marshalling of System.Globalization.InternalCodePageDataItem
struct InternalCodePageDataItem_t885932F372A8EEC39396B0D57CC93AC72E2A3DA7_marshaled_com
{
uint16_t ___codePage_0;
uint16_t ___uiFamilyCodePage_1;
uint32_t ___flags_2;
Il2CppChar* ___Names_3;
};
// System.Text.InternalDecoderBestFitFallback
struct InternalDecoderBestFitFallback_t059F0AABF14B5871F34FA66582723C76670BF78E : public DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D
{
public:
// System.Text.Encoding System.Text.InternalDecoderBestFitFallback::encoding
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___encoding_4;
// System.Char[] System.Text.InternalDecoderBestFitFallback::arrayBestFit
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___arrayBestFit_5;
// System.Char System.Text.InternalDecoderBestFitFallback::cReplacement
Il2CppChar ___cReplacement_6;
public:
inline static int32_t get_offset_of_encoding_4() { return static_cast<int32_t>(offsetof(InternalDecoderBestFitFallback_t059F0AABF14B5871F34FA66582723C76670BF78E, ___encoding_4)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_encoding_4() const { return ___encoding_4; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_encoding_4() { return &___encoding_4; }
inline void set_encoding_4(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___encoding_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___encoding_4), (void*)value);
}
inline static int32_t get_offset_of_arrayBestFit_5() { return static_cast<int32_t>(offsetof(InternalDecoderBestFitFallback_t059F0AABF14B5871F34FA66582723C76670BF78E, ___arrayBestFit_5)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_arrayBestFit_5() const { return ___arrayBestFit_5; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_arrayBestFit_5() { return &___arrayBestFit_5; }
inline void set_arrayBestFit_5(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___arrayBestFit_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___arrayBestFit_5), (void*)value);
}
inline static int32_t get_offset_of_cReplacement_6() { return static_cast<int32_t>(offsetof(InternalDecoderBestFitFallback_t059F0AABF14B5871F34FA66582723C76670BF78E, ___cReplacement_6)); }
inline Il2CppChar get_cReplacement_6() const { return ___cReplacement_6; }
inline Il2CppChar* get_address_of_cReplacement_6() { return &___cReplacement_6; }
inline void set_cReplacement_6(Il2CppChar value)
{
___cReplacement_6 = value;
}
};
// System.Text.InternalDecoderBestFitFallbackBuffer
struct InternalDecoderBestFitFallbackBuffer_t5ECE18A8B9F5DA1E7B30E39071EF73E2E54C941F : public DecoderFallbackBuffer_t236B3D4172A9BAD1C2150ED78958227F8F20C94B
{
public:
// System.Char System.Text.InternalDecoderBestFitFallbackBuffer::cBestFit
Il2CppChar ___cBestFit_2;
// System.Int32 System.Text.InternalDecoderBestFitFallbackBuffer::iCount
int32_t ___iCount_3;
// System.Int32 System.Text.InternalDecoderBestFitFallbackBuffer::iSize
int32_t ___iSize_4;
// System.Text.InternalDecoderBestFitFallback System.Text.InternalDecoderBestFitFallbackBuffer::oFallback
InternalDecoderBestFitFallback_t059F0AABF14B5871F34FA66582723C76670BF78E * ___oFallback_5;
public:
inline static int32_t get_offset_of_cBestFit_2() { return static_cast<int32_t>(offsetof(InternalDecoderBestFitFallbackBuffer_t5ECE18A8B9F5DA1E7B30E39071EF73E2E54C941F, ___cBestFit_2)); }
inline Il2CppChar get_cBestFit_2() const { return ___cBestFit_2; }
inline Il2CppChar* get_address_of_cBestFit_2() { return &___cBestFit_2; }
inline void set_cBestFit_2(Il2CppChar value)
{
___cBestFit_2 = value;
}
inline static int32_t get_offset_of_iCount_3() { return static_cast<int32_t>(offsetof(InternalDecoderBestFitFallbackBuffer_t5ECE18A8B9F5DA1E7B30E39071EF73E2E54C941F, ___iCount_3)); }
inline int32_t get_iCount_3() const { return ___iCount_3; }
inline int32_t* get_address_of_iCount_3() { return &___iCount_3; }
inline void set_iCount_3(int32_t value)
{
___iCount_3 = value;
}
inline static int32_t get_offset_of_iSize_4() { return static_cast<int32_t>(offsetof(InternalDecoderBestFitFallbackBuffer_t5ECE18A8B9F5DA1E7B30E39071EF73E2E54C941F, ___iSize_4)); }
inline int32_t get_iSize_4() const { return ___iSize_4; }
inline int32_t* get_address_of_iSize_4() { return &___iSize_4; }
inline void set_iSize_4(int32_t value)
{
___iSize_4 = value;
}
inline static int32_t get_offset_of_oFallback_5() { return static_cast<int32_t>(offsetof(InternalDecoderBestFitFallbackBuffer_t5ECE18A8B9F5DA1E7B30E39071EF73E2E54C941F, ___oFallback_5)); }
inline InternalDecoderBestFitFallback_t059F0AABF14B5871F34FA66582723C76670BF78E * get_oFallback_5() const { return ___oFallback_5; }
inline InternalDecoderBestFitFallback_t059F0AABF14B5871F34FA66582723C76670BF78E ** get_address_of_oFallback_5() { return &___oFallback_5; }
inline void set_oFallback_5(InternalDecoderBestFitFallback_t059F0AABF14B5871F34FA66582723C76670BF78E * value)
{
___oFallback_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___oFallback_5), (void*)value);
}
};
struct InternalDecoderBestFitFallbackBuffer_t5ECE18A8B9F5DA1E7B30E39071EF73E2E54C941F_StaticFields
{
public:
// System.Object System.Text.InternalDecoderBestFitFallbackBuffer::s_InternalSyncObject
RuntimeObject * ___s_InternalSyncObject_6;
public:
inline static int32_t get_offset_of_s_InternalSyncObject_6() { return static_cast<int32_t>(offsetof(InternalDecoderBestFitFallbackBuffer_t5ECE18A8B9F5DA1E7B30E39071EF73E2E54C941F_StaticFields, ___s_InternalSyncObject_6)); }
inline RuntimeObject * get_s_InternalSyncObject_6() const { return ___s_InternalSyncObject_6; }
inline RuntimeObject ** get_address_of_s_InternalSyncObject_6() { return &___s_InternalSyncObject_6; }
inline void set_s_InternalSyncObject_6(RuntimeObject * value)
{
___s_InternalSyncObject_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_InternalSyncObject_6), (void*)value);
}
};
// System.Text.InternalEncoderBestFitFallback
struct InternalEncoderBestFitFallback_t2D50677152BF029FCA77A56F7CA652303E661074 : public EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4
{
public:
// System.Text.Encoding System.Text.InternalEncoderBestFitFallback::encoding
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___encoding_4;
// System.Char[] System.Text.InternalEncoderBestFitFallback::arrayBestFit
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___arrayBestFit_5;
public:
inline static int32_t get_offset_of_encoding_4() { return static_cast<int32_t>(offsetof(InternalEncoderBestFitFallback_t2D50677152BF029FCA77A56F7CA652303E661074, ___encoding_4)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_encoding_4() const { return ___encoding_4; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_encoding_4() { return &___encoding_4; }
inline void set_encoding_4(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___encoding_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___encoding_4), (void*)value);
}
inline static int32_t get_offset_of_arrayBestFit_5() { return static_cast<int32_t>(offsetof(InternalEncoderBestFitFallback_t2D50677152BF029FCA77A56F7CA652303E661074, ___arrayBestFit_5)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_arrayBestFit_5() const { return ___arrayBestFit_5; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_arrayBestFit_5() { return &___arrayBestFit_5; }
inline void set_arrayBestFit_5(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___arrayBestFit_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___arrayBestFit_5), (void*)value);
}
};
// System.Text.InternalEncoderBestFitFallbackBuffer
struct InternalEncoderBestFitFallbackBuffer_t7022B7C2AAADADF5C2C7BEA840E8D5190DE53B7B : public EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0
{
public:
// System.Char System.Text.InternalEncoderBestFitFallbackBuffer::cBestFit
Il2CppChar ___cBestFit_7;
// System.Text.InternalEncoderBestFitFallback System.Text.InternalEncoderBestFitFallbackBuffer::oFallback
InternalEncoderBestFitFallback_t2D50677152BF029FCA77A56F7CA652303E661074 * ___oFallback_8;
// System.Int32 System.Text.InternalEncoderBestFitFallbackBuffer::iCount
int32_t ___iCount_9;
// System.Int32 System.Text.InternalEncoderBestFitFallbackBuffer::iSize
int32_t ___iSize_10;
public:
inline static int32_t get_offset_of_cBestFit_7() { return static_cast<int32_t>(offsetof(InternalEncoderBestFitFallbackBuffer_t7022B7C2AAADADF5C2C7BEA840E8D5190DE53B7B, ___cBestFit_7)); }
inline Il2CppChar get_cBestFit_7() const { return ___cBestFit_7; }
inline Il2CppChar* get_address_of_cBestFit_7() { return &___cBestFit_7; }
inline void set_cBestFit_7(Il2CppChar value)
{
___cBestFit_7 = value;
}
inline static int32_t get_offset_of_oFallback_8() { return static_cast<int32_t>(offsetof(InternalEncoderBestFitFallbackBuffer_t7022B7C2AAADADF5C2C7BEA840E8D5190DE53B7B, ___oFallback_8)); }
inline InternalEncoderBestFitFallback_t2D50677152BF029FCA77A56F7CA652303E661074 * get_oFallback_8() const { return ___oFallback_8; }
inline InternalEncoderBestFitFallback_t2D50677152BF029FCA77A56F7CA652303E661074 ** get_address_of_oFallback_8() { return &___oFallback_8; }
inline void set_oFallback_8(InternalEncoderBestFitFallback_t2D50677152BF029FCA77A56F7CA652303E661074 * value)
{
___oFallback_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___oFallback_8), (void*)value);
}
inline static int32_t get_offset_of_iCount_9() { return static_cast<int32_t>(offsetof(InternalEncoderBestFitFallbackBuffer_t7022B7C2AAADADF5C2C7BEA840E8D5190DE53B7B, ___iCount_9)); }
inline int32_t get_iCount_9() const { return ___iCount_9; }
inline int32_t* get_address_of_iCount_9() { return &___iCount_9; }
inline void set_iCount_9(int32_t value)
{
___iCount_9 = value;
}
inline static int32_t get_offset_of_iSize_10() { return static_cast<int32_t>(offsetof(InternalEncoderBestFitFallbackBuffer_t7022B7C2AAADADF5C2C7BEA840E8D5190DE53B7B, ___iSize_10)); }
inline int32_t get_iSize_10() const { return ___iSize_10; }
inline int32_t* get_address_of_iSize_10() { return &___iSize_10; }
inline void set_iSize_10(int32_t value)
{
___iSize_10 = value;
}
};
struct InternalEncoderBestFitFallbackBuffer_t7022B7C2AAADADF5C2C7BEA840E8D5190DE53B7B_StaticFields
{
public:
// System.Object System.Text.InternalEncoderBestFitFallbackBuffer::s_InternalSyncObject
RuntimeObject * ___s_InternalSyncObject_11;
public:
inline static int32_t get_offset_of_s_InternalSyncObject_11() { return static_cast<int32_t>(offsetof(InternalEncoderBestFitFallbackBuffer_t7022B7C2AAADADF5C2C7BEA840E8D5190DE53B7B_StaticFields, ___s_InternalSyncObject_11)); }
inline RuntimeObject * get_s_InternalSyncObject_11() const { return ___s_InternalSyncObject_11; }
inline RuntimeObject ** get_address_of_s_InternalSyncObject_11() { return &___s_InternalSyncObject_11; }
inline void set_s_InternalSyncObject_11(RuntimeObject * value)
{
___s_InternalSyncObject_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_InternalSyncObject_11), (void*)value);
}
};
// System.Globalization.InternalEncodingDataItem
struct InternalEncodingDataItem_t2854F84125B1F420ABB3AA251C75E288EC87568C
{
public:
// System.String System.Globalization.InternalEncodingDataItem::webName
String_t* ___webName_0;
// System.UInt16 System.Globalization.InternalEncodingDataItem::codePage
uint16_t ___codePage_1;
public:
inline static int32_t get_offset_of_webName_0() { return static_cast<int32_t>(offsetof(InternalEncodingDataItem_t2854F84125B1F420ABB3AA251C75E288EC87568C, ___webName_0)); }
inline String_t* get_webName_0() const { return ___webName_0; }
inline String_t** get_address_of_webName_0() { return &___webName_0; }
inline void set_webName_0(String_t* value)
{
___webName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___webName_0), (void*)value);
}
inline static int32_t get_offset_of_codePage_1() { return static_cast<int32_t>(offsetof(InternalEncodingDataItem_t2854F84125B1F420ABB3AA251C75E288EC87568C, ___codePage_1)); }
inline uint16_t get_codePage_1() const { return ___codePage_1; }
inline uint16_t* get_address_of_codePage_1() { return &___codePage_1; }
inline void set_codePage_1(uint16_t value)
{
___codePage_1 = value;
}
};
// Native definition for P/Invoke marshalling of System.Globalization.InternalEncodingDataItem
struct InternalEncodingDataItem_t2854F84125B1F420ABB3AA251C75E288EC87568C_marshaled_pinvoke
{
char* ___webName_0;
uint16_t ___codePage_1;
};
// Native definition for COM marshalling of System.Globalization.InternalEncodingDataItem
struct InternalEncodingDataItem_t2854F84125B1F420ABB3AA251C75E288EC87568C_marshaled_com
{
Il2CppChar* ___webName_0;
uint16_t ___codePage_1;
};
// System.Collections.Generic.InternalStringComparer
struct InternalStringComparer_t7669F097298BEFC7D84D480A5788A026C75D5E76 : public EqualityComparer_1_tDC2082D4D5947A0F76D6FA7870E09811B1A8B69E
{
public:
public:
};
// System.Runtime.CompilerServices.InternalsVisibleToAttribute
struct InternalsVisibleToAttribute_t1D9772A02892BAC440952F880A43C257E6C3E68C : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Runtime.CompilerServices.InternalsVisibleToAttribute::_assemblyName
String_t* ____assemblyName_0;
// System.Boolean System.Runtime.CompilerServices.InternalsVisibleToAttribute::_allInternalsVisible
bool ____allInternalsVisible_1;
public:
inline static int32_t get_offset_of__assemblyName_0() { return static_cast<int32_t>(offsetof(InternalsVisibleToAttribute_t1D9772A02892BAC440952F880A43C257E6C3E68C, ____assemblyName_0)); }
inline String_t* get__assemblyName_0() const { return ____assemblyName_0; }
inline String_t** get_address_of__assemblyName_0() { return &____assemblyName_0; }
inline void set__assemblyName_0(String_t* value)
{
____assemblyName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____assemblyName_0), (void*)value);
}
inline static int32_t get_offset_of__allInternalsVisible_1() { return static_cast<int32_t>(offsetof(InternalsVisibleToAttribute_t1D9772A02892BAC440952F880A43C257E6C3E68C, ____allInternalsVisible_1)); }
inline bool get__allInternalsVisible_1() const { return ____allInternalsVisible_1; }
inline bool* get_address_of__allInternalsVisible_1() { return &____allInternalsVisible_1; }
inline void set__allInternalsVisible_1(bool value)
{
____allInternalsVisible_1 = value;
}
};
// System.Linq.Expressions.InvocationExpression
struct InvocationExpression_tF2FBF805F35CA740983A7D613B5BB86ABA9D9A29 : public Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660
{
public:
// System.Type System.Linq.Expressions.InvocationExpression::<Type>k__BackingField
Type_t * ___U3CTypeU3Ek__BackingField_3;
// System.Linq.Expressions.Expression System.Linq.Expressions.InvocationExpression::<Expression>k__BackingField
Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * ___U3CExpressionU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CTypeU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(InvocationExpression_tF2FBF805F35CA740983A7D613B5BB86ABA9D9A29, ___U3CTypeU3Ek__BackingField_3)); }
inline Type_t * get_U3CTypeU3Ek__BackingField_3() const { return ___U3CTypeU3Ek__BackingField_3; }
inline Type_t ** get_address_of_U3CTypeU3Ek__BackingField_3() { return &___U3CTypeU3Ek__BackingField_3; }
inline void set_U3CTypeU3Ek__BackingField_3(Type_t * value)
{
___U3CTypeU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CTypeU3Ek__BackingField_3), (void*)value);
}
inline static int32_t get_offset_of_U3CExpressionU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(InvocationExpression_tF2FBF805F35CA740983A7D613B5BB86ABA9D9A29, ___U3CExpressionU3Ek__BackingField_4)); }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * get_U3CExpressionU3Ek__BackingField_4() const { return ___U3CExpressionU3Ek__BackingField_4; }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 ** get_address_of_U3CExpressionU3Ek__BackingField_4() { return &___U3CExpressionU3Ek__BackingField_4; }
inline void set_U3CExpressionU3Ek__BackingField_4(Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * value)
{
___U3CExpressionU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CExpressionU3Ek__BackingField_4), (void*)value);
}
};
// UnityEngine.Events.InvokableCall
struct InvokableCall_tFCDA359B453E64E6655CE5FF57315417F6EBB741 : public BaseInvokableCall_tEE2D6A7BA0C533CE83516B9CB652FB0982400784
{
public:
// UnityEngine.Events.UnityAction UnityEngine.Events.InvokableCall::Delegate
UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 * ___Delegate_0;
public:
inline static int32_t get_offset_of_Delegate_0() { return static_cast<int32_t>(offsetof(InvokableCall_tFCDA359B453E64E6655CE5FF57315417F6EBB741, ___Delegate_0)); }
inline UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 * get_Delegate_0() const { return ___Delegate_0; }
inline UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 ** get_address_of_Delegate_0() { return &___Delegate_0; }
inline void set_Delegate_0(UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 * value)
{
___Delegate_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Delegate_0), (void*)value);
}
};
// System.Net.Configuration.Ipv6Element
struct Ipv6Element_t6ABD4A6C83A5FBB22931FF90A597DBEFBDCB7B68 : public ConfigurationElement_t571C446CFDFF39CF17130653C433786BEFF25DFA
{
public:
public:
};
// System.Runtime.CompilerServices.IsReadOnlyAttribute
struct IsReadOnlyAttribute_t63931F5FC2214BE1CAABC04968CA2AE5E55E488B : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Runtime.CompilerServices.IsReadOnlyAttribute
struct IsReadOnlyAttribute_t83738C93FA06510D24309539B9577FBBE349A91D : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Runtime.CompilerServices.IsReadOnlyAttribute
struct IsReadOnlyAttribute_t7E1323E011E70323CBF8FD830320EE1929A1EF5C : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Runtime.CompilerServices.IsReadOnlyAttribute
struct IsReadOnlyAttribute_t6C6EC35F1D85F983E1108A473F3FEBDD3CCBA525 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Runtime.CompilerServices.IsReadOnlyAttribute
struct IsReadOnlyAttribute_t629BAC36C947C1F5CC9B8F2B17D6695639043B21 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Runtime.CompilerServices.IsReadOnlyAttribute
struct IsReadOnlyAttribute_tB501C0AF1B2E1105879F40DF285FD445422C6756 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// Unity.Jobs.LowLevel.Unsafe.JobProducerTypeAttribute
struct JobProducerTypeAttribute_t75C44C0E9004E0C3F4D5399D88DEC2001E31B018 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Type Unity.Jobs.LowLevel.Unsafe.JobProducerTypeAttribute::<ProducerType>k__BackingField
Type_t * ___U3CProducerTypeU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CProducerTypeU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(JobProducerTypeAttribute_t75C44C0E9004E0C3F4D5399D88DEC2001E31B018, ___U3CProducerTypeU3Ek__BackingField_0)); }
inline Type_t * get_U3CProducerTypeU3Ek__BackingField_0() const { return ___U3CProducerTypeU3Ek__BackingField_0; }
inline Type_t ** get_address_of_U3CProducerTypeU3Ek__BackingField_0() { return &___U3CProducerTypeU3Ek__BackingField_0; }
inline void set_U3CProducerTypeU3Ek__BackingField_0(Type_t * value)
{
___U3CProducerTypeU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CProducerTypeU3Ek__BackingField_0), (void*)value);
}
};
// TMPro.KerningPairKey
struct KerningPairKey_t52AE779FABF54257C7A1CDA02CAF0DF98471A7B8
{
public:
// System.UInt32 TMPro.KerningPairKey::ascii_Left
uint32_t ___ascii_Left_0;
// System.UInt32 TMPro.KerningPairKey::ascii_Right
uint32_t ___ascii_Right_1;
// System.UInt32 TMPro.KerningPairKey::key
uint32_t ___key_2;
public:
inline static int32_t get_offset_of_ascii_Left_0() { return static_cast<int32_t>(offsetof(KerningPairKey_t52AE779FABF54257C7A1CDA02CAF0DF98471A7B8, ___ascii_Left_0)); }
inline uint32_t get_ascii_Left_0() const { return ___ascii_Left_0; }
inline uint32_t* get_address_of_ascii_Left_0() { return &___ascii_Left_0; }
inline void set_ascii_Left_0(uint32_t value)
{
___ascii_Left_0 = value;
}
inline static int32_t get_offset_of_ascii_Right_1() { return static_cast<int32_t>(offsetof(KerningPairKey_t52AE779FABF54257C7A1CDA02CAF0DF98471A7B8, ___ascii_Right_1)); }
inline uint32_t get_ascii_Right_1() const { return ___ascii_Right_1; }
inline uint32_t* get_address_of_ascii_Right_1() { return &___ascii_Right_1; }
inline void set_ascii_Right_1(uint32_t value)
{
___ascii_Right_1 = value;
}
inline static int32_t get_offset_of_key_2() { return static_cast<int32_t>(offsetof(KerningPairKey_t52AE779FABF54257C7A1CDA02CAF0DF98471A7B8, ___key_2)); }
inline uint32_t get_key_2() const { return ___key_2; }
inline uint32_t* get_address_of_key_2() { return &___key_2; }
inline void set_key_2(uint32_t value)
{
___key_2 = value;
}
};
// UnityEngine.Keyframe
struct Keyframe_tBEEE79DF5E970E48A8972FFFCE8B25A6068ACE9F
{
public:
// System.Single UnityEngine.Keyframe::m_Time
float ___m_Time_0;
// System.Single UnityEngine.Keyframe::m_Value
float ___m_Value_1;
// System.Single UnityEngine.Keyframe::m_InTangent
float ___m_InTangent_2;
// System.Single UnityEngine.Keyframe::m_OutTangent
float ___m_OutTangent_3;
// System.Int32 UnityEngine.Keyframe::m_WeightedMode
int32_t ___m_WeightedMode_4;
// System.Single UnityEngine.Keyframe::m_InWeight
float ___m_InWeight_5;
// System.Single UnityEngine.Keyframe::m_OutWeight
float ___m_OutWeight_6;
public:
inline static int32_t get_offset_of_m_Time_0() { return static_cast<int32_t>(offsetof(Keyframe_tBEEE79DF5E970E48A8972FFFCE8B25A6068ACE9F, ___m_Time_0)); }
inline float get_m_Time_0() const { return ___m_Time_0; }
inline float* get_address_of_m_Time_0() { return &___m_Time_0; }
inline void set_m_Time_0(float value)
{
___m_Time_0 = value;
}
inline static int32_t get_offset_of_m_Value_1() { return static_cast<int32_t>(offsetof(Keyframe_tBEEE79DF5E970E48A8972FFFCE8B25A6068ACE9F, ___m_Value_1)); }
inline float get_m_Value_1() const { return ___m_Value_1; }
inline float* get_address_of_m_Value_1() { return &___m_Value_1; }
inline void set_m_Value_1(float value)
{
___m_Value_1 = value;
}
inline static int32_t get_offset_of_m_InTangent_2() { return static_cast<int32_t>(offsetof(Keyframe_tBEEE79DF5E970E48A8972FFFCE8B25A6068ACE9F, ___m_InTangent_2)); }
inline float get_m_InTangent_2() const { return ___m_InTangent_2; }
inline float* get_address_of_m_InTangent_2() { return &___m_InTangent_2; }
inline void set_m_InTangent_2(float value)
{
___m_InTangent_2 = value;
}
inline static int32_t get_offset_of_m_OutTangent_3() { return static_cast<int32_t>(offsetof(Keyframe_tBEEE79DF5E970E48A8972FFFCE8B25A6068ACE9F, ___m_OutTangent_3)); }
inline float get_m_OutTangent_3() const { return ___m_OutTangent_3; }
inline float* get_address_of_m_OutTangent_3() { return &___m_OutTangent_3; }
inline void set_m_OutTangent_3(float value)
{
___m_OutTangent_3 = value;
}
inline static int32_t get_offset_of_m_WeightedMode_4() { return static_cast<int32_t>(offsetof(Keyframe_tBEEE79DF5E970E48A8972FFFCE8B25A6068ACE9F, ___m_WeightedMode_4)); }
inline int32_t get_m_WeightedMode_4() const { return ___m_WeightedMode_4; }
inline int32_t* get_address_of_m_WeightedMode_4() { return &___m_WeightedMode_4; }
inline void set_m_WeightedMode_4(int32_t value)
{
___m_WeightedMode_4 = value;
}
inline static int32_t get_offset_of_m_InWeight_5() { return static_cast<int32_t>(offsetof(Keyframe_tBEEE79DF5E970E48A8972FFFCE8B25A6068ACE9F, ___m_InWeight_5)); }
inline float get_m_InWeight_5() const { return ___m_InWeight_5; }
inline float* get_address_of_m_InWeight_5() { return &___m_InWeight_5; }
inline void set_m_InWeight_5(float value)
{
___m_InWeight_5 = value;
}
inline static int32_t get_offset_of_m_OutWeight_6() { return static_cast<int32_t>(offsetof(Keyframe_tBEEE79DF5E970E48A8972FFFCE8B25A6068ACE9F, ___m_OutWeight_6)); }
inline float get_m_OutWeight_6() const { return ___m_OutWeight_6; }
inline float* get_address_of_m_OutWeight_6() { return &___m_OutWeight_6; }
inline void set_m_OutWeight_6(float value)
{
___m_OutWeight_6 = value;
}
};
// System.Runtime.Serialization.KnownTypeAttribute
struct KnownTypeAttribute_t2A45C908E73B8E6FA28BF2EC3F6C46DB4F50C5C7 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Type System.Runtime.Serialization.KnownTypeAttribute::type
Type_t * ___type_0;
public:
inline static int32_t get_offset_of_type_0() { return static_cast<int32_t>(offsetof(KnownTypeAttribute_t2A45C908E73B8E6FA28BF2EC3F6C46DB4F50C5C7, ___type_0)); }
inline Type_t * get_type_0() const { return ___type_0; }
inline Type_t ** get_address_of_type_0() { return &___type_0; }
inline void set_type_0(Type_t * value)
{
___type_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___type_0), (void*)value);
}
};
// System.Linq.Expressions.LambdaExpression
struct LambdaExpression_t26BF905E97E6D94F81F17D60F4F4F47F8E93B474 : public Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660
{
public:
// System.Linq.Expressions.Expression System.Linq.Expressions.LambdaExpression::_body
Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * ____body_3;
public:
inline static int32_t get_offset_of__body_3() { return static_cast<int32_t>(offsetof(LambdaExpression_t26BF905E97E6D94F81F17D60F4F4F47F8E93B474, ____body_3)); }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * get__body_3() const { return ____body_3; }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 ** get_address_of__body_3() { return &____body_3; }
inline void set__body_3(Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * value)
{
____body_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____body_3), (void*)value);
}
};
// UnityEngine.LayerMask
struct LayerMask_t5FA647D8C300EA0621360CA4424717C3C73190A8
{
public:
// System.Int32 UnityEngine.LayerMask::m_Mask
int32_t ___m_Mask_0;
public:
inline static int32_t get_offset_of_m_Mask_0() { return static_cast<int32_t>(offsetof(LayerMask_t5FA647D8C300EA0621360CA4424717C3C73190A8, ___m_Mask_0)); }
inline int32_t get_m_Mask_0() const { return ___m_Mask_0; }
inline int32_t* get_address_of_m_Mask_0() { return &___m_Mask_0; }
inline void set_m_Mask_0(int32_t value)
{
___m_Mask_0 = value;
}
};
// UnityEngine.Experimental.GlobalIllumination.LinearColor
struct LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2
{
public:
// System.Single UnityEngine.Experimental.GlobalIllumination.LinearColor::m_red
float ___m_red_0;
// System.Single UnityEngine.Experimental.GlobalIllumination.LinearColor::m_green
float ___m_green_1;
// System.Single UnityEngine.Experimental.GlobalIllumination.LinearColor::m_blue
float ___m_blue_2;
// System.Single UnityEngine.Experimental.GlobalIllumination.LinearColor::m_intensity
float ___m_intensity_3;
public:
inline static int32_t get_offset_of_m_red_0() { return static_cast<int32_t>(offsetof(LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2, ___m_red_0)); }
inline float get_m_red_0() const { return ___m_red_0; }
inline float* get_address_of_m_red_0() { return &___m_red_0; }
inline void set_m_red_0(float value)
{
___m_red_0 = value;
}
inline static int32_t get_offset_of_m_green_1() { return static_cast<int32_t>(offsetof(LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2, ___m_green_1)); }
inline float get_m_green_1() const { return ___m_green_1; }
inline float* get_address_of_m_green_1() { return &___m_green_1; }
inline void set_m_green_1(float value)
{
___m_green_1 = value;
}
inline static int32_t get_offset_of_m_blue_2() { return static_cast<int32_t>(offsetof(LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2, ___m_blue_2)); }
inline float get_m_blue_2() const { return ___m_blue_2; }
inline float* get_address_of_m_blue_2() { return &___m_blue_2; }
inline void set_m_blue_2(float value)
{
___m_blue_2 = value;
}
inline static int32_t get_offset_of_m_intensity_3() { return static_cast<int32_t>(offsetof(LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2, ___m_intensity_3)); }
inline float get_m_intensity_3() const { return ___m_intensity_3; }
inline float* get_address_of_m_intensity_3() { return &___m_intensity_3; }
inline void set_m_intensity_3(float value)
{
___m_intensity_3 = value;
}
};
// UnityEngine.Localization.SmartFormat.Extensions.ListFormatter
struct ListFormatter_t62C919E44F94C0855BB14AE2B64861B3E6225422 : public FormatterBase_t9C41952D199D3C96A9F94A46395C8E387B42FC0C
{
public:
// UnityEngine.Localization.SmartFormat.Core.Settings.SmartSettings UnityEngine.Localization.SmartFormat.Extensions.ListFormatter::m_SmartSettings
SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627 * ___m_SmartSettings_1;
public:
inline static int32_t get_offset_of_m_SmartSettings_1() { return static_cast<int32_t>(offsetof(ListFormatter_t62C919E44F94C0855BB14AE2B64861B3E6225422, ___m_SmartSettings_1)); }
inline SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627 * get_m_SmartSettings_1() const { return ___m_SmartSettings_1; }
inline SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627 ** get_address_of_m_SmartSettings_1() { return &___m_SmartSettings_1; }
inline void set_m_SmartSettings_1(SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627 * value)
{
___m_SmartSettings_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SmartSettings_1), (void*)value);
}
};
struct ListFormatter_t62C919E44F94C0855BB14AE2B64861B3E6225422_StaticFields
{
public:
// System.Int32 UnityEngine.Localization.SmartFormat.Extensions.ListFormatter::<CollectionIndex>k__BackingField
int32_t ___U3CCollectionIndexU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CCollectionIndexU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(ListFormatter_t62C919E44F94C0855BB14AE2B64861B3E6225422_StaticFields, ___U3CCollectionIndexU3Ek__BackingField_2)); }
inline int32_t get_U3CCollectionIndexU3Ek__BackingField_2() const { return ___U3CCollectionIndexU3Ek__BackingField_2; }
inline int32_t* get_address_of_U3CCollectionIndexU3Ek__BackingField_2() { return &___U3CCollectionIndexU3Ek__BackingField_2; }
inline void set_U3CCollectionIndexU3Ek__BackingField_2(int32_t value)
{
___U3CCollectionIndexU3Ek__BackingField_2 = value;
}
};
// UnityEngine.Localization.SmartFormat.Core.Parsing.LiteralText
struct LiteralText_t555C552C6D492AA0E9B41574D603EE0BF4E91227 : public FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843
{
public:
public:
};
// System.Reflection.Emit.LocalBuilder
struct LocalBuilder_t7D66C7BAA00271B00F8FDBE1F3D85A6223E99E16 : public LocalVariableInfo_t886B53D36BA0B4BA37FEEB6DB4834A6933FDAF61
{
public:
// System.String System.Reflection.Emit.LocalBuilder::name
String_t* ___name_3;
// System.Reflection.Emit.ILGenerator System.Reflection.Emit.LocalBuilder::ilgen
ILGenerator_tCB47F61B7259CF97E8239F921A474B2BEEF84F8F * ___ilgen_4;
// System.Int32 System.Reflection.Emit.LocalBuilder::startOffset
int32_t ___startOffset_5;
// System.Int32 System.Reflection.Emit.LocalBuilder::endOffset
int32_t ___endOffset_6;
public:
inline static int32_t get_offset_of_name_3() { return static_cast<int32_t>(offsetof(LocalBuilder_t7D66C7BAA00271B00F8FDBE1F3D85A6223E99E16, ___name_3)); }
inline String_t* get_name_3() const { return ___name_3; }
inline String_t** get_address_of_name_3() { return &___name_3; }
inline void set_name_3(String_t* value)
{
___name_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_3), (void*)value);
}
inline static int32_t get_offset_of_ilgen_4() { return static_cast<int32_t>(offsetof(LocalBuilder_t7D66C7BAA00271B00F8FDBE1F3D85A6223E99E16, ___ilgen_4)); }
inline ILGenerator_tCB47F61B7259CF97E8239F921A474B2BEEF84F8F * get_ilgen_4() const { return ___ilgen_4; }
inline ILGenerator_tCB47F61B7259CF97E8239F921A474B2BEEF84F8F ** get_address_of_ilgen_4() { return &___ilgen_4; }
inline void set_ilgen_4(ILGenerator_tCB47F61B7259CF97E8239F921A474B2BEEF84F8F * value)
{
___ilgen_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ilgen_4), (void*)value);
}
inline static int32_t get_offset_of_startOffset_5() { return static_cast<int32_t>(offsetof(LocalBuilder_t7D66C7BAA00271B00F8FDBE1F3D85A6223E99E16, ___startOffset_5)); }
inline int32_t get_startOffset_5() const { return ___startOffset_5; }
inline int32_t* get_address_of_startOffset_5() { return &___startOffset_5; }
inline void set_startOffset_5(int32_t value)
{
___startOffset_5 = value;
}
inline static int32_t get_offset_of_endOffset_6() { return static_cast<int32_t>(offsetof(LocalBuilder_t7D66C7BAA00271B00F8FDBE1F3D85A6223E99E16, ___endOffset_6)); }
inline int32_t get_endOffset_6() const { return ___endOffset_6; }
inline int32_t* get_address_of_endOffset_6() { return &___endOffset_6; }
inline void set_endOffset_6(int32_t value)
{
___endOffset_6 = value;
}
};
// Native definition for P/Invoke marshalling of System.Reflection.Emit.LocalBuilder
struct LocalBuilder_t7D66C7BAA00271B00F8FDBE1F3D85A6223E99E16_marshaled_pinvoke : public LocalVariableInfo_t886B53D36BA0B4BA37FEEB6DB4834A6933FDAF61_marshaled_pinvoke
{
char* ___name_3;
ILGenerator_tCB47F61B7259CF97E8239F921A474B2BEEF84F8F * ___ilgen_4;
int32_t ___startOffset_5;
int32_t ___endOffset_6;
};
// Native definition for COM marshalling of System.Reflection.Emit.LocalBuilder
struct LocalBuilder_t7D66C7BAA00271B00F8FDBE1F3D85A6223E99E16_marshaled_com : public LocalVariableInfo_t886B53D36BA0B4BA37FEEB6DB4834A6933FDAF61_marshaled_com
{
Il2CppChar* ___name_3;
ILGenerator_tCB47F61B7259CF97E8239F921A474B2BEEF84F8F * ___ilgen_4;
int32_t ___startOffset_5;
int32_t ___endOffset_6;
};
// UnityEngine.Localization.LocaleIdentifier
struct LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF
{
public:
// System.String UnityEngine.Localization.LocaleIdentifier::m_Code
String_t* ___m_Code_0;
// System.Globalization.CultureInfo UnityEngine.Localization.LocaleIdentifier::m_CultureInfo
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * ___m_CultureInfo_1;
public:
inline static int32_t get_offset_of_m_Code_0() { return static_cast<int32_t>(offsetof(LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF, ___m_Code_0)); }
inline String_t* get_m_Code_0() const { return ___m_Code_0; }
inline String_t** get_address_of_m_Code_0() { return &___m_Code_0; }
inline void set_m_Code_0(String_t* value)
{
___m_Code_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Code_0), (void*)value);
}
inline static int32_t get_offset_of_m_CultureInfo_1() { return static_cast<int32_t>(offsetof(LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF, ___m_CultureInfo_1)); }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * get_m_CultureInfo_1() const { return ___m_CultureInfo_1; }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 ** get_address_of_m_CultureInfo_1() { return &___m_CultureInfo_1; }
inline void set_m_CultureInfo_1(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * value)
{
___m_CultureInfo_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CultureInfo_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Localization.LocaleIdentifier
struct LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF_marshaled_pinvoke
{
char* ___m_Code_0;
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_marshaled_pinvoke* ___m_CultureInfo_1;
};
// Native definition for COM marshalling of UnityEngine.Localization.LocaleIdentifier
struct LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF_marshaled_com
{
Il2CppChar* ___m_Code_0;
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_marshaled_com* ___m_CultureInfo_1;
};
// System.Runtime.Remoting.Messaging.MCMDictionary
struct MCMDictionary_tEA8C1F89F5B3783040584C2C390C758B1420CCDF : public MessageDictionary_tF87E1D8408337642172945A13C9C116D7F9336BE
{
public:
public:
};
struct MCMDictionary_tEA8C1F89F5B3783040584C2C390C758B1420CCDF_StaticFields
{
public:
// System.String[] System.Runtime.Remoting.Messaging.MCMDictionary::InternalKeys
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___InternalKeys_4;
public:
inline static int32_t get_offset_of_InternalKeys_4() { return static_cast<int32_t>(offsetof(MCMDictionary_tEA8C1F89F5B3783040584C2C390C758B1420CCDF_StaticFields, ___InternalKeys_4)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_InternalKeys_4() const { return ___InternalKeys_4; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_InternalKeys_4() { return &___InternalKeys_4; }
inline void set_InternalKeys_4(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___InternalKeys_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___InternalKeys_4), (void*)value);
}
};
// TMPro.MaterialReference
struct MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B
{
public:
// System.Int32 TMPro.MaterialReference::index
int32_t ___index_0;
// TMPro.TMP_FontAsset TMPro.MaterialReference::fontAsset
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___fontAsset_1;
// TMPro.TMP_SpriteAsset TMPro.MaterialReference::spriteAsset
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * ___spriteAsset_2;
// UnityEngine.Material TMPro.MaterialReference::material
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___material_3;
// System.Boolean TMPro.MaterialReference::isDefaultMaterial
bool ___isDefaultMaterial_4;
// System.Boolean TMPro.MaterialReference::isFallbackMaterial
bool ___isFallbackMaterial_5;
// UnityEngine.Material TMPro.MaterialReference::fallbackMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___fallbackMaterial_6;
// System.Single TMPro.MaterialReference::padding
float ___padding_7;
// System.Int32 TMPro.MaterialReference::referenceCount
int32_t ___referenceCount_8;
public:
inline static int32_t get_offset_of_index_0() { return static_cast<int32_t>(offsetof(MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B, ___index_0)); }
inline int32_t get_index_0() const { return ___index_0; }
inline int32_t* get_address_of_index_0() { return &___index_0; }
inline void set_index_0(int32_t value)
{
___index_0 = value;
}
inline static int32_t get_offset_of_fontAsset_1() { return static_cast<int32_t>(offsetof(MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B, ___fontAsset_1)); }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * get_fontAsset_1() const { return ___fontAsset_1; }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 ** get_address_of_fontAsset_1() { return &___fontAsset_1; }
inline void set_fontAsset_1(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * value)
{
___fontAsset_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___fontAsset_1), (void*)value);
}
inline static int32_t get_offset_of_spriteAsset_2() { return static_cast<int32_t>(offsetof(MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B, ___spriteAsset_2)); }
inline TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * get_spriteAsset_2() const { return ___spriteAsset_2; }
inline TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 ** get_address_of_spriteAsset_2() { return &___spriteAsset_2; }
inline void set_spriteAsset_2(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * value)
{
___spriteAsset_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___spriteAsset_2), (void*)value);
}
inline static int32_t get_offset_of_material_3() { return static_cast<int32_t>(offsetof(MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B, ___material_3)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_material_3() const { return ___material_3; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_material_3() { return &___material_3; }
inline void set_material_3(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___material_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___material_3), (void*)value);
}
inline static int32_t get_offset_of_isDefaultMaterial_4() { return static_cast<int32_t>(offsetof(MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B, ___isDefaultMaterial_4)); }
inline bool get_isDefaultMaterial_4() const { return ___isDefaultMaterial_4; }
inline bool* get_address_of_isDefaultMaterial_4() { return &___isDefaultMaterial_4; }
inline void set_isDefaultMaterial_4(bool value)
{
___isDefaultMaterial_4 = value;
}
inline static int32_t get_offset_of_isFallbackMaterial_5() { return static_cast<int32_t>(offsetof(MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B, ___isFallbackMaterial_5)); }
inline bool get_isFallbackMaterial_5() const { return ___isFallbackMaterial_5; }
inline bool* get_address_of_isFallbackMaterial_5() { return &___isFallbackMaterial_5; }
inline void set_isFallbackMaterial_5(bool value)
{
___isFallbackMaterial_5 = value;
}
inline static int32_t get_offset_of_fallbackMaterial_6() { return static_cast<int32_t>(offsetof(MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B, ___fallbackMaterial_6)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_fallbackMaterial_6() const { return ___fallbackMaterial_6; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_fallbackMaterial_6() { return &___fallbackMaterial_6; }
inline void set_fallbackMaterial_6(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___fallbackMaterial_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___fallbackMaterial_6), (void*)value);
}
inline static int32_t get_offset_of_padding_7() { return static_cast<int32_t>(offsetof(MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B, ___padding_7)); }
inline float get_padding_7() const { return ___padding_7; }
inline float* get_address_of_padding_7() { return &___padding_7; }
inline void set_padding_7(float value)
{
___padding_7 = value;
}
inline static int32_t get_offset_of_referenceCount_8() { return static_cast<int32_t>(offsetof(MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B, ___referenceCount_8)); }
inline int32_t get_referenceCount_8() const { return ___referenceCount_8; }
inline int32_t* get_address_of_referenceCount_8() { return &___referenceCount_8; }
inline void set_referenceCount_8(int32_t value)
{
___referenceCount_8 = value;
}
};
// Native definition for P/Invoke marshalling of TMPro.MaterialReference
struct MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B_marshaled_pinvoke
{
int32_t ___index_0;
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___fontAsset_1;
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * ___spriteAsset_2;
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___material_3;
int32_t ___isDefaultMaterial_4;
int32_t ___isFallbackMaterial_5;
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___fallbackMaterial_6;
float ___padding_7;
int32_t ___referenceCount_8;
};
// Native definition for COM marshalling of TMPro.MaterialReference
struct MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B_marshaled_com
{
int32_t ___index_0;
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___fontAsset_1;
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * ___spriteAsset_2;
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___material_3;
int32_t ___isDefaultMaterial_4;
int32_t ___isFallbackMaterial_5;
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___fallbackMaterial_6;
float ___padding_7;
int32_t ___referenceCount_8;
};
// UnityEngine.Mathf
struct Mathf_t4D4AC358D24F6DDC32EC291DDE1DF2C3B752A194
{
public:
union
{
struct
{
};
uint8_t Mathf_t4D4AC358D24F6DDC32EC291DDE1DF2C3B752A194__padding[1];
};
public:
};
struct Mathf_t4D4AC358D24F6DDC32EC291DDE1DF2C3B752A194_StaticFields
{
public:
// System.Single UnityEngine.Mathf::Epsilon
float ___Epsilon_0;
public:
inline static int32_t get_offset_of_Epsilon_0() { return static_cast<int32_t>(offsetof(Mathf_t4D4AC358D24F6DDC32EC291DDE1DF2C3B752A194_StaticFields, ___Epsilon_0)); }
inline float get_Epsilon_0() const { return ___Epsilon_0; }
inline float* get_address_of_Epsilon_0() { return &___Epsilon_0; }
inline void set_Epsilon_0(float value)
{
___Epsilon_0 = value;
}
};
// UnityEngine.Matrix4x4
struct Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461
{
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_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461, ___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_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461, ___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_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461, ___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_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461, ___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_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461, ___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_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461, ___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_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461, ___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_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461, ___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_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461, ___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_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461, ___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_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461, ___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_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461, ___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_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461, ___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_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461, ___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_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461, ___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_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461, ___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_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461_StaticFields
{
public:
// UnityEngine.Matrix4x4 UnityEngine.Matrix4x4::zeroMatrix
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 ___zeroMatrix_16;
// UnityEngine.Matrix4x4 UnityEngine.Matrix4x4::identityMatrix
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 ___identityMatrix_17;
public:
inline static int32_t get_offset_of_zeroMatrix_16() { return static_cast<int32_t>(offsetof(Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461_StaticFields, ___zeroMatrix_16)); }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 get_zeroMatrix_16() const { return ___zeroMatrix_16; }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 * get_address_of_zeroMatrix_16() { return &___zeroMatrix_16; }
inline void set_zeroMatrix_16(Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 value)
{
___zeroMatrix_16 = value;
}
inline static int32_t get_offset_of_identityMatrix_17() { return static_cast<int32_t>(offsetof(Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461_StaticFields, ___identityMatrix_17)); }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 get_identityMatrix_17() const { return ___identityMatrix_17; }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 * get_address_of_identityMatrix_17() { return &___identityMatrix_17; }
inline void set_identityMatrix_17(Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 value)
{
___identityMatrix_17 = value;
}
};
// System.Linq.Expressions.MemberExpression
struct MemberExpression_t9F4B2A7A517DFE6F72C956A3ED868D8C043C6622 : public Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660
{
public:
// System.Linq.Expressions.Expression System.Linq.Expressions.MemberExpression::<Expression>k__BackingField
Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * ___U3CExpressionU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CExpressionU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(MemberExpression_t9F4B2A7A517DFE6F72C956A3ED868D8C043C6622, ___U3CExpressionU3Ek__BackingField_3)); }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * get_U3CExpressionU3Ek__BackingField_3() const { return ___U3CExpressionU3Ek__BackingField_3; }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 ** get_address_of_U3CExpressionU3Ek__BackingField_3() { return &___U3CExpressionU3Ek__BackingField_3; }
inline void set_U3CExpressionU3Ek__BackingField_3(Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * value)
{
___U3CExpressionU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CExpressionU3Ek__BackingField_3), (void*)value);
}
};
// UnityEngine.XR.MeshId
struct MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767
{
public:
// System.UInt64 UnityEngine.XR.MeshId::m_SubId1
uint64_t ___m_SubId1_1;
// System.UInt64 UnityEngine.XR.MeshId::m_SubId2
uint64_t ___m_SubId2_2;
public:
inline static int32_t get_offset_of_m_SubId1_1() { return static_cast<int32_t>(offsetof(MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767, ___m_SubId1_1)); }
inline uint64_t get_m_SubId1_1() const { return ___m_SubId1_1; }
inline uint64_t* get_address_of_m_SubId1_1() { return &___m_SubId1_1; }
inline void set_m_SubId1_1(uint64_t value)
{
___m_SubId1_1 = value;
}
inline static int32_t get_offset_of_m_SubId2_2() { return static_cast<int32_t>(offsetof(MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767, ___m_SubId2_2)); }
inline uint64_t get_m_SubId2_2() const { return ___m_SubId2_2; }
inline uint64_t* get_address_of_m_SubId2_2() { return &___m_SubId2_2; }
inline void set_m_SubId2_2(uint64_t value)
{
___m_SubId2_2 = value;
}
};
struct MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767_StaticFields
{
public:
// UnityEngine.XR.MeshId UnityEngine.XR.MeshId::s_InvalidId
MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767 ___s_InvalidId_0;
public:
inline static int32_t get_offset_of_s_InvalidId_0() { return static_cast<int32_t>(offsetof(MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767_StaticFields, ___s_InvalidId_0)); }
inline MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767 get_s_InvalidId_0() const { return ___s_InvalidId_0; }
inline MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767 * get_address_of_s_InvalidId_0() { return &___s_InvalidId_0; }
inline void set_s_InvalidId_0(MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767 value)
{
___s_InvalidId_0 = value;
}
};
// System.Reflection.MethodBase
struct MethodBase_t : public MemberInfo_t
{
public:
public:
};
// System.Linq.Expressions.MethodCallExpression
struct MethodCallExpression_tF8E07995EEDB83A97C356206D651D5EEC72EFFA4 : public Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660
{
public:
// System.Reflection.MethodInfo System.Linq.Expressions.MethodCallExpression::<Method>k__BackingField
MethodInfo_t * ___U3CMethodU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CMethodU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(MethodCallExpression_tF8E07995EEDB83A97C356206D651D5EEC72EFFA4, ___U3CMethodU3Ek__BackingField_3)); }
inline MethodInfo_t * get_U3CMethodU3Ek__BackingField_3() const { return ___U3CMethodU3Ek__BackingField_3; }
inline MethodInfo_t ** get_address_of_U3CMethodU3Ek__BackingField_3() { return &___U3CMethodU3Ek__BackingField_3; }
inline void set_U3CMethodU3Ek__BackingField_3(MethodInfo_t * value)
{
___U3CMethodU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CMethodU3Ek__BackingField_3), (void*)value);
}
};
// System.Runtime.Remoting.Messaging.MethodReturnDictionary
struct MethodReturnDictionary_tCD3B3B0F69F53EF7653CB5E6B175628E8FD54531 : public MessageDictionary_tF87E1D8408337642172945A13C9C116D7F9336BE
{
public:
public:
};
struct MethodReturnDictionary_tCD3B3B0F69F53EF7653CB5E6B175628E8FD54531_StaticFields
{
public:
// System.String[] System.Runtime.Remoting.Messaging.MethodReturnDictionary::InternalReturnKeys
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___InternalReturnKeys_4;
// System.String[] System.Runtime.Remoting.Messaging.MethodReturnDictionary::InternalExceptionKeys
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___InternalExceptionKeys_5;
public:
inline static int32_t get_offset_of_InternalReturnKeys_4() { return static_cast<int32_t>(offsetof(MethodReturnDictionary_tCD3B3B0F69F53EF7653CB5E6B175628E8FD54531_StaticFields, ___InternalReturnKeys_4)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_InternalReturnKeys_4() const { return ___InternalReturnKeys_4; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_InternalReturnKeys_4() { return &___InternalReturnKeys_4; }
inline void set_InternalReturnKeys_4(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___InternalReturnKeys_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___InternalReturnKeys_4), (void*)value);
}
inline static int32_t get_offset_of_InternalExceptionKeys_5() { return static_cast<int32_t>(offsetof(MethodReturnDictionary_tCD3B3B0F69F53EF7653CB5E6B175628E8FD54531_StaticFields, ___InternalExceptionKeys_5)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_InternalExceptionKeys_5() const { return ___InternalExceptionKeys_5; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_InternalExceptionKeys_5() { return &___InternalExceptionKeys_5; }
inline void set_InternalExceptionKeys_5(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___InternalExceptionKeys_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___InternalExceptionKeys_5), (void*)value);
}
};
// AOT.MonoPInvokeCallbackAttribute
struct MonoPInvokeCallbackAttribute_t99C8CC5CE6CC69C51F99A6CE88F4F792D4777B2E : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.MonoTODOAttribute
struct MonoTODOAttribute_tFB984CBAF37A9C93E915C007BD1427614691907B : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.MonoTODOAttribute::comment
String_t* ___comment_0;
public:
inline static int32_t get_offset_of_comment_0() { return static_cast<int32_t>(offsetof(MonoTODOAttribute_tFB984CBAF37A9C93E915C007BD1427614691907B, ___comment_0)); }
inline String_t* get_comment_0() const { return ___comment_0; }
inline String_t** get_address_of_comment_0() { return &___comment_0; }
inline void set_comment_0(String_t* value)
{
___comment_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___comment_0), (void*)value);
}
};
// UnityEngine.Scripting.APIUpdating.MovedFromAttributeData
struct MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C
{
public:
// System.String UnityEngine.Scripting.APIUpdating.MovedFromAttributeData::className
String_t* ___className_0;
// System.String UnityEngine.Scripting.APIUpdating.MovedFromAttributeData::nameSpace
String_t* ___nameSpace_1;
// System.String UnityEngine.Scripting.APIUpdating.MovedFromAttributeData::assembly
String_t* ___assembly_2;
// System.Boolean UnityEngine.Scripting.APIUpdating.MovedFromAttributeData::classHasChanged
bool ___classHasChanged_3;
// System.Boolean UnityEngine.Scripting.APIUpdating.MovedFromAttributeData::nameSpaceHasChanged
bool ___nameSpaceHasChanged_4;
// System.Boolean UnityEngine.Scripting.APIUpdating.MovedFromAttributeData::assemblyHasChanged
bool ___assemblyHasChanged_5;
// System.Boolean UnityEngine.Scripting.APIUpdating.MovedFromAttributeData::autoUdpateAPI
bool ___autoUdpateAPI_6;
public:
inline static int32_t get_offset_of_className_0() { return static_cast<int32_t>(offsetof(MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C, ___className_0)); }
inline String_t* get_className_0() const { return ___className_0; }
inline String_t** get_address_of_className_0() { return &___className_0; }
inline void set_className_0(String_t* value)
{
___className_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___className_0), (void*)value);
}
inline static int32_t get_offset_of_nameSpace_1() { return static_cast<int32_t>(offsetof(MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C, ___nameSpace_1)); }
inline String_t* get_nameSpace_1() const { return ___nameSpace_1; }
inline String_t** get_address_of_nameSpace_1() { return &___nameSpace_1; }
inline void set_nameSpace_1(String_t* value)
{
___nameSpace_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___nameSpace_1), (void*)value);
}
inline static int32_t get_offset_of_assembly_2() { return static_cast<int32_t>(offsetof(MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C, ___assembly_2)); }
inline String_t* get_assembly_2() const { return ___assembly_2; }
inline String_t** get_address_of_assembly_2() { return &___assembly_2; }
inline void set_assembly_2(String_t* value)
{
___assembly_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assembly_2), (void*)value);
}
inline static int32_t get_offset_of_classHasChanged_3() { return static_cast<int32_t>(offsetof(MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C, ___classHasChanged_3)); }
inline bool get_classHasChanged_3() const { return ___classHasChanged_3; }
inline bool* get_address_of_classHasChanged_3() { return &___classHasChanged_3; }
inline void set_classHasChanged_3(bool value)
{
___classHasChanged_3 = value;
}
inline static int32_t get_offset_of_nameSpaceHasChanged_4() { return static_cast<int32_t>(offsetof(MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C, ___nameSpaceHasChanged_4)); }
inline bool get_nameSpaceHasChanged_4() const { return ___nameSpaceHasChanged_4; }
inline bool* get_address_of_nameSpaceHasChanged_4() { return &___nameSpaceHasChanged_4; }
inline void set_nameSpaceHasChanged_4(bool value)
{
___nameSpaceHasChanged_4 = value;
}
inline static int32_t get_offset_of_assemblyHasChanged_5() { return static_cast<int32_t>(offsetof(MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C, ___assemblyHasChanged_5)); }
inline bool get_assemblyHasChanged_5() const { return ___assemblyHasChanged_5; }
inline bool* get_address_of_assemblyHasChanged_5() { return &___assemblyHasChanged_5; }
inline void set_assemblyHasChanged_5(bool value)
{
___assemblyHasChanged_5 = value;
}
inline static int32_t get_offset_of_autoUdpateAPI_6() { return static_cast<int32_t>(offsetof(MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C, ___autoUdpateAPI_6)); }
inline bool get_autoUdpateAPI_6() const { return ___autoUdpateAPI_6; }
inline bool* get_address_of_autoUdpateAPI_6() { return &___autoUdpateAPI_6; }
inline void set_autoUdpateAPI_6(bool value)
{
___autoUdpateAPI_6 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Scripting.APIUpdating.MovedFromAttributeData
struct MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C_marshaled_pinvoke
{
char* ___className_0;
char* ___nameSpace_1;
char* ___assembly_2;
int32_t ___classHasChanged_3;
int32_t ___nameSpaceHasChanged_4;
int32_t ___assemblyHasChanged_5;
int32_t ___autoUdpateAPI_6;
};
// Native definition for COM marshalling of UnityEngine.Scripting.APIUpdating.MovedFromAttributeData
struct MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C_marshaled_com
{
Il2CppChar* ___className_0;
Il2CppChar* ___nameSpace_1;
Il2CppChar* ___assembly_2;
int32_t ___classHasChanged_3;
int32_t ___nameSpaceHasChanged_4;
int32_t ___assemblyHasChanged_5;
int32_t ___autoUdpateAPI_6;
};
// UnityEngine.XR.ARSubsystems.MutableRuntimeReferenceImageLibrary
struct MutableRuntimeReferenceImageLibrary_t887376CE46B48DEEC6E8655D429BADCA6E3C7EAA : public RuntimeReferenceImageLibrary_t76072EC5637B1F0F8FD0A1BFD3AEAF954D6F8D6B
{
public:
public:
};
// UnityEngine.Bindings.NativeAsStructAttribute
struct NativeAsStructAttribute_tB664BE8A337A63DCA81BC69418AC482FAD5CDB3E : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.NativeClassAttribute
struct NativeClassAttribute_tBE8213A7A54307A9A771B70B38CB946BED926B0D : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String UnityEngine.NativeClassAttribute::<QualifiedNativeName>k__BackingField
String_t* ___U3CQualifiedNativeNameU3Ek__BackingField_0;
// System.String UnityEngine.NativeClassAttribute::<Declaration>k__BackingField
String_t* ___U3CDeclarationU3Ek__BackingField_1;
public:
inline static int32_t get_offset_of_U3CQualifiedNativeNameU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(NativeClassAttribute_tBE8213A7A54307A9A771B70B38CB946BED926B0D, ___U3CQualifiedNativeNameU3Ek__BackingField_0)); }
inline String_t* get_U3CQualifiedNativeNameU3Ek__BackingField_0() const { return ___U3CQualifiedNativeNameU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CQualifiedNativeNameU3Ek__BackingField_0() { return &___U3CQualifiedNativeNameU3Ek__BackingField_0; }
inline void set_U3CQualifiedNativeNameU3Ek__BackingField_0(String_t* value)
{
___U3CQualifiedNativeNameU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CQualifiedNativeNameU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CDeclarationU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(NativeClassAttribute_tBE8213A7A54307A9A771B70B38CB946BED926B0D, ___U3CDeclarationU3Ek__BackingField_1)); }
inline String_t* get_U3CDeclarationU3Ek__BackingField_1() const { return ___U3CDeclarationU3Ek__BackingField_1; }
inline String_t** get_address_of_U3CDeclarationU3Ek__BackingField_1() { return &___U3CDeclarationU3Ek__BackingField_1; }
inline void set_U3CDeclarationU3Ek__BackingField_1(String_t* value)
{
___U3CDeclarationU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CDeclarationU3Ek__BackingField_1), (void*)value);
}
};
// UnityEngine.Bindings.NativeConditionalAttribute
struct NativeConditionalAttribute_t659349956F06958D4D05443BD06FF5CDC767C88B : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String UnityEngine.Bindings.NativeConditionalAttribute::<Condition>k__BackingField
String_t* ___U3CConditionU3Ek__BackingField_0;
// System.Boolean UnityEngine.Bindings.NativeConditionalAttribute::<Enabled>k__BackingField
bool ___U3CEnabledU3Ek__BackingField_1;
public:
inline static int32_t get_offset_of_U3CConditionU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(NativeConditionalAttribute_t659349956F06958D4D05443BD06FF5CDC767C88B, ___U3CConditionU3Ek__BackingField_0)); }
inline String_t* get_U3CConditionU3Ek__BackingField_0() const { return ___U3CConditionU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CConditionU3Ek__BackingField_0() { return &___U3CConditionU3Ek__BackingField_0; }
inline void set_U3CConditionU3Ek__BackingField_0(String_t* value)
{
___U3CConditionU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CConditionU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CEnabledU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(NativeConditionalAttribute_t659349956F06958D4D05443BD06FF5CDC767C88B, ___U3CEnabledU3Ek__BackingField_1)); }
inline bool get_U3CEnabledU3Ek__BackingField_1() const { return ___U3CEnabledU3Ek__BackingField_1; }
inline bool* get_address_of_U3CEnabledU3Ek__BackingField_1() { return &___U3CEnabledU3Ek__BackingField_1; }
inline void set_U3CEnabledU3Ek__BackingField_1(bool value)
{
___U3CEnabledU3Ek__BackingField_1 = value;
}
};
// Unity.Collections.LowLevel.Unsafe.NativeContainerAttribute
struct NativeContainerAttribute_t3894E43A49A7B3CED9F729854E36D5683692D3D6 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// Unity.Collections.LowLevel.Unsafe.NativeContainerIsAtomicWriteOnlyAttribute
struct NativeContainerIsAtomicWriteOnlyAttribute_t2DB74DA0C416DD897E6F282B6F604646E0B344AB : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// Unity.Collections.LowLevel.Unsafe.NativeContainerIsReadOnlyAttribute
struct NativeContainerIsReadOnlyAttribute_tD61823F3C518C6B2DF79CEF1A493A3B13B862E4A : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// Unity.Collections.LowLevel.Unsafe.NativeContainerNeedsThreadIndexAttribute
struct NativeContainerNeedsThreadIndexAttribute_tA9A72D352CD4F820EF4D93463F0416ABA340AE1A : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// Unity.Collections.LowLevel.Unsafe.NativeContainerSupportsDeallocateOnJobCompletionAttribute
struct NativeContainerSupportsDeallocateOnJobCompletionAttribute_t1625CD8EAF1CD576724D86EA1D12106F849CB224 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// Unity.Collections.LowLevel.Unsafe.NativeContainerSupportsDeferredConvertListToArray
struct NativeContainerSupportsDeferredConvertListToArray_tAB5333AC295FDF71457ACC99E19724B86AF20A3D : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// Unity.Collections.LowLevel.Unsafe.NativeContainerSupportsMinMaxWriteRestrictionAttribute
struct NativeContainerSupportsMinMaxWriteRestrictionAttribute_tDDFD9B344FF160372E037F33687D7E1856FD1289 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// Unity.Collections.LowLevel.Unsafe.NativeDisableContainerSafetyRestrictionAttribute
struct NativeDisableContainerSafetyRestrictionAttribute_t138EDB45CE62A51C3779A77CDBF6E28309DF59A9 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// Unity.Collections.NativeDisableParallelForRestrictionAttribute
struct NativeDisableParallelForRestrictionAttribute_t53B8478A2BD79DD7A9C47B1E2EC7DF38501FC743 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// Unity.Collections.LowLevel.Unsafe.NativeDisableUnsafePtrRestrictionAttribute
struct NativeDisableUnsafePtrRestrictionAttribute_tEA96E4FE8E1010BE2706F6CEC447E8C55A29DFC0 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// Unity.Collections.NativeFixedLengthAttribute
struct NativeFixedLengthAttribute_t73E1BD0509DD77A37CC8FE26A939E20E78959CDD : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.Bindings.NativeHeaderAttribute
struct NativeHeaderAttribute_t7F0E4B53790AA75CDB4C44E6D644267F8FE3066C : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String UnityEngine.Bindings.NativeHeaderAttribute::<Header>k__BackingField
String_t* ___U3CHeaderU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CHeaderU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(NativeHeaderAttribute_t7F0E4B53790AA75CDB4C44E6D644267F8FE3066C, ___U3CHeaderU3Ek__BackingField_0)); }
inline String_t* get_U3CHeaderU3Ek__BackingField_0() const { return ___U3CHeaderU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CHeaderU3Ek__BackingField_0() { return &___U3CHeaderU3Ek__BackingField_0; }
inline void set_U3CHeaderU3Ek__BackingField_0(String_t* value)
{
___U3CHeaderU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CHeaderU3Ek__BackingField_0), (void*)value);
}
};
// UnityEngineInternal.Input.NativeInputEventBuffer
struct NativeInputEventBuffer_t023B708C62AA03D87D92E48DC9C472FDAC4375B4
{
public:
union
{
struct
{
union
{
#pragma pack(push, tp, 1)
struct
{
// System.Void* UnityEngineInternal.Input.NativeInputEventBuffer::eventBuffer
void* ___eventBuffer_0;
};
#pragma pack(pop, tp)
#pragma pack(push, tp, 1)
struct
{
void* ___eventBuffer_0_forAlignmentOnly;
};
#pragma pack(pop, tp)
#pragma pack(push, tp, 1)
struct
{
char ___eventCount_1_OffsetPadding[8];
// System.Int32 UnityEngineInternal.Input.NativeInputEventBuffer::eventCount
int32_t ___eventCount_1;
};
#pragma pack(pop, tp)
#pragma pack(push, tp, 1)
struct
{
char ___eventCount_1_OffsetPadding_forAlignmentOnly[8];
int32_t ___eventCount_1_forAlignmentOnly;
};
#pragma pack(pop, tp)
#pragma pack(push, tp, 1)
struct
{
char ___sizeInBytes_2_OffsetPadding[12];
// System.Int32 UnityEngineInternal.Input.NativeInputEventBuffer::sizeInBytes
int32_t ___sizeInBytes_2;
};
#pragma pack(pop, tp)
#pragma pack(push, tp, 1)
struct
{
char ___sizeInBytes_2_OffsetPadding_forAlignmentOnly[12];
int32_t ___sizeInBytes_2_forAlignmentOnly;
};
#pragma pack(pop, tp)
#pragma pack(push, tp, 1)
struct
{
char ___capacityInBytes_3_OffsetPadding[16];
// System.Int32 UnityEngineInternal.Input.NativeInputEventBuffer::capacityInBytes
int32_t ___capacityInBytes_3;
};
#pragma pack(pop, tp)
#pragma pack(push, tp, 1)
struct
{
char ___capacityInBytes_3_OffsetPadding_forAlignmentOnly[16];
int32_t ___capacityInBytes_3_forAlignmentOnly;
};
#pragma pack(pop, tp)
};
};
uint8_t NativeInputEventBuffer_t023B708C62AA03D87D92E48DC9C472FDAC4375B4__padding[20];
};
public:
inline static int32_t get_offset_of_eventBuffer_0() { return static_cast<int32_t>(offsetof(NativeInputEventBuffer_t023B708C62AA03D87D92E48DC9C472FDAC4375B4, ___eventBuffer_0)); }
inline void* get_eventBuffer_0() const { return ___eventBuffer_0; }
inline void** get_address_of_eventBuffer_0() { return &___eventBuffer_0; }
inline void set_eventBuffer_0(void* value)
{
___eventBuffer_0 = value;
}
inline static int32_t get_offset_of_eventCount_1() { return static_cast<int32_t>(offsetof(NativeInputEventBuffer_t023B708C62AA03D87D92E48DC9C472FDAC4375B4, ___eventCount_1)); }
inline int32_t get_eventCount_1() const { return ___eventCount_1; }
inline int32_t* get_address_of_eventCount_1() { return &___eventCount_1; }
inline void set_eventCount_1(int32_t value)
{
___eventCount_1 = value;
}
inline static int32_t get_offset_of_sizeInBytes_2() { return static_cast<int32_t>(offsetof(NativeInputEventBuffer_t023B708C62AA03D87D92E48DC9C472FDAC4375B4, ___sizeInBytes_2)); }
inline int32_t get_sizeInBytes_2() const { return ___sizeInBytes_2; }
inline int32_t* get_address_of_sizeInBytes_2() { return &___sizeInBytes_2; }
inline void set_sizeInBytes_2(int32_t value)
{
___sizeInBytes_2 = value;
}
inline static int32_t get_offset_of_capacityInBytes_3() { return static_cast<int32_t>(offsetof(NativeInputEventBuffer_t023B708C62AA03D87D92E48DC9C472FDAC4375B4, ___capacityInBytes_3)); }
inline int32_t get_capacityInBytes_3() const { return ___capacityInBytes_3; }
inline int32_t* get_address_of_capacityInBytes_3() { return &___capacityInBytes_3; }
inline void set_capacityInBytes_3(int32_t value)
{
___capacityInBytes_3 = value;
}
};
// Unity.Collections.NativeMatchesParallelForLengthAttribute
struct NativeMatchesParallelForLengthAttribute_tA4250D24E3EBF236BADB63EAD7701F43FC7A329B : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.Bindings.NativeMethodAttribute
struct NativeMethodAttribute_t57F61ACA17BEC1260A06658ACD971B0009CC1866 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String UnityEngine.Bindings.NativeMethodAttribute::<Name>k__BackingField
String_t* ___U3CNameU3Ek__BackingField_0;
// System.Boolean UnityEngine.Bindings.NativeMethodAttribute::<IsThreadSafe>k__BackingField
bool ___U3CIsThreadSafeU3Ek__BackingField_1;
// System.Boolean UnityEngine.Bindings.NativeMethodAttribute::<IsFreeFunction>k__BackingField
bool ___U3CIsFreeFunctionU3Ek__BackingField_2;
// System.Boolean UnityEngine.Bindings.NativeMethodAttribute::<ThrowsException>k__BackingField
bool ___U3CThrowsExceptionU3Ek__BackingField_3;
// System.Boolean UnityEngine.Bindings.NativeMethodAttribute::<HasExplicitThis>k__BackingField
bool ___U3CHasExplicitThisU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CNameU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(NativeMethodAttribute_t57F61ACA17BEC1260A06658ACD971B0009CC1866, ___U3CNameU3Ek__BackingField_0)); }
inline String_t* get_U3CNameU3Ek__BackingField_0() const { return ___U3CNameU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CNameU3Ek__BackingField_0() { return &___U3CNameU3Ek__BackingField_0; }
inline void set_U3CNameU3Ek__BackingField_0(String_t* value)
{
___U3CNameU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CNameU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CIsThreadSafeU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(NativeMethodAttribute_t57F61ACA17BEC1260A06658ACD971B0009CC1866, ___U3CIsThreadSafeU3Ek__BackingField_1)); }
inline bool get_U3CIsThreadSafeU3Ek__BackingField_1() const { return ___U3CIsThreadSafeU3Ek__BackingField_1; }
inline bool* get_address_of_U3CIsThreadSafeU3Ek__BackingField_1() { return &___U3CIsThreadSafeU3Ek__BackingField_1; }
inline void set_U3CIsThreadSafeU3Ek__BackingField_1(bool value)
{
___U3CIsThreadSafeU3Ek__BackingField_1 = value;
}
inline static int32_t get_offset_of_U3CIsFreeFunctionU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(NativeMethodAttribute_t57F61ACA17BEC1260A06658ACD971B0009CC1866, ___U3CIsFreeFunctionU3Ek__BackingField_2)); }
inline bool get_U3CIsFreeFunctionU3Ek__BackingField_2() const { return ___U3CIsFreeFunctionU3Ek__BackingField_2; }
inline bool* get_address_of_U3CIsFreeFunctionU3Ek__BackingField_2() { return &___U3CIsFreeFunctionU3Ek__BackingField_2; }
inline void set_U3CIsFreeFunctionU3Ek__BackingField_2(bool value)
{
___U3CIsFreeFunctionU3Ek__BackingField_2 = value;
}
inline static int32_t get_offset_of_U3CThrowsExceptionU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(NativeMethodAttribute_t57F61ACA17BEC1260A06658ACD971B0009CC1866, ___U3CThrowsExceptionU3Ek__BackingField_3)); }
inline bool get_U3CThrowsExceptionU3Ek__BackingField_3() const { return ___U3CThrowsExceptionU3Ek__BackingField_3; }
inline bool* get_address_of_U3CThrowsExceptionU3Ek__BackingField_3() { return &___U3CThrowsExceptionU3Ek__BackingField_3; }
inline void set_U3CThrowsExceptionU3Ek__BackingField_3(bool value)
{
___U3CThrowsExceptionU3Ek__BackingField_3 = value;
}
inline static int32_t get_offset_of_U3CHasExplicitThisU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(NativeMethodAttribute_t57F61ACA17BEC1260A06658ACD971B0009CC1866, ___U3CHasExplicitThisU3Ek__BackingField_4)); }
inline bool get_U3CHasExplicitThisU3Ek__BackingField_4() const { return ___U3CHasExplicitThisU3Ek__BackingField_4; }
inline bool* get_address_of_U3CHasExplicitThisU3Ek__BackingField_4() { return &___U3CHasExplicitThisU3Ek__BackingField_4; }
inline void set_U3CHasExplicitThisU3Ek__BackingField_4(bool value)
{
___U3CHasExplicitThisU3Ek__BackingField_4 = value;
}
};
// UnityEngine.Bindings.NativeNameAttribute
struct NativeNameAttribute_tCEF3726869BD5ADC4600DDAC8DF0D4B5AAAF65F7 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String UnityEngine.Bindings.NativeNameAttribute::<Name>k__BackingField
String_t* ___U3CNameU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CNameU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(NativeNameAttribute_tCEF3726869BD5ADC4600DDAC8DF0D4B5AAAF65F7, ___U3CNameU3Ek__BackingField_0)); }
inline String_t* get_U3CNameU3Ek__BackingField_0() const { return ___U3CNameU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CNameU3Ek__BackingField_0() { return &___U3CNameU3Ek__BackingField_0; }
inline void set_U3CNameU3Ek__BackingField_0(String_t* value)
{
___U3CNameU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CNameU3Ek__BackingField_0), (void*)value);
}
};
// Unity.Collections.LowLevel.Unsafe.NativeSetClassTypeToNullOnScheduleAttribute
struct NativeSetClassTypeToNullOnScheduleAttribute_t513804FA40F876209F5367906826C4BFF9F2ECDB : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// Unity.Collections.LowLevel.Unsafe.NativeSetThreadIndexAttribute
struct NativeSetThreadIndexAttribute_t7681C9225114E2B1478DE516F9FE1CD44B3681E8 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.Bindings.NativeThrowsAttribute
struct NativeThrowsAttribute_tF59F2833BDD09C6C89298E603D5C3A598CC08137 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Boolean UnityEngine.Bindings.NativeThrowsAttribute::<ThrowsException>k__BackingField
bool ___U3CThrowsExceptionU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CThrowsExceptionU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(NativeThrowsAttribute_tF59F2833BDD09C6C89298E603D5C3A598CC08137, ___U3CThrowsExceptionU3Ek__BackingField_0)); }
inline bool get_U3CThrowsExceptionU3Ek__BackingField_0() const { return ___U3CThrowsExceptionU3Ek__BackingField_0; }
inline bool* get_address_of_U3CThrowsExceptionU3Ek__BackingField_0() { return &___U3CThrowsExceptionU3Ek__BackingField_0; }
inline void set_U3CThrowsExceptionU3Ek__BackingField_0(bool value)
{
___U3CThrowsExceptionU3Ek__BackingField_0 = value;
}
};
// UnityEngine.Bindings.NativeWritableSelfAttribute
struct NativeWritableSelfAttribute_tFAFEEA81F742D3AFDA0A7A16F11C7E1E4DE4131A : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Boolean UnityEngine.Bindings.NativeWritableSelfAttribute::<WritableSelf>k__BackingField
bool ___U3CWritableSelfU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CWritableSelfU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(NativeWritableSelfAttribute_tFAFEEA81F742D3AFDA0A7A16F11C7E1E4DE4131A, ___U3CWritableSelfU3Ek__BackingField_0)); }
inline bool get_U3CWritableSelfU3Ek__BackingField_0() const { return ___U3CWritableSelfU3Ek__BackingField_0; }
inline bool* get_address_of_U3CWritableSelfU3Ek__BackingField_0() { return &___U3CWritableSelfU3Ek__BackingField_0; }
inline void set_U3CWritableSelfU3Ek__BackingField_0(bool value)
{
___U3CWritableSelfU3Ek__BackingField_0 = value;
}
};
// UnityEngine.Localization.SmartFormat.GlobalVariables.NestedGlobalVariablesGroup
struct NestedGlobalVariablesGroup_t9828B137B51D085CBDE17A1777F84E5DA836D8A4 : public GlobalVariable_1_tF0DC13F520CE223A76638F09EF155AA2C265114C
{
public:
public:
};
// System.Net.Configuration.NetSectionGroup
struct NetSectionGroup_t6140365E450BA572B37299B8CF1715BB1144BFF2 : public ConfigurationSectionGroup_t296AB4B6FC2E1B9BEDFEEAC3DB0E24AE061D32CF
{
public:
public:
};
// System.Collections.Generic.NonRandomizedStringEqualityComparer
struct NonRandomizedStringEqualityComparer_t10D949965180A66DA3BC8C7D0EDFF8CE941FF620 : public EqualityComparer_1_tDC2082D4D5947A0F76D6FA7870E09811B1A8B69E
{
public:
public:
};
// System.NonSerializedAttribute
struct NonSerializedAttribute_t44DC3D6520AC139B22FC692C3480F8A67C38FC12 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.Animations.NotKeyableAttribute
struct NotKeyableAttribute_tE0C94B5FF990C6B4BB118486BCA35CCDA91AA905 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.Bindings.NotNullAttribute
struct NotNullAttribute_t22E59D8061EE39B8A3F837C2245240C2466382FC : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String UnityEngine.Bindings.NotNullAttribute::<Exception>k__BackingField
String_t* ___U3CExceptionU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CExceptionU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(NotNullAttribute_t22E59D8061EE39B8A3F837C2245240C2466382FC, ___U3CExceptionU3Ek__BackingField_0)); }
inline String_t* get_U3CExceptionU3Ek__BackingField_0() const { return ___U3CExceptionU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CExceptionU3Ek__BackingField_0() { return &___U3CExceptionU3Ek__BackingField_0; }
inline void set_U3CExceptionU3Ek__BackingField_0(String_t* value)
{
___U3CExceptionU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CExceptionU3Ek__BackingField_0), (void*)value);
}
};
// System.Threading.OSSpecificSynchronizationContext
struct OSSpecificSynchronizationContext_t73D67CF04305A4BB0182BFCCC5B661F8ECCF8F72 : public SynchronizationContext_t17D9365B5E0D30A0910A16FA4351C525232EF069
{
public:
// System.Object System.Threading.OSSpecificSynchronizationContext::m_OSSynchronizationContext
RuntimeObject * ___m_OSSynchronizationContext_0;
public:
inline static int32_t get_offset_of_m_OSSynchronizationContext_0() { return static_cast<int32_t>(offsetof(OSSpecificSynchronizationContext_t73D67CF04305A4BB0182BFCCC5B661F8ECCF8F72, ___m_OSSynchronizationContext_0)); }
inline RuntimeObject * get_m_OSSynchronizationContext_0() const { return ___m_OSSynchronizationContext_0; }
inline RuntimeObject ** get_address_of_m_OSSynchronizationContext_0() { return &___m_OSSynchronizationContext_0; }
inline void set_m_OSSynchronizationContext_0(RuntimeObject * value)
{
___m_OSSynchronizationContext_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OSSynchronizationContext_0), (void*)value);
}
};
struct OSSpecificSynchronizationContext_t73D67CF04305A4BB0182BFCCC5B661F8ECCF8F72_StaticFields
{
public:
// System.Runtime.CompilerServices.ConditionalWeakTable`2<System.Object,System.Threading.OSSpecificSynchronizationContext> System.Threading.OSSpecificSynchronizationContext::s_ContextCache
ConditionalWeakTable_2_t493104CF9A2FD4982F4A18F112DEFF46B0ACA5F3 * ___s_ContextCache_1;
public:
inline static int32_t get_offset_of_s_ContextCache_1() { return static_cast<int32_t>(offsetof(OSSpecificSynchronizationContext_t73D67CF04305A4BB0182BFCCC5B661F8ECCF8F72_StaticFields, ___s_ContextCache_1)); }
inline ConditionalWeakTable_2_t493104CF9A2FD4982F4A18F112DEFF46B0ACA5F3 * get_s_ContextCache_1() const { return ___s_ContextCache_1; }
inline ConditionalWeakTable_2_t493104CF9A2FD4982F4A18F112DEFF46B0ACA5F3 ** get_address_of_s_ContextCache_1() { return &___s_ContextCache_1; }
inline void set_s_ContextCache_1(ConditionalWeakTable_2_t493104CF9A2FD4982F4A18F112DEFF46B0ACA5F3 * value)
{
___s_ContextCache_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_ContextCache_1), (void*)value);
}
};
// System.ObsoleteAttribute
struct ObsoleteAttribute_t14BAC1669C0409EB9F28D72D664FFA6764ACD671 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.ObsoleteAttribute::_message
String_t* ____message_0;
// System.Boolean System.ObsoleteAttribute::_error
bool ____error_1;
public:
inline static int32_t get_offset_of__message_0() { return static_cast<int32_t>(offsetof(ObsoleteAttribute_t14BAC1669C0409EB9F28D72D664FFA6764ACD671, ____message_0)); }
inline String_t* get__message_0() const { return ____message_0; }
inline String_t** get_address_of__message_0() { return &____message_0; }
inline void set__message_0(String_t* value)
{
____message_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____message_0), (void*)value);
}
inline static int32_t get_offset_of__error_1() { return static_cast<int32_t>(offsetof(ObsoleteAttribute_t14BAC1669C0409EB9F28D72D664FFA6764ACD671, ____error_1)); }
inline bool get__error_1() const { return ____error_1; }
inline bool* get_address_of__error_1() { return &____error_1; }
inline void set__error_1(bool value)
{
____error_1 = value;
}
};
// System.Runtime.Serialization.OnDeserializedAttribute
struct OnDeserializedAttribute_t0843A98A7D72FCB738317121C6505506811D0946 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Runtime.Serialization.OnDeserializingAttribute
struct OnDeserializingAttribute_t2D846A42C147E1F98B87191301C0C5441BEA8573 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Runtime.Serialization.OnSerializedAttribute
struct OnSerializedAttribute_t657F39E10FF507FA398435D2BEC205FC6744978A : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Runtime.Serialization.OnSerializingAttribute
struct OnSerializingAttribute_t1DAF18BA9DB9385075546B6FEBFAF4CA6D1CCF49 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Runtime.Remoting.Messaging.OneWayAttribute
struct OneWayAttribute_t1A6A3AC65EFBD9875E35205A3625856CCDD34DEA : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Runtime.InteropServices.OptionalAttribute
struct OptionalAttribute_t9613B5775155FF16DDAC8B577061F32F238ED174 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Runtime.Serialization.OptionalFieldAttribute
struct OptionalFieldAttribute_t5761990BBE6FDD98072FD82D9EC2B9CD96CEFB59 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Int32 System.Runtime.Serialization.OptionalFieldAttribute::versionAdded
int32_t ___versionAdded_0;
public:
inline static int32_t get_offset_of_versionAdded_0() { return static_cast<int32_t>(offsetof(OptionalFieldAttribute_t5761990BBE6FDD98072FD82D9EC2B9CD96CEFB59, ___versionAdded_0)); }
inline int32_t get_versionAdded_0() const { return ___versionAdded_0; }
inline int32_t* get_address_of_versionAdded_0() { return &___versionAdded_0; }
inline void set_versionAdded_0(int32_t value)
{
___versionAdded_0 = value;
}
};
// System.OrdinalComparer
struct OrdinalComparer_t5F0E9ECB5F06B80EA00DB6EACB0BD52342F4C0A3 : public StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6
{
public:
// System.Boolean System.OrdinalComparer::_ignoreCase
bool ____ignoreCase_4;
public:
inline static int32_t get_offset_of__ignoreCase_4() { return static_cast<int32_t>(offsetof(OrdinalComparer_t5F0E9ECB5F06B80EA00DB6EACB0BD52342F4C0A3, ____ignoreCase_4)); }
inline bool get__ignoreCase_4() const { return ____ignoreCase_4; }
inline bool* get_address_of__ignoreCase_4() { return &____ignoreCase_4; }
inline void set__ignoreCase_4(bool value)
{
____ignoreCase_4 = value;
}
};
// System.Runtime.InteropServices.OutAttribute
struct OutAttribute_t993A013085F642EF5C57EC86A6FA95C7BEFC8E25 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.ParamArrayAttribute
struct ParamArrayAttribute_t9DCEB4CDDB8EDDB1124171D4C51FA6069EEA5C5F : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Linq.Expressions.ParameterExpression
struct ParameterExpression_tA7B24F1DE0F013DA4BD55F76DB43B06DB33D8BEE : public Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660
{
public:
// System.String System.Linq.Expressions.ParameterExpression::<Name>k__BackingField
String_t* ___U3CNameU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CNameU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(ParameterExpression_tA7B24F1DE0F013DA4BD55F76DB43B06DB33D8BEE, ___U3CNameU3Ek__BackingField_3)); }
inline String_t* get_U3CNameU3Ek__BackingField_3() const { return ___U3CNameU3Ek__BackingField_3; }
inline String_t** get_address_of_U3CNameU3Ek__BackingField_3() { return &___U3CNameU3Ek__BackingField_3; }
inline void set_U3CNameU3Ek__BackingField_3(String_t* value)
{
___U3CNameU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CNameU3Ek__BackingField_3), (void*)value);
}
};
// System.Reflection.ParameterModifier
struct ParameterModifier_tC1C793BD8B003B24010657487AFD17A4BA3DF6EA
{
public:
// System.Boolean[] System.Reflection.ParameterModifier::_byRef
BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C* ____byRef_0;
public:
inline static int32_t get_offset_of__byRef_0() { return static_cast<int32_t>(offsetof(ParameterModifier_tC1C793BD8B003B24010657487AFD17A4BA3DF6EA, ____byRef_0)); }
inline BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C* get__byRef_0() const { return ____byRef_0; }
inline BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C** get_address_of__byRef_0() { return &____byRef_0; }
inline void set__byRef_0(BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C* value)
{
____byRef_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____byRef_0), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Reflection.ParameterModifier
struct ParameterModifier_tC1C793BD8B003B24010657487AFD17A4BA3DF6EA_marshaled_pinvoke
{
int32_t* ____byRef_0;
};
// Native definition for COM marshalling of System.Reflection.ParameterModifier
struct ParameterModifier_tC1C793BD8B003B24010657487AFD17A4BA3DF6EA_marshaled_com
{
int32_t* ____byRef_0;
};
// System.ParamsArray
struct ParamsArray_t23479E79CB44DA9007429A97C23DAB83F26857CB
{
public:
// System.Object System.ParamsArray::arg0
RuntimeObject * ___arg0_3;
// System.Object System.ParamsArray::arg1
RuntimeObject * ___arg1_4;
// System.Object System.ParamsArray::arg2
RuntimeObject * ___arg2_5;
// System.Object[] System.ParamsArray::args
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___args_6;
public:
inline static int32_t get_offset_of_arg0_3() { return static_cast<int32_t>(offsetof(ParamsArray_t23479E79CB44DA9007429A97C23DAB83F26857CB, ___arg0_3)); }
inline RuntimeObject * get_arg0_3() const { return ___arg0_3; }
inline RuntimeObject ** get_address_of_arg0_3() { return &___arg0_3; }
inline void set_arg0_3(RuntimeObject * value)
{
___arg0_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___arg0_3), (void*)value);
}
inline static int32_t get_offset_of_arg1_4() { return static_cast<int32_t>(offsetof(ParamsArray_t23479E79CB44DA9007429A97C23DAB83F26857CB, ___arg1_4)); }
inline RuntimeObject * get_arg1_4() const { return ___arg1_4; }
inline RuntimeObject ** get_address_of_arg1_4() { return &___arg1_4; }
inline void set_arg1_4(RuntimeObject * value)
{
___arg1_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___arg1_4), (void*)value);
}
inline static int32_t get_offset_of_arg2_5() { return static_cast<int32_t>(offsetof(ParamsArray_t23479E79CB44DA9007429A97C23DAB83F26857CB, ___arg2_5)); }
inline RuntimeObject * get_arg2_5() const { return ___arg2_5; }
inline RuntimeObject ** get_address_of_arg2_5() { return &___arg2_5; }
inline void set_arg2_5(RuntimeObject * value)
{
___arg2_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___arg2_5), (void*)value);
}
inline static int32_t get_offset_of_args_6() { return static_cast<int32_t>(offsetof(ParamsArray_t23479E79CB44DA9007429A97C23DAB83F26857CB, ___args_6)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_args_6() const { return ___args_6; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_args_6() { return &___args_6; }
inline void set_args_6(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___args_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___args_6), (void*)value);
}
};
struct ParamsArray_t23479E79CB44DA9007429A97C23DAB83F26857CB_StaticFields
{
public:
// System.Object[] System.ParamsArray::oneArgArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___oneArgArray_0;
// System.Object[] System.ParamsArray::twoArgArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___twoArgArray_1;
// System.Object[] System.ParamsArray::threeArgArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___threeArgArray_2;
public:
inline static int32_t get_offset_of_oneArgArray_0() { return static_cast<int32_t>(offsetof(ParamsArray_t23479E79CB44DA9007429A97C23DAB83F26857CB_StaticFields, ___oneArgArray_0)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_oneArgArray_0() const { return ___oneArgArray_0; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_oneArgArray_0() { return &___oneArgArray_0; }
inline void set_oneArgArray_0(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___oneArgArray_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___oneArgArray_0), (void*)value);
}
inline static int32_t get_offset_of_twoArgArray_1() { return static_cast<int32_t>(offsetof(ParamsArray_t23479E79CB44DA9007429A97C23DAB83F26857CB_StaticFields, ___twoArgArray_1)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_twoArgArray_1() const { return ___twoArgArray_1; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_twoArgArray_1() { return &___twoArgArray_1; }
inline void set_twoArgArray_1(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___twoArgArray_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___twoArgArray_1), (void*)value);
}
inline static int32_t get_offset_of_threeArgArray_2() { return static_cast<int32_t>(offsetof(ParamsArray_t23479E79CB44DA9007429A97C23DAB83F26857CB_StaticFields, ___threeArgArray_2)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_threeArgArray_2() const { return ___threeArgArray_2; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_threeArgArray_2() { return &___threeArgArray_2; }
inline void set_threeArgArray_2(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___threeArgArray_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___threeArgArray_2), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.ParamsArray
struct ParamsArray_t23479E79CB44DA9007429A97C23DAB83F26857CB_marshaled_pinvoke
{
Il2CppIUnknown* ___arg0_3;
Il2CppIUnknown* ___arg1_4;
Il2CppIUnknown* ___arg2_5;
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___args_6;
};
// Native definition for COM marshalling of System.ParamsArray
struct ParamsArray_t23479E79CB44DA9007429A97C23DAB83F26857CB_marshaled_com
{
Il2CppIUnknown* ___arg0_3;
Il2CppIUnknown* ___arg1_4;
Il2CppIUnknown* ___arg2_5;
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___args_6;
};
// UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrorEventArgs
struct ParsingErrorEventArgs_t7EC8195894483A842EFB45C807F2D8CFC19EAB52 : public EventArgs_tBCAACA538A5195B6D6C8DFCC3524A2A4A67FD8BA
{
public:
// UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrorEventArgs::<Errors>k__BackingField
ParsingErrors_t6BAAFC24B387A47B9FAEEF8FDD6CCA45E7CA6ABA * ___U3CErrorsU3Ek__BackingField_1;
// System.Boolean UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrorEventArgs::<ThrowsException>k__BackingField
bool ___U3CThrowsExceptionU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CErrorsU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(ParsingErrorEventArgs_t7EC8195894483A842EFB45C807F2D8CFC19EAB52, ___U3CErrorsU3Ek__BackingField_1)); }
inline ParsingErrors_t6BAAFC24B387A47B9FAEEF8FDD6CCA45E7CA6ABA * get_U3CErrorsU3Ek__BackingField_1() const { return ___U3CErrorsU3Ek__BackingField_1; }
inline ParsingErrors_t6BAAFC24B387A47B9FAEEF8FDD6CCA45E7CA6ABA ** get_address_of_U3CErrorsU3Ek__BackingField_1() { return &___U3CErrorsU3Ek__BackingField_1; }
inline void set_U3CErrorsU3Ek__BackingField_1(ParsingErrors_t6BAAFC24B387A47B9FAEEF8FDD6CCA45E7CA6ABA * value)
{
___U3CErrorsU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CErrorsU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CThrowsExceptionU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(ParsingErrorEventArgs_t7EC8195894483A842EFB45C807F2D8CFC19EAB52, ___U3CThrowsExceptionU3Ek__BackingField_2)); }
inline bool get_U3CThrowsExceptionU3Ek__BackingField_2() const { return ___U3CThrowsExceptionU3Ek__BackingField_2; }
inline bool* get_address_of_U3CThrowsExceptionU3Ek__BackingField_2() { return &___U3CThrowsExceptionU3Ek__BackingField_2; }
inline void set_U3CThrowsExceptionU3Ek__BackingField_2(bool value)
{
___U3CThrowsExceptionU3Ek__BackingField_2 = value;
}
};
// System.Net.Configuration.PerformanceCountersElement
struct PerformanceCountersElement_t356AD2A210376904FAAD48CCBB3D8CF91B89E577 : public ConfigurationElement_t571C446CFDFF39CF17130653C433786BEFF25DFA
{
public:
public:
};
// UnityEngine.PhysicsScene
struct PhysicsScene_tEDFCAA935450E8EBB7732353D9AA264A5F711678
{
public:
// System.Int32 UnityEngine.PhysicsScene::m_Handle
int32_t ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(PhysicsScene_tEDFCAA935450E8EBB7732353D9AA264A5F711678, ___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;
}
};
// UnityEngine.Localization.SmartFormat.Core.Parsing.Placeholder
struct Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE : public FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843
{
public:
// System.Int32 UnityEngine.Localization.SmartFormat.Core.Parsing.Placeholder::<NestedDepth>k__BackingField
int32_t ___U3CNestedDepthU3Ek__BackingField_6;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.Core.Parsing.Selector> UnityEngine.Localization.SmartFormat.Core.Parsing.Placeholder::<Selectors>k__BackingField
List_1_t672AC9EC1A9F7E1B259930A7565F1B3DF494A9ED * ___U3CSelectorsU3Ek__BackingField_7;
// System.Int32 UnityEngine.Localization.SmartFormat.Core.Parsing.Placeholder::<Alignment>k__BackingField
int32_t ___U3CAlignmentU3Ek__BackingField_8;
// System.String UnityEngine.Localization.SmartFormat.Core.Parsing.Placeholder::<FormatterName>k__BackingField
String_t* ___U3CFormatterNameU3Ek__BackingField_9;
// System.String UnityEngine.Localization.SmartFormat.Core.Parsing.Placeholder::<FormatterOptions>k__BackingField
String_t* ___U3CFormatterOptionsU3Ek__BackingField_10;
// UnityEngine.Localization.SmartFormat.Core.Parsing.Format UnityEngine.Localization.SmartFormat.Core.Parsing.Placeholder::<Format>k__BackingField
Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * ___U3CFormatU3Ek__BackingField_11;
public:
inline static int32_t get_offset_of_U3CNestedDepthU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE, ___U3CNestedDepthU3Ek__BackingField_6)); }
inline int32_t get_U3CNestedDepthU3Ek__BackingField_6() const { return ___U3CNestedDepthU3Ek__BackingField_6; }
inline int32_t* get_address_of_U3CNestedDepthU3Ek__BackingField_6() { return &___U3CNestedDepthU3Ek__BackingField_6; }
inline void set_U3CNestedDepthU3Ek__BackingField_6(int32_t value)
{
___U3CNestedDepthU3Ek__BackingField_6 = value;
}
inline static int32_t get_offset_of_U3CSelectorsU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE, ___U3CSelectorsU3Ek__BackingField_7)); }
inline List_1_t672AC9EC1A9F7E1B259930A7565F1B3DF494A9ED * get_U3CSelectorsU3Ek__BackingField_7() const { return ___U3CSelectorsU3Ek__BackingField_7; }
inline List_1_t672AC9EC1A9F7E1B259930A7565F1B3DF494A9ED ** get_address_of_U3CSelectorsU3Ek__BackingField_7() { return &___U3CSelectorsU3Ek__BackingField_7; }
inline void set_U3CSelectorsU3Ek__BackingField_7(List_1_t672AC9EC1A9F7E1B259930A7565F1B3DF494A9ED * value)
{
___U3CSelectorsU3Ek__BackingField_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CSelectorsU3Ek__BackingField_7), (void*)value);
}
inline static int32_t get_offset_of_U3CAlignmentU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE, ___U3CAlignmentU3Ek__BackingField_8)); }
inline int32_t get_U3CAlignmentU3Ek__BackingField_8() const { return ___U3CAlignmentU3Ek__BackingField_8; }
inline int32_t* get_address_of_U3CAlignmentU3Ek__BackingField_8() { return &___U3CAlignmentU3Ek__BackingField_8; }
inline void set_U3CAlignmentU3Ek__BackingField_8(int32_t value)
{
___U3CAlignmentU3Ek__BackingField_8 = value;
}
inline static int32_t get_offset_of_U3CFormatterNameU3Ek__BackingField_9() { return static_cast<int32_t>(offsetof(Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE, ___U3CFormatterNameU3Ek__BackingField_9)); }
inline String_t* get_U3CFormatterNameU3Ek__BackingField_9() const { return ___U3CFormatterNameU3Ek__BackingField_9; }
inline String_t** get_address_of_U3CFormatterNameU3Ek__BackingField_9() { return &___U3CFormatterNameU3Ek__BackingField_9; }
inline void set_U3CFormatterNameU3Ek__BackingField_9(String_t* value)
{
___U3CFormatterNameU3Ek__BackingField_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CFormatterNameU3Ek__BackingField_9), (void*)value);
}
inline static int32_t get_offset_of_U3CFormatterOptionsU3Ek__BackingField_10() { return static_cast<int32_t>(offsetof(Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE, ___U3CFormatterOptionsU3Ek__BackingField_10)); }
inline String_t* get_U3CFormatterOptionsU3Ek__BackingField_10() const { return ___U3CFormatterOptionsU3Ek__BackingField_10; }
inline String_t** get_address_of_U3CFormatterOptionsU3Ek__BackingField_10() { return &___U3CFormatterOptionsU3Ek__BackingField_10; }
inline void set_U3CFormatterOptionsU3Ek__BackingField_10(String_t* value)
{
___U3CFormatterOptionsU3Ek__BackingField_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CFormatterOptionsU3Ek__BackingField_10), (void*)value);
}
inline static int32_t get_offset_of_U3CFormatU3Ek__BackingField_11() { return static_cast<int32_t>(offsetof(Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE, ___U3CFormatU3Ek__BackingField_11)); }
inline Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * get_U3CFormatU3Ek__BackingField_11() const { return ___U3CFormatU3Ek__BackingField_11; }
inline Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E ** get_address_of_U3CFormatU3Ek__BackingField_11() { return &___U3CFormatU3Ek__BackingField_11; }
inline void set_U3CFormatU3Ek__BackingField_11(Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * value)
{
___U3CFormatU3Ek__BackingField_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CFormatU3Ek__BackingField_11), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Extensions.PluralLocalizationFormatter
struct PluralLocalizationFormatter_tFE6ADAB7CF9E03FCFBB34A665434A018F47594CB : public FormatterBase_t9C41952D199D3C96A9F94A46395C8E387B42FC0C
{
public:
// System.String UnityEngine.Localization.SmartFormat.Extensions.PluralLocalizationFormatter::m_DefaultTwoLetterISOLanguageName
String_t* ___m_DefaultTwoLetterISOLanguageName_1;
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate UnityEngine.Localization.SmartFormat.Extensions.PluralLocalizationFormatter::m_DefaultPluralRule
PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * ___m_DefaultPluralRule_2;
public:
inline static int32_t get_offset_of_m_DefaultTwoLetterISOLanguageName_1() { return static_cast<int32_t>(offsetof(PluralLocalizationFormatter_tFE6ADAB7CF9E03FCFBB34A665434A018F47594CB, ___m_DefaultTwoLetterISOLanguageName_1)); }
inline String_t* get_m_DefaultTwoLetterISOLanguageName_1() const { return ___m_DefaultTwoLetterISOLanguageName_1; }
inline String_t** get_address_of_m_DefaultTwoLetterISOLanguageName_1() { return &___m_DefaultTwoLetterISOLanguageName_1; }
inline void set_m_DefaultTwoLetterISOLanguageName_1(String_t* value)
{
___m_DefaultTwoLetterISOLanguageName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DefaultTwoLetterISOLanguageName_1), (void*)value);
}
inline static int32_t get_offset_of_m_DefaultPluralRule_2() { return static_cast<int32_t>(offsetof(PluralLocalizationFormatter_tFE6ADAB7CF9E03FCFBB34A665434A018F47594CB, ___m_DefaultPluralRule_2)); }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * get_m_DefaultPluralRule_2() const { return ___m_DefaultPluralRule_2; }
inline PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 ** get_address_of_m_DefaultPluralRule_2() { return &___m_DefaultPluralRule_2; }
inline void set_m_DefaultPluralRule_2(PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 * value)
{
___m_DefaultPluralRule_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DefaultPluralRule_2), (void*)value);
}
};
// UnityEngine.PlayerLoop.PostLateUpdate
struct PostLateUpdate_tB0EEFB945E792D3FC9007281EA8A6BADD1A0231A
{
public:
union
{
struct
{
};
uint8_t PostLateUpdate_tB0EEFB945E792D3FC9007281EA8A6BADD1A0231A__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreLateUpdate
struct PreLateUpdate_tCA98ABCD94D2218D5F53C5DC83C455011E9550A2
{
public:
union
{
struct
{
};
uint8_t PreLateUpdate_tCA98ABCD94D2218D5F53C5DC83C455011E9550A2__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreUpdate
struct PreUpdate_tC8EA9C6C460E1A7DC72849545F052D2D3E297775
{
public:
union
{
struct
{
};
uint8_t PreUpdate_tC8EA9C6C460E1A7DC72849545F052D2D3E297775__padding[1];
};
public:
};
// UnityEngine.PreferBinarySerialization
struct PreferBinarySerialization_t692C164E38F273C08A0200BBC8AE4CF2180A1A41 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.Scripting.PreserveAttribute
struct PreserveAttribute_tD3CDF1454F8E64CEF59CF7094B45BBACE2C69948 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Runtime.InteropServices.PreserveSigAttribute
struct PreserveSigAttribute_t7242C5AFDC267ABED85699B12E42FD4AF45307D1 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.Bindings.PreventReadOnlyInstanceModificationAttribute
struct PreventReadOnlyInstanceModificationAttribute_tE8D4FA7769A398DB777682CC73E6E7664F9DB1D7 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.PropertyAttribute
struct PropertyAttribute_t4A352471DF625C56C811E27AC86B7E1CE6444052 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Reflection.PropertyInfo
struct PropertyInfo_t : public MemberInfo_t
{
public:
public:
};
// UnityEngine.ResourceManagement.ResourceProviders.ProvideHandle
struct ProvideHandle_t7E2C4D55BFA0F16A1B53B1BE922FD9857859208D
{
public:
// System.Int32 UnityEngine.ResourceManagement.ResourceProviders.ProvideHandle::m_Version
int32_t ___m_Version_0;
// UnityEngine.ResourceManagement.AsyncOperations.IGenericProviderOperation UnityEngine.ResourceManagement.ResourceProviders.ProvideHandle::m_InternalOp
RuntimeObject* ___m_InternalOp_1;
// UnityEngine.ResourceManagement.ResourceManager UnityEngine.ResourceManagement.ResourceProviders.ProvideHandle::m_ResourceManager
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * ___m_ResourceManager_2;
public:
inline static int32_t get_offset_of_m_Version_0() { return static_cast<int32_t>(offsetof(ProvideHandle_t7E2C4D55BFA0F16A1B53B1BE922FD9857859208D, ___m_Version_0)); }
inline int32_t get_m_Version_0() const { return ___m_Version_0; }
inline int32_t* get_address_of_m_Version_0() { return &___m_Version_0; }
inline void set_m_Version_0(int32_t value)
{
___m_Version_0 = value;
}
inline static int32_t get_offset_of_m_InternalOp_1() { return static_cast<int32_t>(offsetof(ProvideHandle_t7E2C4D55BFA0F16A1B53B1BE922FD9857859208D, ___m_InternalOp_1)); }
inline RuntimeObject* get_m_InternalOp_1() const { return ___m_InternalOp_1; }
inline RuntimeObject** get_address_of_m_InternalOp_1() { return &___m_InternalOp_1; }
inline void set_m_InternalOp_1(RuntimeObject* value)
{
___m_InternalOp_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalOp_1), (void*)value);
}
inline static int32_t get_offset_of_m_ResourceManager_2() { return static_cast<int32_t>(offsetof(ProvideHandle_t7E2C4D55BFA0F16A1B53B1BE922FD9857859208D, ___m_ResourceManager_2)); }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * get_m_ResourceManager_2() const { return ___m_ResourceManager_2; }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 ** get_address_of_m_ResourceManager_2() { return &___m_ResourceManager_2; }
inline void set_m_ResourceManager_2(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * value)
{
___m_ResourceManager_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ResourceManager_2), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.ResourceManagement.ResourceProviders.ProvideHandle
struct ProvideHandle_t7E2C4D55BFA0F16A1B53B1BE922FD9857859208D_marshaled_pinvoke
{
int32_t ___m_Version_0;
RuntimeObject* ___m_InternalOp_1;
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * ___m_ResourceManager_2;
};
// Native definition for COM marshalling of UnityEngine.ResourceManagement.ResourceProviders.ProvideHandle
struct ProvideHandle_t7E2C4D55BFA0F16A1B53B1BE922FD9857859208D_marshaled_com
{
int32_t ___m_Version_0;
RuntimeObject* ___m_InternalOp_1;
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * ___m_ResourceManager_2;
};
// System.Runtime.Remoting.Proxies.ProxyAttribute
struct ProxyAttribute_t31B63EC33448925F8B7D0A7E261F12595FEEBB35 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Net.Configuration.ProxyElement
struct ProxyElement_t8FDBE7BF75B3D7DFB54F903D5A27FC647AC7B5BA : public ConfigurationElement_t571C446CFDFF39CF17130653C433786BEFF25DFA
{
public:
public:
};
// System.Globalization.Punycode
struct Punycode_t4BDEEA3305A31302CBC618070AB085F7E3ABB513 : public Bootstring_t39E09D4C4B98FECD2C042751FA27A6FA98BB3882
{
public:
public:
};
// UnityEngine.Quaternion
struct Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4
{
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_t6D28618CF65156D4A0AD747370DDFD0C514A31B4, ___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_t6D28618CF65156D4A0AD747370DDFD0C514A31B4, ___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_t6D28618CF65156D4A0AD747370DDFD0C514A31B4, ___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_t6D28618CF65156D4A0AD747370DDFD0C514A31B4, ___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_t6D28618CF65156D4A0AD747370DDFD0C514A31B4_StaticFields
{
public:
// UnityEngine.Quaternion UnityEngine.Quaternion::identityQuaternion
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___identityQuaternion_4;
public:
inline static int32_t get_offset_of_identityQuaternion_4() { return static_cast<int32_t>(offsetof(Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4_StaticFields, ___identityQuaternion_4)); }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 get_identityQuaternion_4() const { return ___identityQuaternion_4; }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 * get_address_of_identityQuaternion_4() { return &___identityQuaternion_4; }
inline void set_identityQuaternion_4(Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 value)
{
___identityQuaternion_4 = value;
}
};
// UnityEngine.SocialPlatforms.Range
struct Range_t70C133E51417BC822E878050C90A577A69B671DC
{
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_t70C133E51417BC822E878050C90A577A69B671DC, ___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_t70C133E51417BC822E878050C90A577A69B671DC, ___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;
}
};
// UnityEngine.RangeInt
struct RangeInt_tD575E0CF6A8D8C85F3AEF8898C72E4DD71E2E05A
{
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_tD575E0CF6A8D8C85F3AEF8898C72E4DD71E2E05A, ___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_tD575E0CF6A8D8C85F3AEF8898C72E4DD71E2E05A, ___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;
}
};
// Unity.Collections.ReadOnlyAttribute
struct ReadOnlyAttribute_tCC6735BA1767371FBF636DC57BA8A8A4E4AE7F8D : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.Localization.Pseudo.ReadOnlyMessageFragment
struct ReadOnlyMessageFragment_t1E3CB87B2F49D4C1B458CBA644382D8391721683 : public MessageFragment_tEF32B022F0C14D888AFD1536C631977DB5E0D513
{
public:
public:
};
// System.Runtime.Remoting.Proxies.RealProxy
struct RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744 : public RuntimeObject
{
public:
// System.Type System.Runtime.Remoting.Proxies.RealProxy::class_to_proxy
Type_t * ___class_to_proxy_0;
// System.Runtime.Remoting.Contexts.Context System.Runtime.Remoting.Proxies.RealProxy::_targetContext
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 * ____targetContext_1;
// System.MarshalByRefObject System.Runtime.Remoting.Proxies.RealProxy::_server
MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8 * ____server_2;
// System.Int32 System.Runtime.Remoting.Proxies.RealProxy::_targetDomainId
int32_t ____targetDomainId_3;
// System.String System.Runtime.Remoting.Proxies.RealProxy::_targetUri
String_t* ____targetUri_4;
// System.Runtime.Remoting.Identity System.Runtime.Remoting.Proxies.RealProxy::_objectIdentity
Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 * ____objectIdentity_5;
// System.Object System.Runtime.Remoting.Proxies.RealProxy::_objTP
RuntimeObject * ____objTP_6;
// System.Object System.Runtime.Remoting.Proxies.RealProxy::_stubData
RuntimeObject * ____stubData_7;
public:
inline static int32_t get_offset_of_class_to_proxy_0() { return static_cast<int32_t>(offsetof(RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744, ___class_to_proxy_0)); }
inline Type_t * get_class_to_proxy_0() const { return ___class_to_proxy_0; }
inline Type_t ** get_address_of_class_to_proxy_0() { return &___class_to_proxy_0; }
inline void set_class_to_proxy_0(Type_t * value)
{
___class_to_proxy_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___class_to_proxy_0), (void*)value);
}
inline static int32_t get_offset_of__targetContext_1() { return static_cast<int32_t>(offsetof(RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744, ____targetContext_1)); }
inline Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 * get__targetContext_1() const { return ____targetContext_1; }
inline Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 ** get_address_of__targetContext_1() { return &____targetContext_1; }
inline void set__targetContext_1(Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 * value)
{
____targetContext_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____targetContext_1), (void*)value);
}
inline static int32_t get_offset_of__server_2() { return static_cast<int32_t>(offsetof(RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744, ____server_2)); }
inline MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8 * get__server_2() const { return ____server_2; }
inline MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8 ** get_address_of__server_2() { return &____server_2; }
inline void set__server_2(MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8 * value)
{
____server_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____server_2), (void*)value);
}
inline static int32_t get_offset_of__targetDomainId_3() { return static_cast<int32_t>(offsetof(RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744, ____targetDomainId_3)); }
inline int32_t get__targetDomainId_3() const { return ____targetDomainId_3; }
inline int32_t* get_address_of__targetDomainId_3() { return &____targetDomainId_3; }
inline void set__targetDomainId_3(int32_t value)
{
____targetDomainId_3 = value;
}
inline static int32_t get_offset_of__targetUri_4() { return static_cast<int32_t>(offsetof(RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744, ____targetUri_4)); }
inline String_t* get__targetUri_4() const { return ____targetUri_4; }
inline String_t** get_address_of__targetUri_4() { return &____targetUri_4; }
inline void set__targetUri_4(String_t* value)
{
____targetUri_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____targetUri_4), (void*)value);
}
inline static int32_t get_offset_of__objectIdentity_5() { return static_cast<int32_t>(offsetof(RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744, ____objectIdentity_5)); }
inline Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 * get__objectIdentity_5() const { return ____objectIdentity_5; }
inline Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 ** get_address_of__objectIdentity_5() { return &____objectIdentity_5; }
inline void set__objectIdentity_5(Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 * value)
{
____objectIdentity_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____objectIdentity_5), (void*)value);
}
inline static int32_t get_offset_of__objTP_6() { return static_cast<int32_t>(offsetof(RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744, ____objTP_6)); }
inline RuntimeObject * get__objTP_6() const { return ____objTP_6; }
inline RuntimeObject ** get_address_of__objTP_6() { return &____objTP_6; }
inline void set__objTP_6(RuntimeObject * value)
{
____objTP_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____objTP_6), (void*)value);
}
inline static int32_t get_offset_of__stubData_7() { return static_cast<int32_t>(offsetof(RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744, ____stubData_7)); }
inline RuntimeObject * get__stubData_7() const { return ____stubData_7; }
inline RuntimeObject ** get_address_of__stubData_7() { return &____stubData_7; }
inline void set__stubData_7(RuntimeObject * value)
{
____stubData_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&____stubData_7), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Runtime.Remoting.Proxies.RealProxy
struct RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744_marshaled_pinvoke
{
Type_t * ___class_to_proxy_0;
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678_marshaled_pinvoke* ____targetContext_1;
MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8_marshaled_pinvoke ____server_2;
int32_t ____targetDomainId_3;
char* ____targetUri_4;
Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 * ____objectIdentity_5;
Il2CppIUnknown* ____objTP_6;
Il2CppIUnknown* ____stubData_7;
};
// Native definition for COM marshalling of System.Runtime.Remoting.Proxies.RealProxy
struct RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744_marshaled_com
{
Type_t * ___class_to_proxy_0;
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678_marshaled_com* ____targetContext_1;
MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8_marshaled_com* ____server_2;
int32_t ____targetDomainId_3;
Il2CppChar* ____targetUri_4;
Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 * ____objectIdentity_5;
Il2CppIUnknown* ____objTP_6;
Il2CppIUnknown* ____stubData_7;
};
// UnityEngine.Rect
struct Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878
{
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_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878, ___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_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878, ___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_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878, ___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_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878, ___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;
}
};
// UnityEngine.RectInt
struct RectInt_tE7B8105A280C1AC73A4157ED41F9B86C9BD91E49
{
public:
// System.Int32 UnityEngine.RectInt::m_XMin
int32_t ___m_XMin_0;
// System.Int32 UnityEngine.RectInt::m_YMin
int32_t ___m_YMin_1;
// System.Int32 UnityEngine.RectInt::m_Width
int32_t ___m_Width_2;
// System.Int32 UnityEngine.RectInt::m_Height
int32_t ___m_Height_3;
public:
inline static int32_t get_offset_of_m_XMin_0() { return static_cast<int32_t>(offsetof(RectInt_tE7B8105A280C1AC73A4157ED41F9B86C9BD91E49, ___m_XMin_0)); }
inline int32_t get_m_XMin_0() const { return ___m_XMin_0; }
inline int32_t* get_address_of_m_XMin_0() { return &___m_XMin_0; }
inline void set_m_XMin_0(int32_t value)
{
___m_XMin_0 = value;
}
inline static int32_t get_offset_of_m_YMin_1() { return static_cast<int32_t>(offsetof(RectInt_tE7B8105A280C1AC73A4157ED41F9B86C9BD91E49, ___m_YMin_1)); }
inline int32_t get_m_YMin_1() const { return ___m_YMin_1; }
inline int32_t* get_address_of_m_YMin_1() { return &___m_YMin_1; }
inline void set_m_YMin_1(int32_t value)
{
___m_YMin_1 = value;
}
inline static int32_t get_offset_of_m_Width_2() { return static_cast<int32_t>(offsetof(RectInt_tE7B8105A280C1AC73A4157ED41F9B86C9BD91E49, ___m_Width_2)); }
inline int32_t get_m_Width_2() const { return ___m_Width_2; }
inline int32_t* get_address_of_m_Width_2() { return &___m_Width_2; }
inline void set_m_Width_2(int32_t value)
{
___m_Width_2 = value;
}
inline static int32_t get_offset_of_m_Height_3() { return static_cast<int32_t>(offsetof(RectInt_tE7B8105A280C1AC73A4157ED41F9B86C9BD91E49, ___m_Height_3)); }
inline int32_t get_m_Height_3() const { return ___m_Height_3; }
inline int32_t* get_address_of_m_Height_3() { return &___m_Height_3; }
inline void set_m_Height_3(int32_t value)
{
___m_Height_3 = value;
}
};
// System.Text.RegularExpressions.RegexInterpreter
struct RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E : public RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934
{
public:
// System.Int32 System.Text.RegularExpressions.RegexInterpreter::runoperator
int32_t ___runoperator_19;
// System.Int32[] System.Text.RegularExpressions.RegexInterpreter::runcodes
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___runcodes_20;
// System.Int32 System.Text.RegularExpressions.RegexInterpreter::runcodepos
int32_t ___runcodepos_21;
// System.String[] System.Text.RegularExpressions.RegexInterpreter::runstrings
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___runstrings_22;
// System.Text.RegularExpressions.RegexCode System.Text.RegularExpressions.RegexInterpreter::runcode
RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5 * ___runcode_23;
// System.Text.RegularExpressions.RegexPrefix System.Text.RegularExpressions.RegexInterpreter::runfcPrefix
RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301 * ___runfcPrefix_24;
// System.Text.RegularExpressions.RegexBoyerMoore System.Text.RegularExpressions.RegexInterpreter::runbmPrefix
RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2 * ___runbmPrefix_25;
// System.Int32 System.Text.RegularExpressions.RegexInterpreter::runanchors
int32_t ___runanchors_26;
// System.Boolean System.Text.RegularExpressions.RegexInterpreter::runrtl
bool ___runrtl_27;
// System.Boolean System.Text.RegularExpressions.RegexInterpreter::runci
bool ___runci_28;
// System.Globalization.CultureInfo System.Text.RegularExpressions.RegexInterpreter::runculture
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * ___runculture_29;
public:
inline static int32_t get_offset_of_runoperator_19() { return static_cast<int32_t>(offsetof(RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E, ___runoperator_19)); }
inline int32_t get_runoperator_19() const { return ___runoperator_19; }
inline int32_t* get_address_of_runoperator_19() { return &___runoperator_19; }
inline void set_runoperator_19(int32_t value)
{
___runoperator_19 = value;
}
inline static int32_t get_offset_of_runcodes_20() { return static_cast<int32_t>(offsetof(RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E, ___runcodes_20)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_runcodes_20() const { return ___runcodes_20; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_runcodes_20() { return &___runcodes_20; }
inline void set_runcodes_20(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___runcodes_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___runcodes_20), (void*)value);
}
inline static int32_t get_offset_of_runcodepos_21() { return static_cast<int32_t>(offsetof(RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E, ___runcodepos_21)); }
inline int32_t get_runcodepos_21() const { return ___runcodepos_21; }
inline int32_t* get_address_of_runcodepos_21() { return &___runcodepos_21; }
inline void set_runcodepos_21(int32_t value)
{
___runcodepos_21 = value;
}
inline static int32_t get_offset_of_runstrings_22() { return static_cast<int32_t>(offsetof(RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E, ___runstrings_22)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_runstrings_22() const { return ___runstrings_22; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_runstrings_22() { return &___runstrings_22; }
inline void set_runstrings_22(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___runstrings_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___runstrings_22), (void*)value);
}
inline static int32_t get_offset_of_runcode_23() { return static_cast<int32_t>(offsetof(RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E, ___runcode_23)); }
inline RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5 * get_runcode_23() const { return ___runcode_23; }
inline RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5 ** get_address_of_runcode_23() { return &___runcode_23; }
inline void set_runcode_23(RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5 * value)
{
___runcode_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___runcode_23), (void*)value);
}
inline static int32_t get_offset_of_runfcPrefix_24() { return static_cast<int32_t>(offsetof(RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E, ___runfcPrefix_24)); }
inline RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301 * get_runfcPrefix_24() const { return ___runfcPrefix_24; }
inline RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301 ** get_address_of_runfcPrefix_24() { return &___runfcPrefix_24; }
inline void set_runfcPrefix_24(RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301 * value)
{
___runfcPrefix_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___runfcPrefix_24), (void*)value);
}
inline static int32_t get_offset_of_runbmPrefix_25() { return static_cast<int32_t>(offsetof(RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E, ___runbmPrefix_25)); }
inline RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2 * get_runbmPrefix_25() const { return ___runbmPrefix_25; }
inline RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2 ** get_address_of_runbmPrefix_25() { return &___runbmPrefix_25; }
inline void set_runbmPrefix_25(RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2 * value)
{
___runbmPrefix_25 = value;
Il2CppCodeGenWriteBarrier((void**)(&___runbmPrefix_25), (void*)value);
}
inline static int32_t get_offset_of_runanchors_26() { return static_cast<int32_t>(offsetof(RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E, ___runanchors_26)); }
inline int32_t get_runanchors_26() const { return ___runanchors_26; }
inline int32_t* get_address_of_runanchors_26() { return &___runanchors_26; }
inline void set_runanchors_26(int32_t value)
{
___runanchors_26 = value;
}
inline static int32_t get_offset_of_runrtl_27() { return static_cast<int32_t>(offsetof(RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E, ___runrtl_27)); }
inline bool get_runrtl_27() const { return ___runrtl_27; }
inline bool* get_address_of_runrtl_27() { return &___runrtl_27; }
inline void set_runrtl_27(bool value)
{
___runrtl_27 = value;
}
inline static int32_t get_offset_of_runci_28() { return static_cast<int32_t>(offsetof(RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E, ___runci_28)); }
inline bool get_runci_28() const { return ___runci_28; }
inline bool* get_address_of_runci_28() { return &___runci_28; }
inline void set_runci_28(bool value)
{
___runci_28 = value;
}
inline static int32_t get_offset_of_runculture_29() { return static_cast<int32_t>(offsetof(RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E, ___runculture_29)); }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * get_runculture_29() const { return ___runculture_29; }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 ** get_address_of_runculture_29() { return &___runculture_29; }
inline void set_runculture_29(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * value)
{
___runculture_29 = value;
Il2CppCodeGenWriteBarrier((void**)(&___runculture_29), (void*)value);
}
};
// Microsoft.Win32.RegistryKey
struct RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 : public MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8
{
public:
// System.Object Microsoft.Win32.RegistryKey::handle
RuntimeObject * ___handle_1;
// Microsoft.Win32.SafeHandles.SafeRegistryHandle Microsoft.Win32.RegistryKey::safe_handle
SafeRegistryHandle_tE132711AC8880C0D375E49B50419BCE4935CC545 * ___safe_handle_2;
// System.Object Microsoft.Win32.RegistryKey::hive
RuntimeObject * ___hive_3;
// System.String Microsoft.Win32.RegistryKey::qname
String_t* ___qname_4;
// System.Boolean Microsoft.Win32.RegistryKey::isRemoteRoot
bool ___isRemoteRoot_5;
// System.Boolean Microsoft.Win32.RegistryKey::isWritable
bool ___isWritable_6;
public:
inline static int32_t get_offset_of_handle_1() { return static_cast<int32_t>(offsetof(RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268, ___handle_1)); }
inline RuntimeObject * get_handle_1() const { return ___handle_1; }
inline RuntimeObject ** get_address_of_handle_1() { return &___handle_1; }
inline void set_handle_1(RuntimeObject * value)
{
___handle_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___handle_1), (void*)value);
}
inline static int32_t get_offset_of_safe_handle_2() { return static_cast<int32_t>(offsetof(RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268, ___safe_handle_2)); }
inline SafeRegistryHandle_tE132711AC8880C0D375E49B50419BCE4935CC545 * get_safe_handle_2() const { return ___safe_handle_2; }
inline SafeRegistryHandle_tE132711AC8880C0D375E49B50419BCE4935CC545 ** get_address_of_safe_handle_2() { return &___safe_handle_2; }
inline void set_safe_handle_2(SafeRegistryHandle_tE132711AC8880C0D375E49B50419BCE4935CC545 * value)
{
___safe_handle_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___safe_handle_2), (void*)value);
}
inline static int32_t get_offset_of_hive_3() { return static_cast<int32_t>(offsetof(RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268, ___hive_3)); }
inline RuntimeObject * get_hive_3() const { return ___hive_3; }
inline RuntimeObject ** get_address_of_hive_3() { return &___hive_3; }
inline void set_hive_3(RuntimeObject * value)
{
___hive_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___hive_3), (void*)value);
}
inline static int32_t get_offset_of_qname_4() { return static_cast<int32_t>(offsetof(RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268, ___qname_4)); }
inline String_t* get_qname_4() const { return ___qname_4; }
inline String_t** get_address_of_qname_4() { return &___qname_4; }
inline void set_qname_4(String_t* value)
{
___qname_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___qname_4), (void*)value);
}
inline static int32_t get_offset_of_isRemoteRoot_5() { return static_cast<int32_t>(offsetof(RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268, ___isRemoteRoot_5)); }
inline bool get_isRemoteRoot_5() const { return ___isRemoteRoot_5; }
inline bool* get_address_of_isRemoteRoot_5() { return &___isRemoteRoot_5; }
inline void set_isRemoteRoot_5(bool value)
{
___isRemoteRoot_5 = value;
}
inline static int32_t get_offset_of_isWritable_6() { return static_cast<int32_t>(offsetof(RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268, ___isWritable_6)); }
inline bool get_isWritable_6() const { return ___isWritable_6; }
inline bool* get_address_of_isWritable_6() { return &___isWritable_6; }
inline void set_isWritable_6(bool value)
{
___isWritable_6 = value;
}
};
struct RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268_StaticFields
{
public:
// Microsoft.Win32.IRegistryApi Microsoft.Win32.RegistryKey::RegistryApi
RuntimeObject* ___RegistryApi_7;
public:
inline static int32_t get_offset_of_RegistryApi_7() { return static_cast<int32_t>(offsetof(RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268_StaticFields, ___RegistryApi_7)); }
inline RuntimeObject* get_RegistryApi_7() const { return ___RegistryApi_7; }
inline RuntimeObject** get_address_of_RegistryApi_7() { return &___RegistryApi_7; }
inline void set_RegistryApi_7(RuntimeObject* value)
{
___RegistryApi_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___RegistryApi_7), (void*)value);
}
};
// System.Runtime.Remoting.Activation.RemoteActivator
struct RemoteActivator_tF971E5E8B0A1E0267A47859F18831AFA7FCB4A0F : public MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8
{
public:
public:
};
// UnityEngine.RequireComponent
struct RequireComponent_tEDA546F9722B8874DA9658BDAB821BA49647FC91 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
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_tEDA546F9722B8874DA9658BDAB821BA49647FC91, ___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((void**)(&___m_Type0_0), (void*)value);
}
inline static int32_t get_offset_of_m_Type1_1() { return static_cast<int32_t>(offsetof(RequireComponent_tEDA546F9722B8874DA9658BDAB821BA49647FC91, ___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((void**)(&___m_Type1_1), (void*)value);
}
inline static int32_t get_offset_of_m_Type2_2() { return static_cast<int32_t>(offsetof(RequireComponent_tEDA546F9722B8874DA9658BDAB821BA49647FC91, ___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((void**)(&___m_Type2_2), (void*)value);
}
};
// UnityEngine.Scripting.RequiredByNativeCodeAttribute
struct RequiredByNativeCodeAttribute_t855401D3C2EF3B44F4F1C3EE2DCD361CFC358D20 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String UnityEngine.Scripting.RequiredByNativeCodeAttribute::<Name>k__BackingField
String_t* ___U3CNameU3Ek__BackingField_0;
// System.Boolean UnityEngine.Scripting.RequiredByNativeCodeAttribute::<Optional>k__BackingField
bool ___U3COptionalU3Ek__BackingField_1;
// System.Boolean UnityEngine.Scripting.RequiredByNativeCodeAttribute::<GenerateProxy>k__BackingField
bool ___U3CGenerateProxyU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CNameU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(RequiredByNativeCodeAttribute_t855401D3C2EF3B44F4F1C3EE2DCD361CFC358D20, ___U3CNameU3Ek__BackingField_0)); }
inline String_t* get_U3CNameU3Ek__BackingField_0() const { return ___U3CNameU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CNameU3Ek__BackingField_0() { return &___U3CNameU3Ek__BackingField_0; }
inline void set_U3CNameU3Ek__BackingField_0(String_t* value)
{
___U3CNameU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CNameU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3COptionalU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(RequiredByNativeCodeAttribute_t855401D3C2EF3B44F4F1C3EE2DCD361CFC358D20, ___U3COptionalU3Ek__BackingField_1)); }
inline bool get_U3COptionalU3Ek__BackingField_1() const { return ___U3COptionalU3Ek__BackingField_1; }
inline bool* get_address_of_U3COptionalU3Ek__BackingField_1() { return &___U3COptionalU3Ek__BackingField_1; }
inline void set_U3COptionalU3Ek__BackingField_1(bool value)
{
___U3COptionalU3Ek__BackingField_1 = value;
}
inline static int32_t get_offset_of_U3CGenerateProxyU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(RequiredByNativeCodeAttribute_t855401D3C2EF3B44F4F1C3EE2DCD361CFC358D20, ___U3CGenerateProxyU3Ek__BackingField_2)); }
inline bool get_U3CGenerateProxyU3Ek__BackingField_2() const { return ___U3CGenerateProxyU3Ek__BackingField_2; }
inline bool* get_address_of_U3CGenerateProxyU3Ek__BackingField_2() { return &___U3CGenerateProxyU3Ek__BackingField_2; }
inline void set_U3CGenerateProxyU3Ek__BackingField_2(bool value)
{
___U3CGenerateProxyU3Ek__BackingField_2 = value;
}
};
// UnityEngine.Resolution
struct Resolution_t1906ED569E57B1BD0C7F7A8DBCEA1D584F5F1767
{
public:
// System.Int32 UnityEngine.Resolution::m_Width
int32_t ___m_Width_0;
// System.Int32 UnityEngine.Resolution::m_Height
int32_t ___m_Height_1;
// System.Int32 UnityEngine.Resolution::m_RefreshRate
int32_t ___m_RefreshRate_2;
public:
inline static int32_t get_offset_of_m_Width_0() { return static_cast<int32_t>(offsetof(Resolution_t1906ED569E57B1BD0C7F7A8DBCEA1D584F5F1767, ___m_Width_0)); }
inline int32_t get_m_Width_0() const { return ___m_Width_0; }
inline int32_t* get_address_of_m_Width_0() { return &___m_Width_0; }
inline void set_m_Width_0(int32_t value)
{
___m_Width_0 = value;
}
inline static int32_t get_offset_of_m_Height_1() { return static_cast<int32_t>(offsetof(Resolution_t1906ED569E57B1BD0C7F7A8DBCEA1D584F5F1767, ___m_Height_1)); }
inline int32_t get_m_Height_1() const { return ___m_Height_1; }
inline int32_t* get_address_of_m_Height_1() { return &___m_Height_1; }
inline void set_m_Height_1(int32_t value)
{
___m_Height_1 = value;
}
inline static int32_t get_offset_of_m_RefreshRate_2() { return static_cast<int32_t>(offsetof(Resolution_t1906ED569E57B1BD0C7F7A8DBCEA1D584F5F1767, ___m_RefreshRate_2)); }
inline int32_t get_m_RefreshRate_2() const { return ___m_RefreshRate_2; }
inline int32_t* get_address_of_m_RefreshRate_2() { return &___m_RefreshRate_2; }
inline void set_m_RefreshRate_2(int32_t value)
{
___m_RefreshRate_2 = value;
}
};
// System.ResolveEventArgs
struct ResolveEventArgs_tAB226AF199EA6A6E70F4482348AC5AAB2DEFBB3D : public EventArgs_tBCAACA538A5195B6D6C8DFCC3524A2A4A67FD8BA
{
public:
// System.String System.ResolveEventArgs::m_Name
String_t* ___m_Name_1;
// System.Reflection.Assembly System.ResolveEventArgs::m_Requesting
Assembly_t * ___m_Requesting_2;
public:
inline static int32_t get_offset_of_m_Name_1() { return static_cast<int32_t>(offsetof(ResolveEventArgs_tAB226AF199EA6A6E70F4482348AC5AAB2DEFBB3D, ___m_Name_1)); }
inline String_t* get_m_Name_1() const { return ___m_Name_1; }
inline String_t** get_address_of_m_Name_1() { return &___m_Name_1; }
inline void set_m_Name_1(String_t* value)
{
___m_Name_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Name_1), (void*)value);
}
inline static int32_t get_offset_of_m_Requesting_2() { return static_cast<int32_t>(offsetof(ResolveEventArgs_tAB226AF199EA6A6E70F4482348AC5AAB2DEFBB3D, ___m_Requesting_2)); }
inline Assembly_t * get_m_Requesting_2() const { return ___m_Requesting_2; }
inline Assembly_t ** get_address_of_m_Requesting_2() { return &___m_Requesting_2; }
inline void set_m_Requesting_2(Assembly_t * value)
{
___m_Requesting_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Requesting_2), (void*)value);
}
};
// System.Resources.ResourceLocator
struct ResourceLocator_t3D496606F94367D5D6B24DA9DC0A3B46E6B53B11
{
public:
// System.Object System.Resources.ResourceLocator::_value
RuntimeObject * ____value_0;
// System.Int32 System.Resources.ResourceLocator::_dataPos
int32_t ____dataPos_1;
public:
inline static int32_t get_offset_of__value_0() { return static_cast<int32_t>(offsetof(ResourceLocator_t3D496606F94367D5D6B24DA9DC0A3B46E6B53B11, ____value_0)); }
inline RuntimeObject * get__value_0() const { return ____value_0; }
inline RuntimeObject ** get_address_of__value_0() { return &____value_0; }
inline void set__value_0(RuntimeObject * value)
{
____value_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____value_0), (void*)value);
}
inline static int32_t get_offset_of__dataPos_1() { return static_cast<int32_t>(offsetof(ResourceLocator_t3D496606F94367D5D6B24DA9DC0A3B46E6B53B11, ____dataPos_1)); }
inline int32_t get__dataPos_1() const { return ____dataPos_1; }
inline int32_t* get_address_of__dataPos_1() { return &____dataPos_1; }
inline void set__dataPos_1(int32_t value)
{
____dataPos_1 = value;
}
};
// Native definition for P/Invoke marshalling of System.Resources.ResourceLocator
struct ResourceLocator_t3D496606F94367D5D6B24DA9DC0A3B46E6B53B11_marshaled_pinvoke
{
Il2CppIUnknown* ____value_0;
int32_t ____dataPos_1;
};
// Native definition for COM marshalling of System.Resources.ResourceLocator
struct ResourceLocator_t3D496606F94367D5D6B24DA9DC0A3B46E6B53B11_marshaled_com
{
Il2CppIUnknown* ____value_0;
int32_t ____dataPos_1;
};
// Mono.RuntimeClassHandle
struct RuntimeClassHandle_t17BD4DFB8076D46569E233713BAD805FBE77A655
{
public:
// Mono.RuntimeStructs/MonoClass* Mono.RuntimeClassHandle::value
MonoClass_t6F348B73F5E97A3C2B3FBAF82684051872811E13 * ___value_0;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(RuntimeClassHandle_t17BD4DFB8076D46569E233713BAD805FBE77A655, ___value_0)); }
inline MonoClass_t6F348B73F5E97A3C2B3FBAF82684051872811E13 * get_value_0() const { return ___value_0; }
inline MonoClass_t6F348B73F5E97A3C2B3FBAF82684051872811E13 ** get_address_of_value_0() { return &___value_0; }
inline void set_value_0(MonoClass_t6F348B73F5E97A3C2B3FBAF82684051872811E13 * value)
{
___value_0 = value;
}
};
// System.Runtime.CompilerServices.RuntimeCompatibilityAttribute
struct RuntimeCompatibilityAttribute_tFF99AB2963098F9CBCD47A20D9FD3D51C17C1C80 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Boolean System.Runtime.CompilerServices.RuntimeCompatibilityAttribute::m_wrapNonExceptionThrows
bool ___m_wrapNonExceptionThrows_0;
public:
inline static int32_t get_offset_of_m_wrapNonExceptionThrows_0() { return static_cast<int32_t>(offsetof(RuntimeCompatibilityAttribute_tFF99AB2963098F9CBCD47A20D9FD3D51C17C1C80, ___m_wrapNonExceptionThrows_0)); }
inline bool get_m_wrapNonExceptionThrows_0() const { return ___m_wrapNonExceptionThrows_0; }
inline bool* get_address_of_m_wrapNonExceptionThrows_0() { return &___m_wrapNonExceptionThrows_0; }
inline void set_m_wrapNonExceptionThrows_0(bool value)
{
___m_wrapNonExceptionThrows_0 = value;
}
};
// Mono.RuntimeGPtrArrayHandle
struct RuntimeGPtrArrayHandle_tFFF90E5789EADA37BC5B24EE93680549771445B7
{
public:
// Mono.RuntimeStructs/GPtrArray* Mono.RuntimeGPtrArrayHandle::value
GPtrArray_t481A0359CDF30AF32FB5B6D0DDBA2C26F55E3555 * ___value_0;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(RuntimeGPtrArrayHandle_tFFF90E5789EADA37BC5B24EE93680549771445B7, ___value_0)); }
inline GPtrArray_t481A0359CDF30AF32FB5B6D0DDBA2C26F55E3555 * get_value_0() const { return ___value_0; }
inline GPtrArray_t481A0359CDF30AF32FB5B6D0DDBA2C26F55E3555 ** get_address_of_value_0() { return &___value_0; }
inline void set_value_0(GPtrArray_t481A0359CDF30AF32FB5B6D0DDBA2C26F55E3555 * value)
{
___value_0 = value;
}
};
// Mono.RuntimeGenericParamInfoHandle
struct RuntimeGenericParamInfoHandle_tAF13B59FB7CB580DECA0FFED2339AF273F287679
{
public:
// Mono.RuntimeStructs/GenericParamInfo* Mono.RuntimeGenericParamInfoHandle::value
GenericParamInfo_tE1D2256CC7F056DE11A394C74F8EA8071207C6D2 * ___value_0;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(RuntimeGenericParamInfoHandle_tAF13B59FB7CB580DECA0FFED2339AF273F287679, ___value_0)); }
inline GenericParamInfo_tE1D2256CC7F056DE11A394C74F8EA8071207C6D2 * get_value_0() const { return ___value_0; }
inline GenericParamInfo_tE1D2256CC7F056DE11A394C74F8EA8071207C6D2 ** get_address_of_value_0() { return &___value_0; }
inline void set_value_0(GenericParamInfo_tE1D2256CC7F056DE11A394C74F8EA8071207C6D2 * value)
{
___value_0 = value;
}
};
// Mono.RuntimeRemoteClassHandle
struct RuntimeRemoteClassHandle_t66BDDE3C92A62304AC03C09C19B8352EF4A494FD
{
public:
// Mono.RuntimeStructs/RemoteClass* Mono.RuntimeRemoteClassHandle::value
RemoteClass_t2AA6BAAC498863265F1C9186436C782645A4A902 * ___value_0;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(RuntimeRemoteClassHandle_t66BDDE3C92A62304AC03C09C19B8352EF4A494FD, ___value_0)); }
inline RemoteClass_t2AA6BAAC498863265F1C9186436C782645A4A902 * get_value_0() const { return ___value_0; }
inline RemoteClass_t2AA6BAAC498863265F1C9186436C782645A4A902 ** get_address_of_value_0() { return &___value_0; }
inline void set_value_0(RemoteClass_t2AA6BAAC498863265F1C9186436C782645A4A902 * value)
{
___value_0 = value;
}
};
// System.Resources.RuntimeResourceSet
struct RuntimeResourceSet_tE6CEE5AD87FD9B32ABB7C6738D4B04104FE5CE3A : public ResourceSet_t04B4806442F31EFE5374C485BB883BBA6F75566F
{
public:
// System.Collections.Generic.Dictionary`2<System.String,System.Resources.ResourceLocator> System.Resources.RuntimeResourceSet::_resCache
Dictionary_2_t46A02F90A8D65228E634FEFFC9BE32C560592BBA * ____resCache_4;
// System.Resources.ResourceReader System.Resources.RuntimeResourceSet::_defaultReader
ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492 * ____defaultReader_5;
// System.Collections.Generic.Dictionary`2<System.String,System.Resources.ResourceLocator> System.Resources.RuntimeResourceSet::_caseInsensitiveTable
Dictionary_2_t46A02F90A8D65228E634FEFFC9BE32C560592BBA * ____caseInsensitiveTable_6;
// System.Boolean System.Resources.RuntimeResourceSet::_haveReadFromReader
bool ____haveReadFromReader_7;
public:
inline static int32_t get_offset_of__resCache_4() { return static_cast<int32_t>(offsetof(RuntimeResourceSet_tE6CEE5AD87FD9B32ABB7C6738D4B04104FE5CE3A, ____resCache_4)); }
inline Dictionary_2_t46A02F90A8D65228E634FEFFC9BE32C560592BBA * get__resCache_4() const { return ____resCache_4; }
inline Dictionary_2_t46A02F90A8D65228E634FEFFC9BE32C560592BBA ** get_address_of__resCache_4() { return &____resCache_4; }
inline void set__resCache_4(Dictionary_2_t46A02F90A8D65228E634FEFFC9BE32C560592BBA * value)
{
____resCache_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____resCache_4), (void*)value);
}
inline static int32_t get_offset_of__defaultReader_5() { return static_cast<int32_t>(offsetof(RuntimeResourceSet_tE6CEE5AD87FD9B32ABB7C6738D4B04104FE5CE3A, ____defaultReader_5)); }
inline ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492 * get__defaultReader_5() const { return ____defaultReader_5; }
inline ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492 ** get_address_of__defaultReader_5() { return &____defaultReader_5; }
inline void set__defaultReader_5(ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492 * value)
{
____defaultReader_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____defaultReader_5), (void*)value);
}
inline static int32_t get_offset_of__caseInsensitiveTable_6() { return static_cast<int32_t>(offsetof(RuntimeResourceSet_tE6CEE5AD87FD9B32ABB7C6738D4B04104FE5CE3A, ____caseInsensitiveTable_6)); }
inline Dictionary_2_t46A02F90A8D65228E634FEFFC9BE32C560592BBA * get__caseInsensitiveTable_6() const { return ____caseInsensitiveTable_6; }
inline Dictionary_2_t46A02F90A8D65228E634FEFFC9BE32C560592BBA ** get_address_of__caseInsensitiveTable_6() { return &____caseInsensitiveTable_6; }
inline void set__caseInsensitiveTable_6(Dictionary_2_t46A02F90A8D65228E634FEFFC9BE32C560592BBA * value)
{
____caseInsensitiveTable_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____caseInsensitiveTable_6), (void*)value);
}
inline static int32_t get_offset_of__haveReadFromReader_7() { return static_cast<int32_t>(offsetof(RuntimeResourceSet_tE6CEE5AD87FD9B32ABB7C6738D4B04104FE5CE3A, ____haveReadFromReader_7)); }
inline bool get__haveReadFromReader_7() const { return ____haveReadFromReader_7; }
inline bool* get_address_of__haveReadFromReader_7() { return &____haveReadFromReader_7; }
inline void set__haveReadFromReader_7(bool value)
{
____haveReadFromReader_7 = value;
}
};
// System.SByte
struct SByte_t928712DD662DC29BA4FAAE8CE2230AFB23447F0B
{
public:
// System.SByte System.SByte::m_value
int8_t ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(SByte_t928712DD662DC29BA4FAAE8CE2230AFB23447F0B, ___m_value_0)); }
inline int8_t get_m_value_0() const { return ___m_value_0; }
inline int8_t* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(int8_t value)
{
___m_value_0 = value;
}
};
// System.Security.Cryptography.SHA1
struct SHA1_t15B592B9935E19EC3FD5679B969239AC572E2C0E : public HashAlgorithm_t7F831BEF35F9D0AF5016FFB0E474AF9F93908F31
{
public:
public:
};
// System.STAThreadAttribute
struct STAThreadAttribute_t8B4D8EA9819CF25BE5B501A9482A670717F41702 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Resources.SatelliteContractVersionAttribute
struct SatelliteContractVersionAttribute_tA77BDC45FEEFE11823E95476FC8AE60B007906D2 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Resources.SatelliteContractVersionAttribute::_version
String_t* ____version_0;
public:
inline static int32_t get_offset_of__version_0() { return static_cast<int32_t>(offsetof(SatelliteContractVersionAttribute_tA77BDC45FEEFE11823E95476FC8AE60B007906D2, ____version_0)); }
inline String_t* get__version_0() const { return ____version_0; }
inline String_t** get_address_of__version_0() { return &____version_0; }
inline void set__version_0(String_t* value)
{
____version_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____version_0), (void*)value);
}
};
// UnityEngine.SceneManagement.Scene
struct Scene_t5495AD2FDC587DB2E94D9BDE2B85868BFB9A92EE
{
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_t5495AD2FDC587DB2E94D9BDE2B85868BFB9A92EE, ___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;
}
};
// UnityEngine.XR.ARSubsystems.ScopedProfiler
struct ScopedProfiler_t2D56ACC439533AC07E255065961834AAD04BE52E
{
public:
union
{
struct
{
};
uint8_t ScopedProfiler_t2D56ACC439533AC07E255065961834AAD04BE52E__padding[1];
};
public:
};
// System.Security.Permissions.SecurityAttribute
struct SecurityAttribute_tB471CCD1C8F5D885AC2FD10483CB9C1BA3C9C922 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// Mono.Xml.SecurityParser
struct SecurityParser_tC9E18353931E28EE00489103D73FF6CD562F2118 : public SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7
{
public:
// System.Security.SecurityElement Mono.Xml.SecurityParser::root
SecurityElement_tB9682077760936136392270197F642224B2141CC * ___root_12;
// System.Security.SecurityElement Mono.Xml.SecurityParser::current
SecurityElement_tB9682077760936136392270197F642224B2141CC * ___current_13;
// System.Collections.Stack Mono.Xml.SecurityParser::stack
Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 * ___stack_14;
public:
inline static int32_t get_offset_of_root_12() { return static_cast<int32_t>(offsetof(SecurityParser_tC9E18353931E28EE00489103D73FF6CD562F2118, ___root_12)); }
inline SecurityElement_tB9682077760936136392270197F642224B2141CC * get_root_12() const { return ___root_12; }
inline SecurityElement_tB9682077760936136392270197F642224B2141CC ** get_address_of_root_12() { return &___root_12; }
inline void set_root_12(SecurityElement_tB9682077760936136392270197F642224B2141CC * value)
{
___root_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___root_12), (void*)value);
}
inline static int32_t get_offset_of_current_13() { return static_cast<int32_t>(offsetof(SecurityParser_tC9E18353931E28EE00489103D73FF6CD562F2118, ___current_13)); }
inline SecurityElement_tB9682077760936136392270197F642224B2141CC * get_current_13() const { return ___current_13; }
inline SecurityElement_tB9682077760936136392270197F642224B2141CC ** get_address_of_current_13() { return &___current_13; }
inline void set_current_13(SecurityElement_tB9682077760936136392270197F642224B2141CC * value)
{
___current_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___current_13), (void*)value);
}
inline static int32_t get_offset_of_stack_14() { return static_cast<int32_t>(offsetof(SecurityParser_tC9E18353931E28EE00489103D73FF6CD562F2118, ___stack_14)); }
inline Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 * get_stack_14() const { return ___stack_14; }
inline Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 ** get_address_of_stack_14() { return &___stack_14; }
inline void set_stack_14(Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8 * value)
{
___stack_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___stack_14), (void*)value);
}
};
// UnityEngine.SelectionBaseAttribute
struct SelectionBaseAttribute_tDF4887CDD948FC2AB6384128E30778DF6BE8BAAB : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.Core.Parsing.Selector
struct Selector_tF6C7CE90C0DF83DB6EA881F4C8E38FC33D35FB6B : public FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843
{
public:
// System.String UnityEngine.Localization.SmartFormat.Core.Parsing.Selector::m_Operator
String_t* ___m_Operator_6;
// System.Int32 UnityEngine.Localization.SmartFormat.Core.Parsing.Selector::operatorStart
int32_t ___operatorStart_7;
// System.Int32 UnityEngine.Localization.SmartFormat.Core.Parsing.Selector::<SelectorIndex>k__BackingField
int32_t ___U3CSelectorIndexU3Ek__BackingField_8;
public:
inline static int32_t get_offset_of_m_Operator_6() { return static_cast<int32_t>(offsetof(Selector_tF6C7CE90C0DF83DB6EA881F4C8E38FC33D35FB6B, ___m_Operator_6)); }
inline String_t* get_m_Operator_6() const { return ___m_Operator_6; }
inline String_t** get_address_of_m_Operator_6() { return &___m_Operator_6; }
inline void set_m_Operator_6(String_t* value)
{
___m_Operator_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Operator_6), (void*)value);
}
inline static int32_t get_offset_of_operatorStart_7() { return static_cast<int32_t>(offsetof(Selector_tF6C7CE90C0DF83DB6EA881F4C8E38FC33D35FB6B, ___operatorStart_7)); }
inline int32_t get_operatorStart_7() const { return ___operatorStart_7; }
inline int32_t* get_address_of_operatorStart_7() { return &___operatorStart_7; }
inline void set_operatorStart_7(int32_t value)
{
___operatorStart_7 = value;
}
inline static int32_t get_offset_of_U3CSelectorIndexU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(Selector_tF6C7CE90C0DF83DB6EA881F4C8E38FC33D35FB6B, ___U3CSelectorIndexU3Ek__BackingField_8)); }
inline int32_t get_U3CSelectorIndexU3Ek__BackingField_8() const { return ___U3CSelectorIndexU3Ek__BackingField_8; }
inline int32_t* get_address_of_U3CSelectorIndexU3Ek__BackingField_8() { return &___U3CSelectorIndexU3Ek__BackingField_8; }
inline void set_U3CSelectorIndexU3Ek__BackingField_8(int32_t value)
{
___U3CSelectorIndexU3Ek__BackingField_8 = value;
}
};
// System.SerializableAttribute
struct SerializableAttribute_t80789FFA2FC65374560ADA1CE7D29F3849AE9052 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.SerializableGuid
struct SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC
{
public:
// System.UInt64 UnityEngine.XR.ARSubsystems.SerializableGuid::m_GuidLow
uint64_t ___m_GuidLow_1;
// System.UInt64 UnityEngine.XR.ARSubsystems.SerializableGuid::m_GuidHigh
uint64_t ___m_GuidHigh_2;
public:
inline static int32_t get_offset_of_m_GuidLow_1() { return static_cast<int32_t>(offsetof(SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC, ___m_GuidLow_1)); }
inline uint64_t get_m_GuidLow_1() const { return ___m_GuidLow_1; }
inline uint64_t* get_address_of_m_GuidLow_1() { return &___m_GuidLow_1; }
inline void set_m_GuidLow_1(uint64_t value)
{
___m_GuidLow_1 = value;
}
inline static int32_t get_offset_of_m_GuidHigh_2() { return static_cast<int32_t>(offsetof(SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC, ___m_GuidHigh_2)); }
inline uint64_t get_m_GuidHigh_2() const { return ___m_GuidHigh_2; }
inline uint64_t* get_address_of_m_GuidHigh_2() { return &___m_GuidHigh_2; }
inline void set_m_GuidHigh_2(uint64_t value)
{
___m_GuidHigh_2 = value;
}
};
struct SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC_StaticFields
{
public:
// UnityEngine.XR.ARSubsystems.SerializableGuid UnityEngine.XR.ARSubsystems.SerializableGuid::k_Empty
SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC ___k_Empty_0;
public:
inline static int32_t get_offset_of_k_Empty_0() { return static_cast<int32_t>(offsetof(SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC_StaticFields, ___k_Empty_0)); }
inline SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC get_k_Empty_0() const { return ___k_Empty_0; }
inline SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC * get_address_of_k_Empty_0() { return &___k_Empty_0; }
inline void set_k_Empty_0(SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC value)
{
___k_Empty_0 = value;
}
};
// System.Runtime.Serialization.SerializationEntry
struct SerializationEntry_t33A292618975AD7AC936CB98B2F28256817A467E
{
public:
// System.Type System.Runtime.Serialization.SerializationEntry::m_type
Type_t * ___m_type_0;
// System.Object System.Runtime.Serialization.SerializationEntry::m_value
RuntimeObject * ___m_value_1;
// System.String System.Runtime.Serialization.SerializationEntry::m_name
String_t* ___m_name_2;
public:
inline static int32_t get_offset_of_m_type_0() { return static_cast<int32_t>(offsetof(SerializationEntry_t33A292618975AD7AC936CB98B2F28256817A467E, ___m_type_0)); }
inline Type_t * get_m_type_0() const { return ___m_type_0; }
inline Type_t ** get_address_of_m_type_0() { return &___m_type_0; }
inline void set_m_type_0(Type_t * value)
{
___m_type_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_type_0), (void*)value);
}
inline static int32_t get_offset_of_m_value_1() { return static_cast<int32_t>(offsetof(SerializationEntry_t33A292618975AD7AC936CB98B2F28256817A467E, ___m_value_1)); }
inline RuntimeObject * get_m_value_1() const { return ___m_value_1; }
inline RuntimeObject ** get_address_of_m_value_1() { return &___m_value_1; }
inline void set_m_value_1(RuntimeObject * value)
{
___m_value_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_value_1), (void*)value);
}
inline static int32_t get_offset_of_m_name_2() { return static_cast<int32_t>(offsetof(SerializationEntry_t33A292618975AD7AC936CB98B2F28256817A467E, ___m_name_2)); }
inline String_t* get_m_name_2() const { return ___m_name_2; }
inline String_t** get_address_of_m_name_2() { return &___m_name_2; }
inline void set_m_name_2(String_t* value)
{
___m_name_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_name_2), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Runtime.Serialization.SerializationEntry
struct SerializationEntry_t33A292618975AD7AC936CB98B2F28256817A467E_marshaled_pinvoke
{
Type_t * ___m_type_0;
Il2CppIUnknown* ___m_value_1;
char* ___m_name_2;
};
// Native definition for COM marshalling of System.Runtime.Serialization.SerializationEntry
struct SerializationEntry_t33A292618975AD7AC936CB98B2F28256817A467E_marshaled_com
{
Type_t * ___m_type_0;
Il2CppIUnknown* ___m_value_1;
Il2CppChar* ___m_name_2;
};
// UnityEngine.SerializeField
struct SerializeField_t6B23EE6CC99B21C3EBD946352112832A70E67E25 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.SerializeReference
struct SerializeReference_t83057B8E7EDCEB5FBB3C32C696FC0422BFFF3677 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.ResourceManagement.Util.SerializedType
struct SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B
{
public:
// System.String UnityEngine.ResourceManagement.Util.SerializedType::m_AssemblyName
String_t* ___m_AssemblyName_0;
// System.String UnityEngine.ResourceManagement.Util.SerializedType::m_ClassName
String_t* ___m_ClassName_1;
// System.Type UnityEngine.ResourceManagement.Util.SerializedType::m_CachedType
Type_t * ___m_CachedType_2;
// System.Boolean UnityEngine.ResourceManagement.Util.SerializedType::<ValueChanged>k__BackingField
bool ___U3CValueChangedU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_m_AssemblyName_0() { return static_cast<int32_t>(offsetof(SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B, ___m_AssemblyName_0)); }
inline String_t* get_m_AssemblyName_0() const { return ___m_AssemblyName_0; }
inline String_t** get_address_of_m_AssemblyName_0() { return &___m_AssemblyName_0; }
inline void set_m_AssemblyName_0(String_t* value)
{
___m_AssemblyName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_AssemblyName_0), (void*)value);
}
inline static int32_t get_offset_of_m_ClassName_1() { return static_cast<int32_t>(offsetof(SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B, ___m_ClassName_1)); }
inline String_t* get_m_ClassName_1() const { return ___m_ClassName_1; }
inline String_t** get_address_of_m_ClassName_1() { return &___m_ClassName_1; }
inline void set_m_ClassName_1(String_t* value)
{
___m_ClassName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ClassName_1), (void*)value);
}
inline static int32_t get_offset_of_m_CachedType_2() { return static_cast<int32_t>(offsetof(SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B, ___m_CachedType_2)); }
inline Type_t * get_m_CachedType_2() const { return ___m_CachedType_2; }
inline Type_t ** get_address_of_m_CachedType_2() { return &___m_CachedType_2; }
inline void set_m_CachedType_2(Type_t * value)
{
___m_CachedType_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CachedType_2), (void*)value);
}
inline static int32_t get_offset_of_U3CValueChangedU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B, ___U3CValueChangedU3Ek__BackingField_3)); }
inline bool get_U3CValueChangedU3Ek__BackingField_3() const { return ___U3CValueChangedU3Ek__BackingField_3; }
inline bool* get_address_of_U3CValueChangedU3Ek__BackingField_3() { return &___U3CValueChangedU3Ek__BackingField_3; }
inline void set_U3CValueChangedU3Ek__BackingField_3(bool value)
{
___U3CValueChangedU3Ek__BackingField_3 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.ResourceManagement.Util.SerializedType
struct SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B_marshaled_pinvoke
{
char* ___m_AssemblyName_0;
char* ___m_ClassName_1;
Type_t * ___m_CachedType_2;
int32_t ___U3CValueChangedU3Ek__BackingField_3;
};
// Native definition for COM marshalling of UnityEngine.ResourceManagement.Util.SerializedType
struct SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B_marshaled_com
{
Il2CppChar* ___m_AssemblyName_0;
Il2CppChar* ___m_ClassName_1;
Type_t * ___m_CachedType_2;
int32_t ___U3CValueChangedU3Ek__BackingField_3;
};
// System.Runtime.Remoting.ServerIdentity
struct ServerIdentity_t5689BF0CA0122A8E597C9900D39F11F07D79D3A8 : public Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5
{
public:
// System.Type System.Runtime.Remoting.ServerIdentity::_objectType
Type_t * ____objectType_7;
// System.MarshalByRefObject System.Runtime.Remoting.ServerIdentity::_serverObject
MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8 * ____serverObject_8;
// System.Runtime.Remoting.Messaging.IMessageSink System.Runtime.Remoting.ServerIdentity::_serverSink
RuntimeObject* ____serverSink_9;
// System.Runtime.Remoting.Contexts.Context System.Runtime.Remoting.ServerIdentity::_context
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 * ____context_10;
// System.Runtime.Remoting.Lifetime.Lease System.Runtime.Remoting.ServerIdentity::_lease
Lease_tA878061ECC9A466127F00ACF5568EAB267E05641 * ____lease_11;
public:
inline static int32_t get_offset_of__objectType_7() { return static_cast<int32_t>(offsetof(ServerIdentity_t5689BF0CA0122A8E597C9900D39F11F07D79D3A8, ____objectType_7)); }
inline Type_t * get__objectType_7() const { return ____objectType_7; }
inline Type_t ** get_address_of__objectType_7() { return &____objectType_7; }
inline void set__objectType_7(Type_t * value)
{
____objectType_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&____objectType_7), (void*)value);
}
inline static int32_t get_offset_of__serverObject_8() { return static_cast<int32_t>(offsetof(ServerIdentity_t5689BF0CA0122A8E597C9900D39F11F07D79D3A8, ____serverObject_8)); }
inline MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8 * get__serverObject_8() const { return ____serverObject_8; }
inline MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8 ** get_address_of__serverObject_8() { return &____serverObject_8; }
inline void set__serverObject_8(MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8 * value)
{
____serverObject_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&____serverObject_8), (void*)value);
}
inline static int32_t get_offset_of__serverSink_9() { return static_cast<int32_t>(offsetof(ServerIdentity_t5689BF0CA0122A8E597C9900D39F11F07D79D3A8, ____serverSink_9)); }
inline RuntimeObject* get__serverSink_9() const { return ____serverSink_9; }
inline RuntimeObject** get_address_of__serverSink_9() { return &____serverSink_9; }
inline void set__serverSink_9(RuntimeObject* value)
{
____serverSink_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&____serverSink_9), (void*)value);
}
inline static int32_t get_offset_of__context_10() { return static_cast<int32_t>(offsetof(ServerIdentity_t5689BF0CA0122A8E597C9900D39F11F07D79D3A8, ____context_10)); }
inline Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 * get__context_10() const { return ____context_10; }
inline Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 ** get_address_of__context_10() { return &____context_10; }
inline void set__context_10(Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 * value)
{
____context_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&____context_10), (void*)value);
}
inline static int32_t get_offset_of__lease_11() { return static_cast<int32_t>(offsetof(ServerIdentity_t5689BF0CA0122A8E597C9900D39F11F07D79D3A8, ____lease_11)); }
inline Lease_tA878061ECC9A466127F00ACF5568EAB267E05641 * get__lease_11() const { return ____lease_11; }
inline Lease_tA878061ECC9A466127F00ACF5568EAB267E05641 ** get_address_of__lease_11() { return &____lease_11; }
inline void set__lease_11(Lease_tA878061ECC9A466127F00ACF5568EAB267E05641 * value)
{
____lease_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&____lease_11), (void*)value);
}
};
// System.Net.Configuration.ServicePointManagerElement
struct ServicePointManagerElement_tBDFCD14FA5A9ABB1BE70A69621349A23B402989C : public ConfigurationElement_t571C446CFDFF39CF17130653C433786BEFF25DFA
{
public:
public:
};
// UnityEngine.Rendering.ShaderTagId
struct ShaderTagId_t51914C89B8119195DACD234D1A624AAB7A07F795
{
public:
// System.Int32 UnityEngine.Rendering.ShaderTagId::m_Id
int32_t ___m_Id_1;
public:
inline static int32_t get_offset_of_m_Id_1() { return static_cast<int32_t>(offsetof(ShaderTagId_t51914C89B8119195DACD234D1A624AAB7A07F795, ___m_Id_1)); }
inline int32_t get_m_Id_1() const { return ___m_Id_1; }
inline int32_t* get_address_of_m_Id_1() { return &___m_Id_1; }
inline void set_m_Id_1(int32_t value)
{
___m_Id_1 = value;
}
};
struct ShaderTagId_t51914C89B8119195DACD234D1A624AAB7A07F795_StaticFields
{
public:
// UnityEngine.Rendering.ShaderTagId UnityEngine.Rendering.ShaderTagId::none
ShaderTagId_t51914C89B8119195DACD234D1A624AAB7A07F795 ___none_0;
public:
inline static int32_t get_offset_of_none_0() { return static_cast<int32_t>(offsetof(ShaderTagId_t51914C89B8119195DACD234D1A624AAB7A07F795_StaticFields, ___none_0)); }
inline ShaderTagId_t51914C89B8119195DACD234D1A624AAB7A07F795 get_none_0() const { return ___none_0; }
inline ShaderTagId_t51914C89B8119195DACD234D1A624AAB7A07F795 * get_address_of_none_0() { return &___none_0; }
inline void set_none_0(ShaderTagId_t51914C89B8119195DACD234D1A624AAB7A07F795 value)
{
___none_0 = value;
}
};
// UnityEngine.SharedBetweenAnimatorsAttribute
struct SharedBetweenAnimatorsAttribute_t1F94A6AF21AC0F90F38FFEDE964054F34A117279 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Single
struct Single_tE07797BA3C98D4CA9B5A19413C19A76688AB899E
{
public:
// System.Single System.Single::m_value
float ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Single_tE07797BA3C98D4CA9B5A19413C19A76688AB899E, ___m_value_0)); }
inline float get_m_value_0() const { return ___m_value_0; }
inline float* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(float value)
{
___m_value_0 = value;
}
};
// System.SmallRect
struct SmallRect_t0A4A1C7A4F34C84275DBF802F4DE0264A45EB43F
{
public:
// System.Int16 System.SmallRect::Left
int16_t ___Left_0;
// System.Int16 System.SmallRect::Top
int16_t ___Top_1;
// System.Int16 System.SmallRect::Right
int16_t ___Right_2;
// System.Int16 System.SmallRect::Bottom
int16_t ___Bottom_3;
public:
inline static int32_t get_offset_of_Left_0() { return static_cast<int32_t>(offsetof(SmallRect_t0A4A1C7A4F34C84275DBF802F4DE0264A45EB43F, ___Left_0)); }
inline int16_t get_Left_0() const { return ___Left_0; }
inline int16_t* get_address_of_Left_0() { return &___Left_0; }
inline void set_Left_0(int16_t value)
{
___Left_0 = value;
}
inline static int32_t get_offset_of_Top_1() { return static_cast<int32_t>(offsetof(SmallRect_t0A4A1C7A4F34C84275DBF802F4DE0264A45EB43F, ___Top_1)); }
inline int16_t get_Top_1() const { return ___Top_1; }
inline int16_t* get_address_of_Top_1() { return &___Top_1; }
inline void set_Top_1(int16_t value)
{
___Top_1 = value;
}
inline static int32_t get_offset_of_Right_2() { return static_cast<int32_t>(offsetof(SmallRect_t0A4A1C7A4F34C84275DBF802F4DE0264A45EB43F, ___Right_2)); }
inline int16_t get_Right_2() const { return ___Right_2; }
inline int16_t* get_address_of_Right_2() { return &___Right_2; }
inline void set_Right_2(int16_t value)
{
___Right_2 = value;
}
inline static int32_t get_offset_of_Bottom_3() { return static_cast<int32_t>(offsetof(SmallRect_t0A4A1C7A4F34C84275DBF802F4DE0264A45EB43F, ___Bottom_3)); }
inline int16_t get_Bottom_3() const { return ___Bottom_3; }
inline int16_t* get_address_of_Bottom_3() { return &___Bottom_3; }
inline void set_Bottom_3(int16_t value)
{
___Bottom_3 = value;
}
};
// UnityEngine.Localization.Metadata.SmartFormatTag
struct SmartFormatTag_t454166105F26F3301FBB6959C97DD937E157F248 : public SharedTableEntryMetadata_t6EA9874AE56F84087DDE506298F609E95D890BEF
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.SmartFormatterLiteralCharacterExtractor
struct SmartFormatterLiteralCharacterExtractor_tF43625F2B4A44F7479CAC868924990F6E0C4A8FA : public SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858
{
public:
// System.Collections.Generic.IEnumerable`1<System.Char> UnityEngine.Localization.SmartFormat.SmartFormatterLiteralCharacterExtractor::m_Characters
RuntimeObject* ___m_Characters_7;
public:
inline static int32_t get_offset_of_m_Characters_7() { return static_cast<int32_t>(offsetof(SmartFormatterLiteralCharacterExtractor_tF43625F2B4A44F7479CAC868924990F6E0C4A8FA, ___m_Characters_7)); }
inline RuntimeObject* get_m_Characters_7() const { return ___m_Characters_7; }
inline RuntimeObject** get_address_of_m_Characters_7() { return &___m_Characters_7; }
inline void set_m_Characters_7(RuntimeObject* value)
{
___m_Characters_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Characters_7), (void*)value);
}
};
// System.Runtime.Remoting.Metadata.SoapAttribute
struct SoapAttribute_t6F0FA8C211A4909FD28F96DBB65E898BFFF47ADC : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Boolean System.Runtime.Remoting.Metadata.SoapAttribute::_useAttribute
bool ____useAttribute_0;
// System.String System.Runtime.Remoting.Metadata.SoapAttribute::ProtXmlNamespace
String_t* ___ProtXmlNamespace_1;
// System.Object System.Runtime.Remoting.Metadata.SoapAttribute::ReflectInfo
RuntimeObject * ___ReflectInfo_2;
public:
inline static int32_t get_offset_of__useAttribute_0() { return static_cast<int32_t>(offsetof(SoapAttribute_t6F0FA8C211A4909FD28F96DBB65E898BFFF47ADC, ____useAttribute_0)); }
inline bool get__useAttribute_0() const { return ____useAttribute_0; }
inline bool* get_address_of__useAttribute_0() { return &____useAttribute_0; }
inline void set__useAttribute_0(bool value)
{
____useAttribute_0 = value;
}
inline static int32_t get_offset_of_ProtXmlNamespace_1() { return static_cast<int32_t>(offsetof(SoapAttribute_t6F0FA8C211A4909FD28F96DBB65E898BFFF47ADC, ___ProtXmlNamespace_1)); }
inline String_t* get_ProtXmlNamespace_1() const { return ___ProtXmlNamespace_1; }
inline String_t** get_address_of_ProtXmlNamespace_1() { return &___ProtXmlNamespace_1; }
inline void set_ProtXmlNamespace_1(String_t* value)
{
___ProtXmlNamespace_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ProtXmlNamespace_1), (void*)value);
}
inline static int32_t get_offset_of_ReflectInfo_2() { return static_cast<int32_t>(offsetof(SoapAttribute_t6F0FA8C211A4909FD28F96DBB65E898BFFF47ADC, ___ReflectInfo_2)); }
inline RuntimeObject * get_ReflectInfo_2() const { return ___ReflectInfo_2; }
inline RuntimeObject ** get_address_of_ReflectInfo_2() { return &___ReflectInfo_2; }
inline void set_ReflectInfo_2(RuntimeObject * value)
{
___ReflectInfo_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ReflectInfo_2), (void*)value);
}
};
// System.Net.Configuration.SocketElement
struct SocketElement_t3A1494C40F44B3BE110D39607B00AE67C9962450 : public ConfigurationElement_t571C446CFDFF39CF17130653C433786BEFF25DFA
{
public:
public:
};
// UnityEngine.SortingLayer
struct SortingLayer_tC1C56343D7E889D6E4E8CA9618F0ED488BA2F19B
{
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_tC1C56343D7E889D6E4E8CA9618F0ED488BA2F19B, ___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;
}
};
// UnityEngine.Rendering.SphericalHarmonicsL2
struct SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64
{
public:
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shr0
float ___shr0_0;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shr1
float ___shr1_1;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shr2
float ___shr2_2;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shr3
float ___shr3_3;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shr4
float ___shr4_4;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shr5
float ___shr5_5;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shr6
float ___shr6_6;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shr7
float ___shr7_7;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shr8
float ___shr8_8;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shg0
float ___shg0_9;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shg1
float ___shg1_10;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shg2
float ___shg2_11;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shg3
float ___shg3_12;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shg4
float ___shg4_13;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shg5
float ___shg5_14;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shg6
float ___shg6_15;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shg7
float ___shg7_16;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shg8
float ___shg8_17;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shb0
float ___shb0_18;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shb1
float ___shb1_19;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shb2
float ___shb2_20;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shb3
float ___shb3_21;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shb4
float ___shb4_22;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shb5
float ___shb5_23;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shb6
float ___shb6_24;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shb7
float ___shb7_25;
// System.Single UnityEngine.Rendering.SphericalHarmonicsL2::shb8
float ___shb8_26;
public:
inline static int32_t get_offset_of_shr0_0() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shr0_0)); }
inline float get_shr0_0() const { return ___shr0_0; }
inline float* get_address_of_shr0_0() { return &___shr0_0; }
inline void set_shr0_0(float value)
{
___shr0_0 = value;
}
inline static int32_t get_offset_of_shr1_1() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shr1_1)); }
inline float get_shr1_1() const { return ___shr1_1; }
inline float* get_address_of_shr1_1() { return &___shr1_1; }
inline void set_shr1_1(float value)
{
___shr1_1 = value;
}
inline static int32_t get_offset_of_shr2_2() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shr2_2)); }
inline float get_shr2_2() const { return ___shr2_2; }
inline float* get_address_of_shr2_2() { return &___shr2_2; }
inline void set_shr2_2(float value)
{
___shr2_2 = value;
}
inline static int32_t get_offset_of_shr3_3() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shr3_3)); }
inline float get_shr3_3() const { return ___shr3_3; }
inline float* get_address_of_shr3_3() { return &___shr3_3; }
inline void set_shr3_3(float value)
{
___shr3_3 = value;
}
inline static int32_t get_offset_of_shr4_4() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shr4_4)); }
inline float get_shr4_4() const { return ___shr4_4; }
inline float* get_address_of_shr4_4() { return &___shr4_4; }
inline void set_shr4_4(float value)
{
___shr4_4 = value;
}
inline static int32_t get_offset_of_shr5_5() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shr5_5)); }
inline float get_shr5_5() const { return ___shr5_5; }
inline float* get_address_of_shr5_5() { return &___shr5_5; }
inline void set_shr5_5(float value)
{
___shr5_5 = value;
}
inline static int32_t get_offset_of_shr6_6() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shr6_6)); }
inline float get_shr6_6() const { return ___shr6_6; }
inline float* get_address_of_shr6_6() { return &___shr6_6; }
inline void set_shr6_6(float value)
{
___shr6_6 = value;
}
inline static int32_t get_offset_of_shr7_7() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shr7_7)); }
inline float get_shr7_7() const { return ___shr7_7; }
inline float* get_address_of_shr7_7() { return &___shr7_7; }
inline void set_shr7_7(float value)
{
___shr7_7 = value;
}
inline static int32_t get_offset_of_shr8_8() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shr8_8)); }
inline float get_shr8_8() const { return ___shr8_8; }
inline float* get_address_of_shr8_8() { return &___shr8_8; }
inline void set_shr8_8(float value)
{
___shr8_8 = value;
}
inline static int32_t get_offset_of_shg0_9() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shg0_9)); }
inline float get_shg0_9() const { return ___shg0_9; }
inline float* get_address_of_shg0_9() { return &___shg0_9; }
inline void set_shg0_9(float value)
{
___shg0_9 = value;
}
inline static int32_t get_offset_of_shg1_10() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shg1_10)); }
inline float get_shg1_10() const { return ___shg1_10; }
inline float* get_address_of_shg1_10() { return &___shg1_10; }
inline void set_shg1_10(float value)
{
___shg1_10 = value;
}
inline static int32_t get_offset_of_shg2_11() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shg2_11)); }
inline float get_shg2_11() const { return ___shg2_11; }
inline float* get_address_of_shg2_11() { return &___shg2_11; }
inline void set_shg2_11(float value)
{
___shg2_11 = value;
}
inline static int32_t get_offset_of_shg3_12() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shg3_12)); }
inline float get_shg3_12() const { return ___shg3_12; }
inline float* get_address_of_shg3_12() { return &___shg3_12; }
inline void set_shg3_12(float value)
{
___shg3_12 = value;
}
inline static int32_t get_offset_of_shg4_13() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shg4_13)); }
inline float get_shg4_13() const { return ___shg4_13; }
inline float* get_address_of_shg4_13() { return &___shg4_13; }
inline void set_shg4_13(float value)
{
___shg4_13 = value;
}
inline static int32_t get_offset_of_shg5_14() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shg5_14)); }
inline float get_shg5_14() const { return ___shg5_14; }
inline float* get_address_of_shg5_14() { return &___shg5_14; }
inline void set_shg5_14(float value)
{
___shg5_14 = value;
}
inline static int32_t get_offset_of_shg6_15() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shg6_15)); }
inline float get_shg6_15() const { return ___shg6_15; }
inline float* get_address_of_shg6_15() { return &___shg6_15; }
inline void set_shg6_15(float value)
{
___shg6_15 = value;
}
inline static int32_t get_offset_of_shg7_16() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shg7_16)); }
inline float get_shg7_16() const { return ___shg7_16; }
inline float* get_address_of_shg7_16() { return &___shg7_16; }
inline void set_shg7_16(float value)
{
___shg7_16 = value;
}
inline static int32_t get_offset_of_shg8_17() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shg8_17)); }
inline float get_shg8_17() const { return ___shg8_17; }
inline float* get_address_of_shg8_17() { return &___shg8_17; }
inline void set_shg8_17(float value)
{
___shg8_17 = value;
}
inline static int32_t get_offset_of_shb0_18() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shb0_18)); }
inline float get_shb0_18() const { return ___shb0_18; }
inline float* get_address_of_shb0_18() { return &___shb0_18; }
inline void set_shb0_18(float value)
{
___shb0_18 = value;
}
inline static int32_t get_offset_of_shb1_19() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shb1_19)); }
inline float get_shb1_19() const { return ___shb1_19; }
inline float* get_address_of_shb1_19() { return &___shb1_19; }
inline void set_shb1_19(float value)
{
___shb1_19 = value;
}
inline static int32_t get_offset_of_shb2_20() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shb2_20)); }
inline float get_shb2_20() const { return ___shb2_20; }
inline float* get_address_of_shb2_20() { return &___shb2_20; }
inline void set_shb2_20(float value)
{
___shb2_20 = value;
}
inline static int32_t get_offset_of_shb3_21() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shb3_21)); }
inline float get_shb3_21() const { return ___shb3_21; }
inline float* get_address_of_shb3_21() { return &___shb3_21; }
inline void set_shb3_21(float value)
{
___shb3_21 = value;
}
inline static int32_t get_offset_of_shb4_22() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shb4_22)); }
inline float get_shb4_22() const { return ___shb4_22; }
inline float* get_address_of_shb4_22() { return &___shb4_22; }
inline void set_shb4_22(float value)
{
___shb4_22 = value;
}
inline static int32_t get_offset_of_shb5_23() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shb5_23)); }
inline float get_shb5_23() const { return ___shb5_23; }
inline float* get_address_of_shb5_23() { return &___shb5_23; }
inline void set_shb5_23(float value)
{
___shb5_23 = value;
}
inline static int32_t get_offset_of_shb6_24() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shb6_24)); }
inline float get_shb6_24() const { return ___shb6_24; }
inline float* get_address_of_shb6_24() { return &___shb6_24; }
inline void set_shb6_24(float value)
{
___shb6_24 = value;
}
inline static int32_t get_offset_of_shb7_25() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shb7_25)); }
inline float get_shb7_25() const { return ___shb7_25; }
inline float* get_address_of_shb7_25() { return &___shb7_25; }
inline void set_shb7_25(float value)
{
___shb7_25 = value;
}
inline static int32_t get_offset_of_shb8_26() { return static_cast<int32_t>(offsetof(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64, ___shb8_26)); }
inline float get_shb8_26() const { return ___shb8_26; }
inline float* get_address_of_shb8_26() { return &___shb8_26; }
inline void set_shb8_26(float value)
{
___shb8_26 = value;
}
};
// System.Threading.SpinWait
struct SpinWait_tEBEEDAE5AEEBBDDEA635932A22308A8398C9AED9
{
public:
// System.Int32 System.Threading.SpinWait::m_count
int32_t ___m_count_0;
public:
inline static int32_t get_offset_of_m_count_0() { return static_cast<int32_t>(offsetof(SpinWait_tEBEEDAE5AEEBBDDEA635932A22308A8398C9AED9, ___m_count_0)); }
inline int32_t get_m_count_0() const { return ___m_count_0; }
inline int32_t* get_address_of_m_count_0() { return &___m_count_0; }
inline void set_m_count_0(int32_t value)
{
___m_count_0 = value;
}
};
// UnityEngine.UI.SpriteState
struct SpriteState_t9024961148433175CE2F3D9E8E9239A8B1CAB15E
{
public:
// UnityEngine.Sprite UnityEngine.UI.SpriteState::m_HighlightedSprite
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___m_HighlightedSprite_0;
// UnityEngine.Sprite UnityEngine.UI.SpriteState::m_PressedSprite
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___m_PressedSprite_1;
// UnityEngine.Sprite UnityEngine.UI.SpriteState::m_SelectedSprite
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___m_SelectedSprite_2;
// UnityEngine.Sprite UnityEngine.UI.SpriteState::m_DisabledSprite
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___m_DisabledSprite_3;
public:
inline static int32_t get_offset_of_m_HighlightedSprite_0() { return static_cast<int32_t>(offsetof(SpriteState_t9024961148433175CE2F3D9E8E9239A8B1CAB15E, ___m_HighlightedSprite_0)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_m_HighlightedSprite_0() const { return ___m_HighlightedSprite_0; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_m_HighlightedSprite_0() { return &___m_HighlightedSprite_0; }
inline void set_m_HighlightedSprite_0(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___m_HighlightedSprite_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_HighlightedSprite_0), (void*)value);
}
inline static int32_t get_offset_of_m_PressedSprite_1() { return static_cast<int32_t>(offsetof(SpriteState_t9024961148433175CE2F3D9E8E9239A8B1CAB15E, ___m_PressedSprite_1)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_m_PressedSprite_1() const { return ___m_PressedSprite_1; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_m_PressedSprite_1() { return &___m_PressedSprite_1; }
inline void set_m_PressedSprite_1(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___m_PressedSprite_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PressedSprite_1), (void*)value);
}
inline static int32_t get_offset_of_m_SelectedSprite_2() { return static_cast<int32_t>(offsetof(SpriteState_t9024961148433175CE2F3D9E8E9239A8B1CAB15E, ___m_SelectedSprite_2)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_m_SelectedSprite_2() const { return ___m_SelectedSprite_2; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_m_SelectedSprite_2() { return &___m_SelectedSprite_2; }
inline void set_m_SelectedSprite_2(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___m_SelectedSprite_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SelectedSprite_2), (void*)value);
}
inline static int32_t get_offset_of_m_DisabledSprite_3() { return static_cast<int32_t>(offsetof(SpriteState_t9024961148433175CE2F3D9E8E9239A8B1CAB15E, ___m_DisabledSprite_3)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_m_DisabledSprite_3() const { return ___m_DisabledSprite_3; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_m_DisabledSprite_3() { return &___m_DisabledSprite_3; }
inline void set_m_DisabledSprite_3(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___m_DisabledSprite_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DisabledSprite_3), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.UI.SpriteState
struct SpriteState_t9024961148433175CE2F3D9E8E9239A8B1CAB15E_marshaled_pinvoke
{
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___m_HighlightedSprite_0;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___m_PressedSprite_1;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___m_SelectedSprite_2;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___m_DisabledSprite_3;
};
// Native definition for COM marshalling of UnityEngine.UI.SpriteState
struct SpriteState_t9024961148433175CE2F3D9E8E9239A8B1CAB15E_marshaled_com
{
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___m_HighlightedSprite_0;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___m_PressedSprite_1;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___m_SelectedSprite_2;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___m_DisabledSprite_3;
};
// System.Runtime.CompilerServices.StateMachineAttribute
struct StateMachineAttribute_tA6E77C77F821508E405473BA1C4C08A69FDA0AC3 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Type System.Runtime.CompilerServices.StateMachineAttribute::<StateMachineType>k__BackingField
Type_t * ___U3CStateMachineTypeU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CStateMachineTypeU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(StateMachineAttribute_tA6E77C77F821508E405473BA1C4C08A69FDA0AC3, ___U3CStateMachineTypeU3Ek__BackingField_0)); }
inline Type_t * get_U3CStateMachineTypeU3Ek__BackingField_0() const { return ___U3CStateMachineTypeU3Ek__BackingField_0; }
inline Type_t ** get_address_of_U3CStateMachineTypeU3Ek__BackingField_0() { return &___U3CStateMachineTypeU3Ek__BackingField_0; }
inline void set_U3CStateMachineTypeU3Ek__BackingField_0(Type_t * value)
{
___U3CStateMachineTypeU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CStateMachineTypeU3Ek__BackingField_0), (void*)value);
}
};
// System.IO.Stream
struct Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB : public MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8
{
public:
// System.IO.Stream/ReadWriteTask System.IO.Stream::_activeReadWriteTask
ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974 * ____activeReadWriteTask_2;
// System.Threading.SemaphoreSlim System.IO.Stream::_asyncActiveSemaphore
SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385 * ____asyncActiveSemaphore_3;
public:
inline static int32_t get_offset_of__activeReadWriteTask_2() { return static_cast<int32_t>(offsetof(Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB, ____activeReadWriteTask_2)); }
inline ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974 * get__activeReadWriteTask_2() const { return ____activeReadWriteTask_2; }
inline ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974 ** get_address_of__activeReadWriteTask_2() { return &____activeReadWriteTask_2; }
inline void set__activeReadWriteTask_2(ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974 * value)
{
____activeReadWriteTask_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____activeReadWriteTask_2), (void*)value);
}
inline static int32_t get_offset_of__asyncActiveSemaphore_3() { return static_cast<int32_t>(offsetof(Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB, ____asyncActiveSemaphore_3)); }
inline SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385 * get__asyncActiveSemaphore_3() const { return ____asyncActiveSemaphore_3; }
inline SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385 ** get_address_of__asyncActiveSemaphore_3() { return &____asyncActiveSemaphore_3; }
inline void set__asyncActiveSemaphore_3(SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385 * value)
{
____asyncActiveSemaphore_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____asyncActiveSemaphore_3), (void*)value);
}
};
struct Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB_StaticFields
{
public:
// System.IO.Stream System.IO.Stream::Null
Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * ___Null_1;
public:
inline static int32_t get_offset_of_Null_1() { return static_cast<int32_t>(offsetof(Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB_StaticFields, ___Null_1)); }
inline Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * get_Null_1() const { return ___Null_1; }
inline Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB ** get_address_of_Null_1() { return &___Null_1; }
inline void set_Null_1(Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * value)
{
___Null_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Null_1), (void*)value);
}
};
// System.Runtime.CompilerServices.StringFreezingAttribute
struct StringFreezingAttribute_t39D6E7BE4022A2552C37692B60D7284865D958F8 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.GlobalVariables.StringGlobalVariable
struct StringGlobalVariable_t767FBAAF5891F34686CF8AB0D857297E3619A983 : public GlobalVariable_1_t2CB49D01A6833376B5AA34A206C92BA458FD3597
{
public:
public:
};
// System.IO.StringResultHandler
struct StringResultHandler_t4FFFE75CE7D0BA0CE8DEBFFBEBEE0219E61D40C5 : public SearchResultHandler_1_tD1762938C5B5C9DD6F37A443145D75976531CF82
{
public:
// System.Boolean System.IO.StringResultHandler::_includeFiles
bool ____includeFiles_0;
// System.Boolean System.IO.StringResultHandler::_includeDirs
bool ____includeDirs_1;
public:
inline static int32_t get_offset_of__includeFiles_0() { return static_cast<int32_t>(offsetof(StringResultHandler_t4FFFE75CE7D0BA0CE8DEBFFBEBEE0219E61D40C5, ____includeFiles_0)); }
inline bool get__includeFiles_0() const { return ____includeFiles_0; }
inline bool* get_address_of__includeFiles_0() { return &____includeFiles_0; }
inline void set__includeFiles_0(bool value)
{
____includeFiles_0 = value;
}
inline static int32_t get_offset_of__includeDirs_1() { return static_cast<int32_t>(offsetof(StringResultHandler_t4FFFE75CE7D0BA0CE8DEBFFBEBEE0219E61D40C5, ____includeDirs_1)); }
inline bool get__includeDirs_1() const { return ____includeDirs_1; }
inline bool* get_address_of__includeDirs_1() { return &____includeDirs_1; }
inline void set__includeDirs_1(bool value)
{
____includeDirs_1 = value;
}
};
// UnityEngine.Localization.Tables.StringTableEntry
struct StringTableEntry_t6D879CDDDEEAE0816C7D1088BD4C26394E5BECD5 : public TableEntry_tA427D0F61CA32E93B0D893A4DB2A5BB793DF9F3F
{
public:
// UnityEngine.Localization.SmartFormat.Core.Formatting.FormatCache UnityEngine.Localization.Tables.StringTableEntry::m_FormatCache
FormatCache_t4F6B4586AEED86AD3934044A4661A92A6EB22812 * ___m_FormatCache_3;
public:
inline static int32_t get_offset_of_m_FormatCache_3() { return static_cast<int32_t>(offsetof(StringTableEntry_t6D879CDDDEEAE0816C7D1088BD4C26394E5BECD5, ___m_FormatCache_3)); }
inline FormatCache_t4F6B4586AEED86AD3934044A4661A92A6EB22812 * get_m_FormatCache_3() const { return ___m_FormatCache_3; }
inline FormatCache_t4F6B4586AEED86AD3934044A4661A92A6EB22812 ** get_address_of_m_FormatCache_3() { return &___m_FormatCache_3; }
inline void set_m_FormatCache_3(FormatCache_t4F6B4586AEED86AD3934044A4661A92A6EB22812 * value)
{
___m_FormatCache_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_FormatCache_3), (void*)value);
}
};
// TMPro.TMP_FontStyleStack
struct TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9
{
public:
// System.Byte TMPro.TMP_FontStyleStack::bold
uint8_t ___bold_0;
// System.Byte TMPro.TMP_FontStyleStack::italic
uint8_t ___italic_1;
// System.Byte TMPro.TMP_FontStyleStack::underline
uint8_t ___underline_2;
// System.Byte TMPro.TMP_FontStyleStack::strikethrough
uint8_t ___strikethrough_3;
// System.Byte TMPro.TMP_FontStyleStack::highlight
uint8_t ___highlight_4;
// System.Byte TMPro.TMP_FontStyleStack::superscript
uint8_t ___superscript_5;
// System.Byte TMPro.TMP_FontStyleStack::subscript
uint8_t ___subscript_6;
// System.Byte TMPro.TMP_FontStyleStack::uppercase
uint8_t ___uppercase_7;
// System.Byte TMPro.TMP_FontStyleStack::lowercase
uint8_t ___lowercase_8;
// System.Byte TMPro.TMP_FontStyleStack::smallcaps
uint8_t ___smallcaps_9;
public:
inline static int32_t get_offset_of_bold_0() { return static_cast<int32_t>(offsetof(TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9, ___bold_0)); }
inline uint8_t get_bold_0() const { return ___bold_0; }
inline uint8_t* get_address_of_bold_0() { return &___bold_0; }
inline void set_bold_0(uint8_t value)
{
___bold_0 = value;
}
inline static int32_t get_offset_of_italic_1() { return static_cast<int32_t>(offsetof(TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9, ___italic_1)); }
inline uint8_t get_italic_1() const { return ___italic_1; }
inline uint8_t* get_address_of_italic_1() { return &___italic_1; }
inline void set_italic_1(uint8_t value)
{
___italic_1 = value;
}
inline static int32_t get_offset_of_underline_2() { return static_cast<int32_t>(offsetof(TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9, ___underline_2)); }
inline uint8_t get_underline_2() const { return ___underline_2; }
inline uint8_t* get_address_of_underline_2() { return &___underline_2; }
inline void set_underline_2(uint8_t value)
{
___underline_2 = value;
}
inline static int32_t get_offset_of_strikethrough_3() { return static_cast<int32_t>(offsetof(TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9, ___strikethrough_3)); }
inline uint8_t get_strikethrough_3() const { return ___strikethrough_3; }
inline uint8_t* get_address_of_strikethrough_3() { return &___strikethrough_3; }
inline void set_strikethrough_3(uint8_t value)
{
___strikethrough_3 = value;
}
inline static int32_t get_offset_of_highlight_4() { return static_cast<int32_t>(offsetof(TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9, ___highlight_4)); }
inline uint8_t get_highlight_4() const { return ___highlight_4; }
inline uint8_t* get_address_of_highlight_4() { return &___highlight_4; }
inline void set_highlight_4(uint8_t value)
{
___highlight_4 = value;
}
inline static int32_t get_offset_of_superscript_5() { return static_cast<int32_t>(offsetof(TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9, ___superscript_5)); }
inline uint8_t get_superscript_5() const { return ___superscript_5; }
inline uint8_t* get_address_of_superscript_5() { return &___superscript_5; }
inline void set_superscript_5(uint8_t value)
{
___superscript_5 = value;
}
inline static int32_t get_offset_of_subscript_6() { return static_cast<int32_t>(offsetof(TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9, ___subscript_6)); }
inline uint8_t get_subscript_6() const { return ___subscript_6; }
inline uint8_t* get_address_of_subscript_6() { return &___subscript_6; }
inline void set_subscript_6(uint8_t value)
{
___subscript_6 = value;
}
inline static int32_t get_offset_of_uppercase_7() { return static_cast<int32_t>(offsetof(TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9, ___uppercase_7)); }
inline uint8_t get_uppercase_7() const { return ___uppercase_7; }
inline uint8_t* get_address_of_uppercase_7() { return &___uppercase_7; }
inline void set_uppercase_7(uint8_t value)
{
___uppercase_7 = value;
}
inline static int32_t get_offset_of_lowercase_8() { return static_cast<int32_t>(offsetof(TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9, ___lowercase_8)); }
inline uint8_t get_lowercase_8() const { return ___lowercase_8; }
inline uint8_t* get_address_of_lowercase_8() { return &___lowercase_8; }
inline void set_lowercase_8(uint8_t value)
{
___lowercase_8 = value;
}
inline static int32_t get_offset_of_smallcaps_9() { return static_cast<int32_t>(offsetof(TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9, ___smallcaps_9)); }
inline uint8_t get_smallcaps_9() const { return ___smallcaps_9; }
inline uint8_t* get_address_of_smallcaps_9() { return &___smallcaps_9; }
inline void set_smallcaps_9(uint8_t value)
{
___smallcaps_9 = value;
}
};
// TMPro.TMP_FontWeightPair
struct TMP_FontWeightPair_t247CB1B93D28CF85E17B8AD781485888D78BBD2A
{
public:
// TMPro.TMP_FontAsset TMPro.TMP_FontWeightPair::regularTypeface
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___regularTypeface_0;
// TMPro.TMP_FontAsset TMPro.TMP_FontWeightPair::italicTypeface
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___italicTypeface_1;
public:
inline static int32_t get_offset_of_regularTypeface_0() { return static_cast<int32_t>(offsetof(TMP_FontWeightPair_t247CB1B93D28CF85E17B8AD781485888D78BBD2A, ___regularTypeface_0)); }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * get_regularTypeface_0() const { return ___regularTypeface_0; }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 ** get_address_of_regularTypeface_0() { return &___regularTypeface_0; }
inline void set_regularTypeface_0(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * value)
{
___regularTypeface_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___regularTypeface_0), (void*)value);
}
inline static int32_t get_offset_of_italicTypeface_1() { return static_cast<int32_t>(offsetof(TMP_FontWeightPair_t247CB1B93D28CF85E17B8AD781485888D78BBD2A, ___italicTypeface_1)); }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * get_italicTypeface_1() const { return ___italicTypeface_1; }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 ** get_address_of_italicTypeface_1() { return &___italicTypeface_1; }
inline void set_italicTypeface_1(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * value)
{
___italicTypeface_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___italicTypeface_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of TMPro.TMP_FontWeightPair
struct TMP_FontWeightPair_t247CB1B93D28CF85E17B8AD781485888D78BBD2A_marshaled_pinvoke
{
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___regularTypeface_0;
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___italicTypeface_1;
};
// Native definition for COM marshalling of TMPro.TMP_FontWeightPair
struct TMP_FontWeightPair_t247CB1B93D28CF85E17B8AD781485888D78BBD2A_marshaled_com
{
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___regularTypeface_0;
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___italicTypeface_1;
};
// TMPro.TMP_Glyph
struct TMP_Glyph_t05C2B48EB3DF87907ED7AADCCBE6FFF8765665AD : public TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA
{
public:
public:
};
// TMPro.TMP_GlyphValueRecord
struct TMP_GlyphValueRecord_tEF00CF591899C9C5D8028D3F6C55FD7B67DFE9D2
{
public:
// System.Single TMPro.TMP_GlyphValueRecord::m_XPlacement
float ___m_XPlacement_0;
// System.Single TMPro.TMP_GlyphValueRecord::m_YPlacement
float ___m_YPlacement_1;
// System.Single TMPro.TMP_GlyphValueRecord::m_XAdvance
float ___m_XAdvance_2;
// System.Single TMPro.TMP_GlyphValueRecord::m_YAdvance
float ___m_YAdvance_3;
public:
inline static int32_t get_offset_of_m_XPlacement_0() { return static_cast<int32_t>(offsetof(TMP_GlyphValueRecord_tEF00CF591899C9C5D8028D3F6C55FD7B67DFE9D2, ___m_XPlacement_0)); }
inline float get_m_XPlacement_0() const { return ___m_XPlacement_0; }
inline float* get_address_of_m_XPlacement_0() { return &___m_XPlacement_0; }
inline void set_m_XPlacement_0(float value)
{
___m_XPlacement_0 = value;
}
inline static int32_t get_offset_of_m_YPlacement_1() { return static_cast<int32_t>(offsetof(TMP_GlyphValueRecord_tEF00CF591899C9C5D8028D3F6C55FD7B67DFE9D2, ___m_YPlacement_1)); }
inline float get_m_YPlacement_1() const { return ___m_YPlacement_1; }
inline float* get_address_of_m_YPlacement_1() { return &___m_YPlacement_1; }
inline void set_m_YPlacement_1(float value)
{
___m_YPlacement_1 = value;
}
inline static int32_t get_offset_of_m_XAdvance_2() { return static_cast<int32_t>(offsetof(TMP_GlyphValueRecord_tEF00CF591899C9C5D8028D3F6C55FD7B67DFE9D2, ___m_XAdvance_2)); }
inline float get_m_XAdvance_2() const { return ___m_XAdvance_2; }
inline float* get_address_of_m_XAdvance_2() { return &___m_XAdvance_2; }
inline void set_m_XAdvance_2(float value)
{
___m_XAdvance_2 = value;
}
inline static int32_t get_offset_of_m_YAdvance_3() { return static_cast<int32_t>(offsetof(TMP_GlyphValueRecord_tEF00CF591899C9C5D8028D3F6C55FD7B67DFE9D2, ___m_YAdvance_3)); }
inline float get_m_YAdvance_3() const { return ___m_YAdvance_3; }
inline float* get_address_of_m_YAdvance_3() { return &___m_YAdvance_3; }
inline void set_m_YAdvance_3(float value)
{
___m_YAdvance_3 = value;
}
};
// TMPro.TMP_LinkInfo
struct TMP_LinkInfo_t1BFC3C15E256E033F84E8C3A48E0AC5F64D206A6
{
public:
// TMPro.TMP_Text TMPro.TMP_LinkInfo::textComponent
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * ___textComponent_0;
// System.Int32 TMPro.TMP_LinkInfo::hashCode
int32_t ___hashCode_1;
// System.Int32 TMPro.TMP_LinkInfo::linkIdFirstCharacterIndex
int32_t ___linkIdFirstCharacterIndex_2;
// System.Int32 TMPro.TMP_LinkInfo::linkIdLength
int32_t ___linkIdLength_3;
// System.Int32 TMPro.TMP_LinkInfo::linkTextfirstCharacterIndex
int32_t ___linkTextfirstCharacterIndex_4;
// System.Int32 TMPro.TMP_LinkInfo::linkTextLength
int32_t ___linkTextLength_5;
// System.Char[] TMPro.TMP_LinkInfo::linkID
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___linkID_6;
public:
inline static int32_t get_offset_of_textComponent_0() { return static_cast<int32_t>(offsetof(TMP_LinkInfo_t1BFC3C15E256E033F84E8C3A48E0AC5F64D206A6, ___textComponent_0)); }
inline TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * get_textComponent_0() const { return ___textComponent_0; }
inline TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 ** get_address_of_textComponent_0() { return &___textComponent_0; }
inline void set_textComponent_0(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * value)
{
___textComponent_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___textComponent_0), (void*)value);
}
inline static int32_t get_offset_of_hashCode_1() { return static_cast<int32_t>(offsetof(TMP_LinkInfo_t1BFC3C15E256E033F84E8C3A48E0AC5F64D206A6, ___hashCode_1)); }
inline int32_t get_hashCode_1() const { return ___hashCode_1; }
inline int32_t* get_address_of_hashCode_1() { return &___hashCode_1; }
inline void set_hashCode_1(int32_t value)
{
___hashCode_1 = value;
}
inline static int32_t get_offset_of_linkIdFirstCharacterIndex_2() { return static_cast<int32_t>(offsetof(TMP_LinkInfo_t1BFC3C15E256E033F84E8C3A48E0AC5F64D206A6, ___linkIdFirstCharacterIndex_2)); }
inline int32_t get_linkIdFirstCharacterIndex_2() const { return ___linkIdFirstCharacterIndex_2; }
inline int32_t* get_address_of_linkIdFirstCharacterIndex_2() { return &___linkIdFirstCharacterIndex_2; }
inline void set_linkIdFirstCharacterIndex_2(int32_t value)
{
___linkIdFirstCharacterIndex_2 = value;
}
inline static int32_t get_offset_of_linkIdLength_3() { return static_cast<int32_t>(offsetof(TMP_LinkInfo_t1BFC3C15E256E033F84E8C3A48E0AC5F64D206A6, ___linkIdLength_3)); }
inline int32_t get_linkIdLength_3() const { return ___linkIdLength_3; }
inline int32_t* get_address_of_linkIdLength_3() { return &___linkIdLength_3; }
inline void set_linkIdLength_3(int32_t value)
{
___linkIdLength_3 = value;
}
inline static int32_t get_offset_of_linkTextfirstCharacterIndex_4() { return static_cast<int32_t>(offsetof(TMP_LinkInfo_t1BFC3C15E256E033F84E8C3A48E0AC5F64D206A6, ___linkTextfirstCharacterIndex_4)); }
inline int32_t get_linkTextfirstCharacterIndex_4() const { return ___linkTextfirstCharacterIndex_4; }
inline int32_t* get_address_of_linkTextfirstCharacterIndex_4() { return &___linkTextfirstCharacterIndex_4; }
inline void set_linkTextfirstCharacterIndex_4(int32_t value)
{
___linkTextfirstCharacterIndex_4 = value;
}
inline static int32_t get_offset_of_linkTextLength_5() { return static_cast<int32_t>(offsetof(TMP_LinkInfo_t1BFC3C15E256E033F84E8C3A48E0AC5F64D206A6, ___linkTextLength_5)); }
inline int32_t get_linkTextLength_5() const { return ___linkTextLength_5; }
inline int32_t* get_address_of_linkTextLength_5() { return &___linkTextLength_5; }
inline void set_linkTextLength_5(int32_t value)
{
___linkTextLength_5 = value;
}
inline static int32_t get_offset_of_linkID_6() { return static_cast<int32_t>(offsetof(TMP_LinkInfo_t1BFC3C15E256E033F84E8C3A48E0AC5F64D206A6, ___linkID_6)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_linkID_6() const { return ___linkID_6; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_linkID_6() { return &___linkID_6; }
inline void set_linkID_6(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___linkID_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___linkID_6), (void*)value);
}
};
// Native definition for P/Invoke marshalling of TMPro.TMP_LinkInfo
struct TMP_LinkInfo_t1BFC3C15E256E033F84E8C3A48E0AC5F64D206A6_marshaled_pinvoke
{
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * ___textComponent_0;
int32_t ___hashCode_1;
int32_t ___linkIdFirstCharacterIndex_2;
int32_t ___linkIdLength_3;
int32_t ___linkTextfirstCharacterIndex_4;
int32_t ___linkTextLength_5;
uint8_t* ___linkID_6;
};
// Native definition for COM marshalling of TMPro.TMP_LinkInfo
struct TMP_LinkInfo_t1BFC3C15E256E033F84E8C3A48E0AC5F64D206A6_marshaled_com
{
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * ___textComponent_0;
int32_t ___hashCode_1;
int32_t ___linkIdFirstCharacterIndex_2;
int32_t ___linkIdLength_3;
int32_t ___linkTextfirstCharacterIndex_4;
int32_t ___linkTextLength_5;
uint8_t* ___linkID_6;
};
// TMPro.TMP_MaterialReference
struct TMP_MaterialReference_t543088676AB27EF87E4F35B7346287F1858526BB
{
public:
// UnityEngine.Material TMPro.TMP_MaterialReference::material
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___material_0;
// System.Int32 TMPro.TMP_MaterialReference::referenceCount
int32_t ___referenceCount_1;
public:
inline static int32_t get_offset_of_material_0() { return static_cast<int32_t>(offsetof(TMP_MaterialReference_t543088676AB27EF87E4F35B7346287F1858526BB, ___material_0)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_material_0() const { return ___material_0; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_material_0() { return &___material_0; }
inline void set_material_0(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___material_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___material_0), (void*)value);
}
inline static int32_t get_offset_of_referenceCount_1() { return static_cast<int32_t>(offsetof(TMP_MaterialReference_t543088676AB27EF87E4F35B7346287F1858526BB, ___referenceCount_1)); }
inline int32_t get_referenceCount_1() const { return ___referenceCount_1; }
inline int32_t* get_address_of_referenceCount_1() { return &___referenceCount_1; }
inline void set_referenceCount_1(int32_t value)
{
___referenceCount_1 = value;
}
};
// Native definition for P/Invoke marshalling of TMPro.TMP_MaterialReference
struct TMP_MaterialReference_t543088676AB27EF87E4F35B7346287F1858526BB_marshaled_pinvoke
{
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___material_0;
int32_t ___referenceCount_1;
};
// Native definition for COM marshalling of TMPro.TMP_MaterialReference
struct TMP_MaterialReference_t543088676AB27EF87E4F35B7346287F1858526BB_marshaled_com
{
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___material_0;
int32_t ___referenceCount_1;
};
// TMPro.TMP_Offset
struct TMP_Offset_tFD2420EE03933F6A720EB5B66ED6B4FB67AE2117
{
public:
// System.Single TMPro.TMP_Offset::m_Left
float ___m_Left_0;
// System.Single TMPro.TMP_Offset::m_Right
float ___m_Right_1;
// System.Single TMPro.TMP_Offset::m_Top
float ___m_Top_2;
// System.Single TMPro.TMP_Offset::m_Bottom
float ___m_Bottom_3;
public:
inline static int32_t get_offset_of_m_Left_0() { return static_cast<int32_t>(offsetof(TMP_Offset_tFD2420EE03933F6A720EB5B66ED6B4FB67AE2117, ___m_Left_0)); }
inline float get_m_Left_0() const { return ___m_Left_0; }
inline float* get_address_of_m_Left_0() { return &___m_Left_0; }
inline void set_m_Left_0(float value)
{
___m_Left_0 = value;
}
inline static int32_t get_offset_of_m_Right_1() { return static_cast<int32_t>(offsetof(TMP_Offset_tFD2420EE03933F6A720EB5B66ED6B4FB67AE2117, ___m_Right_1)); }
inline float get_m_Right_1() const { return ___m_Right_1; }
inline float* get_address_of_m_Right_1() { return &___m_Right_1; }
inline void set_m_Right_1(float value)
{
___m_Right_1 = value;
}
inline static int32_t get_offset_of_m_Top_2() { return static_cast<int32_t>(offsetof(TMP_Offset_tFD2420EE03933F6A720EB5B66ED6B4FB67AE2117, ___m_Top_2)); }
inline float get_m_Top_2() const { return ___m_Top_2; }
inline float* get_address_of_m_Top_2() { return &___m_Top_2; }
inline void set_m_Top_2(float value)
{
___m_Top_2 = value;
}
inline static int32_t get_offset_of_m_Bottom_3() { return static_cast<int32_t>(offsetof(TMP_Offset_tFD2420EE03933F6A720EB5B66ED6B4FB67AE2117, ___m_Bottom_3)); }
inline float get_m_Bottom_3() const { return ___m_Bottom_3; }
inline float* get_address_of_m_Bottom_3() { return &___m_Bottom_3; }
inline void set_m_Bottom_3(float value)
{
___m_Bottom_3 = value;
}
};
struct TMP_Offset_tFD2420EE03933F6A720EB5B66ED6B4FB67AE2117_StaticFields
{
public:
// TMPro.TMP_Offset TMPro.TMP_Offset::k_ZeroOffset
TMP_Offset_tFD2420EE03933F6A720EB5B66ED6B4FB67AE2117 ___k_ZeroOffset_4;
public:
inline static int32_t get_offset_of_k_ZeroOffset_4() { return static_cast<int32_t>(offsetof(TMP_Offset_tFD2420EE03933F6A720EB5B66ED6B4FB67AE2117_StaticFields, ___k_ZeroOffset_4)); }
inline TMP_Offset_tFD2420EE03933F6A720EB5B66ED6B4FB67AE2117 get_k_ZeroOffset_4() const { return ___k_ZeroOffset_4; }
inline TMP_Offset_tFD2420EE03933F6A720EB5B66ED6B4FB67AE2117 * get_address_of_k_ZeroOffset_4() { return &___k_ZeroOffset_4; }
inline void set_k_ZeroOffset_4(TMP_Offset_tFD2420EE03933F6A720EB5B66ED6B4FB67AE2117 value)
{
___k_ZeroOffset_4 = value;
}
};
// TMPro.TMP_PageInfo
struct TMP_PageInfo_tB5F02C2AE1421D5984972F28F2ABEE49763D58CC
{
public:
// System.Int32 TMPro.TMP_PageInfo::firstCharacterIndex
int32_t ___firstCharacterIndex_0;
// System.Int32 TMPro.TMP_PageInfo::lastCharacterIndex
int32_t ___lastCharacterIndex_1;
// System.Single TMPro.TMP_PageInfo::ascender
float ___ascender_2;
// System.Single TMPro.TMP_PageInfo::baseLine
float ___baseLine_3;
// System.Single TMPro.TMP_PageInfo::descender
float ___descender_4;
public:
inline static int32_t get_offset_of_firstCharacterIndex_0() { return static_cast<int32_t>(offsetof(TMP_PageInfo_tB5F02C2AE1421D5984972F28F2ABEE49763D58CC, ___firstCharacterIndex_0)); }
inline int32_t get_firstCharacterIndex_0() const { return ___firstCharacterIndex_0; }
inline int32_t* get_address_of_firstCharacterIndex_0() { return &___firstCharacterIndex_0; }
inline void set_firstCharacterIndex_0(int32_t value)
{
___firstCharacterIndex_0 = value;
}
inline static int32_t get_offset_of_lastCharacterIndex_1() { return static_cast<int32_t>(offsetof(TMP_PageInfo_tB5F02C2AE1421D5984972F28F2ABEE49763D58CC, ___lastCharacterIndex_1)); }
inline int32_t get_lastCharacterIndex_1() const { return ___lastCharacterIndex_1; }
inline int32_t* get_address_of_lastCharacterIndex_1() { return &___lastCharacterIndex_1; }
inline void set_lastCharacterIndex_1(int32_t value)
{
___lastCharacterIndex_1 = value;
}
inline static int32_t get_offset_of_ascender_2() { return static_cast<int32_t>(offsetof(TMP_PageInfo_tB5F02C2AE1421D5984972F28F2ABEE49763D58CC, ___ascender_2)); }
inline float get_ascender_2() const { return ___ascender_2; }
inline float* get_address_of_ascender_2() { return &___ascender_2; }
inline void set_ascender_2(float value)
{
___ascender_2 = value;
}
inline static int32_t get_offset_of_baseLine_3() { return static_cast<int32_t>(offsetof(TMP_PageInfo_tB5F02C2AE1421D5984972F28F2ABEE49763D58CC, ___baseLine_3)); }
inline float get_baseLine_3() const { return ___baseLine_3; }
inline float* get_address_of_baseLine_3() { return &___baseLine_3; }
inline void set_baseLine_3(float value)
{
___baseLine_3 = value;
}
inline static int32_t get_offset_of_descender_4() { return static_cast<int32_t>(offsetof(TMP_PageInfo_tB5F02C2AE1421D5984972F28F2ABEE49763D58CC, ___descender_4)); }
inline float get_descender_4() const { return ___descender_4; }
inline float* get_address_of_descender_4() { return &___descender_4; }
inline void set_descender_4(float value)
{
___descender_4 = value;
}
};
// TMPro.TMP_SpriteInfo
struct TMP_SpriteInfo_t91CEF12D8CA7FD5DCFAD8EE703494BCBFF8131C7
{
public:
// System.Int32 TMPro.TMP_SpriteInfo::spriteIndex
int32_t ___spriteIndex_0;
// System.Int32 TMPro.TMP_SpriteInfo::characterIndex
int32_t ___characterIndex_1;
// System.Int32 TMPro.TMP_SpriteInfo::vertexIndex
int32_t ___vertexIndex_2;
public:
inline static int32_t get_offset_of_spriteIndex_0() { return static_cast<int32_t>(offsetof(TMP_SpriteInfo_t91CEF12D8CA7FD5DCFAD8EE703494BCBFF8131C7, ___spriteIndex_0)); }
inline int32_t get_spriteIndex_0() const { return ___spriteIndex_0; }
inline int32_t* get_address_of_spriteIndex_0() { return &___spriteIndex_0; }
inline void set_spriteIndex_0(int32_t value)
{
___spriteIndex_0 = value;
}
inline static int32_t get_offset_of_characterIndex_1() { return static_cast<int32_t>(offsetof(TMP_SpriteInfo_t91CEF12D8CA7FD5DCFAD8EE703494BCBFF8131C7, ___characterIndex_1)); }
inline int32_t get_characterIndex_1() const { return ___characterIndex_1; }
inline int32_t* get_address_of_characterIndex_1() { return &___characterIndex_1; }
inline void set_characterIndex_1(int32_t value)
{
___characterIndex_1 = value;
}
inline static int32_t get_offset_of_vertexIndex_2() { return static_cast<int32_t>(offsetof(TMP_SpriteInfo_t91CEF12D8CA7FD5DCFAD8EE703494BCBFF8131C7, ___vertexIndex_2)); }
inline int32_t get_vertexIndex_2() const { return ___vertexIndex_2; }
inline int32_t* get_address_of_vertexIndex_2() { return &___vertexIndex_2; }
inline void set_vertexIndex_2(int32_t value)
{
___vertexIndex_2 = value;
}
};
// TMPro.TMP_WordInfo
struct TMP_WordInfo_t168F70FD30F4875E4C84D40F9F30FCB5D2EB895C
{
public:
// TMPro.TMP_Text TMPro.TMP_WordInfo::textComponent
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * ___textComponent_0;
// System.Int32 TMPro.TMP_WordInfo::firstCharacterIndex
int32_t ___firstCharacterIndex_1;
// System.Int32 TMPro.TMP_WordInfo::lastCharacterIndex
int32_t ___lastCharacterIndex_2;
// System.Int32 TMPro.TMP_WordInfo::characterCount
int32_t ___characterCount_3;
public:
inline static int32_t get_offset_of_textComponent_0() { return static_cast<int32_t>(offsetof(TMP_WordInfo_t168F70FD30F4875E4C84D40F9F30FCB5D2EB895C, ___textComponent_0)); }
inline TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * get_textComponent_0() const { return ___textComponent_0; }
inline TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 ** get_address_of_textComponent_0() { return &___textComponent_0; }
inline void set_textComponent_0(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * value)
{
___textComponent_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___textComponent_0), (void*)value);
}
inline static int32_t get_offset_of_firstCharacterIndex_1() { return static_cast<int32_t>(offsetof(TMP_WordInfo_t168F70FD30F4875E4C84D40F9F30FCB5D2EB895C, ___firstCharacterIndex_1)); }
inline int32_t get_firstCharacterIndex_1() const { return ___firstCharacterIndex_1; }
inline int32_t* get_address_of_firstCharacterIndex_1() { return &___firstCharacterIndex_1; }
inline void set_firstCharacterIndex_1(int32_t value)
{
___firstCharacterIndex_1 = value;
}
inline static int32_t get_offset_of_lastCharacterIndex_2() { return static_cast<int32_t>(offsetof(TMP_WordInfo_t168F70FD30F4875E4C84D40F9F30FCB5D2EB895C, ___lastCharacterIndex_2)); }
inline int32_t get_lastCharacterIndex_2() const { return ___lastCharacterIndex_2; }
inline int32_t* get_address_of_lastCharacterIndex_2() { return &___lastCharacterIndex_2; }
inline void set_lastCharacterIndex_2(int32_t value)
{
___lastCharacterIndex_2 = value;
}
inline static int32_t get_offset_of_characterCount_3() { return static_cast<int32_t>(offsetof(TMP_WordInfo_t168F70FD30F4875E4C84D40F9F30FCB5D2EB895C, ___characterCount_3)); }
inline int32_t get_characterCount_3() const { return ___characterCount_3; }
inline int32_t* get_address_of_characterCount_3() { return &___characterCount_3; }
inline void set_characterCount_3(int32_t value)
{
___characterCount_3 = value;
}
};
// Native definition for P/Invoke marshalling of TMPro.TMP_WordInfo
struct TMP_WordInfo_t168F70FD30F4875E4C84D40F9F30FCB5D2EB895C_marshaled_pinvoke
{
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * ___textComponent_0;
int32_t ___firstCharacterIndex_1;
int32_t ___lastCharacterIndex_2;
int32_t ___characterCount_3;
};
// Native definition for COM marshalling of TMPro.TMP_WordInfo
struct TMP_WordInfo_t168F70FD30F4875E4C84D40F9F30FCB5D2EB895C_marshaled_com
{
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * ___textComponent_0;
int32_t ___firstCharacterIndex_1;
int32_t ___lastCharacterIndex_2;
int32_t ___characterCount_3;
};
// TMPro.TagAttribute
struct TagAttribute_tBD8D72F38DCB2FA8B13B320159A5463EEBDC0B46
{
public:
// System.Int32 TMPro.TagAttribute::startIndex
int32_t ___startIndex_0;
// System.Int32 TMPro.TagAttribute::length
int32_t ___length_1;
// System.Int32 TMPro.TagAttribute::hashCode
int32_t ___hashCode_2;
public:
inline static int32_t get_offset_of_startIndex_0() { return static_cast<int32_t>(offsetof(TagAttribute_tBD8D72F38DCB2FA8B13B320159A5463EEBDC0B46, ___startIndex_0)); }
inline int32_t get_startIndex_0() const { return ___startIndex_0; }
inline int32_t* get_address_of_startIndex_0() { return &___startIndex_0; }
inline void set_startIndex_0(int32_t value)
{
___startIndex_0 = value;
}
inline static int32_t get_offset_of_length_1() { return static_cast<int32_t>(offsetof(TagAttribute_tBD8D72F38DCB2FA8B13B320159A5463EEBDC0B46, ___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_hashCode_2() { return static_cast<int32_t>(offsetof(TagAttribute_tBD8D72F38DCB2FA8B13B320159A5463EEBDC0B46, ___hashCode_2)); }
inline int32_t get_hashCode_2() const { return ___hashCode_2; }
inline int32_t* get_address_of_hashCode_2() { return &___hashCode_2; }
inline void set_hashCode_2(int32_t value)
{
___hashCode_2 = value;
}
};
// System.Runtime.CompilerServices.TaskAwaiter
struct TaskAwaiter_t3780D365E9D10C2D6C4E76C78AA0CDF92B8F181C
{
public:
// System.Threading.Tasks.Task System.Runtime.CompilerServices.TaskAwaiter::m_task
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * ___m_task_0;
public:
inline static int32_t get_offset_of_m_task_0() { return static_cast<int32_t>(offsetof(TaskAwaiter_t3780D365E9D10C2D6C4E76C78AA0CDF92B8F181C, ___m_task_0)); }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * get_m_task_0() const { return ___m_task_0; }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 ** get_address_of_m_task_0() { return &___m_task_0; }
inline void set_m_task_0(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * value)
{
___m_task_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_task_0), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Runtime.CompilerServices.TaskAwaiter
struct TaskAwaiter_t3780D365E9D10C2D6C4E76C78AA0CDF92B8F181C_marshaled_pinvoke
{
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * ___m_task_0;
};
// Native definition for COM marshalling of System.Runtime.CompilerServices.TaskAwaiter
struct TaskAwaiter_t3780D365E9D10C2D6C4E76C78AA0CDF92B8F181C_marshaled_com
{
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * ___m_task_0;
};
// UnityEngine.Localization.SmartFormat.Extensions.TemplateFormatter
struct TemplateFormatter_tD1E414D8A7865827939FE0A82A907AD96FFA822A : public FormatterBase_t9C41952D199D3C96A9F94A46395C8E387B42FC0C
{
public:
// System.Collections.Generic.IDictionary`2<System.String,UnityEngine.Localization.SmartFormat.Core.Parsing.Format> UnityEngine.Localization.SmartFormat.Extensions.TemplateFormatter::m_Templates
RuntimeObject* ___m_Templates_1;
// UnityEngine.Localization.SmartFormat.SmartFormatter UnityEngine.Localization.SmartFormat.Extensions.TemplateFormatter::m_Formatter
SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 * ___m_Formatter_2;
public:
inline static int32_t get_offset_of_m_Templates_1() { return static_cast<int32_t>(offsetof(TemplateFormatter_tD1E414D8A7865827939FE0A82A907AD96FFA822A, ___m_Templates_1)); }
inline RuntimeObject* get_m_Templates_1() const { return ___m_Templates_1; }
inline RuntimeObject** get_address_of_m_Templates_1() { return &___m_Templates_1; }
inline void set_m_Templates_1(RuntimeObject* value)
{
___m_Templates_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Templates_1), (void*)value);
}
inline static int32_t get_offset_of_m_Formatter_2() { return static_cast<int32_t>(offsetof(TemplateFormatter_tD1E414D8A7865827939FE0A82A907AD96FFA822A, ___m_Formatter_2)); }
inline SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 * get_m_Formatter_2() const { return ___m_Formatter_2; }
inline SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 ** get_address_of_m_Formatter_2() { return &___m_Formatter_2; }
inline void set_m_Formatter_2(SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 * value)
{
___m_Formatter_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Formatter_2), (void*)value);
}
};
// System.IO.TextReader
struct TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F : public MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8
{
public:
public:
};
struct TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F_StaticFields
{
public:
// System.Func`2<System.Object,System.String> System.IO.TextReader::_ReadLineDelegate
Func_2_t060A650AB95DEF14D4F579FA5999ACEFEEE0FD82 * ____ReadLineDelegate_1;
// System.Func`2<System.Object,System.Int32> System.IO.TextReader::_ReadDelegate
Func_2_t0CEE9D1C856153BA9C23BB9D7E929D577AF37A2C * ____ReadDelegate_2;
// System.IO.TextReader System.IO.TextReader::Null
TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F * ___Null_3;
public:
inline static int32_t get_offset_of__ReadLineDelegate_1() { return static_cast<int32_t>(offsetof(TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F_StaticFields, ____ReadLineDelegate_1)); }
inline Func_2_t060A650AB95DEF14D4F579FA5999ACEFEEE0FD82 * get__ReadLineDelegate_1() const { return ____ReadLineDelegate_1; }
inline Func_2_t060A650AB95DEF14D4F579FA5999ACEFEEE0FD82 ** get_address_of__ReadLineDelegate_1() { return &____ReadLineDelegate_1; }
inline void set__ReadLineDelegate_1(Func_2_t060A650AB95DEF14D4F579FA5999ACEFEEE0FD82 * value)
{
____ReadLineDelegate_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____ReadLineDelegate_1), (void*)value);
}
inline static int32_t get_offset_of__ReadDelegate_2() { return static_cast<int32_t>(offsetof(TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F_StaticFields, ____ReadDelegate_2)); }
inline Func_2_t0CEE9D1C856153BA9C23BB9D7E929D577AF37A2C * get__ReadDelegate_2() const { return ____ReadDelegate_2; }
inline Func_2_t0CEE9D1C856153BA9C23BB9D7E929D577AF37A2C ** get_address_of__ReadDelegate_2() { return &____ReadDelegate_2; }
inline void set__ReadDelegate_2(Func_2_t0CEE9D1C856153BA9C23BB9D7E929D577AF37A2C * value)
{
____ReadDelegate_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____ReadDelegate_2), (void*)value);
}
inline static int32_t get_offset_of_Null_3() { return static_cast<int32_t>(offsetof(TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F_StaticFields, ___Null_3)); }
inline TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F * get_Null_3() const { return ___Null_3; }
inline TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F ** get_address_of_Null_3() { return &___Null_3; }
inline void set_Null_3(TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F * value)
{
___Null_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Null_3), (void*)value);
}
};
// System.IO.TextWriter
struct TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 : public MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8
{
public:
// System.Char[] System.IO.TextWriter::CoreNewLine
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___CoreNewLine_9;
// System.IFormatProvider System.IO.TextWriter::InternalFormatProvider
RuntimeObject* ___InternalFormatProvider_10;
public:
inline static int32_t get_offset_of_CoreNewLine_9() { return static_cast<int32_t>(offsetof(TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643, ___CoreNewLine_9)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_CoreNewLine_9() const { return ___CoreNewLine_9; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_CoreNewLine_9() { return &___CoreNewLine_9; }
inline void set_CoreNewLine_9(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___CoreNewLine_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___CoreNewLine_9), (void*)value);
}
inline static int32_t get_offset_of_InternalFormatProvider_10() { return static_cast<int32_t>(offsetof(TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643, ___InternalFormatProvider_10)); }
inline RuntimeObject* get_InternalFormatProvider_10() const { return ___InternalFormatProvider_10; }
inline RuntimeObject** get_address_of_InternalFormatProvider_10() { return &___InternalFormatProvider_10; }
inline void set_InternalFormatProvider_10(RuntimeObject* value)
{
___InternalFormatProvider_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___InternalFormatProvider_10), (void*)value);
}
};
struct TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643_StaticFields
{
public:
// System.IO.TextWriter System.IO.TextWriter::Null
TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 * ___Null_1;
// System.Action`1<System.Object> System.IO.TextWriter::_WriteCharDelegate
Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * ____WriteCharDelegate_2;
// System.Action`1<System.Object> System.IO.TextWriter::_WriteStringDelegate
Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * ____WriteStringDelegate_3;
// System.Action`1<System.Object> System.IO.TextWriter::_WriteCharArrayRangeDelegate
Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * ____WriteCharArrayRangeDelegate_4;
// System.Action`1<System.Object> System.IO.TextWriter::_WriteLineCharDelegate
Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * ____WriteLineCharDelegate_5;
// System.Action`1<System.Object> System.IO.TextWriter::_WriteLineStringDelegate
Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * ____WriteLineStringDelegate_6;
// System.Action`1<System.Object> System.IO.TextWriter::_WriteLineCharArrayRangeDelegate
Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * ____WriteLineCharArrayRangeDelegate_7;
// System.Action`1<System.Object> System.IO.TextWriter::_FlushDelegate
Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * ____FlushDelegate_8;
public:
inline static int32_t get_offset_of_Null_1() { return static_cast<int32_t>(offsetof(TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643_StaticFields, ___Null_1)); }
inline TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 * get_Null_1() const { return ___Null_1; }
inline TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 ** get_address_of_Null_1() { return &___Null_1; }
inline void set_Null_1(TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 * value)
{
___Null_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Null_1), (void*)value);
}
inline static int32_t get_offset_of__WriteCharDelegate_2() { return static_cast<int32_t>(offsetof(TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643_StaticFields, ____WriteCharDelegate_2)); }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * get__WriteCharDelegate_2() const { return ____WriteCharDelegate_2; }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC ** get_address_of__WriteCharDelegate_2() { return &____WriteCharDelegate_2; }
inline void set__WriteCharDelegate_2(Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * value)
{
____WriteCharDelegate_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____WriteCharDelegate_2), (void*)value);
}
inline static int32_t get_offset_of__WriteStringDelegate_3() { return static_cast<int32_t>(offsetof(TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643_StaticFields, ____WriteStringDelegate_3)); }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * get__WriteStringDelegate_3() const { return ____WriteStringDelegate_3; }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC ** get_address_of__WriteStringDelegate_3() { return &____WriteStringDelegate_3; }
inline void set__WriteStringDelegate_3(Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * value)
{
____WriteStringDelegate_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____WriteStringDelegate_3), (void*)value);
}
inline static int32_t get_offset_of__WriteCharArrayRangeDelegate_4() { return static_cast<int32_t>(offsetof(TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643_StaticFields, ____WriteCharArrayRangeDelegate_4)); }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * get__WriteCharArrayRangeDelegate_4() const { return ____WriteCharArrayRangeDelegate_4; }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC ** get_address_of__WriteCharArrayRangeDelegate_4() { return &____WriteCharArrayRangeDelegate_4; }
inline void set__WriteCharArrayRangeDelegate_4(Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * value)
{
____WriteCharArrayRangeDelegate_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____WriteCharArrayRangeDelegate_4), (void*)value);
}
inline static int32_t get_offset_of__WriteLineCharDelegate_5() { return static_cast<int32_t>(offsetof(TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643_StaticFields, ____WriteLineCharDelegate_5)); }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * get__WriteLineCharDelegate_5() const { return ____WriteLineCharDelegate_5; }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC ** get_address_of__WriteLineCharDelegate_5() { return &____WriteLineCharDelegate_5; }
inline void set__WriteLineCharDelegate_5(Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * value)
{
____WriteLineCharDelegate_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____WriteLineCharDelegate_5), (void*)value);
}
inline static int32_t get_offset_of__WriteLineStringDelegate_6() { return static_cast<int32_t>(offsetof(TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643_StaticFields, ____WriteLineStringDelegate_6)); }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * get__WriteLineStringDelegate_6() const { return ____WriteLineStringDelegate_6; }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC ** get_address_of__WriteLineStringDelegate_6() { return &____WriteLineStringDelegate_6; }
inline void set__WriteLineStringDelegate_6(Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * value)
{
____WriteLineStringDelegate_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____WriteLineStringDelegate_6), (void*)value);
}
inline static int32_t get_offset_of__WriteLineCharArrayRangeDelegate_7() { return static_cast<int32_t>(offsetof(TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643_StaticFields, ____WriteLineCharArrayRangeDelegate_7)); }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * get__WriteLineCharArrayRangeDelegate_7() const { return ____WriteLineCharArrayRangeDelegate_7; }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC ** get_address_of__WriteLineCharArrayRangeDelegate_7() { return &____WriteLineCharArrayRangeDelegate_7; }
inline void set__WriteLineCharArrayRangeDelegate_7(Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * value)
{
____WriteLineCharArrayRangeDelegate_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&____WriteLineCharArrayRangeDelegate_7), (void*)value);
}
inline static int32_t get_offset_of__FlushDelegate_8() { return static_cast<int32_t>(offsetof(TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643_StaticFields, ____FlushDelegate_8)); }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * get__FlushDelegate_8() const { return ____FlushDelegate_8; }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC ** get_address_of__FlushDelegate_8() { return &____FlushDelegate_8; }
inline void set__FlushDelegate_8(Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * value)
{
____FlushDelegate_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&____FlushDelegate_8), (void*)value);
}
};
// System.Threading.Thread
struct Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414 : public CriticalFinalizerObject_tA3367C832FFE7434EB3C15C7136AF25524150997
{
public:
// System.Threading.InternalThread System.Threading.Thread::internal_thread
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB * ___internal_thread_6;
// System.Object System.Threading.Thread::m_ThreadStartArg
RuntimeObject * ___m_ThreadStartArg_7;
// System.Object System.Threading.Thread::pending_exception
RuntimeObject * ___pending_exception_8;
// System.Security.Principal.IPrincipal System.Threading.Thread::principal
RuntimeObject* ___principal_9;
// System.Int32 System.Threading.Thread::principal_version
int32_t ___principal_version_10;
// System.MulticastDelegate System.Threading.Thread::m_Delegate
MulticastDelegate_t * ___m_Delegate_12;
// System.Threading.ExecutionContext System.Threading.Thread::m_ExecutionContext
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * ___m_ExecutionContext_13;
// System.Boolean System.Threading.Thread::m_ExecutionContextBelongsToOuterScope
bool ___m_ExecutionContextBelongsToOuterScope_14;
public:
inline static int32_t get_offset_of_internal_thread_6() { return static_cast<int32_t>(offsetof(Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414, ___internal_thread_6)); }
inline InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB * get_internal_thread_6() const { return ___internal_thread_6; }
inline InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB ** get_address_of_internal_thread_6() { return &___internal_thread_6; }
inline void set_internal_thread_6(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB * value)
{
___internal_thread_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___internal_thread_6), (void*)value);
}
inline static int32_t get_offset_of_m_ThreadStartArg_7() { return static_cast<int32_t>(offsetof(Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414, ___m_ThreadStartArg_7)); }
inline RuntimeObject * get_m_ThreadStartArg_7() const { return ___m_ThreadStartArg_7; }
inline RuntimeObject ** get_address_of_m_ThreadStartArg_7() { return &___m_ThreadStartArg_7; }
inline void set_m_ThreadStartArg_7(RuntimeObject * value)
{
___m_ThreadStartArg_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ThreadStartArg_7), (void*)value);
}
inline static int32_t get_offset_of_pending_exception_8() { return static_cast<int32_t>(offsetof(Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414, ___pending_exception_8)); }
inline RuntimeObject * get_pending_exception_8() const { return ___pending_exception_8; }
inline RuntimeObject ** get_address_of_pending_exception_8() { return &___pending_exception_8; }
inline void set_pending_exception_8(RuntimeObject * value)
{
___pending_exception_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___pending_exception_8), (void*)value);
}
inline static int32_t get_offset_of_principal_9() { return static_cast<int32_t>(offsetof(Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414, ___principal_9)); }
inline RuntimeObject* get_principal_9() const { return ___principal_9; }
inline RuntimeObject** get_address_of_principal_9() { return &___principal_9; }
inline void set_principal_9(RuntimeObject* value)
{
___principal_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___principal_9), (void*)value);
}
inline static int32_t get_offset_of_principal_version_10() { return static_cast<int32_t>(offsetof(Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414, ___principal_version_10)); }
inline int32_t get_principal_version_10() const { return ___principal_version_10; }
inline int32_t* get_address_of_principal_version_10() { return &___principal_version_10; }
inline void set_principal_version_10(int32_t value)
{
___principal_version_10 = value;
}
inline static int32_t get_offset_of_m_Delegate_12() { return static_cast<int32_t>(offsetof(Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414, ___m_Delegate_12)); }
inline MulticastDelegate_t * get_m_Delegate_12() const { return ___m_Delegate_12; }
inline MulticastDelegate_t ** get_address_of_m_Delegate_12() { return &___m_Delegate_12; }
inline void set_m_Delegate_12(MulticastDelegate_t * value)
{
___m_Delegate_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Delegate_12), (void*)value);
}
inline static int32_t get_offset_of_m_ExecutionContext_13() { return static_cast<int32_t>(offsetof(Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414, ___m_ExecutionContext_13)); }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * get_m_ExecutionContext_13() const { return ___m_ExecutionContext_13; }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 ** get_address_of_m_ExecutionContext_13() { return &___m_ExecutionContext_13; }
inline void set_m_ExecutionContext_13(ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * value)
{
___m_ExecutionContext_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ExecutionContext_13), (void*)value);
}
inline static int32_t get_offset_of_m_ExecutionContextBelongsToOuterScope_14() { return static_cast<int32_t>(offsetof(Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414, ___m_ExecutionContextBelongsToOuterScope_14)); }
inline bool get_m_ExecutionContextBelongsToOuterScope_14() const { return ___m_ExecutionContextBelongsToOuterScope_14; }
inline bool* get_address_of_m_ExecutionContextBelongsToOuterScope_14() { return &___m_ExecutionContextBelongsToOuterScope_14; }
inline void set_m_ExecutionContextBelongsToOuterScope_14(bool value)
{
___m_ExecutionContextBelongsToOuterScope_14 = value;
}
};
struct Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414_StaticFields
{
public:
// System.LocalDataStoreMgr System.Threading.Thread::s_LocalDataStoreMgr
LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A * ___s_LocalDataStoreMgr_0;
// System.Threading.AsyncLocal`1<System.Globalization.CultureInfo> System.Threading.Thread::s_asyncLocalCurrentCulture
AsyncLocal_1_t480A201BA0D1C62C2C6FA6598EEDF7BB35D85349 * ___s_asyncLocalCurrentCulture_4;
// System.Threading.AsyncLocal`1<System.Globalization.CultureInfo> System.Threading.Thread::s_asyncLocalCurrentUICulture
AsyncLocal_1_t480A201BA0D1C62C2C6FA6598EEDF7BB35D85349 * ___s_asyncLocalCurrentUICulture_5;
public:
inline static int32_t get_offset_of_s_LocalDataStoreMgr_0() { return static_cast<int32_t>(offsetof(Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414_StaticFields, ___s_LocalDataStoreMgr_0)); }
inline LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A * get_s_LocalDataStoreMgr_0() const { return ___s_LocalDataStoreMgr_0; }
inline LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A ** get_address_of_s_LocalDataStoreMgr_0() { return &___s_LocalDataStoreMgr_0; }
inline void set_s_LocalDataStoreMgr_0(LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A * value)
{
___s_LocalDataStoreMgr_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_LocalDataStoreMgr_0), (void*)value);
}
inline static int32_t get_offset_of_s_asyncLocalCurrentCulture_4() { return static_cast<int32_t>(offsetof(Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414_StaticFields, ___s_asyncLocalCurrentCulture_4)); }
inline AsyncLocal_1_t480A201BA0D1C62C2C6FA6598EEDF7BB35D85349 * get_s_asyncLocalCurrentCulture_4() const { return ___s_asyncLocalCurrentCulture_4; }
inline AsyncLocal_1_t480A201BA0D1C62C2C6FA6598EEDF7BB35D85349 ** get_address_of_s_asyncLocalCurrentCulture_4() { return &___s_asyncLocalCurrentCulture_4; }
inline void set_s_asyncLocalCurrentCulture_4(AsyncLocal_1_t480A201BA0D1C62C2C6FA6598EEDF7BB35D85349 * value)
{
___s_asyncLocalCurrentCulture_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_asyncLocalCurrentCulture_4), (void*)value);
}
inline static int32_t get_offset_of_s_asyncLocalCurrentUICulture_5() { return static_cast<int32_t>(offsetof(Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414_StaticFields, ___s_asyncLocalCurrentUICulture_5)); }
inline AsyncLocal_1_t480A201BA0D1C62C2C6FA6598EEDF7BB35D85349 * get_s_asyncLocalCurrentUICulture_5() const { return ___s_asyncLocalCurrentUICulture_5; }
inline AsyncLocal_1_t480A201BA0D1C62C2C6FA6598EEDF7BB35D85349 ** get_address_of_s_asyncLocalCurrentUICulture_5() { return &___s_asyncLocalCurrentUICulture_5; }
inline void set_s_asyncLocalCurrentUICulture_5(AsyncLocal_1_t480A201BA0D1C62C2C6FA6598EEDF7BB35D85349 * value)
{
___s_asyncLocalCurrentUICulture_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_asyncLocalCurrentUICulture_5), (void*)value);
}
};
struct Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414_ThreadStaticFields
{
public:
// System.LocalDataStoreHolder System.Threading.Thread::s_LocalDataStore
LocalDataStoreHolder_tF51C9DD735A89132114AE47E3EB51C11D0FED146 * ___s_LocalDataStore_1;
// System.Globalization.CultureInfo System.Threading.Thread::m_CurrentCulture
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * ___m_CurrentCulture_2;
// System.Globalization.CultureInfo System.Threading.Thread::m_CurrentUICulture
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * ___m_CurrentUICulture_3;
// System.Threading.Thread System.Threading.Thread::current_thread
Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414 * ___current_thread_11;
public:
inline static int32_t get_offset_of_s_LocalDataStore_1() { return static_cast<int32_t>(offsetof(Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414_ThreadStaticFields, ___s_LocalDataStore_1)); }
inline LocalDataStoreHolder_tF51C9DD735A89132114AE47E3EB51C11D0FED146 * get_s_LocalDataStore_1() const { return ___s_LocalDataStore_1; }
inline LocalDataStoreHolder_tF51C9DD735A89132114AE47E3EB51C11D0FED146 ** get_address_of_s_LocalDataStore_1() { return &___s_LocalDataStore_1; }
inline void set_s_LocalDataStore_1(LocalDataStoreHolder_tF51C9DD735A89132114AE47E3EB51C11D0FED146 * value)
{
___s_LocalDataStore_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_LocalDataStore_1), (void*)value);
}
inline static int32_t get_offset_of_m_CurrentCulture_2() { return static_cast<int32_t>(offsetof(Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414_ThreadStaticFields, ___m_CurrentCulture_2)); }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * get_m_CurrentCulture_2() const { return ___m_CurrentCulture_2; }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 ** get_address_of_m_CurrentCulture_2() { return &___m_CurrentCulture_2; }
inline void set_m_CurrentCulture_2(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * value)
{
___m_CurrentCulture_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CurrentCulture_2), (void*)value);
}
inline static int32_t get_offset_of_m_CurrentUICulture_3() { return static_cast<int32_t>(offsetof(Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414_ThreadStaticFields, ___m_CurrentUICulture_3)); }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * get_m_CurrentUICulture_3() const { return ___m_CurrentUICulture_3; }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 ** get_address_of_m_CurrentUICulture_3() { return &___m_CurrentUICulture_3; }
inline void set_m_CurrentUICulture_3(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * value)
{
___m_CurrentUICulture_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CurrentUICulture_3), (void*)value);
}
inline static int32_t get_offset_of_current_thread_11() { return static_cast<int32_t>(offsetof(Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414_ThreadStaticFields, ___current_thread_11)); }
inline Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414 * get_current_thread_11() const { return ___current_thread_11; }
inline Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414 ** get_address_of_current_thread_11() { return &___current_thread_11; }
inline void set_current_thread_11(Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414 * value)
{
___current_thread_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___current_thread_11), (void*)value);
}
};
// UnityEngine.ThreadAndSerializationSafeAttribute
struct ThreadAndSerializationSafeAttribute_t41719A461F31891B2536A2E4A1E983DD7E428E7B : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.ThreadStaticAttribute
struct ThreadStaticAttribute_tD3A8F4870EC5B163383AB888C364217A38134F14 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.PlayerLoop.TimeUpdate
struct TimeUpdate_t9669F154A0A7A571AC439DB7F56FCD39BA20BEEB
{
public:
union
{
struct
{
};
uint8_t TimeUpdate_t9669F154A0A7A571AC439DB7F56FCD39BA20BEEB__padding[1];
};
public:
};
// System.Threading.Timer
struct Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB : public MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8
{
public:
// System.Threading.TimerCallback System.Threading.Timer::callback
TimerCallback_tD193CC50BF27E129E6857E1E8A7EAC24BD131814 * ___callback_2;
// System.Object System.Threading.Timer::state
RuntimeObject * ___state_3;
// System.Int64 System.Threading.Timer::due_time_ms
int64_t ___due_time_ms_4;
// System.Int64 System.Threading.Timer::period_ms
int64_t ___period_ms_5;
// System.Int64 System.Threading.Timer::next_run
int64_t ___next_run_6;
// System.Boolean System.Threading.Timer::disposed
bool ___disposed_7;
public:
inline static int32_t get_offset_of_callback_2() { return static_cast<int32_t>(offsetof(Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB, ___callback_2)); }
inline TimerCallback_tD193CC50BF27E129E6857E1E8A7EAC24BD131814 * get_callback_2() const { return ___callback_2; }
inline TimerCallback_tD193CC50BF27E129E6857E1E8A7EAC24BD131814 ** get_address_of_callback_2() { return &___callback_2; }
inline void set_callback_2(TimerCallback_tD193CC50BF27E129E6857E1E8A7EAC24BD131814 * value)
{
___callback_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___callback_2), (void*)value);
}
inline static int32_t get_offset_of_state_3() { return static_cast<int32_t>(offsetof(Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB, ___state_3)); }
inline RuntimeObject * get_state_3() const { return ___state_3; }
inline RuntimeObject ** get_address_of_state_3() { return &___state_3; }
inline void set_state_3(RuntimeObject * value)
{
___state_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___state_3), (void*)value);
}
inline static int32_t get_offset_of_due_time_ms_4() { return static_cast<int32_t>(offsetof(Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB, ___due_time_ms_4)); }
inline int64_t get_due_time_ms_4() const { return ___due_time_ms_4; }
inline int64_t* get_address_of_due_time_ms_4() { return &___due_time_ms_4; }
inline void set_due_time_ms_4(int64_t value)
{
___due_time_ms_4 = value;
}
inline static int32_t get_offset_of_period_ms_5() { return static_cast<int32_t>(offsetof(Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB, ___period_ms_5)); }
inline int64_t get_period_ms_5() const { return ___period_ms_5; }
inline int64_t* get_address_of_period_ms_5() { return &___period_ms_5; }
inline void set_period_ms_5(int64_t value)
{
___period_ms_5 = value;
}
inline static int32_t get_offset_of_next_run_6() { return static_cast<int32_t>(offsetof(Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB, ___next_run_6)); }
inline int64_t get_next_run_6() const { return ___next_run_6; }
inline int64_t* get_address_of_next_run_6() { return &___next_run_6; }
inline void set_next_run_6(int64_t value)
{
___next_run_6 = value;
}
inline static int32_t get_offset_of_disposed_7() { return static_cast<int32_t>(offsetof(Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB, ___disposed_7)); }
inline bool get_disposed_7() const { return ___disposed_7; }
inline bool* get_address_of_disposed_7() { return &___disposed_7; }
inline void set_disposed_7(bool value)
{
___disposed_7 = value;
}
};
struct Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB_StaticFields
{
public:
// System.Threading.Timer/Scheduler System.Threading.Timer::scheduler
Scheduler_tA54A9F57127EDB44B4AE39C04A488F33193349D8 * ___scheduler_1;
public:
inline static int32_t get_offset_of_scheduler_1() { return static_cast<int32_t>(offsetof(Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB_StaticFields, ___scheduler_1)); }
inline Scheduler_tA54A9F57127EDB44B4AE39C04A488F33193349D8 * get_scheduler_1() const { return ___scheduler_1; }
inline Scheduler_tA54A9F57127EDB44B4AE39C04A488F33193349D8 ** get_address_of_scheduler_1() { return &___scheduler_1; }
inline void set_scheduler_1(Scheduler_tA54A9F57127EDB44B4AE39C04A488F33193349D8 * value)
{
___scheduler_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___scheduler_1), (void*)value);
}
};
// UnityEngine.TouchScreenKeyboard_InternalConstructorHelperArguments
struct TouchScreenKeyboard_InternalConstructorHelperArguments_t4012BB94455FA8D977F66DCDFB6B6BE7FC417C9F
{
public:
// System.UInt32 UnityEngine.TouchScreenKeyboard_InternalConstructorHelperArguments::keyboardType
uint32_t ___keyboardType_0;
// System.UInt32 UnityEngine.TouchScreenKeyboard_InternalConstructorHelperArguments::autocorrection
uint32_t ___autocorrection_1;
// System.UInt32 UnityEngine.TouchScreenKeyboard_InternalConstructorHelperArguments::multiline
uint32_t ___multiline_2;
// System.UInt32 UnityEngine.TouchScreenKeyboard_InternalConstructorHelperArguments::secure
uint32_t ___secure_3;
// System.UInt32 UnityEngine.TouchScreenKeyboard_InternalConstructorHelperArguments::alert
uint32_t ___alert_4;
// System.Int32 UnityEngine.TouchScreenKeyboard_InternalConstructorHelperArguments::characterLimit
int32_t ___characterLimit_5;
public:
inline static int32_t get_offset_of_keyboardType_0() { return static_cast<int32_t>(offsetof(TouchScreenKeyboard_InternalConstructorHelperArguments_t4012BB94455FA8D977F66DCDFB6B6BE7FC417C9F, ___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_t4012BB94455FA8D977F66DCDFB6B6BE7FC417C9F, ___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_t4012BB94455FA8D977F66DCDFB6B6BE7FC417C9F, ___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_t4012BB94455FA8D977F66DCDFB6B6BE7FC417C9F, ___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_t4012BB94455FA8D977F66DCDFB6B6BE7FC417C9F, ___alert_4)); }
inline uint32_t get_alert_4() const { return ___alert_4; }
inline uint32_t* get_address_of_alert_4() { return &___alert_4; }
inline void set_alert_4(uint32_t value)
{
___alert_4 = value;
}
inline static int32_t get_offset_of_characterLimit_5() { return static_cast<int32_t>(offsetof(TouchScreenKeyboard_InternalConstructorHelperArguments_t4012BB94455FA8D977F66DCDFB6B6BE7FC417C9F, ___characterLimit_5)); }
inline int32_t get_characterLimit_5() const { return ___characterLimit_5; }
inline int32_t* get_address_of_characterLimit_5() { return &___characterLimit_5; }
inline void set_characterLimit_5(int32_t value)
{
___characterLimit_5 = value;
}
};
// UnityEngine.XR.ARSubsystems.TrackableId
struct TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B
{
public:
// System.UInt64 UnityEngine.XR.ARSubsystems.TrackableId::m_SubId1
uint64_t ___m_SubId1_2;
// System.UInt64 UnityEngine.XR.ARSubsystems.TrackableId::m_SubId2
uint64_t ___m_SubId2_3;
public:
inline static int32_t get_offset_of_m_SubId1_2() { return static_cast<int32_t>(offsetof(TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B, ___m_SubId1_2)); }
inline uint64_t get_m_SubId1_2() const { return ___m_SubId1_2; }
inline uint64_t* get_address_of_m_SubId1_2() { return &___m_SubId1_2; }
inline void set_m_SubId1_2(uint64_t value)
{
___m_SubId1_2 = value;
}
inline static int32_t get_offset_of_m_SubId2_3() { return static_cast<int32_t>(offsetof(TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B, ___m_SubId2_3)); }
inline uint64_t get_m_SubId2_3() const { return ___m_SubId2_3; }
inline uint64_t* get_address_of_m_SubId2_3() { return &___m_SubId2_3; }
inline void set_m_SubId2_3(uint64_t value)
{
___m_SubId2_3 = value;
}
};
struct TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B_StaticFields
{
public:
// System.Text.RegularExpressions.Regex UnityEngine.XR.ARSubsystems.TrackableId::s_TrackableIdRegex
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * ___s_TrackableIdRegex_0;
// UnityEngine.XR.ARSubsystems.TrackableId UnityEngine.XR.ARSubsystems.TrackableId::s_InvalidId
TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B ___s_InvalidId_1;
public:
inline static int32_t get_offset_of_s_TrackableIdRegex_0() { return static_cast<int32_t>(offsetof(TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B_StaticFields, ___s_TrackableIdRegex_0)); }
inline Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * get_s_TrackableIdRegex_0() const { return ___s_TrackableIdRegex_0; }
inline Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F ** get_address_of_s_TrackableIdRegex_0() { return &___s_TrackableIdRegex_0; }
inline void set_s_TrackableIdRegex_0(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * value)
{
___s_TrackableIdRegex_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_TrackableIdRegex_0), (void*)value);
}
inline static int32_t get_offset_of_s_InvalidId_1() { return static_cast<int32_t>(offsetof(TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B_StaticFields, ___s_InvalidId_1)); }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B get_s_InvalidId_1() const { return ___s_InvalidId_1; }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B * get_address_of_s_InvalidId_1() { return &___s_InvalidId_1; }
inline void set_s_InvalidId_1(TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B value)
{
___s_InvalidId_1 = value;
}
};
// System.Runtime.CompilerServices.TupleElementNamesAttribute
struct TupleElementNamesAttribute_tA4BB7E54E3D9A06A7EA4334EC48A0BFC809F65FD : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String[] System.Runtime.CompilerServices.TupleElementNamesAttribute::_transformNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ____transformNames_0;
public:
inline static int32_t get_offset_of__transformNames_0() { return static_cast<int32_t>(offsetof(TupleElementNamesAttribute_tA4BB7E54E3D9A06A7EA4334EC48A0BFC809F65FD, ____transformNames_0)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get__transformNames_0() const { return ____transformNames_0; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of__transformNames_0() { return &____transformNames_0; }
inline void set__transformNames_0(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
____transformNames_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____transformNames_0), (void*)value);
}
};
// System.ComponentModel.TypeConverterAttribute
struct TypeConverterAttribute_t2C9750F302F83A7710D031C00A7CEBDA8F0C3F83 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.ComponentModel.TypeConverterAttribute::typeName
String_t* ___typeName_0;
public:
inline static int32_t get_offset_of_typeName_0() { return static_cast<int32_t>(offsetof(TypeConverterAttribute_t2C9750F302F83A7710D031C00A7CEBDA8F0C3F83, ___typeName_0)); }
inline String_t* get_typeName_0() const { return ___typeName_0; }
inline String_t** get_address_of_typeName_0() { return &___typeName_0; }
inline void set_typeName_0(String_t* value)
{
___typeName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeName_0), (void*)value);
}
};
struct TypeConverterAttribute_t2C9750F302F83A7710D031C00A7CEBDA8F0C3F83_StaticFields
{
public:
// System.ComponentModel.TypeConverterAttribute System.ComponentModel.TypeConverterAttribute::Default
TypeConverterAttribute_t2C9750F302F83A7710D031C00A7CEBDA8F0C3F83 * ___Default_1;
public:
inline static int32_t get_offset_of_Default_1() { return static_cast<int32_t>(offsetof(TypeConverterAttribute_t2C9750F302F83A7710D031C00A7CEBDA8F0C3F83_StaticFields, ___Default_1)); }
inline TypeConverterAttribute_t2C9750F302F83A7710D031C00A7CEBDA8F0C3F83 * get_Default_1() const { return ___Default_1; }
inline TypeConverterAttribute_t2C9750F302F83A7710D031C00A7CEBDA8F0C3F83 ** get_address_of_Default_1() { return &___Default_1; }
inline void set_Default_1(TypeConverterAttribute_t2C9750F302F83A7710D031C00A7CEBDA8F0C3F83 * value)
{
___Default_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Default_1), (void*)value);
}
};
// System.Runtime.CompilerServices.TypeDependencyAttribute
struct TypeDependencyAttribute_tFF8DAB85FA35691CE24562D9137E2948CC2083B1 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Runtime.CompilerServices.TypeDependencyAttribute::typeName
String_t* ___typeName_0;
public:
inline static int32_t get_offset_of_typeName_0() { return static_cast<int32_t>(offsetof(TypeDependencyAttribute_tFF8DAB85FA35691CE24562D9137E2948CC2083B1, ___typeName_0)); }
inline String_t* get_typeName_0() const { return ___typeName_0; }
inline String_t** get_address_of_typeName_0() { return &___typeName_0; }
inline void set_typeName_0(String_t* value)
{
___typeName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeName_0), (void*)value);
}
};
// System.ComponentModel.TypeDescriptionProviderAttribute
struct TypeDescriptionProviderAttribute_t869915485F04ACF6C3CA00AC600047B00D55A42B : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.ComponentModel.TypeDescriptionProviderAttribute::_typeName
String_t* ____typeName_0;
public:
inline static int32_t get_offset_of__typeName_0() { return static_cast<int32_t>(offsetof(TypeDescriptionProviderAttribute_t869915485F04ACF6C3CA00AC600047B00D55A42B, ____typeName_0)); }
inline String_t* get__typeName_0() const { return ____typeName_0; }
inline String_t** get_address_of__typeName_0() { return &____typeName_0; }
inline void set__typeName_0(String_t* value)
{
____typeName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____typeName_0), (void*)value);
}
};
// System.Runtime.CompilerServices.TypeForwardedFromAttribute
struct TypeForwardedFromAttribute_t8720B6C728D073F01D73931060E2925C1D1909F9 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Runtime.CompilerServices.TypeForwardedFromAttribute::assemblyFullName
String_t* ___assemblyFullName_0;
public:
inline static int32_t get_offset_of_assemblyFullName_0() { return static_cast<int32_t>(offsetof(TypeForwardedFromAttribute_t8720B6C728D073F01D73931060E2925C1D1909F9, ___assemblyFullName_0)); }
inline String_t* get_assemblyFullName_0() const { return ___assemblyFullName_0; }
inline String_t** get_address_of_assemblyFullName_0() { return &___assemblyFullName_0; }
inline void set_assemblyFullName_0(String_t* value)
{
___assemblyFullName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assemblyFullName_0), (void*)value);
}
};
// UnityEngineInternal.TypeInferenceRuleAttribute
struct TypeInferenceRuleAttribute_tC874129B9308A040CEFB41C0F5F218335F715038 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String UnityEngineInternal.TypeInferenceRuleAttribute::_rule
String_t* ____rule_0;
public:
inline static int32_t get_offset_of__rule_0() { return static_cast<int32_t>(offsetof(TypeInferenceRuleAttribute_tC874129B9308A040CEFB41C0F5F218335F715038, ____rule_0)); }
inline String_t* get__rule_0() const { return ____rule_0; }
inline String_t** get_address_of__rule_0() { return &____rule_0; }
inline void set__rule_0(String_t* value)
{
____rule_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____rule_0), (void*)value);
}
};
// UnityEngine.UILineInfo
struct UILineInfo_tD082FF4894030AD4EBF57ACF6A997135E4B8B67C
{
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_tD082FF4894030AD4EBF57ACF6A997135E4B8B67C, ___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_tD082FF4894030AD4EBF57ACF6A997135E4B8B67C, ___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_tD082FF4894030AD4EBF57ACF6A997135E4B8B67C, ___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_tD082FF4894030AD4EBF57ACF6A997135E4B8B67C, ___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;
}
};
// System.UInt16
struct UInt16_t894EA9D4FB7C799B244E7BBF2DF0EEEDBC77A8BD
{
public:
// System.UInt16 System.UInt16::m_value
uint16_t ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(UInt16_t894EA9D4FB7C799B244E7BBF2DF0EEEDBC77A8BD, ___m_value_0)); }
inline uint16_t get_m_value_0() const { return ___m_value_0; }
inline uint16_t* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(uint16_t value)
{
___m_value_0 = value;
}
};
// System.UInt32
struct UInt32_tE60352A06233E4E69DD198BCC67142159F686B15
{
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_tE60352A06233E4E69DD198BCC67142159F686B15, ___m_value_0)); }
inline uint32_t get_m_value_0() const { return ___m_value_0; }
inline uint32_t* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(uint32_t value)
{
___m_value_0 = value;
}
};
// System.UInt64
struct UInt64_tEC57511B3E3CA2DBA1BEBD434C6983E31C943281
{
public:
// System.UInt64 System.UInt64::m_value
uint64_t ___m_value_0;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(UInt64_tEC57511B3E3CA2DBA1BEBD434C6983E31C943281, ___m_value_0)); }
inline uint64_t get_m_value_0() const { return ___m_value_0; }
inline uint64_t* get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(uint64_t value)
{
___m_value_0 = value;
}
};
// System.UIntPtr
struct UIntPtr_t
{
public:
// System.Void* System.UIntPtr::_pointer
void* ____pointer_1;
public:
inline static int32_t get_offset_of__pointer_1() { return static_cast<int32_t>(offsetof(UIntPtr_t, ____pointer_1)); }
inline void* get__pointer_1() const { return ____pointer_1; }
inline void** get_address_of__pointer_1() { return &____pointer_1; }
inline void set__pointer_1(void* value)
{
____pointer_1 = value;
}
};
struct UIntPtr_t_StaticFields
{
public:
// System.UIntPtr System.UIntPtr::Zero
uintptr_t ___Zero_0;
public:
inline static int32_t get_offset_of_Zero_0() { return static_cast<int32_t>(offsetof(UIntPtr_t_StaticFields, ___Zero_0)); }
inline uintptr_t get_Zero_0() const { return ___Zero_0; }
inline uintptr_t* get_address_of_Zero_0() { return &___Zero_0; }
inline void set_Zero_0(uintptr_t value)
{
___Zero_0 = value;
}
};
// System.Text.UTF32Encoding
struct UTF32Encoding_t54B51C8FAC5B2EAB4BDFACBBA06DB6117A38D014 : public Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827
{
public:
// System.Boolean System.Text.UTF32Encoding::emitUTF32ByteOrderMark
bool ___emitUTF32ByteOrderMark_16;
// System.Boolean System.Text.UTF32Encoding::isThrowException
bool ___isThrowException_17;
// System.Boolean System.Text.UTF32Encoding::bigEndian
bool ___bigEndian_18;
public:
inline static int32_t get_offset_of_emitUTF32ByteOrderMark_16() { return static_cast<int32_t>(offsetof(UTF32Encoding_t54B51C8FAC5B2EAB4BDFACBBA06DB6117A38D014, ___emitUTF32ByteOrderMark_16)); }
inline bool get_emitUTF32ByteOrderMark_16() const { return ___emitUTF32ByteOrderMark_16; }
inline bool* get_address_of_emitUTF32ByteOrderMark_16() { return &___emitUTF32ByteOrderMark_16; }
inline void set_emitUTF32ByteOrderMark_16(bool value)
{
___emitUTF32ByteOrderMark_16 = value;
}
inline static int32_t get_offset_of_isThrowException_17() { return static_cast<int32_t>(offsetof(UTF32Encoding_t54B51C8FAC5B2EAB4BDFACBBA06DB6117A38D014, ___isThrowException_17)); }
inline bool get_isThrowException_17() const { return ___isThrowException_17; }
inline bool* get_address_of_isThrowException_17() { return &___isThrowException_17; }
inline void set_isThrowException_17(bool value)
{
___isThrowException_17 = value;
}
inline static int32_t get_offset_of_bigEndian_18() { return static_cast<int32_t>(offsetof(UTF32Encoding_t54B51C8FAC5B2EAB4BDFACBBA06DB6117A38D014, ___bigEndian_18)); }
inline bool get_bigEndian_18() const { return ___bigEndian_18; }
inline bool* get_address_of_bigEndian_18() { return &___bigEndian_18; }
inline void set_bigEndian_18(bool value)
{
___bigEndian_18 = value;
}
};
// System.Text.UTF7Encoding
struct UTF7Encoding_tA5454D96973119953BD301F20B9E59C77B5FA076 : public Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827
{
public:
// System.Byte[] System.Text.UTF7Encoding::base64Bytes
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___base64Bytes_16;
// System.SByte[] System.Text.UTF7Encoding::base64Values
SByteU5BU5D_t7D94C53295E6116625EA7CC7DEA21FEDC39869E7* ___base64Values_17;
// System.Boolean[] System.Text.UTF7Encoding::directEncode
BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C* ___directEncode_18;
// System.Boolean System.Text.UTF7Encoding::m_allowOptionals
bool ___m_allowOptionals_19;
public:
inline static int32_t get_offset_of_base64Bytes_16() { return static_cast<int32_t>(offsetof(UTF7Encoding_tA5454D96973119953BD301F20B9E59C77B5FA076, ___base64Bytes_16)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_base64Bytes_16() const { return ___base64Bytes_16; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_base64Bytes_16() { return &___base64Bytes_16; }
inline void set_base64Bytes_16(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___base64Bytes_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___base64Bytes_16), (void*)value);
}
inline static int32_t get_offset_of_base64Values_17() { return static_cast<int32_t>(offsetof(UTF7Encoding_tA5454D96973119953BD301F20B9E59C77B5FA076, ___base64Values_17)); }
inline SByteU5BU5D_t7D94C53295E6116625EA7CC7DEA21FEDC39869E7* get_base64Values_17() const { return ___base64Values_17; }
inline SByteU5BU5D_t7D94C53295E6116625EA7CC7DEA21FEDC39869E7** get_address_of_base64Values_17() { return &___base64Values_17; }
inline void set_base64Values_17(SByteU5BU5D_t7D94C53295E6116625EA7CC7DEA21FEDC39869E7* value)
{
___base64Values_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___base64Values_17), (void*)value);
}
inline static int32_t get_offset_of_directEncode_18() { return static_cast<int32_t>(offsetof(UTF7Encoding_tA5454D96973119953BD301F20B9E59C77B5FA076, ___directEncode_18)); }
inline BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C* get_directEncode_18() const { return ___directEncode_18; }
inline BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C** get_address_of_directEncode_18() { return &___directEncode_18; }
inline void set_directEncode_18(BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C* value)
{
___directEncode_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___directEncode_18), (void*)value);
}
inline static int32_t get_offset_of_m_allowOptionals_19() { return static_cast<int32_t>(offsetof(UTF7Encoding_tA5454D96973119953BD301F20B9E59C77B5FA076, ___m_allowOptionals_19)); }
inline bool get_m_allowOptionals_19() const { return ___m_allowOptionals_19; }
inline bool* get_address_of_m_allowOptionals_19() { return &___m_allowOptionals_19; }
inline void set_m_allowOptionals_19(bool value)
{
___m_allowOptionals_19 = value;
}
};
// System.Text.UTF8Encoding
struct UTF8Encoding_t6EE88BC62116B5328F6CF4E39C9CC49EED2ED282 : public Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827
{
public:
// System.Boolean System.Text.UTF8Encoding::emitUTF8Identifier
bool ___emitUTF8Identifier_16;
// System.Boolean System.Text.UTF8Encoding::isThrowException
bool ___isThrowException_17;
public:
inline static int32_t get_offset_of_emitUTF8Identifier_16() { return static_cast<int32_t>(offsetof(UTF8Encoding_t6EE88BC62116B5328F6CF4E39C9CC49EED2ED282, ___emitUTF8Identifier_16)); }
inline bool get_emitUTF8Identifier_16() const { return ___emitUTF8Identifier_16; }
inline bool* get_address_of_emitUTF8Identifier_16() { return &___emitUTF8Identifier_16; }
inline void set_emitUTF8Identifier_16(bool value)
{
___emitUTF8Identifier_16 = value;
}
inline static int32_t get_offset_of_isThrowException_17() { return static_cast<int32_t>(offsetof(UTF8Encoding_t6EE88BC62116B5328F6CF4E39C9CC49EED2ED282, ___isThrowException_17)); }
inline bool get_isThrowException_17() const { return ___isThrowException_17; }
inline bool* get_address_of_isThrowException_17() { return &___isThrowException_17; }
inline void set_isThrowException_17(bool value)
{
___isThrowException_17 = value;
}
};
// System.UnSafeCharBuffer
struct UnSafeCharBuffer_tC2F1C142D69686631C1660F318C983106FF36F23
{
public:
// System.Char* System.UnSafeCharBuffer::m_buffer
Il2CppChar* ___m_buffer_0;
// System.Int32 System.UnSafeCharBuffer::m_totalSize
int32_t ___m_totalSize_1;
// System.Int32 System.UnSafeCharBuffer::m_length
int32_t ___m_length_2;
public:
inline static int32_t get_offset_of_m_buffer_0() { return static_cast<int32_t>(offsetof(UnSafeCharBuffer_tC2F1C142D69686631C1660F318C983106FF36F23, ___m_buffer_0)); }
inline Il2CppChar* get_m_buffer_0() const { return ___m_buffer_0; }
inline Il2CppChar** get_address_of_m_buffer_0() { return &___m_buffer_0; }
inline void set_m_buffer_0(Il2CppChar* value)
{
___m_buffer_0 = value;
}
inline static int32_t get_offset_of_m_totalSize_1() { return static_cast<int32_t>(offsetof(UnSafeCharBuffer_tC2F1C142D69686631C1660F318C983106FF36F23, ___m_totalSize_1)); }
inline int32_t get_m_totalSize_1() const { return ___m_totalSize_1; }
inline int32_t* get_address_of_m_totalSize_1() { return &___m_totalSize_1; }
inline void set_m_totalSize_1(int32_t value)
{
___m_totalSize_1 = value;
}
inline static int32_t get_offset_of_m_length_2() { return static_cast<int32_t>(offsetof(UnSafeCharBuffer_tC2F1C142D69686631C1660F318C983106FF36F23, ___m_length_2)); }
inline int32_t get_m_length_2() const { return ___m_length_2; }
inline int32_t* get_address_of_m_length_2() { return &___m_length_2; }
inline void set_m_length_2(int32_t value)
{
___m_length_2 = value;
}
};
// Native definition for P/Invoke marshalling of System.UnSafeCharBuffer
struct UnSafeCharBuffer_tC2F1C142D69686631C1660F318C983106FF36F23_marshaled_pinvoke
{
Il2CppChar* ___m_buffer_0;
int32_t ___m_totalSize_1;
int32_t ___m_length_2;
};
// Native definition for COM marshalling of System.UnSafeCharBuffer
struct UnSafeCharBuffer_tC2F1C142D69686631C1660F318C983106FF36F23_marshaled_com
{
Il2CppChar* ___m_buffer_0;
int32_t ___m_totalSize_1;
int32_t ___m_length_2;
};
// System.UnhandledExceptionEventArgs
struct UnhandledExceptionEventArgs_tFA66D5AA8F6337DEF8E2B494B3B8C377C9FDB885 : public EventArgs_tBCAACA538A5195B6D6C8DFCC3524A2A4A67FD8BA
{
public:
// System.Object System.UnhandledExceptionEventArgs::_Exception
RuntimeObject * ____Exception_1;
// System.Boolean System.UnhandledExceptionEventArgs::_IsTerminating
bool ____IsTerminating_2;
public:
inline static int32_t get_offset_of__Exception_1() { return static_cast<int32_t>(offsetof(UnhandledExceptionEventArgs_tFA66D5AA8F6337DEF8E2B494B3B8C377C9FDB885, ____Exception_1)); }
inline RuntimeObject * get__Exception_1() const { return ____Exception_1; }
inline RuntimeObject ** get_address_of__Exception_1() { return &____Exception_1; }
inline void set__Exception_1(RuntimeObject * value)
{
____Exception_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____Exception_1), (void*)value);
}
inline static int32_t get_offset_of__IsTerminating_2() { return static_cast<int32_t>(offsetof(UnhandledExceptionEventArgs_tFA66D5AA8F6337DEF8E2B494B3B8C377C9FDB885, ____IsTerminating_2)); }
inline bool get__IsTerminating_2() const { return ____IsTerminating_2; }
inline bool* get_address_of__IsTerminating_2() { return &____IsTerminating_2; }
inline void set__IsTerminating_2(bool value)
{
____IsTerminating_2 = value;
}
};
// System.Text.UnicodeEncoding
struct UnicodeEncoding_tBB60B97AFC49D6246F28BF16D3E09822FCCACC68 : public Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827
{
public:
// System.Boolean System.Text.UnicodeEncoding::isThrowException
bool ___isThrowException_16;
// System.Boolean System.Text.UnicodeEncoding::bigEndian
bool ___bigEndian_17;
// System.Boolean System.Text.UnicodeEncoding::byteOrderMark
bool ___byteOrderMark_18;
public:
inline static int32_t get_offset_of_isThrowException_16() { return static_cast<int32_t>(offsetof(UnicodeEncoding_tBB60B97AFC49D6246F28BF16D3E09822FCCACC68, ___isThrowException_16)); }
inline bool get_isThrowException_16() const { return ___isThrowException_16; }
inline bool* get_address_of_isThrowException_16() { return &___isThrowException_16; }
inline void set_isThrowException_16(bool value)
{
___isThrowException_16 = value;
}
inline static int32_t get_offset_of_bigEndian_17() { return static_cast<int32_t>(offsetof(UnicodeEncoding_tBB60B97AFC49D6246F28BF16D3E09822FCCACC68, ___bigEndian_17)); }
inline bool get_bigEndian_17() const { return ___bigEndian_17; }
inline bool* get_address_of_bigEndian_17() { return &___bigEndian_17; }
inline void set_bigEndian_17(bool value)
{
___bigEndian_17 = value;
}
inline static int32_t get_offset_of_byteOrderMark_18() { return static_cast<int32_t>(offsetof(UnicodeEncoding_tBB60B97AFC49D6246F28BF16D3E09822FCCACC68, ___byteOrderMark_18)); }
inline bool get_byteOrderMark_18() const { return ___byteOrderMark_18; }
inline bool* get_address_of_byteOrderMark_18() { return &___byteOrderMark_18; }
inline void set_byteOrderMark_18(bool value)
{
___byteOrderMark_18 = value;
}
};
struct UnicodeEncoding_tBB60B97AFC49D6246F28BF16D3E09822FCCACC68_StaticFields
{
public:
// System.UInt64 System.Text.UnicodeEncoding::highLowPatternMask
uint64_t ___highLowPatternMask_19;
public:
inline static int32_t get_offset_of_highLowPatternMask_19() { return static_cast<int32_t>(offsetof(UnicodeEncoding_tBB60B97AFC49D6246F28BF16D3E09822FCCACC68_StaticFields, ___highLowPatternMask_19)); }
inline uint64_t get_highLowPatternMask_19() const { return ___highLowPatternMask_19; }
inline uint64_t* get_address_of_highLowPatternMask_19() { return &___highLowPatternMask_19; }
inline void set_highLowPatternMask_19(uint64_t value)
{
___highLowPatternMask_19 = value;
}
};
// UnityEngine.UnityEngineModuleAssembly
struct UnityEngineModuleAssembly_t33CB058FDDDC458E384578147D6027BB1EC86CFF : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.Events.UnityEvent
struct UnityEvent_tA0EA9BC49FD7D5185E7A238EF2E0E6F5D0EE27F4 : public UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB
{
public:
// System.Object[] UnityEngine.Events.UnityEvent::m_InvokeArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___m_InvokeArray_3;
public:
inline static int32_t get_offset_of_m_InvokeArray_3() { return static_cast<int32_t>(offsetof(UnityEvent_tA0EA9BC49FD7D5185E7A238EF2E0E6F5D0EE27F4, ___m_InvokeArray_3)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_m_InvokeArray_3() const { return ___m_InvokeArray_3; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_m_InvokeArray_3() { return &___m_InvokeArray_3; }
inline void set_m_InvokeArray_3(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___m_InvokeArray_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InvokeArray_3), (void*)value);
}
};
// UnityEngine.UnitySynchronizationContext
struct UnitySynchronizationContext_t9971A8B24E203428BF2E715ECC6019EE2D77EAD3 : public SynchronizationContext_t17D9365B5E0D30A0910A16FA4351C525232EF069
{
public:
// System.Collections.Generic.List`1<UnityEngine.UnitySynchronizationContext/WorkRequest> UnityEngine.UnitySynchronizationContext::m_AsyncWorkQueue
List_1_t4EDF55145AC9CAFF3FF238C94A18EEDCA9FFAFFA * ___m_AsyncWorkQueue_0;
// System.Collections.Generic.List`1<UnityEngine.UnitySynchronizationContext/WorkRequest> UnityEngine.UnitySynchronizationContext::m_CurrentFrameWork
List_1_t4EDF55145AC9CAFF3FF238C94A18EEDCA9FFAFFA * ___m_CurrentFrameWork_1;
// System.Int32 UnityEngine.UnitySynchronizationContext::m_MainThreadID
int32_t ___m_MainThreadID_2;
// System.Int32 UnityEngine.UnitySynchronizationContext::m_TrackedCount
int32_t ___m_TrackedCount_3;
public:
inline static int32_t get_offset_of_m_AsyncWorkQueue_0() { return static_cast<int32_t>(offsetof(UnitySynchronizationContext_t9971A8B24E203428BF2E715ECC6019EE2D77EAD3, ___m_AsyncWorkQueue_0)); }
inline List_1_t4EDF55145AC9CAFF3FF238C94A18EEDCA9FFAFFA * get_m_AsyncWorkQueue_0() const { return ___m_AsyncWorkQueue_0; }
inline List_1_t4EDF55145AC9CAFF3FF238C94A18EEDCA9FFAFFA ** get_address_of_m_AsyncWorkQueue_0() { return &___m_AsyncWorkQueue_0; }
inline void set_m_AsyncWorkQueue_0(List_1_t4EDF55145AC9CAFF3FF238C94A18EEDCA9FFAFFA * value)
{
___m_AsyncWorkQueue_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_AsyncWorkQueue_0), (void*)value);
}
inline static int32_t get_offset_of_m_CurrentFrameWork_1() { return static_cast<int32_t>(offsetof(UnitySynchronizationContext_t9971A8B24E203428BF2E715ECC6019EE2D77EAD3, ___m_CurrentFrameWork_1)); }
inline List_1_t4EDF55145AC9CAFF3FF238C94A18EEDCA9FFAFFA * get_m_CurrentFrameWork_1() const { return ___m_CurrentFrameWork_1; }
inline List_1_t4EDF55145AC9CAFF3FF238C94A18EEDCA9FFAFFA ** get_address_of_m_CurrentFrameWork_1() { return &___m_CurrentFrameWork_1; }
inline void set_m_CurrentFrameWork_1(List_1_t4EDF55145AC9CAFF3FF238C94A18EEDCA9FFAFFA * value)
{
___m_CurrentFrameWork_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CurrentFrameWork_1), (void*)value);
}
inline static int32_t get_offset_of_m_MainThreadID_2() { return static_cast<int32_t>(offsetof(UnitySynchronizationContext_t9971A8B24E203428BF2E715ECC6019EE2D77EAD3, ___m_MainThreadID_2)); }
inline int32_t get_m_MainThreadID_2() const { return ___m_MainThreadID_2; }
inline int32_t* get_address_of_m_MainThreadID_2() { return &___m_MainThreadID_2; }
inline void set_m_MainThreadID_2(int32_t value)
{
___m_MainThreadID_2 = value;
}
inline static int32_t get_offset_of_m_TrackedCount_3() { return static_cast<int32_t>(offsetof(UnitySynchronizationContext_t9971A8B24E203428BF2E715ECC6019EE2D77EAD3, ___m_TrackedCount_3)); }
inline int32_t get_m_TrackedCount_3() const { return ___m_TrackedCount_3; }
inline int32_t* get_address_of_m_TrackedCount_3() { return &___m_TrackedCount_3; }
inline void set_m_TrackedCount_3(int32_t value)
{
___m_TrackedCount_3 = value;
}
};
// System.Threading.Tasks.UnobservedTaskExceptionEventArgs
struct UnobservedTaskExceptionEventArgs_t413C54706A9A73531F54F8216DF12027AFC63A41 : public EventArgs_tBCAACA538A5195B6D6C8DFCC3524A2A4A67FD8BA
{
public:
// System.AggregateException System.Threading.Tasks.UnobservedTaskExceptionEventArgs::m_exception
AggregateException_t45A871D3DBDA3E28FBCD8DF21F6772238FC55BD1 * ___m_exception_1;
// System.Boolean System.Threading.Tasks.UnobservedTaskExceptionEventArgs::m_observed
bool ___m_observed_2;
public:
inline static int32_t get_offset_of_m_exception_1() { return static_cast<int32_t>(offsetof(UnobservedTaskExceptionEventArgs_t413C54706A9A73531F54F8216DF12027AFC63A41, ___m_exception_1)); }
inline AggregateException_t45A871D3DBDA3E28FBCD8DF21F6772238FC55BD1 * get_m_exception_1() const { return ___m_exception_1; }
inline AggregateException_t45A871D3DBDA3E28FBCD8DF21F6772238FC55BD1 ** get_address_of_m_exception_1() { return &___m_exception_1; }
inline void set_m_exception_1(AggregateException_t45A871D3DBDA3E28FBCD8DF21F6772238FC55BD1 * value)
{
___m_exception_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_exception_1), (void*)value);
}
inline static int32_t get_offset_of_m_observed_2() { return static_cast<int32_t>(offsetof(UnobservedTaskExceptionEventArgs_t413C54706A9A73531F54F8216DF12027AFC63A41, ___m_observed_2)); }
inline bool get_m_observed_2() const { return ___m_observed_2; }
inline bool* get_address_of_m_observed_2() { return &___m_observed_2; }
inline void set_m_observed_2(bool value)
{
___m_observed_2 = value;
}
};
// System.Runtime.CompilerServices.UnsafeValueTypeAttribute
struct UnsafeValueTypeAttribute_tC3B73880876B0FA7C68CE8A678FD4D6440438CAC : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Security.UnverifiableCodeAttribute
struct UnverifiableCodeAttribute_t709DF099A2A5F1145E77A92F073B30E118DEEEAC : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.PlayerLoop.Update
struct Update_t32B2954EA10F244F78F2D823FD13488A82A4D9EE
{
public:
union
{
struct
{
};
uint8_t Update_t32B2954EA10F244F78F2D823FD13488A82A4D9EE__padding[1];
};
public:
};
// UnityEngine.Scripting.UsedByNativeCodeAttribute
struct UsedByNativeCodeAttribute_t604CF4E57FB3E7BCCCF0871A9B526472B2CDCB92 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String UnityEngine.Scripting.UsedByNativeCodeAttribute::<Name>k__BackingField
String_t* ___U3CNameU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CNameU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(UsedByNativeCodeAttribute_t604CF4E57FB3E7BCCCF0871A9B526472B2CDCB92, ___U3CNameU3Ek__BackingField_0)); }
inline String_t* get_U3CNameU3Ek__BackingField_0() const { return ___U3CNameU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CNameU3Ek__BackingField_0() { return &___U3CNameU3Ek__BackingField_0; }
inline void set_U3CNameU3Ek__BackingField_0(String_t* value)
{
___U3CNameU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CNameU3Ek__BackingField_0), (void*)value);
}
};
// System.ValueTuple
struct ValueTuple_t99E99F7AAB83DB1EE614C843F8809A803BEFD169
{
public:
union
{
struct
{
};
uint8_t ValueTuple_t99E99F7AAB83DB1EE614C843F8809A803BEFD169__padding[1];
};
public:
};
// UnityEngine.Vector2
struct Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9
{
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_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9, ___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_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9, ___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_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9_StaticFields
{
public:
// UnityEngine.Vector2 UnityEngine.Vector2::zeroVector
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___zeroVector_2;
// UnityEngine.Vector2 UnityEngine.Vector2::oneVector
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___oneVector_3;
// UnityEngine.Vector2 UnityEngine.Vector2::upVector
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___upVector_4;
// UnityEngine.Vector2 UnityEngine.Vector2::downVector
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___downVector_5;
// UnityEngine.Vector2 UnityEngine.Vector2::leftVector
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___leftVector_6;
// UnityEngine.Vector2 UnityEngine.Vector2::rightVector
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___rightVector_7;
// UnityEngine.Vector2 UnityEngine.Vector2::positiveInfinityVector
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___positiveInfinityVector_8;
// UnityEngine.Vector2 UnityEngine.Vector2::negativeInfinityVector
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___negativeInfinityVector_9;
public:
inline static int32_t get_offset_of_zeroVector_2() { return static_cast<int32_t>(offsetof(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9_StaticFields, ___zeroVector_2)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_zeroVector_2() const { return ___zeroVector_2; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_zeroVector_2() { return &___zeroVector_2; }
inline void set_zeroVector_2(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___zeroVector_2 = value;
}
inline static int32_t get_offset_of_oneVector_3() { return static_cast<int32_t>(offsetof(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9_StaticFields, ___oneVector_3)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_oneVector_3() const { return ___oneVector_3; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_oneVector_3() { return &___oneVector_3; }
inline void set_oneVector_3(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___oneVector_3 = value;
}
inline static int32_t get_offset_of_upVector_4() { return static_cast<int32_t>(offsetof(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9_StaticFields, ___upVector_4)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_upVector_4() const { return ___upVector_4; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_upVector_4() { return &___upVector_4; }
inline void set_upVector_4(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___upVector_4 = value;
}
inline static int32_t get_offset_of_downVector_5() { return static_cast<int32_t>(offsetof(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9_StaticFields, ___downVector_5)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_downVector_5() const { return ___downVector_5; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_downVector_5() { return &___downVector_5; }
inline void set_downVector_5(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___downVector_5 = value;
}
inline static int32_t get_offset_of_leftVector_6() { return static_cast<int32_t>(offsetof(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9_StaticFields, ___leftVector_6)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_leftVector_6() const { return ___leftVector_6; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_leftVector_6() { return &___leftVector_6; }
inline void set_leftVector_6(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___leftVector_6 = value;
}
inline static int32_t get_offset_of_rightVector_7() { return static_cast<int32_t>(offsetof(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9_StaticFields, ___rightVector_7)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_rightVector_7() const { return ___rightVector_7; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_rightVector_7() { return &___rightVector_7; }
inline void set_rightVector_7(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___rightVector_7 = value;
}
inline static int32_t get_offset_of_positiveInfinityVector_8() { return static_cast<int32_t>(offsetof(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9_StaticFields, ___positiveInfinityVector_8)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_positiveInfinityVector_8() const { return ___positiveInfinityVector_8; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_positiveInfinityVector_8() { return &___positiveInfinityVector_8; }
inline void set_positiveInfinityVector_8(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___positiveInfinityVector_8 = value;
}
inline static int32_t get_offset_of_negativeInfinityVector_9() { return static_cast<int32_t>(offsetof(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9_StaticFields, ___negativeInfinityVector_9)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_negativeInfinityVector_9() const { return ___negativeInfinityVector_9; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_negativeInfinityVector_9() { return &___negativeInfinityVector_9; }
inline void set_negativeInfinityVector_9(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___negativeInfinityVector_9 = value;
}
};
// UnityEngine.Vector2Int
struct Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9
{
public:
// System.Int32 UnityEngine.Vector2Int::m_X
int32_t ___m_X_0;
// System.Int32 UnityEngine.Vector2Int::m_Y
int32_t ___m_Y_1;
public:
inline static int32_t get_offset_of_m_X_0() { return static_cast<int32_t>(offsetof(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9, ___m_X_0)); }
inline int32_t get_m_X_0() const { return ___m_X_0; }
inline int32_t* get_address_of_m_X_0() { return &___m_X_0; }
inline void set_m_X_0(int32_t value)
{
___m_X_0 = value;
}
inline static int32_t get_offset_of_m_Y_1() { return static_cast<int32_t>(offsetof(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9, ___m_Y_1)); }
inline int32_t get_m_Y_1() const { return ___m_Y_1; }
inline int32_t* get_address_of_m_Y_1() { return &___m_Y_1; }
inline void set_m_Y_1(int32_t value)
{
___m_Y_1 = value;
}
};
struct Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9_StaticFields
{
public:
// UnityEngine.Vector2Int UnityEngine.Vector2Int::s_Zero
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 ___s_Zero_2;
// UnityEngine.Vector2Int UnityEngine.Vector2Int::s_One
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 ___s_One_3;
// UnityEngine.Vector2Int UnityEngine.Vector2Int::s_Up
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 ___s_Up_4;
// UnityEngine.Vector2Int UnityEngine.Vector2Int::s_Down
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 ___s_Down_5;
// UnityEngine.Vector2Int UnityEngine.Vector2Int::s_Left
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 ___s_Left_6;
// UnityEngine.Vector2Int UnityEngine.Vector2Int::s_Right
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 ___s_Right_7;
public:
inline static int32_t get_offset_of_s_Zero_2() { return static_cast<int32_t>(offsetof(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9_StaticFields, ___s_Zero_2)); }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 get_s_Zero_2() const { return ___s_Zero_2; }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 * get_address_of_s_Zero_2() { return &___s_Zero_2; }
inline void set_s_Zero_2(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 value)
{
___s_Zero_2 = value;
}
inline static int32_t get_offset_of_s_One_3() { return static_cast<int32_t>(offsetof(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9_StaticFields, ___s_One_3)); }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 get_s_One_3() const { return ___s_One_3; }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 * get_address_of_s_One_3() { return &___s_One_3; }
inline void set_s_One_3(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 value)
{
___s_One_3 = value;
}
inline static int32_t get_offset_of_s_Up_4() { return static_cast<int32_t>(offsetof(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9_StaticFields, ___s_Up_4)); }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 get_s_Up_4() const { return ___s_Up_4; }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 * get_address_of_s_Up_4() { return &___s_Up_4; }
inline void set_s_Up_4(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 value)
{
___s_Up_4 = value;
}
inline static int32_t get_offset_of_s_Down_5() { return static_cast<int32_t>(offsetof(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9_StaticFields, ___s_Down_5)); }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 get_s_Down_5() const { return ___s_Down_5; }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 * get_address_of_s_Down_5() { return &___s_Down_5; }
inline void set_s_Down_5(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 value)
{
___s_Down_5 = value;
}
inline static int32_t get_offset_of_s_Left_6() { return static_cast<int32_t>(offsetof(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9_StaticFields, ___s_Left_6)); }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 get_s_Left_6() const { return ___s_Left_6; }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 * get_address_of_s_Left_6() { return &___s_Left_6; }
inline void set_s_Left_6(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 value)
{
___s_Left_6 = value;
}
inline static int32_t get_offset_of_s_Right_7() { return static_cast<int32_t>(offsetof(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9_StaticFields, ___s_Right_7)); }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 get_s_Right_7() const { return ___s_Right_7; }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 * get_address_of_s_Right_7() { return &___s_Right_7; }
inline void set_s_Right_7(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 value)
{
___s_Right_7 = value;
}
};
// UnityEngine.Vector3
struct Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E
{
public:
// System.Single UnityEngine.Vector3::x
float ___x_2;
// System.Single UnityEngine.Vector3::y
float ___y_3;
// System.Single UnityEngine.Vector3::z
float ___z_4;
public:
inline static int32_t get_offset_of_x_2() { return static_cast<int32_t>(offsetof(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E, ___x_2)); }
inline float get_x_2() const { return ___x_2; }
inline float* get_address_of_x_2() { return &___x_2; }
inline void set_x_2(float value)
{
___x_2 = value;
}
inline static int32_t get_offset_of_y_3() { return static_cast<int32_t>(offsetof(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E, ___y_3)); }
inline float get_y_3() const { return ___y_3; }
inline float* get_address_of_y_3() { return &___y_3; }
inline void set_y_3(float value)
{
___y_3 = value;
}
inline static int32_t get_offset_of_z_4() { return static_cast<int32_t>(offsetof(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E, ___z_4)); }
inline float get_z_4() const { return ___z_4; }
inline float* get_address_of_z_4() { return &___z_4; }
inline void set_z_4(float value)
{
___z_4 = value;
}
};
struct Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields
{
public:
// UnityEngine.Vector3 UnityEngine.Vector3::zeroVector
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___zeroVector_5;
// UnityEngine.Vector3 UnityEngine.Vector3::oneVector
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___oneVector_6;
// UnityEngine.Vector3 UnityEngine.Vector3::upVector
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___upVector_7;
// UnityEngine.Vector3 UnityEngine.Vector3::downVector
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___downVector_8;
// UnityEngine.Vector3 UnityEngine.Vector3::leftVector
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___leftVector_9;
// UnityEngine.Vector3 UnityEngine.Vector3::rightVector
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___rightVector_10;
// UnityEngine.Vector3 UnityEngine.Vector3::forwardVector
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___forwardVector_11;
// UnityEngine.Vector3 UnityEngine.Vector3::backVector
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___backVector_12;
// UnityEngine.Vector3 UnityEngine.Vector3::positiveInfinityVector
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___positiveInfinityVector_13;
// UnityEngine.Vector3 UnityEngine.Vector3::negativeInfinityVector
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___negativeInfinityVector_14;
public:
inline static int32_t get_offset_of_zeroVector_5() { return static_cast<int32_t>(offsetof(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields, ___zeroVector_5)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_zeroVector_5() const { return ___zeroVector_5; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_zeroVector_5() { return &___zeroVector_5; }
inline void set_zeroVector_5(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___zeroVector_5 = value;
}
inline static int32_t get_offset_of_oneVector_6() { return static_cast<int32_t>(offsetof(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields, ___oneVector_6)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_oneVector_6() const { return ___oneVector_6; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_oneVector_6() { return &___oneVector_6; }
inline void set_oneVector_6(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___oneVector_6 = value;
}
inline static int32_t get_offset_of_upVector_7() { return static_cast<int32_t>(offsetof(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields, ___upVector_7)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_upVector_7() const { return ___upVector_7; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_upVector_7() { return &___upVector_7; }
inline void set_upVector_7(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___upVector_7 = value;
}
inline static int32_t get_offset_of_downVector_8() { return static_cast<int32_t>(offsetof(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields, ___downVector_8)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_downVector_8() const { return ___downVector_8; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_downVector_8() { return &___downVector_8; }
inline void set_downVector_8(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___downVector_8 = value;
}
inline static int32_t get_offset_of_leftVector_9() { return static_cast<int32_t>(offsetof(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields, ___leftVector_9)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_leftVector_9() const { return ___leftVector_9; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_leftVector_9() { return &___leftVector_9; }
inline void set_leftVector_9(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___leftVector_9 = value;
}
inline static int32_t get_offset_of_rightVector_10() { return static_cast<int32_t>(offsetof(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields, ___rightVector_10)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_rightVector_10() const { return ___rightVector_10; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_rightVector_10() { return &___rightVector_10; }
inline void set_rightVector_10(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___rightVector_10 = value;
}
inline static int32_t get_offset_of_forwardVector_11() { return static_cast<int32_t>(offsetof(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields, ___forwardVector_11)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_forwardVector_11() const { return ___forwardVector_11; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_forwardVector_11() { return &___forwardVector_11; }
inline void set_forwardVector_11(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___forwardVector_11 = value;
}
inline static int32_t get_offset_of_backVector_12() { return static_cast<int32_t>(offsetof(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields, ___backVector_12)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_backVector_12() const { return ___backVector_12; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_backVector_12() { return &___backVector_12; }
inline void set_backVector_12(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___backVector_12 = value;
}
inline static int32_t get_offset_of_positiveInfinityVector_13() { return static_cast<int32_t>(offsetof(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields, ___positiveInfinityVector_13)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_positiveInfinityVector_13() const { return ___positiveInfinityVector_13; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_positiveInfinityVector_13() { return &___positiveInfinityVector_13; }
inline void set_positiveInfinityVector_13(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___positiveInfinityVector_13 = value;
}
inline static int32_t get_offset_of_negativeInfinityVector_14() { return static_cast<int32_t>(offsetof(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields, ___negativeInfinityVector_14)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_negativeInfinityVector_14() const { return ___negativeInfinityVector_14; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_negativeInfinityVector_14() { return &___negativeInfinityVector_14; }
inline void set_negativeInfinityVector_14(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___negativeInfinityVector_14 = value;
}
};
// UnityEngine.Vector4
struct Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7
{
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_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7, ___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_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7, ___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_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7, ___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_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7, ___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_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7_StaticFields
{
public:
// UnityEngine.Vector4 UnityEngine.Vector4::zeroVector
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 ___zeroVector_5;
// UnityEngine.Vector4 UnityEngine.Vector4::oneVector
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 ___oneVector_6;
// UnityEngine.Vector4 UnityEngine.Vector4::positiveInfinityVector
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 ___positiveInfinityVector_7;
// UnityEngine.Vector4 UnityEngine.Vector4::negativeInfinityVector
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 ___negativeInfinityVector_8;
public:
inline static int32_t get_offset_of_zeroVector_5() { return static_cast<int32_t>(offsetof(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7_StaticFields, ___zeroVector_5)); }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 get_zeroVector_5() const { return ___zeroVector_5; }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 * get_address_of_zeroVector_5() { return &___zeroVector_5; }
inline void set_zeroVector_5(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 value)
{
___zeroVector_5 = value;
}
inline static int32_t get_offset_of_oneVector_6() { return static_cast<int32_t>(offsetof(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7_StaticFields, ___oneVector_6)); }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 get_oneVector_6() const { return ___oneVector_6; }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 * get_address_of_oneVector_6() { return &___oneVector_6; }
inline void set_oneVector_6(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 value)
{
___oneVector_6 = value;
}
inline static int32_t get_offset_of_positiveInfinityVector_7() { return static_cast<int32_t>(offsetof(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7_StaticFields, ___positiveInfinityVector_7)); }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 get_positiveInfinityVector_7() const { return ___positiveInfinityVector_7; }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 * get_address_of_positiveInfinityVector_7() { return &___positiveInfinityVector_7; }
inline void set_positiveInfinityVector_7(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 value)
{
___positiveInfinityVector_7 = value;
}
inline static int32_t get_offset_of_negativeInfinityVector_8() { return static_cast<int32_t>(offsetof(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7_StaticFields, ___negativeInfinityVector_8)); }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 get_negativeInfinityVector_8() const { return ___negativeInfinityVector_8; }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 * get_address_of_negativeInfinityVector_8() { return &___negativeInfinityVector_8; }
inline void set_negativeInfinityVector_8(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 value)
{
___negativeInfinityVector_8 = value;
}
};
// UnityEngine.Bindings.VisibleToOtherModulesAttribute
struct VisibleToOtherModulesAttribute_t7C36871C9AD251C033486E04A2FFCB7CFB830914 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Void
struct Void_t700C6383A2A510C2CF4DD86DABD5CA9FF70ADAC5
{
public:
union
{
struct
{
};
uint8_t Void_t700C6383A2A510C2CF4DD86DABD5CA9FF70ADAC5__padding[1];
};
public:
};
// System.Threading.Tasks.VoidTaskResult
struct VoidTaskResult_t28D1A323545DE024749196472558F49F1AAF0004
{
public:
union
{
struct
{
};
uint8_t VoidTaskResult_t28D1A323545DE024749196472558F49F1AAF0004__padding[1];
};
public:
};
// UnityEngine.WaitForEndOfFrame
struct WaitForEndOfFrame_t082FDFEAAFF92937632C357C39E55C84B8FD06D4 : public YieldInstruction_tB0B4E05316710E51ECCC1E57174C27FE6DEBBEAF
{
public:
public:
};
// UnityEngine.WaitForFixedUpdate
struct WaitForFixedUpdate_t675FCE2AEFAC5C924A4020474C997FF2CDD3F4C5 : public YieldInstruction_tB0B4E05316710E51ECCC1E57174C27FE6DEBBEAF
{
public:
public:
};
// UnityEngine.WaitForSeconds
struct WaitForSeconds_t8F9189BE6E467C98C99177038881F8982E0E4013 : public YieldInstruction_tB0B4E05316710E51ECCC1E57174C27FE6DEBBEAF
{
public:
// System.Single UnityEngine.WaitForSeconds::m_Seconds
float ___m_Seconds_0;
public:
inline static int32_t get_offset_of_m_Seconds_0() { return static_cast<int32_t>(offsetof(WaitForSeconds_t8F9189BE6E467C98C99177038881F8982E0E4013, ___m_Seconds_0)); }
inline float get_m_Seconds_0() const { return ___m_Seconds_0; }
inline float* get_address_of_m_Seconds_0() { return &___m_Seconds_0; }
inline void set_m_Seconds_0(float value)
{
___m_Seconds_0 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.WaitForSeconds
struct WaitForSeconds_t8F9189BE6E467C98C99177038881F8982E0E4013_marshaled_pinvoke : public YieldInstruction_tB0B4E05316710E51ECCC1E57174C27FE6DEBBEAF_marshaled_pinvoke
{
float ___m_Seconds_0;
};
// Native definition for COM marshalling of UnityEngine.WaitForSeconds
struct WaitForSeconds_t8F9189BE6E467C98C99177038881F8982E0E4013_marshaled_com : public YieldInstruction_tB0B4E05316710E51ECCC1E57174C27FE6DEBBEAF_marshaled_com
{
float ___m_Seconds_0;
};
// UnityEngine.WaitForSecondsRealtime
struct WaitForSecondsRealtime_t04F2884A9814C3E4E415E788AFE56B5928577C40 : public CustomYieldInstruction_t4ED1543FBAA3143362854EB1867B42E5D190A5C7
{
public:
// System.Single UnityEngine.WaitForSecondsRealtime::<waitTime>k__BackingField
float ___U3CwaitTimeU3Ek__BackingField_0;
// System.Single UnityEngine.WaitForSecondsRealtime::m_WaitUntilTime
float ___m_WaitUntilTime_1;
public:
inline static int32_t get_offset_of_U3CwaitTimeU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(WaitForSecondsRealtime_t04F2884A9814C3E4E415E788AFE56B5928577C40, ___U3CwaitTimeU3Ek__BackingField_0)); }
inline float get_U3CwaitTimeU3Ek__BackingField_0() const { return ___U3CwaitTimeU3Ek__BackingField_0; }
inline float* get_address_of_U3CwaitTimeU3Ek__BackingField_0() { return &___U3CwaitTimeU3Ek__BackingField_0; }
inline void set_U3CwaitTimeU3Ek__BackingField_0(float value)
{
___U3CwaitTimeU3Ek__BackingField_0 = value;
}
inline static int32_t get_offset_of_m_WaitUntilTime_1() { return static_cast<int32_t>(offsetof(WaitForSecondsRealtime_t04F2884A9814C3E4E415E788AFE56B5928577C40, ___m_WaitUntilTime_1)); }
inline float get_m_WaitUntilTime_1() const { return ___m_WaitUntilTime_1; }
inline float* get_address_of_m_WaitUntilTime_1() { return &___m_WaitUntilTime_1; }
inline void set_m_WaitUntilTime_1(float value)
{
___m_WaitUntilTime_1 = value;
}
};
// System.Net.Configuration.WebProxyScriptElement
struct WebProxyScriptElement_t6E2DB4259FF77920BA00BBA7AC7E0BAC995FD76F : public ConfigurationElement_t571C446CFDFF39CF17130653C433786BEFF25DFA
{
public:
public:
};
// System.Net.Configuration.WebRequestModuleElement
struct WebRequestModuleElement_t4B7D6319D7B88AE61D59F549801BCE4EC4611F39 : public ConfigurationElement_t571C446CFDFF39CF17130653C433786BEFF25DFA
{
public:
public:
};
// System.Runtime.Remoting.WellKnownClientTypeEntry
struct WellKnownClientTypeEntry_tF15BE481E09131FA6D056BC004B31525261ED4FD : public TypeEntry_tE6A29217B055E31F4568B08F627D9BD7E4B28DE5
{
public:
// System.Type System.Runtime.Remoting.WellKnownClientTypeEntry::obj_type
Type_t * ___obj_type_2;
// System.String System.Runtime.Remoting.WellKnownClientTypeEntry::obj_url
String_t* ___obj_url_3;
// System.String System.Runtime.Remoting.WellKnownClientTypeEntry::app_url
String_t* ___app_url_4;
public:
inline static int32_t get_offset_of_obj_type_2() { return static_cast<int32_t>(offsetof(WellKnownClientTypeEntry_tF15BE481E09131FA6D056BC004B31525261ED4FD, ___obj_type_2)); }
inline Type_t * get_obj_type_2() const { return ___obj_type_2; }
inline Type_t ** get_address_of_obj_type_2() { return &___obj_type_2; }
inline void set_obj_type_2(Type_t * value)
{
___obj_type_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___obj_type_2), (void*)value);
}
inline static int32_t get_offset_of_obj_url_3() { return static_cast<int32_t>(offsetof(WellKnownClientTypeEntry_tF15BE481E09131FA6D056BC004B31525261ED4FD, ___obj_url_3)); }
inline String_t* get_obj_url_3() const { return ___obj_url_3; }
inline String_t** get_address_of_obj_url_3() { return &___obj_url_3; }
inline void set_obj_url_3(String_t* value)
{
___obj_url_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___obj_url_3), (void*)value);
}
inline static int32_t get_offset_of_app_url_4() { return static_cast<int32_t>(offsetof(WellKnownClientTypeEntry_tF15BE481E09131FA6D056BC004B31525261ED4FD, ___app_url_4)); }
inline String_t* get_app_url_4() const { return ___app_url_4; }
inline String_t** get_address_of_app_url_4() { return &___app_url_4; }
inline void set_app_url_4(String_t* value)
{
___app_url_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___app_url_4), (void*)value);
}
};
// UnityEngine.WritableAttribute
struct WritableAttribute_t00CD7A683EA83064B3741A90A772DD0DE1AF5103 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// UnityEngine.Localization.Pseudo.WritableMessageFragment
struct WritableMessageFragment_t72196DE474B29A511E9A14B8C51AEC8B8C1CF3BF : public MessageFragment_tEF32B022F0C14D888AFD1536C631977DB5E0D513
{
public:
public:
};
// Unity.Collections.LowLevel.Unsafe.WriteAccessRequiredAttribute
struct WriteAccessRequiredAttribute_t801D798894A40E3789DE39CC4BE0D3B04B852DCA : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// Unity.Collections.WriteOnlyAttribute
struct WriteOnlyAttribute_t6897770F57B21F93E440F44DF3D1A5804D6019FA : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.Security.Cryptography.X509Certificates.X509Extension
struct X509Extension_t9142CAA11EB46CC4CAB51A26D3B84BDA06FA9FF5 : public AsnEncodedData_t88A440F72C4F1143E416540D78B910A875CC0FDA
{
public:
// System.Boolean System.Security.Cryptography.X509Certificates.X509Extension::_critical
bool ____critical_2;
public:
inline static int32_t get_offset_of__critical_2() { return static_cast<int32_t>(offsetof(X509Extension_t9142CAA11EB46CC4CAB51A26D3B84BDA06FA9FF5, ____critical_2)); }
inline bool get__critical_2() const { return ____critical_2; }
inline bool* get_address_of__critical_2() { return &____critical_2; }
inline void set__critical_2(bool value)
{
____critical_2 = value;
}
};
// UnityEngine.Localization.SmartFormat.Extensions.XElementFormatter
struct XElementFormatter_t52FC3FA02B7B548D89342CE4872964082128261E : public FormatterBase_t9C41952D199D3C96A9F94A46395C8E387B42FC0C
{
public:
public:
};
// System.Xml.Linq.XNode
struct XNode_tB88EE59443DF799686825ED2168D47C857C8CA99 : public XObject_tD3CAB609801011E5C4A0FC219FA717B6B382C5D6
{
public:
// System.Xml.Linq.XNode System.Xml.Linq.XNode::next
XNode_tB88EE59443DF799686825ED2168D47C857C8CA99 * ___next_1;
public:
inline static int32_t get_offset_of_next_1() { return static_cast<int32_t>(offsetof(XNode_tB88EE59443DF799686825ED2168D47C857C8CA99, ___next_1)); }
inline XNode_tB88EE59443DF799686825ED2168D47C857C8CA99 * get_next_1() const { return ___next_1; }
inline XNode_tB88EE59443DF799686825ED2168D47C857C8CA99 ** get_address_of_next_1() { return &___next_1; }
inline void set_next_1(XNode_tB88EE59443DF799686825ED2168D47C857C8CA99 * value)
{
___next_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___next_1), (void*)value);
}
};
// UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo
struct XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096
{
public:
// System.String UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo::<id>k__BackingField
String_t* ___U3CidU3Ek__BackingField_0;
// System.Type UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo::<providerType>k__BackingField
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
// System.Type UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo::<subsystemTypeOverride>k__BackingField
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
// System.Type UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo::<implementationType>k__BackingField
Type_t * ___U3CimplementationTypeU3Ek__BackingField_3;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo::<supportsAverageBrightness>k__BackingField
bool ___U3CsupportsAverageBrightnessU3Ek__BackingField_4;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo::<supportsAverageColorTemperature>k__BackingField
bool ___U3CsupportsAverageColorTemperatureU3Ek__BackingField_5;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo::<supportsColorCorrection>k__BackingField
bool ___U3CsupportsColorCorrectionU3Ek__BackingField_6;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo::<supportsDisplayMatrix>k__BackingField
bool ___U3CsupportsDisplayMatrixU3Ek__BackingField_7;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo::<supportsProjectionMatrix>k__BackingField
bool ___U3CsupportsProjectionMatrixU3Ek__BackingField_8;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo::<supportsTimestamp>k__BackingField
bool ___U3CsupportsTimestampU3Ek__BackingField_9;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo::<supportsCameraConfigurations>k__BackingField
bool ___U3CsupportsCameraConfigurationsU3Ek__BackingField_10;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo::<supportsCameraImage>k__BackingField
bool ___U3CsupportsCameraImageU3Ek__BackingField_11;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo::<supportsAverageIntensityInLumens>k__BackingField
bool ___U3CsupportsAverageIntensityInLumensU3Ek__BackingField_12;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo::<supportsFaceTrackingAmbientIntensityLightEstimation>k__BackingField
bool ___U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo::<supportsFaceTrackingHDRLightEstimation>k__BackingField
bool ___U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo::<supportsWorldTrackingAmbientIntensityLightEstimation>k__BackingField
bool ___U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo::<supportsWorldTrackingHDRLightEstimation>k__BackingField
bool ___U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo::<supportsFocusModes>k__BackingField
bool ___U3CsupportsFocusModesU3Ek__BackingField_17;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo::<supportsCameraGrain>k__BackingField
bool ___U3CsupportsCameraGrainU3Ek__BackingField_18;
public:
inline static int32_t get_offset_of_U3CidU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096, ___U3CidU3Ek__BackingField_0)); }
inline String_t* get_U3CidU3Ek__BackingField_0() const { return ___U3CidU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CidU3Ek__BackingField_0() { return &___U3CidU3Ek__BackingField_0; }
inline void set_U3CidU3Ek__BackingField_0(String_t* value)
{
___U3CidU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CidU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderTypeU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096, ___U3CproviderTypeU3Ek__BackingField_1)); }
inline Type_t * get_U3CproviderTypeU3Ek__BackingField_1() const { return ___U3CproviderTypeU3Ek__BackingField_1; }
inline Type_t ** get_address_of_U3CproviderTypeU3Ek__BackingField_1() { return &___U3CproviderTypeU3Ek__BackingField_1; }
inline void set_U3CproviderTypeU3Ek__BackingField_1(Type_t * value)
{
___U3CproviderTypeU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderTypeU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096, ___U3CsubsystemTypeOverrideU3Ek__BackingField_2)); }
inline Type_t * get_U3CsubsystemTypeOverrideU3Ek__BackingField_2() const { return ___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline Type_t ** get_address_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return &___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline void set_U3CsubsystemTypeOverrideU3Ek__BackingField_2(Type_t * value)
{
___U3CsubsystemTypeOverrideU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemTypeOverrideU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CimplementationTypeU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096, ___U3CimplementationTypeU3Ek__BackingField_3)); }
inline Type_t * get_U3CimplementationTypeU3Ek__BackingField_3() const { return ___U3CimplementationTypeU3Ek__BackingField_3; }
inline Type_t ** get_address_of_U3CimplementationTypeU3Ek__BackingField_3() { return &___U3CimplementationTypeU3Ek__BackingField_3; }
inline void set_U3CimplementationTypeU3Ek__BackingField_3(Type_t * value)
{
___U3CimplementationTypeU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CimplementationTypeU3Ek__BackingField_3), (void*)value);
}
inline static int32_t get_offset_of_U3CsupportsAverageBrightnessU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096, ___U3CsupportsAverageBrightnessU3Ek__BackingField_4)); }
inline bool get_U3CsupportsAverageBrightnessU3Ek__BackingField_4() const { return ___U3CsupportsAverageBrightnessU3Ek__BackingField_4; }
inline bool* get_address_of_U3CsupportsAverageBrightnessU3Ek__BackingField_4() { return &___U3CsupportsAverageBrightnessU3Ek__BackingField_4; }
inline void set_U3CsupportsAverageBrightnessU3Ek__BackingField_4(bool value)
{
___U3CsupportsAverageBrightnessU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3CsupportsAverageColorTemperatureU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096, ___U3CsupportsAverageColorTemperatureU3Ek__BackingField_5)); }
inline bool get_U3CsupportsAverageColorTemperatureU3Ek__BackingField_5() const { return ___U3CsupportsAverageColorTemperatureU3Ek__BackingField_5; }
inline bool* get_address_of_U3CsupportsAverageColorTemperatureU3Ek__BackingField_5() { return &___U3CsupportsAverageColorTemperatureU3Ek__BackingField_5; }
inline void set_U3CsupportsAverageColorTemperatureU3Ek__BackingField_5(bool value)
{
___U3CsupportsAverageColorTemperatureU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CsupportsColorCorrectionU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096, ___U3CsupportsColorCorrectionU3Ek__BackingField_6)); }
inline bool get_U3CsupportsColorCorrectionU3Ek__BackingField_6() const { return ___U3CsupportsColorCorrectionU3Ek__BackingField_6; }
inline bool* get_address_of_U3CsupportsColorCorrectionU3Ek__BackingField_6() { return &___U3CsupportsColorCorrectionU3Ek__BackingField_6; }
inline void set_U3CsupportsColorCorrectionU3Ek__BackingField_6(bool value)
{
___U3CsupportsColorCorrectionU3Ek__BackingField_6 = value;
}
inline static int32_t get_offset_of_U3CsupportsDisplayMatrixU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096, ___U3CsupportsDisplayMatrixU3Ek__BackingField_7)); }
inline bool get_U3CsupportsDisplayMatrixU3Ek__BackingField_7() const { return ___U3CsupportsDisplayMatrixU3Ek__BackingField_7; }
inline bool* get_address_of_U3CsupportsDisplayMatrixU3Ek__BackingField_7() { return &___U3CsupportsDisplayMatrixU3Ek__BackingField_7; }
inline void set_U3CsupportsDisplayMatrixU3Ek__BackingField_7(bool value)
{
___U3CsupportsDisplayMatrixU3Ek__BackingField_7 = value;
}
inline static int32_t get_offset_of_U3CsupportsProjectionMatrixU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096, ___U3CsupportsProjectionMatrixU3Ek__BackingField_8)); }
inline bool get_U3CsupportsProjectionMatrixU3Ek__BackingField_8() const { return ___U3CsupportsProjectionMatrixU3Ek__BackingField_8; }
inline bool* get_address_of_U3CsupportsProjectionMatrixU3Ek__BackingField_8() { return &___U3CsupportsProjectionMatrixU3Ek__BackingField_8; }
inline void set_U3CsupportsProjectionMatrixU3Ek__BackingField_8(bool value)
{
___U3CsupportsProjectionMatrixU3Ek__BackingField_8 = value;
}
inline static int32_t get_offset_of_U3CsupportsTimestampU3Ek__BackingField_9() { return static_cast<int32_t>(offsetof(XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096, ___U3CsupportsTimestampU3Ek__BackingField_9)); }
inline bool get_U3CsupportsTimestampU3Ek__BackingField_9() const { return ___U3CsupportsTimestampU3Ek__BackingField_9; }
inline bool* get_address_of_U3CsupportsTimestampU3Ek__BackingField_9() { return &___U3CsupportsTimestampU3Ek__BackingField_9; }
inline void set_U3CsupportsTimestampU3Ek__BackingField_9(bool value)
{
___U3CsupportsTimestampU3Ek__BackingField_9 = value;
}
inline static int32_t get_offset_of_U3CsupportsCameraConfigurationsU3Ek__BackingField_10() { return static_cast<int32_t>(offsetof(XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096, ___U3CsupportsCameraConfigurationsU3Ek__BackingField_10)); }
inline bool get_U3CsupportsCameraConfigurationsU3Ek__BackingField_10() const { return ___U3CsupportsCameraConfigurationsU3Ek__BackingField_10; }
inline bool* get_address_of_U3CsupportsCameraConfigurationsU3Ek__BackingField_10() { return &___U3CsupportsCameraConfigurationsU3Ek__BackingField_10; }
inline void set_U3CsupportsCameraConfigurationsU3Ek__BackingField_10(bool value)
{
___U3CsupportsCameraConfigurationsU3Ek__BackingField_10 = value;
}
inline static int32_t get_offset_of_U3CsupportsCameraImageU3Ek__BackingField_11() { return static_cast<int32_t>(offsetof(XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096, ___U3CsupportsCameraImageU3Ek__BackingField_11)); }
inline bool get_U3CsupportsCameraImageU3Ek__BackingField_11() const { return ___U3CsupportsCameraImageU3Ek__BackingField_11; }
inline bool* get_address_of_U3CsupportsCameraImageU3Ek__BackingField_11() { return &___U3CsupportsCameraImageU3Ek__BackingField_11; }
inline void set_U3CsupportsCameraImageU3Ek__BackingField_11(bool value)
{
___U3CsupportsCameraImageU3Ek__BackingField_11 = value;
}
inline static int32_t get_offset_of_U3CsupportsAverageIntensityInLumensU3Ek__BackingField_12() { return static_cast<int32_t>(offsetof(XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096, ___U3CsupportsAverageIntensityInLumensU3Ek__BackingField_12)); }
inline bool get_U3CsupportsAverageIntensityInLumensU3Ek__BackingField_12() const { return ___U3CsupportsAverageIntensityInLumensU3Ek__BackingField_12; }
inline bool* get_address_of_U3CsupportsAverageIntensityInLumensU3Ek__BackingField_12() { return &___U3CsupportsAverageIntensityInLumensU3Ek__BackingField_12; }
inline void set_U3CsupportsAverageIntensityInLumensU3Ek__BackingField_12(bool value)
{
___U3CsupportsAverageIntensityInLumensU3Ek__BackingField_12 = value;
}
inline static int32_t get_offset_of_U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13() { return static_cast<int32_t>(offsetof(XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096, ___U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13)); }
inline bool get_U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13() const { return ___U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13; }
inline bool* get_address_of_U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13() { return &___U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13; }
inline void set_U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13(bool value)
{
___U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13 = value;
}
inline static int32_t get_offset_of_U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14() { return static_cast<int32_t>(offsetof(XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096, ___U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14)); }
inline bool get_U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14() const { return ___U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14; }
inline bool* get_address_of_U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14() { return &___U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14; }
inline void set_U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14(bool value)
{
___U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14 = value;
}
inline static int32_t get_offset_of_U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15() { return static_cast<int32_t>(offsetof(XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096, ___U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15)); }
inline bool get_U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15() const { return ___U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15; }
inline bool* get_address_of_U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15() { return &___U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15; }
inline void set_U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15(bool value)
{
___U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15 = value;
}
inline static int32_t get_offset_of_U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16() { return static_cast<int32_t>(offsetof(XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096, ___U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16)); }
inline bool get_U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16() const { return ___U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16; }
inline bool* get_address_of_U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16() { return &___U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16; }
inline void set_U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16(bool value)
{
___U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16 = value;
}
inline static int32_t get_offset_of_U3CsupportsFocusModesU3Ek__BackingField_17() { return static_cast<int32_t>(offsetof(XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096, ___U3CsupportsFocusModesU3Ek__BackingField_17)); }
inline bool get_U3CsupportsFocusModesU3Ek__BackingField_17() const { return ___U3CsupportsFocusModesU3Ek__BackingField_17; }
inline bool* get_address_of_U3CsupportsFocusModesU3Ek__BackingField_17() { return &___U3CsupportsFocusModesU3Ek__BackingField_17; }
inline void set_U3CsupportsFocusModesU3Ek__BackingField_17(bool value)
{
___U3CsupportsFocusModesU3Ek__BackingField_17 = value;
}
inline static int32_t get_offset_of_U3CsupportsCameraGrainU3Ek__BackingField_18() { return static_cast<int32_t>(offsetof(XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096, ___U3CsupportsCameraGrainU3Ek__BackingField_18)); }
inline bool get_U3CsupportsCameraGrainU3Ek__BackingField_18() const { return ___U3CsupportsCameraGrainU3Ek__BackingField_18; }
inline bool* get_address_of_U3CsupportsCameraGrainU3Ek__BackingField_18() { return &___U3CsupportsCameraGrainU3Ek__BackingField_18; }
inline void set_U3CsupportsCameraGrainU3Ek__BackingField_18(bool value)
{
___U3CsupportsCameraGrainU3Ek__BackingField_18 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo
struct XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096_marshaled_pinvoke
{
char* ___U3CidU3Ek__BackingField_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___U3CimplementationTypeU3Ek__BackingField_3;
int32_t ___U3CsupportsAverageBrightnessU3Ek__BackingField_4;
int32_t ___U3CsupportsAverageColorTemperatureU3Ek__BackingField_5;
int32_t ___U3CsupportsColorCorrectionU3Ek__BackingField_6;
int32_t ___U3CsupportsDisplayMatrixU3Ek__BackingField_7;
int32_t ___U3CsupportsProjectionMatrixU3Ek__BackingField_8;
int32_t ___U3CsupportsTimestampU3Ek__BackingField_9;
int32_t ___U3CsupportsCameraConfigurationsU3Ek__BackingField_10;
int32_t ___U3CsupportsCameraImageU3Ek__BackingField_11;
int32_t ___U3CsupportsAverageIntensityInLumensU3Ek__BackingField_12;
int32_t ___U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13;
int32_t ___U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14;
int32_t ___U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15;
int32_t ___U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16;
int32_t ___U3CsupportsFocusModesU3Ek__BackingField_17;
int32_t ___U3CsupportsCameraGrainU3Ek__BackingField_18;
};
// Native definition for COM marshalling of UnityEngine.XR.ARSubsystems.XRCameraSubsystemCinfo
struct XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096_marshaled_com
{
Il2CppChar* ___U3CidU3Ek__BackingField_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___U3CimplementationTypeU3Ek__BackingField_3;
int32_t ___U3CsupportsAverageBrightnessU3Ek__BackingField_4;
int32_t ___U3CsupportsAverageColorTemperatureU3Ek__BackingField_5;
int32_t ___U3CsupportsColorCorrectionU3Ek__BackingField_6;
int32_t ___U3CsupportsDisplayMatrixU3Ek__BackingField_7;
int32_t ___U3CsupportsProjectionMatrixU3Ek__BackingField_8;
int32_t ___U3CsupportsTimestampU3Ek__BackingField_9;
int32_t ___U3CsupportsCameraConfigurationsU3Ek__BackingField_10;
int32_t ___U3CsupportsCameraImageU3Ek__BackingField_11;
int32_t ___U3CsupportsAverageIntensityInLumensU3Ek__BackingField_12;
int32_t ___U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13;
int32_t ___U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14;
int32_t ___U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15;
int32_t ___U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16;
int32_t ___U3CsupportsFocusModesU3Ek__BackingField_17;
int32_t ___U3CsupportsCameraGrainU3Ek__BackingField_18;
};
// UnityEngine.XR.Management.XRConfigurationDataAttribute
struct XRConfigurationDataAttribute_tC94F83D607B934FF3F894802DF857C51AA165236 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String UnityEngine.XR.Management.XRConfigurationDataAttribute::<displayName>k__BackingField
String_t* ___U3CdisplayNameU3Ek__BackingField_0;
// System.String UnityEngine.XR.Management.XRConfigurationDataAttribute::<buildSettingsKey>k__BackingField
String_t* ___U3CbuildSettingsKeyU3Ek__BackingField_1;
public:
inline static int32_t get_offset_of_U3CdisplayNameU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(XRConfigurationDataAttribute_tC94F83D607B934FF3F894802DF857C51AA165236, ___U3CdisplayNameU3Ek__BackingField_0)); }
inline String_t* get_U3CdisplayNameU3Ek__BackingField_0() const { return ___U3CdisplayNameU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CdisplayNameU3Ek__BackingField_0() { return &___U3CdisplayNameU3Ek__BackingField_0; }
inline void set_U3CdisplayNameU3Ek__BackingField_0(String_t* value)
{
___U3CdisplayNameU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CdisplayNameU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CbuildSettingsKeyU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(XRConfigurationDataAttribute_tC94F83D607B934FF3F894802DF857C51AA165236, ___U3CbuildSettingsKeyU3Ek__BackingField_1)); }
inline String_t* get_U3CbuildSettingsKeyU3Ek__BackingField_1() const { return ___U3CbuildSettingsKeyU3Ek__BackingField_1; }
inline String_t** get_address_of_U3CbuildSettingsKeyU3Ek__BackingField_1() { return &___U3CbuildSettingsKeyU3Ek__BackingField_1; }
inline void set_U3CbuildSettingsKeyU3Ek__BackingField_1(String_t* value)
{
___U3CbuildSettingsKeyU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CbuildSettingsKeyU3Ek__BackingField_1), (void*)value);
}
};
// UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemCinfo
struct XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2
{
public:
// System.String UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemCinfo::<id>k__BackingField
String_t* ___U3CidU3Ek__BackingField_0;
// System.Type UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemCinfo::<providerType>k__BackingField
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
// System.Type UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemCinfo::<subsystemTypeOverride>k__BackingField
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
// System.Type UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemCinfo::<implementationType>k__BackingField
Type_t * ___U3CimplementationTypeU3Ek__BackingField_3;
// System.Boolean UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemCinfo::<supportsManualPlacement>k__BackingField
bool ___U3CsupportsManualPlacementU3Ek__BackingField_4;
// System.Boolean UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemCinfo::<supportsRemovalOfManual>k__BackingField
bool ___U3CsupportsRemovalOfManualU3Ek__BackingField_5;
// System.Boolean UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemCinfo::<supportsAutomaticPlacement>k__BackingField
bool ___U3CsupportsAutomaticPlacementU3Ek__BackingField_6;
// System.Boolean UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemCinfo::<supportsRemovalOfAutomatic>k__BackingField
bool ___U3CsupportsRemovalOfAutomaticU3Ek__BackingField_7;
// System.Boolean UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemCinfo::<supportsEnvironmentTexture>k__BackingField
bool ___U3CsupportsEnvironmentTextureU3Ek__BackingField_8;
// System.Boolean UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemCinfo::<supportsEnvironmentTextureHDR>k__BackingField
bool ___U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_9;
public:
inline static int32_t get_offset_of_U3CidU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2, ___U3CidU3Ek__BackingField_0)); }
inline String_t* get_U3CidU3Ek__BackingField_0() const { return ___U3CidU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CidU3Ek__BackingField_0() { return &___U3CidU3Ek__BackingField_0; }
inline void set_U3CidU3Ek__BackingField_0(String_t* value)
{
___U3CidU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CidU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderTypeU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2, ___U3CproviderTypeU3Ek__BackingField_1)); }
inline Type_t * get_U3CproviderTypeU3Ek__BackingField_1() const { return ___U3CproviderTypeU3Ek__BackingField_1; }
inline Type_t ** get_address_of_U3CproviderTypeU3Ek__BackingField_1() { return &___U3CproviderTypeU3Ek__BackingField_1; }
inline void set_U3CproviderTypeU3Ek__BackingField_1(Type_t * value)
{
___U3CproviderTypeU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderTypeU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2, ___U3CsubsystemTypeOverrideU3Ek__BackingField_2)); }
inline Type_t * get_U3CsubsystemTypeOverrideU3Ek__BackingField_2() const { return ___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline Type_t ** get_address_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return &___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline void set_U3CsubsystemTypeOverrideU3Ek__BackingField_2(Type_t * value)
{
___U3CsubsystemTypeOverrideU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemTypeOverrideU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CimplementationTypeU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2, ___U3CimplementationTypeU3Ek__BackingField_3)); }
inline Type_t * get_U3CimplementationTypeU3Ek__BackingField_3() const { return ___U3CimplementationTypeU3Ek__BackingField_3; }
inline Type_t ** get_address_of_U3CimplementationTypeU3Ek__BackingField_3() { return &___U3CimplementationTypeU3Ek__BackingField_3; }
inline void set_U3CimplementationTypeU3Ek__BackingField_3(Type_t * value)
{
___U3CimplementationTypeU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CimplementationTypeU3Ek__BackingField_3), (void*)value);
}
inline static int32_t get_offset_of_U3CsupportsManualPlacementU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2, ___U3CsupportsManualPlacementU3Ek__BackingField_4)); }
inline bool get_U3CsupportsManualPlacementU3Ek__BackingField_4() const { return ___U3CsupportsManualPlacementU3Ek__BackingField_4; }
inline bool* get_address_of_U3CsupportsManualPlacementU3Ek__BackingField_4() { return &___U3CsupportsManualPlacementU3Ek__BackingField_4; }
inline void set_U3CsupportsManualPlacementU3Ek__BackingField_4(bool value)
{
___U3CsupportsManualPlacementU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3CsupportsRemovalOfManualU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2, ___U3CsupportsRemovalOfManualU3Ek__BackingField_5)); }
inline bool get_U3CsupportsRemovalOfManualU3Ek__BackingField_5() const { return ___U3CsupportsRemovalOfManualU3Ek__BackingField_5; }
inline bool* get_address_of_U3CsupportsRemovalOfManualU3Ek__BackingField_5() { return &___U3CsupportsRemovalOfManualU3Ek__BackingField_5; }
inline void set_U3CsupportsRemovalOfManualU3Ek__BackingField_5(bool value)
{
___U3CsupportsRemovalOfManualU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CsupportsAutomaticPlacementU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2, ___U3CsupportsAutomaticPlacementU3Ek__BackingField_6)); }
inline bool get_U3CsupportsAutomaticPlacementU3Ek__BackingField_6() const { return ___U3CsupportsAutomaticPlacementU3Ek__BackingField_6; }
inline bool* get_address_of_U3CsupportsAutomaticPlacementU3Ek__BackingField_6() { return &___U3CsupportsAutomaticPlacementU3Ek__BackingField_6; }
inline void set_U3CsupportsAutomaticPlacementU3Ek__BackingField_6(bool value)
{
___U3CsupportsAutomaticPlacementU3Ek__BackingField_6 = value;
}
inline static int32_t get_offset_of_U3CsupportsRemovalOfAutomaticU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2, ___U3CsupportsRemovalOfAutomaticU3Ek__BackingField_7)); }
inline bool get_U3CsupportsRemovalOfAutomaticU3Ek__BackingField_7() const { return ___U3CsupportsRemovalOfAutomaticU3Ek__BackingField_7; }
inline bool* get_address_of_U3CsupportsRemovalOfAutomaticU3Ek__BackingField_7() { return &___U3CsupportsRemovalOfAutomaticU3Ek__BackingField_7; }
inline void set_U3CsupportsRemovalOfAutomaticU3Ek__BackingField_7(bool value)
{
___U3CsupportsRemovalOfAutomaticU3Ek__BackingField_7 = value;
}
inline static int32_t get_offset_of_U3CsupportsEnvironmentTextureU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2, ___U3CsupportsEnvironmentTextureU3Ek__BackingField_8)); }
inline bool get_U3CsupportsEnvironmentTextureU3Ek__BackingField_8() const { return ___U3CsupportsEnvironmentTextureU3Ek__BackingField_8; }
inline bool* get_address_of_U3CsupportsEnvironmentTextureU3Ek__BackingField_8() { return &___U3CsupportsEnvironmentTextureU3Ek__BackingField_8; }
inline void set_U3CsupportsEnvironmentTextureU3Ek__BackingField_8(bool value)
{
___U3CsupportsEnvironmentTextureU3Ek__BackingField_8 = value;
}
inline static int32_t get_offset_of_U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_9() { return static_cast<int32_t>(offsetof(XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2, ___U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_9)); }
inline bool get_U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_9() const { return ___U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_9; }
inline bool* get_address_of_U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_9() { return &___U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_9; }
inline void set_U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_9(bool value)
{
___U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_9 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemCinfo
struct XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2_marshaled_pinvoke
{
char* ___U3CidU3Ek__BackingField_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___U3CimplementationTypeU3Ek__BackingField_3;
int32_t ___U3CsupportsManualPlacementU3Ek__BackingField_4;
int32_t ___U3CsupportsRemovalOfManualU3Ek__BackingField_5;
int32_t ___U3CsupportsAutomaticPlacementU3Ek__BackingField_6;
int32_t ___U3CsupportsRemovalOfAutomaticU3Ek__BackingField_7;
int32_t ___U3CsupportsEnvironmentTextureU3Ek__BackingField_8;
int32_t ___U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_9;
};
// Native definition for COM marshalling of UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemCinfo
struct XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2_marshaled_com
{
Il2CppChar* ___U3CidU3Ek__BackingField_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___U3CimplementationTypeU3Ek__BackingField_3;
int32_t ___U3CsupportsManualPlacementU3Ek__BackingField_4;
int32_t ___U3CsupportsRemovalOfManualU3Ek__BackingField_5;
int32_t ___U3CsupportsAutomaticPlacementU3Ek__BackingField_6;
int32_t ___U3CsupportsRemovalOfAutomaticU3Ek__BackingField_7;
int32_t ___U3CsupportsEnvironmentTextureU3Ek__BackingField_8;
int32_t ___U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_9;
};
// UnityEngine.XR.ARSubsystems.XRHumanBodySubsystemCinfo
struct XRHumanBodySubsystemCinfo_tAFFD9EF9197B51AA2EAC628F54C90C842B7E54CC
{
public:
// System.String UnityEngine.XR.ARSubsystems.XRHumanBodySubsystemCinfo::<id>k__BackingField
String_t* ___U3CidU3Ek__BackingField_0;
// System.Type UnityEngine.XR.ARSubsystems.XRHumanBodySubsystemCinfo::<providerType>k__BackingField
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
// System.Type UnityEngine.XR.ARSubsystems.XRHumanBodySubsystemCinfo::<subsystemTypeOverride>k__BackingField
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
// System.Type UnityEngine.XR.ARSubsystems.XRHumanBodySubsystemCinfo::<implementationType>k__BackingField
Type_t * ___U3CimplementationTypeU3Ek__BackingField_3;
// System.Boolean UnityEngine.XR.ARSubsystems.XRHumanBodySubsystemCinfo::<supportsHumanBody2D>k__BackingField
bool ___U3CsupportsHumanBody2DU3Ek__BackingField_4;
// System.Boolean UnityEngine.XR.ARSubsystems.XRHumanBodySubsystemCinfo::<supportsHumanBody3D>k__BackingField
bool ___U3CsupportsHumanBody3DU3Ek__BackingField_5;
// System.Boolean UnityEngine.XR.ARSubsystems.XRHumanBodySubsystemCinfo::<supportsHumanBody3DScaleEstimation>k__BackingField
bool ___U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_6;
public:
inline static int32_t get_offset_of_U3CidU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(XRHumanBodySubsystemCinfo_tAFFD9EF9197B51AA2EAC628F54C90C842B7E54CC, ___U3CidU3Ek__BackingField_0)); }
inline String_t* get_U3CidU3Ek__BackingField_0() const { return ___U3CidU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CidU3Ek__BackingField_0() { return &___U3CidU3Ek__BackingField_0; }
inline void set_U3CidU3Ek__BackingField_0(String_t* value)
{
___U3CidU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CidU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderTypeU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(XRHumanBodySubsystemCinfo_tAFFD9EF9197B51AA2EAC628F54C90C842B7E54CC, ___U3CproviderTypeU3Ek__BackingField_1)); }
inline Type_t * get_U3CproviderTypeU3Ek__BackingField_1() const { return ___U3CproviderTypeU3Ek__BackingField_1; }
inline Type_t ** get_address_of_U3CproviderTypeU3Ek__BackingField_1() { return &___U3CproviderTypeU3Ek__BackingField_1; }
inline void set_U3CproviderTypeU3Ek__BackingField_1(Type_t * value)
{
___U3CproviderTypeU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderTypeU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(XRHumanBodySubsystemCinfo_tAFFD9EF9197B51AA2EAC628F54C90C842B7E54CC, ___U3CsubsystemTypeOverrideU3Ek__BackingField_2)); }
inline Type_t * get_U3CsubsystemTypeOverrideU3Ek__BackingField_2() const { return ___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline Type_t ** get_address_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return &___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline void set_U3CsubsystemTypeOverrideU3Ek__BackingField_2(Type_t * value)
{
___U3CsubsystemTypeOverrideU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemTypeOverrideU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CimplementationTypeU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(XRHumanBodySubsystemCinfo_tAFFD9EF9197B51AA2EAC628F54C90C842B7E54CC, ___U3CimplementationTypeU3Ek__BackingField_3)); }
inline Type_t * get_U3CimplementationTypeU3Ek__BackingField_3() const { return ___U3CimplementationTypeU3Ek__BackingField_3; }
inline Type_t ** get_address_of_U3CimplementationTypeU3Ek__BackingField_3() { return &___U3CimplementationTypeU3Ek__BackingField_3; }
inline void set_U3CimplementationTypeU3Ek__BackingField_3(Type_t * value)
{
___U3CimplementationTypeU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CimplementationTypeU3Ek__BackingField_3), (void*)value);
}
inline static int32_t get_offset_of_U3CsupportsHumanBody2DU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(XRHumanBodySubsystemCinfo_tAFFD9EF9197B51AA2EAC628F54C90C842B7E54CC, ___U3CsupportsHumanBody2DU3Ek__BackingField_4)); }
inline bool get_U3CsupportsHumanBody2DU3Ek__BackingField_4() const { return ___U3CsupportsHumanBody2DU3Ek__BackingField_4; }
inline bool* get_address_of_U3CsupportsHumanBody2DU3Ek__BackingField_4() { return &___U3CsupportsHumanBody2DU3Ek__BackingField_4; }
inline void set_U3CsupportsHumanBody2DU3Ek__BackingField_4(bool value)
{
___U3CsupportsHumanBody2DU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3CsupportsHumanBody3DU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(XRHumanBodySubsystemCinfo_tAFFD9EF9197B51AA2EAC628F54C90C842B7E54CC, ___U3CsupportsHumanBody3DU3Ek__BackingField_5)); }
inline bool get_U3CsupportsHumanBody3DU3Ek__BackingField_5() const { return ___U3CsupportsHumanBody3DU3Ek__BackingField_5; }
inline bool* get_address_of_U3CsupportsHumanBody3DU3Ek__BackingField_5() { return &___U3CsupportsHumanBody3DU3Ek__BackingField_5; }
inline void set_U3CsupportsHumanBody3DU3Ek__BackingField_5(bool value)
{
___U3CsupportsHumanBody3DU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(XRHumanBodySubsystemCinfo_tAFFD9EF9197B51AA2EAC628F54C90C842B7E54CC, ___U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_6)); }
inline bool get_U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_6() const { return ___U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_6; }
inline bool* get_address_of_U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_6() { return &___U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_6; }
inline void set_U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_6(bool value)
{
___U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_6 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARSubsystems.XRHumanBodySubsystemCinfo
struct XRHumanBodySubsystemCinfo_tAFFD9EF9197B51AA2EAC628F54C90C842B7E54CC_marshaled_pinvoke
{
char* ___U3CidU3Ek__BackingField_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___U3CimplementationTypeU3Ek__BackingField_3;
int32_t ___U3CsupportsHumanBody2DU3Ek__BackingField_4;
int32_t ___U3CsupportsHumanBody3DU3Ek__BackingField_5;
int32_t ___U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_6;
};
// Native definition for COM marshalling of UnityEngine.XR.ARSubsystems.XRHumanBodySubsystemCinfo
struct XRHumanBodySubsystemCinfo_tAFFD9EF9197B51AA2EAC628F54C90C842B7E54CC_marshaled_com
{
Il2CppChar* ___U3CidU3Ek__BackingField_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___U3CimplementationTypeU3Ek__BackingField_3;
int32_t ___U3CsupportsHumanBody2DU3Ek__BackingField_4;
int32_t ___U3CsupportsHumanBody3DU3Ek__BackingField_5;
int32_t ___U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_6;
};
// UnityEngine.XR.ARSubsystems.XROcclusionSubsystemCinfo
struct XROcclusionSubsystemCinfo_tA29FDBA57EBA835927124FC18780DDD9CC4D84FD
{
public:
// System.String UnityEngine.XR.ARSubsystems.XROcclusionSubsystemCinfo::<id>k__BackingField
String_t* ___U3CidU3Ek__BackingField_0;
// System.Type UnityEngine.XR.ARSubsystems.XROcclusionSubsystemCinfo::<providerType>k__BackingField
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
// System.Type UnityEngine.XR.ARSubsystems.XROcclusionSubsystemCinfo::<subsystemTypeOverride>k__BackingField
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
// System.Type UnityEngine.XR.ARSubsystems.XROcclusionSubsystemCinfo::<implementationType>k__BackingField
Type_t * ___U3CimplementationTypeU3Ek__BackingField_3;
// System.Boolean UnityEngine.XR.ARSubsystems.XROcclusionSubsystemCinfo::<supportsHumanSegmentationStencilImage>k__BackingField
bool ___U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_4;
// System.Boolean UnityEngine.XR.ARSubsystems.XROcclusionSubsystemCinfo::<supportsHumanSegmentationDepthImage>k__BackingField
bool ___U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_5;
// System.Func`1<System.Boolean> UnityEngine.XR.ARSubsystems.XROcclusionSubsystemCinfo::<queryForSupportsEnvironmentDepthImage>k__BackingField
Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F * ___U3CqueryForSupportsEnvironmentDepthImageU3Ek__BackingField_6;
// System.Func`1<System.Boolean> UnityEngine.XR.ARSubsystems.XROcclusionSubsystemCinfo::<queryForSupportsEnvironmentDepthConfidenceImage>k__BackingField
Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F * ___U3CqueryForSupportsEnvironmentDepthConfidenceImageU3Ek__BackingField_7;
public:
inline static int32_t get_offset_of_U3CidU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(XROcclusionSubsystemCinfo_tA29FDBA57EBA835927124FC18780DDD9CC4D84FD, ___U3CidU3Ek__BackingField_0)); }
inline String_t* get_U3CidU3Ek__BackingField_0() const { return ___U3CidU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CidU3Ek__BackingField_0() { return &___U3CidU3Ek__BackingField_0; }
inline void set_U3CidU3Ek__BackingField_0(String_t* value)
{
___U3CidU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CidU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderTypeU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(XROcclusionSubsystemCinfo_tA29FDBA57EBA835927124FC18780DDD9CC4D84FD, ___U3CproviderTypeU3Ek__BackingField_1)); }
inline Type_t * get_U3CproviderTypeU3Ek__BackingField_1() const { return ___U3CproviderTypeU3Ek__BackingField_1; }
inline Type_t ** get_address_of_U3CproviderTypeU3Ek__BackingField_1() { return &___U3CproviderTypeU3Ek__BackingField_1; }
inline void set_U3CproviderTypeU3Ek__BackingField_1(Type_t * value)
{
___U3CproviderTypeU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderTypeU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(XROcclusionSubsystemCinfo_tA29FDBA57EBA835927124FC18780DDD9CC4D84FD, ___U3CsubsystemTypeOverrideU3Ek__BackingField_2)); }
inline Type_t * get_U3CsubsystemTypeOverrideU3Ek__BackingField_2() const { return ___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline Type_t ** get_address_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return &___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline void set_U3CsubsystemTypeOverrideU3Ek__BackingField_2(Type_t * value)
{
___U3CsubsystemTypeOverrideU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemTypeOverrideU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CimplementationTypeU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(XROcclusionSubsystemCinfo_tA29FDBA57EBA835927124FC18780DDD9CC4D84FD, ___U3CimplementationTypeU3Ek__BackingField_3)); }
inline Type_t * get_U3CimplementationTypeU3Ek__BackingField_3() const { return ___U3CimplementationTypeU3Ek__BackingField_3; }
inline Type_t ** get_address_of_U3CimplementationTypeU3Ek__BackingField_3() { return &___U3CimplementationTypeU3Ek__BackingField_3; }
inline void set_U3CimplementationTypeU3Ek__BackingField_3(Type_t * value)
{
___U3CimplementationTypeU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CimplementationTypeU3Ek__BackingField_3), (void*)value);
}
inline static int32_t get_offset_of_U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(XROcclusionSubsystemCinfo_tA29FDBA57EBA835927124FC18780DDD9CC4D84FD, ___U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_4)); }
inline bool get_U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_4() const { return ___U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_4; }
inline bool* get_address_of_U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_4() { return &___U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_4; }
inline void set_U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_4(bool value)
{
___U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(XROcclusionSubsystemCinfo_tA29FDBA57EBA835927124FC18780DDD9CC4D84FD, ___U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_5)); }
inline bool get_U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_5() const { return ___U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_5; }
inline bool* get_address_of_U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_5() { return &___U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_5; }
inline void set_U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_5(bool value)
{
___U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CqueryForSupportsEnvironmentDepthImageU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(XROcclusionSubsystemCinfo_tA29FDBA57EBA835927124FC18780DDD9CC4D84FD, ___U3CqueryForSupportsEnvironmentDepthImageU3Ek__BackingField_6)); }
inline Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F * get_U3CqueryForSupportsEnvironmentDepthImageU3Ek__BackingField_6() const { return ___U3CqueryForSupportsEnvironmentDepthImageU3Ek__BackingField_6; }
inline Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F ** get_address_of_U3CqueryForSupportsEnvironmentDepthImageU3Ek__BackingField_6() { return &___U3CqueryForSupportsEnvironmentDepthImageU3Ek__BackingField_6; }
inline void set_U3CqueryForSupportsEnvironmentDepthImageU3Ek__BackingField_6(Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F * value)
{
___U3CqueryForSupportsEnvironmentDepthImageU3Ek__BackingField_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CqueryForSupportsEnvironmentDepthImageU3Ek__BackingField_6), (void*)value);
}
inline static int32_t get_offset_of_U3CqueryForSupportsEnvironmentDepthConfidenceImageU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(XROcclusionSubsystemCinfo_tA29FDBA57EBA835927124FC18780DDD9CC4D84FD, ___U3CqueryForSupportsEnvironmentDepthConfidenceImageU3Ek__BackingField_7)); }
inline Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F * get_U3CqueryForSupportsEnvironmentDepthConfidenceImageU3Ek__BackingField_7() const { return ___U3CqueryForSupportsEnvironmentDepthConfidenceImageU3Ek__BackingField_7; }
inline Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F ** get_address_of_U3CqueryForSupportsEnvironmentDepthConfidenceImageU3Ek__BackingField_7() { return &___U3CqueryForSupportsEnvironmentDepthConfidenceImageU3Ek__BackingField_7; }
inline void set_U3CqueryForSupportsEnvironmentDepthConfidenceImageU3Ek__BackingField_7(Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F * value)
{
___U3CqueryForSupportsEnvironmentDepthConfidenceImageU3Ek__BackingField_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CqueryForSupportsEnvironmentDepthConfidenceImageU3Ek__BackingField_7), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARSubsystems.XROcclusionSubsystemCinfo
struct XROcclusionSubsystemCinfo_tA29FDBA57EBA835927124FC18780DDD9CC4D84FD_marshaled_pinvoke
{
char* ___U3CidU3Ek__BackingField_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___U3CimplementationTypeU3Ek__BackingField_3;
int32_t ___U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_4;
int32_t ___U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_5;
Il2CppMethodPointer ___U3CqueryForSupportsEnvironmentDepthImageU3Ek__BackingField_6;
Il2CppMethodPointer ___U3CqueryForSupportsEnvironmentDepthConfidenceImageU3Ek__BackingField_7;
};
// Native definition for COM marshalling of UnityEngine.XR.ARSubsystems.XROcclusionSubsystemCinfo
struct XROcclusionSubsystemCinfo_tA29FDBA57EBA835927124FC18780DDD9CC4D84FD_marshaled_com
{
Il2CppChar* ___U3CidU3Ek__BackingField_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___U3CimplementationTypeU3Ek__BackingField_3;
int32_t ___U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_4;
int32_t ___U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_5;
Il2CppMethodPointer ___U3CqueryForSupportsEnvironmentDepthImageU3Ek__BackingField_6;
Il2CppMethodPointer ___U3CqueryForSupportsEnvironmentDepthConfidenceImageU3Ek__BackingField_7;
};
// UnityEngine.XR.ARSubsystems.XRReferenceObject
struct XRReferenceObject_t18877E1C9F50FF11192A86805D881349020032AE
{
public:
// System.UInt64 UnityEngine.XR.ARSubsystems.XRReferenceObject::m_GuidLow
uint64_t ___m_GuidLow_0;
// System.UInt64 UnityEngine.XR.ARSubsystems.XRReferenceObject::m_GuidHigh
uint64_t ___m_GuidHigh_1;
// System.String UnityEngine.XR.ARSubsystems.XRReferenceObject::m_Name
String_t* ___m_Name_2;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XRReferenceObjectEntry> UnityEngine.XR.ARSubsystems.XRReferenceObject::m_Entries
List_1_tB23AEDE769BF4EA511C93F224596EF58939F8E5A * ___m_Entries_3;
public:
inline static int32_t get_offset_of_m_GuidLow_0() { return static_cast<int32_t>(offsetof(XRReferenceObject_t18877E1C9F50FF11192A86805D881349020032AE, ___m_GuidLow_0)); }
inline uint64_t get_m_GuidLow_0() const { return ___m_GuidLow_0; }
inline uint64_t* get_address_of_m_GuidLow_0() { return &___m_GuidLow_0; }
inline void set_m_GuidLow_0(uint64_t value)
{
___m_GuidLow_0 = value;
}
inline static int32_t get_offset_of_m_GuidHigh_1() { return static_cast<int32_t>(offsetof(XRReferenceObject_t18877E1C9F50FF11192A86805D881349020032AE, ___m_GuidHigh_1)); }
inline uint64_t get_m_GuidHigh_1() const { return ___m_GuidHigh_1; }
inline uint64_t* get_address_of_m_GuidHigh_1() { return &___m_GuidHigh_1; }
inline void set_m_GuidHigh_1(uint64_t value)
{
___m_GuidHigh_1 = value;
}
inline static int32_t get_offset_of_m_Name_2() { return static_cast<int32_t>(offsetof(XRReferenceObject_t18877E1C9F50FF11192A86805D881349020032AE, ___m_Name_2)); }
inline String_t* get_m_Name_2() const { return ___m_Name_2; }
inline String_t** get_address_of_m_Name_2() { return &___m_Name_2; }
inline void set_m_Name_2(String_t* value)
{
___m_Name_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Name_2), (void*)value);
}
inline static int32_t get_offset_of_m_Entries_3() { return static_cast<int32_t>(offsetof(XRReferenceObject_t18877E1C9F50FF11192A86805D881349020032AE, ___m_Entries_3)); }
inline List_1_tB23AEDE769BF4EA511C93F224596EF58939F8E5A * get_m_Entries_3() const { return ___m_Entries_3; }
inline List_1_tB23AEDE769BF4EA511C93F224596EF58939F8E5A ** get_address_of_m_Entries_3() { return &___m_Entries_3; }
inline void set_m_Entries_3(List_1_tB23AEDE769BF4EA511C93F224596EF58939F8E5A * value)
{
___m_Entries_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Entries_3), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARSubsystems.XRReferenceObject
struct XRReferenceObject_t18877E1C9F50FF11192A86805D881349020032AE_marshaled_pinvoke
{
uint64_t ___m_GuidLow_0;
uint64_t ___m_GuidHigh_1;
char* ___m_Name_2;
List_1_tB23AEDE769BF4EA511C93F224596EF58939F8E5A * ___m_Entries_3;
};
// Native definition for COM marshalling of UnityEngine.XR.ARSubsystems.XRReferenceObject
struct XRReferenceObject_t18877E1C9F50FF11192A86805D881349020032AE_marshaled_com
{
uint64_t ___m_GuidLow_0;
uint64_t ___m_GuidHigh_1;
Il2CppChar* ___m_Name_2;
List_1_tB23AEDE769BF4EA511C93F224596EF58939F8E5A * ___m_Entries_3;
};
// System.Xml.XmlCharType
struct XmlCharType_t0B35CAE2B2E20F28A418270966E9989BBDB004BA
{
public:
// System.Byte[] System.Xml.XmlCharType::charProperties
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___charProperties_2;
public:
inline static int32_t get_offset_of_charProperties_2() { return static_cast<int32_t>(offsetof(XmlCharType_t0B35CAE2B2E20F28A418270966E9989BBDB004BA, ___charProperties_2)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_charProperties_2() const { return ___charProperties_2; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_charProperties_2() { return &___charProperties_2; }
inline void set_charProperties_2(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___charProperties_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___charProperties_2), (void*)value);
}
};
struct XmlCharType_t0B35CAE2B2E20F28A418270966E9989BBDB004BA_StaticFields
{
public:
// System.Object System.Xml.XmlCharType::s_Lock
RuntimeObject * ___s_Lock_0;
// System.Byte[] modreq(System.Runtime.CompilerServices.IsVolatile) System.Xml.XmlCharType::s_CharProperties
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___s_CharProperties_1;
public:
inline static int32_t get_offset_of_s_Lock_0() { return static_cast<int32_t>(offsetof(XmlCharType_t0B35CAE2B2E20F28A418270966E9989BBDB004BA_StaticFields, ___s_Lock_0)); }
inline RuntimeObject * get_s_Lock_0() const { return ___s_Lock_0; }
inline RuntimeObject ** get_address_of_s_Lock_0() { return &___s_Lock_0; }
inline void set_s_Lock_0(RuntimeObject * value)
{
___s_Lock_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Lock_0), (void*)value);
}
inline static int32_t get_offset_of_s_CharProperties_1() { return static_cast<int32_t>(offsetof(XmlCharType_t0B35CAE2B2E20F28A418270966E9989BBDB004BA_StaticFields, ___s_CharProperties_1)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_s_CharProperties_1() const { return ___s_CharProperties_1; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_s_CharProperties_1() { return &___s_CharProperties_1; }
inline void set_s_CharProperties_1(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___s_CharProperties_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_CharProperties_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Xml.XmlCharType
struct XmlCharType_t0B35CAE2B2E20F28A418270966E9989BBDB004BA_marshaled_pinvoke
{
Il2CppSafeArray/*NONE*/* ___charProperties_2;
};
// Native definition for COM marshalling of System.Xml.XmlCharType
struct XmlCharType_t0B35CAE2B2E20F28A418270966E9989BBDB004BA_marshaled_com
{
Il2CppSafeArray/*NONE*/* ___charProperties_2;
};
// System.Xml.Serialization.XmlSchemaProviderAttribute
struct XmlSchemaProviderAttribute_t94BE15D9985EEC61A31C88069AE2723B209005DA : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Xml.Serialization.XmlSchemaProviderAttribute::_methodName
String_t* ____methodName_0;
// System.Boolean System.Xml.Serialization.XmlSchemaProviderAttribute::_isAny
bool ____isAny_1;
public:
inline static int32_t get_offset_of__methodName_0() { return static_cast<int32_t>(offsetof(XmlSchemaProviderAttribute_t94BE15D9985EEC61A31C88069AE2723B209005DA, ____methodName_0)); }
inline String_t* get__methodName_0() const { return ____methodName_0; }
inline String_t** get_address_of__methodName_0() { return &____methodName_0; }
inline void set__methodName_0(String_t* value)
{
____methodName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____methodName_0), (void*)value);
}
inline static int32_t get_offset_of__isAny_1() { return static_cast<int32_t>(offsetof(XmlSchemaProviderAttribute_t94BE15D9985EEC61A31C88069AE2723B209005DA, ____isAny_1)); }
inline bool get__isAny_1() const { return ____isAny_1; }
inline bool* get_address_of__isAny_1() { return &____isAny_1; }
inline void set__isAny_1(bool value)
{
____isAny_1 = value;
}
};
// System.Xml.Serialization.XmlTypeConvertorAttribute
struct XmlTypeConvertorAttribute_t9C029CB7A95EE9E3BAFFCB8DA5174C0364DA1D4E : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Xml.Serialization.XmlTypeConvertorAttribute::<Method>k__BackingField
String_t* ___U3CMethodU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CMethodU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(XmlTypeConvertorAttribute_t9C029CB7A95EE9E3BAFFCB8DA5174C0364DA1D4E, ___U3CMethodU3Ek__BackingField_0)); }
inline String_t* get_U3CMethodU3Ek__BackingField_0() const { return ___U3CMethodU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CMethodU3Ek__BackingField_0() { return &___U3CMethodU3Ek__BackingField_0; }
inline void set_U3CMethodU3Ek__BackingField_0(String_t* value)
{
___U3CMethodU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CMethodU3Ek__BackingField_0), (void*)value);
}
};
// System.__DTString
struct __DTString_t594255B76730E715A2A5655F8238B0029484B27A
{
public:
// System.String System.__DTString::Value
String_t* ___Value_0;
// System.Int32 System.__DTString::Index
int32_t ___Index_1;
// System.Int32 System.__DTString::len
int32_t ___len_2;
// System.Char System.__DTString::m_current
Il2CppChar ___m_current_3;
// System.Globalization.CompareInfo System.__DTString::m_info
CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * ___m_info_4;
// System.Boolean System.__DTString::m_checkDigitToken
bool ___m_checkDigitToken_5;
public:
inline static int32_t get_offset_of_Value_0() { return static_cast<int32_t>(offsetof(__DTString_t594255B76730E715A2A5655F8238B0029484B27A, ___Value_0)); }
inline String_t* get_Value_0() const { return ___Value_0; }
inline String_t** get_address_of_Value_0() { return &___Value_0; }
inline void set_Value_0(String_t* value)
{
___Value_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Value_0), (void*)value);
}
inline static int32_t get_offset_of_Index_1() { return static_cast<int32_t>(offsetof(__DTString_t594255B76730E715A2A5655F8238B0029484B27A, ___Index_1)); }
inline int32_t get_Index_1() const { return ___Index_1; }
inline int32_t* get_address_of_Index_1() { return &___Index_1; }
inline void set_Index_1(int32_t value)
{
___Index_1 = value;
}
inline static int32_t get_offset_of_len_2() { return static_cast<int32_t>(offsetof(__DTString_t594255B76730E715A2A5655F8238B0029484B27A, ___len_2)); }
inline int32_t get_len_2() const { return ___len_2; }
inline int32_t* get_address_of_len_2() { return &___len_2; }
inline void set_len_2(int32_t value)
{
___len_2 = value;
}
inline static int32_t get_offset_of_m_current_3() { return static_cast<int32_t>(offsetof(__DTString_t594255B76730E715A2A5655F8238B0029484B27A, ___m_current_3)); }
inline Il2CppChar get_m_current_3() const { return ___m_current_3; }
inline Il2CppChar* get_address_of_m_current_3() { return &___m_current_3; }
inline void set_m_current_3(Il2CppChar value)
{
___m_current_3 = value;
}
inline static int32_t get_offset_of_m_info_4() { return static_cast<int32_t>(offsetof(__DTString_t594255B76730E715A2A5655F8238B0029484B27A, ___m_info_4)); }
inline CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * get_m_info_4() const { return ___m_info_4; }
inline CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 ** get_address_of_m_info_4() { return &___m_info_4; }
inline void set_m_info_4(CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * value)
{
___m_info_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_info_4), (void*)value);
}
inline static int32_t get_offset_of_m_checkDigitToken_5() { return static_cast<int32_t>(offsetof(__DTString_t594255B76730E715A2A5655F8238B0029484B27A, ___m_checkDigitToken_5)); }
inline bool get_m_checkDigitToken_5() const { return ___m_checkDigitToken_5; }
inline bool* get_address_of_m_checkDigitToken_5() { return &___m_checkDigitToken_5; }
inline void set_m_checkDigitToken_5(bool value)
{
___m_checkDigitToken_5 = value;
}
};
struct __DTString_t594255B76730E715A2A5655F8238B0029484B27A_StaticFields
{
public:
// System.Char[] System.__DTString::WhiteSpaceChecks
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___WhiteSpaceChecks_6;
public:
inline static int32_t get_offset_of_WhiteSpaceChecks_6() { return static_cast<int32_t>(offsetof(__DTString_t594255B76730E715A2A5655F8238B0029484B27A_StaticFields, ___WhiteSpaceChecks_6)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_WhiteSpaceChecks_6() const { return ___WhiteSpaceChecks_6; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_WhiteSpaceChecks_6() { return &___WhiteSpaceChecks_6; }
inline void set_WhiteSpaceChecks_6(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___WhiteSpaceChecks_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___WhiteSpaceChecks_6), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.__DTString
struct __DTString_t594255B76730E715A2A5655F8238B0029484B27A_marshaled_pinvoke
{
char* ___Value_0;
int32_t ___Index_1;
int32_t ___len_2;
uint8_t ___m_current_3;
CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * ___m_info_4;
int32_t ___m_checkDigitToken_5;
};
// Native definition for COM marshalling of System.__DTString
struct __DTString_t594255B76730E715A2A5655F8238B0029484B27A_marshaled_com
{
Il2CppChar* ___Value_0;
int32_t ___Index_1;
int32_t ___len_2;
uint8_t ___m_current_3;
CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * ___m_info_4;
int32_t ___m_checkDigitToken_5;
};
// System.__Il2CppComDelegate
struct __Il2CppComDelegate_t0219610CDD7FF34DAF4380555649ADA03ACF3F66 : public Il2CppComObject
{
public:
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=128
struct __StaticArrayInitTypeSizeU3D128_t2C1166FE3CC05212DD55648859D997CA8842A83B
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D128_t2C1166FE3CC05212DD55648859D997CA8842A83B__padding[128];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=32
struct __StaticArrayInitTypeSizeU3D32_tD37BEF7101998702862991181C721026AB96A59F
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D32_tD37BEF7101998702862991181C721026AB96A59F__padding[32];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=6
struct __StaticArrayInitTypeSizeU3D6_tDF2537259373F423B466710F7B6BCCCCB9F570AB
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D6_tDF2537259373F423B466710F7B6BCCCCB9F570AB__padding[6];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=16
struct __StaticArrayInitTypeSizeU3D16_t2B4AA2E0441F98D4C472E4682FC36B4C0F9E7496
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D16_t2B4AA2E0441F98D4C472E4682FC36B4C0F9E7496__padding[16];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=12
struct __StaticArrayInitTypeSizeU3D12_t2220102B640286E12FA39257350C9720EE55BD78
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D12_t2220102B640286E12FA39257350C9720EE55BD78__padding[12];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=12
struct __StaticArrayInitTypeSizeU3D12_t7F7209CE80E982A37AD0FED34F45A96EFE184746
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D12_t7F7209CE80E982A37AD0FED34F45A96EFE184746__padding[12];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=10
struct __StaticArrayInitTypeSizeU3D10_t71B5750224A80E3CACEFBC499879A04CCE6A5CD3
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D10_t71B5750224A80E3CACEFBC499879A04CCE6A5CD3__padding[10];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=1018
struct __StaticArrayInitTypeSizeU3D1018_tC210B7B033B7D52771288C82C8E6DA21074FF7F3
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D1018_tC210B7B033B7D52771288C82C8E6DA21074FF7F3__padding[1018];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=1080
struct __StaticArrayInitTypeSizeU3D1080_tDD425A5824CFEEBEB897380BE535A4D579DD8DEB
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D1080_tDD425A5824CFEEBEB897380BE535A4D579DD8DEB__padding[1080];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=11614
struct __StaticArrayInitTypeSizeU3D11614_t7947936AE0A455E7877908DB7A291DEE37965F6F
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D11614_t7947936AE0A455E7877908DB7A291DEE37965F6F__padding[11614];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=12
struct __StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584__padding[12];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=120
struct __StaticArrayInitTypeSizeU3D120_t13A2E28354D3A542E1A2AD289B7970CE8BF64CE1
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D120_t13A2E28354D3A542E1A2AD289B7970CE8BF64CE1__padding[120];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=1208
struct __StaticArrayInitTypeSizeU3D1208_t7747605A5C3CD826A11C4196CCE9CF1996C344DF
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D1208_t7747605A5C3CD826A11C4196CCE9CF1996C344DF__padding[1208];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=128
struct __StaticArrayInitTypeSizeU3D128_t0E65F82715F120C2585C93F35BFA548913720A71
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D128_t0E65F82715F120C2585C93F35BFA548913720A71__padding[128];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=130
struct __StaticArrayInitTypeSizeU3D130_tF56FBBACF53AE9A551B962978B48A914536B6871
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D130_tF56FBBACF53AE9A551B962978B48A914536B6871__padding[130];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=1450
struct __StaticArrayInitTypeSizeU3D1450_tAC1EF3610F74C31313DF1ADF3AC9D9A2A9EC2912
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D1450_tAC1EF3610F74C31313DF1ADF3AC9D9A2A9EC2912__padding[1450];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=16
struct __StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26__padding[16];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=162
struct __StaticArrayInitTypeSizeU3D162_t11E10480FC4E2E4875323D07CD37B68D7040BD28
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D162_t11E10480FC4E2E4875323D07CD37B68D7040BD28__padding[162];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=1665
struct __StaticArrayInitTypeSizeU3D1665_tF300201390474873919B6C58C810DFAC718FE0F4
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D1665_tF300201390474873919B6C58C810DFAC718FE0F4__padding[1665];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=174
struct __StaticArrayInitTypeSizeU3D174_t5A6FEDE2414380A28FDFFA92ACA4EADB3693E337
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D174_t5A6FEDE2414380A28FDFFA92ACA4EADB3693E337__padding[174];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=2100
struct __StaticArrayInitTypeSizeU3D2100_t77017A2656678C6EE4571B84C9F635820AB583B0
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D2100_t77017A2656678C6EE4571B84C9F635820AB583B0__padding[2100];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=212
struct __StaticArrayInitTypeSizeU3D212_tA27E3A600D9E677116CCFCF5CB90C2DEF1951E43
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D212_tA27E3A600D9E677116CCFCF5CB90C2DEF1951E43__padding[212];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=21252
struct __StaticArrayInitTypeSizeU3D21252_t7F9940F69151C8490439C5AC4C3E8F115E6EFDD0
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D21252_t7F9940F69151C8490439C5AC4C3E8F115E6EFDD0__padding[21252];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=2350
struct __StaticArrayInitTypeSizeU3D2350_t029525D9BCF84611FB610B9E4D13EE898E0B055D
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D2350_t029525D9BCF84611FB610B9E4D13EE898E0B055D__padding[2350];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=2382
struct __StaticArrayInitTypeSizeU3D2382_t7764CC6AFDCA682AEBA6E78440AD21978F0AB7B1
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D2382_t7764CC6AFDCA682AEBA6E78440AD21978F0AB7B1__padding[2382];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=24
struct __StaticArrayInitTypeSizeU3D24_t54A5E8E52DF075628A83AE11B6178839F1F8FBDC
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D24_t54A5E8E52DF075628A83AE11B6178839F1F8FBDC__padding[24];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=240
struct __StaticArrayInitTypeSizeU3D240_t15F96E63E1A6759D1754EA684441DA49B3724B5F
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D240_t15F96E63E1A6759D1754EA684441DA49B3724B5F__padding[240];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=256
struct __StaticArrayInitTypeSizeU3D256_t11D9B162886459BA6BCD63DB255358502735B7A3
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D256_t11D9B162886459BA6BCD63DB255358502735B7A3__padding[256];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=262
struct __StaticArrayInitTypeSizeU3D262_tF74EA0E2AEDDD20898E5779445ABF7802D23911A
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D262_tF74EA0E2AEDDD20898E5779445ABF7802D23911A__padding[262];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=288
struct __StaticArrayInitTypeSizeU3D288_t901CBC2EE96C2C63E8B3C6D507136F8A55FF5566
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D288_t901CBC2EE96C2C63E8B3C6D507136F8A55FF5566__padding[288];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=3
struct __StaticArrayInitTypeSizeU3D3_t87EA921BA4E5FA6B89C780901818C549D9F073A4
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D3_t87EA921BA4E5FA6B89C780901818C549D9F073A4__padding[3];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=32
struct __StaticArrayInitTypeSizeU3D32_t99C29E8FAFAAE5B1E3F1CB981F557B0AA62EA81B
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D32_t99C29E8FAFAAE5B1E3F1CB981F557B0AA62EA81B__padding[32];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=320
struct __StaticArrayInitTypeSizeU3D320_tBE0C4C66577D53F18D8BA69E43FDC69DFA003F8F
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D320_tBE0C4C66577D53F18D8BA69E43FDC69DFA003F8F__padding[320];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=36
struct __StaticArrayInitTypeSizeU3D36_t46D2C2EA131D6126B945EA1E0993E0EE8AACC3CA
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D36_t46D2C2EA131D6126B945EA1E0993E0EE8AACC3CA__padding[36];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=360
struct __StaticArrayInitTypeSizeU3D360_t0E9DE21DD2818B844977C0B5AEFD0AF5FA812D79
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D360_t0E9DE21DD2818B844977C0B5AEFD0AF5FA812D79__padding[360];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=38
struct __StaticArrayInitTypeSizeU3D38_tCB70BC8DEB0D12487BC902760AFB250798B64F83
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D38_tCB70BC8DEB0D12487BC902760AFB250798B64F83__padding[38];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=40
struct __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525__padding[40];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=42
struct __StaticArrayInitTypeSizeU3D42_t9FC2D1D81E2853CF5D36635AB6A30DDDB9ABFECA
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D42_t9FC2D1D81E2853CF5D36635AB6A30DDDB9ABFECA__padding[42];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=44
struct __StaticArrayInitTypeSizeU3D44_t2C34FCD1B7CA98AF1BE52ED77A663AFA9401C5D5
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D44_t2C34FCD1B7CA98AF1BE52ED77A663AFA9401C5D5__padding[44];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=52
struct __StaticArrayInitTypeSizeU3D52_t68C389D6C6894AE8F01E7C88DDD8CBDE317B23CD
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D52_t68C389D6C6894AE8F01E7C88DDD8CBDE317B23CD__padding[52];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=6
struct __StaticArrayInitTypeSizeU3D6_tDBD6E107ED6E71EDDDBFD5023C1C5C3EE71A6A23
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D6_tDBD6E107ED6E71EDDDBFD5023C1C5C3EE71A6A23__padding[6];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=64
struct __StaticArrayInitTypeSizeU3D64_t7C93E4AFB43BF13F84D563CFD17E5011B9721668
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D64_t7C93E4AFB43BF13F84D563CFD17E5011B9721668__padding[64];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72
struct __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2__padding[72];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=76
struct __StaticArrayInitTypeSizeU3D76_tFC0C1E62400632DF6EBD5465D74B1851DAC47C60
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D76_tFC0C1E62400632DF6EBD5465D74B1851DAC47C60__padding[76];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=84
struct __StaticArrayInitTypeSizeU3D84_t2EF20E9BBEB47B540AFCA64F09777DFD5E348454
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D84_t2EF20E9BBEB47B540AFCA64F09777DFD5E348454__padding[84];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=94
struct __StaticArrayInitTypeSizeU3D94_t52D6560B7A2023DDDFDCF4D8F6C226742520B4C7
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D94_t52D6560B7A2023DDDFDCF4D8F6C226742520B4C7__padding[94];
};
public:
};
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=998
struct __StaticArrayInitTypeSizeU3D998_t4B160A0C233D0CAB065432B008AFE2E02CF05C4D
{
public:
union
{
struct
{
union
{
};
};
uint8_t __StaticArrayInitTypeSizeU3D998_t4B160A0C233D0CAB065432B008AFE2E02CF05C4D__padding[998];
};
public:
};
// UnityEngine.XR.ARFoundation.ARPointCloudManager/PointCloudRaycastInfo
struct PointCloudRaycastInfo_t3CEA434CD8C654942880AB891772D174AE33A2B1
{
public:
// System.Single UnityEngine.XR.ARFoundation.ARPointCloudManager/PointCloudRaycastInfo::distance
float ___distance_0;
// System.Single UnityEngine.XR.ARFoundation.ARPointCloudManager/PointCloudRaycastInfo::cosineAngleWithRay
float ___cosineAngleWithRay_1;
public:
inline static int32_t get_offset_of_distance_0() { return static_cast<int32_t>(offsetof(PointCloudRaycastInfo_t3CEA434CD8C654942880AB891772D174AE33A2B1, ___distance_0)); }
inline float get_distance_0() const { return ___distance_0; }
inline float* get_address_of_distance_0() { return &___distance_0; }
inline void set_distance_0(float value)
{
___distance_0 = value;
}
inline static int32_t get_offset_of_cosineAngleWithRay_1() { return static_cast<int32_t>(offsetof(PointCloudRaycastInfo_t3CEA434CD8C654942880AB891772D174AE33A2B1, ___cosineAngleWithRay_1)); }
inline float get_cosineAngleWithRay_1() const { return ___cosineAngleWithRay_1; }
inline float* get_address_of_cosineAngleWithRay_1() { return &___cosineAngleWithRay_1; }
inline void set_cosineAngleWithRay_1(float value)
{
___cosineAngleWithRay_1 = value;
}
};
// System.Array/SorterGenericArray
struct SorterGenericArray_t2369B44171030E280B31E4036E95D06C4810BBB9
{
public:
// System.Array System.Array/SorterGenericArray::keys
RuntimeArray * ___keys_0;
// System.Array System.Array/SorterGenericArray::items
RuntimeArray * ___items_1;
// System.Collections.IComparer System.Array/SorterGenericArray::comparer
RuntimeObject* ___comparer_2;
public:
inline static int32_t get_offset_of_keys_0() { return static_cast<int32_t>(offsetof(SorterGenericArray_t2369B44171030E280B31E4036E95D06C4810BBB9, ___keys_0)); }
inline RuntimeArray * get_keys_0() const { return ___keys_0; }
inline RuntimeArray ** get_address_of_keys_0() { return &___keys_0; }
inline void set_keys_0(RuntimeArray * value)
{
___keys_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___keys_0), (void*)value);
}
inline static int32_t get_offset_of_items_1() { return static_cast<int32_t>(offsetof(SorterGenericArray_t2369B44171030E280B31E4036E95D06C4810BBB9, ___items_1)); }
inline RuntimeArray * get_items_1() const { return ___items_1; }
inline RuntimeArray ** get_address_of_items_1() { return &___items_1; }
inline void set_items_1(RuntimeArray * value)
{
___items_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___items_1), (void*)value);
}
inline static int32_t get_offset_of_comparer_2() { return static_cast<int32_t>(offsetof(SorterGenericArray_t2369B44171030E280B31E4036E95D06C4810BBB9, ___comparer_2)); }
inline RuntimeObject* get_comparer_2() const { return ___comparer_2; }
inline RuntimeObject** get_address_of_comparer_2() { return &___comparer_2; }
inline void set_comparer_2(RuntimeObject* value)
{
___comparer_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___comparer_2), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Array/SorterGenericArray
struct SorterGenericArray_t2369B44171030E280B31E4036E95D06C4810BBB9_marshaled_pinvoke
{
RuntimeArray * ___keys_0;
RuntimeArray * ___items_1;
RuntimeObject* ___comparer_2;
};
// Native definition for COM marshalling of System.Array/SorterGenericArray
struct SorterGenericArray_t2369B44171030E280B31E4036E95D06C4810BBB9_marshaled_com
{
RuntimeArray * ___keys_0;
RuntimeArray * ___items_1;
RuntimeObject* ___comparer_2;
};
// System.Array/SorterObjectArray
struct SorterObjectArray_t60785845A840F9562AA723FF11ECA3597C5A9FD1
{
public:
// System.Object[] System.Array/SorterObjectArray::keys
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___keys_0;
// System.Object[] System.Array/SorterObjectArray::items
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___items_1;
// System.Collections.IComparer System.Array/SorterObjectArray::comparer
RuntimeObject* ___comparer_2;
public:
inline static int32_t get_offset_of_keys_0() { return static_cast<int32_t>(offsetof(SorterObjectArray_t60785845A840F9562AA723FF11ECA3597C5A9FD1, ___keys_0)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_keys_0() const { return ___keys_0; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_keys_0() { return &___keys_0; }
inline void set_keys_0(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___keys_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___keys_0), (void*)value);
}
inline static int32_t get_offset_of_items_1() { return static_cast<int32_t>(offsetof(SorterObjectArray_t60785845A840F9562AA723FF11ECA3597C5A9FD1, ___items_1)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_items_1() const { return ___items_1; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_items_1() { return &___items_1; }
inline void set_items_1(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___items_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___items_1), (void*)value);
}
inline static int32_t get_offset_of_comparer_2() { return static_cast<int32_t>(offsetof(SorterObjectArray_t60785845A840F9562AA723FF11ECA3597C5A9FD1, ___comparer_2)); }
inline RuntimeObject* get_comparer_2() const { return ___comparer_2; }
inline RuntimeObject** get_address_of_comparer_2() { return &___comparer_2; }
inline void set_comparer_2(RuntimeObject* value)
{
___comparer_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___comparer_2), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Array/SorterObjectArray
struct SorterObjectArray_t60785845A840F9562AA723FF11ECA3597C5A9FD1_marshaled_pinvoke
{
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___keys_0;
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___items_1;
RuntimeObject* ___comparer_2;
};
// Native definition for COM marshalling of System.Array/SorterObjectArray
struct SorterObjectArray_t60785845A840F9562AA723FF11ECA3597C5A9FD1_marshaled_com
{
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___keys_0;
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___items_1;
RuntimeObject* ___comparer_2;
};
// UnityEngine.BeforeRenderHelper/OrderBlock
struct OrderBlock_t0B106828F588BC2F0B9895425E6FD39EDA45C1E2
{
public:
// System.Int32 UnityEngine.BeforeRenderHelper/OrderBlock::order
int32_t ___order_0;
// UnityEngine.Events.UnityAction UnityEngine.BeforeRenderHelper/OrderBlock::callback
UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 * ___callback_1;
public:
inline static int32_t get_offset_of_order_0() { return static_cast<int32_t>(offsetof(OrderBlock_t0B106828F588BC2F0B9895425E6FD39EDA45C1E2, ___order_0)); }
inline int32_t get_order_0() const { return ___order_0; }
inline int32_t* get_address_of_order_0() { return &___order_0; }
inline void set_order_0(int32_t value)
{
___order_0 = value;
}
inline static int32_t get_offset_of_callback_1() { return static_cast<int32_t>(offsetof(OrderBlock_t0B106828F588BC2F0B9895425E6FD39EDA45C1E2, ___callback_1)); }
inline UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 * get_callback_1() const { return ___callback_1; }
inline UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 ** get_address_of_callback_1() { return &___callback_1; }
inline void set_callback_1(UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 * value)
{
___callback_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___callback_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.BeforeRenderHelper/OrderBlock
struct OrderBlock_t0B106828F588BC2F0B9895425E6FD39EDA45C1E2_marshaled_pinvoke
{
int32_t ___order_0;
Il2CppMethodPointer ___callback_1;
};
// Native definition for COM marshalling of UnityEngine.BeforeRenderHelper/OrderBlock
struct OrderBlock_t0B106828F588BC2F0B9895425E6FD39EDA45C1E2_marshaled_com
{
int32_t ___order_0;
Il2CppMethodPointer ___callback_1;
};
// UnityEngine.Localization.Pseudo.CharacterSubstitutor/CharReplacement
struct CharReplacement_t743B10607D7222BB8A9378C7E4D5A53236CF2E9F
{
public:
// System.Char UnityEngine.Localization.Pseudo.CharacterSubstitutor/CharReplacement::original
Il2CppChar ___original_0;
// System.Char UnityEngine.Localization.Pseudo.CharacterSubstitutor/CharReplacement::replacement
Il2CppChar ___replacement_1;
public:
inline static int32_t get_offset_of_original_0() { return static_cast<int32_t>(offsetof(CharReplacement_t743B10607D7222BB8A9378C7E4D5A53236CF2E9F, ___original_0)); }
inline Il2CppChar get_original_0() const { return ___original_0; }
inline Il2CppChar* get_address_of_original_0() { return &___original_0; }
inline void set_original_0(Il2CppChar value)
{
___original_0 = value;
}
inline static int32_t get_offset_of_replacement_1() { return static_cast<int32_t>(offsetof(CharReplacement_t743B10607D7222BB8A9378C7E4D5A53236CF2E9F, ___replacement_1)); }
inline Il2CppChar get_replacement_1() const { return ___replacement_1; }
inline Il2CppChar* get_address_of_replacement_1() { return &___replacement_1; }
inline void set_replacement_1(Il2CppChar value)
{
___replacement_1 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Localization.Pseudo.CharacterSubstitutor/CharReplacement
struct CharReplacement_t743B10607D7222BB8A9378C7E4D5A53236CF2E9F_marshaled_pinvoke
{
uint8_t ___original_0;
uint8_t ___replacement_1;
};
// Native definition for COM marshalling of UnityEngine.Localization.Pseudo.CharacterSubstitutor/CharReplacement
struct CharReplacement_t743B10607D7222BB8A9378C7E4D5A53236CF2E9F_marshaled_com
{
uint8_t ___original_0;
uint8_t ___replacement_1;
};
// Mono.Globalization.Unicode.CodePointIndexer/TableRange
struct TableRange_t0D96EE3F7B1008C60DD683B3A6985C602854E6F1
{
public:
// System.Int32 Mono.Globalization.Unicode.CodePointIndexer/TableRange::Start
int32_t ___Start_0;
// System.Int32 Mono.Globalization.Unicode.CodePointIndexer/TableRange::End
int32_t ___End_1;
// System.Int32 Mono.Globalization.Unicode.CodePointIndexer/TableRange::Count
int32_t ___Count_2;
// System.Int32 Mono.Globalization.Unicode.CodePointIndexer/TableRange::IndexStart
int32_t ___IndexStart_3;
// System.Int32 Mono.Globalization.Unicode.CodePointIndexer/TableRange::IndexEnd
int32_t ___IndexEnd_4;
public:
inline static int32_t get_offset_of_Start_0() { return static_cast<int32_t>(offsetof(TableRange_t0D96EE3F7B1008C60DD683B3A6985C602854E6F1, ___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_End_1() { return static_cast<int32_t>(offsetof(TableRange_t0D96EE3F7B1008C60DD683B3A6985C602854E6F1, ___End_1)); }
inline int32_t get_End_1() const { return ___End_1; }
inline int32_t* get_address_of_End_1() { return &___End_1; }
inline void set_End_1(int32_t value)
{
___End_1 = value;
}
inline static int32_t get_offset_of_Count_2() { return static_cast<int32_t>(offsetof(TableRange_t0D96EE3F7B1008C60DD683B3A6985C602854E6F1, ___Count_2)); }
inline int32_t get_Count_2() const { return ___Count_2; }
inline int32_t* get_address_of_Count_2() { return &___Count_2; }
inline void set_Count_2(int32_t value)
{
___Count_2 = value;
}
inline static int32_t get_offset_of_IndexStart_3() { return static_cast<int32_t>(offsetof(TableRange_t0D96EE3F7B1008C60DD683B3A6985C602854E6F1, ___IndexStart_3)); }
inline int32_t get_IndexStart_3() const { return ___IndexStart_3; }
inline int32_t* get_address_of_IndexStart_3() { return &___IndexStart_3; }
inline void set_IndexStart_3(int32_t value)
{
___IndexStart_3 = value;
}
inline static int32_t get_offset_of_IndexEnd_4() { return static_cast<int32_t>(offsetof(TableRange_t0D96EE3F7B1008C60DD683B3A6985C602854E6F1, ___IndexEnd_4)); }
inline int32_t get_IndexEnd_4() const { return ___IndexEnd_4; }
inline int32_t* get_address_of_IndexEnd_4() { return &___IndexEnd_4; }
inline void set_IndexEnd_4(int32_t value)
{
___IndexEnd_4 = value;
}
};
// UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData/Bucket
struct Bucket_tFF0A5D09C64E897483EFE091CE726A2509EC50FB
{
public:
// System.Int32 UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData/Bucket::dataOffset
int32_t ___dataOffset_0;
// System.Int32[] UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData/Bucket::entries
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___entries_1;
public:
inline static int32_t get_offset_of_dataOffset_0() { return static_cast<int32_t>(offsetof(Bucket_tFF0A5D09C64E897483EFE091CE726A2509EC50FB, ___dataOffset_0)); }
inline int32_t get_dataOffset_0() const { return ___dataOffset_0; }
inline int32_t* get_address_of_dataOffset_0() { return &___dataOffset_0; }
inline void set_dataOffset_0(int32_t value)
{
___dataOffset_0 = value;
}
inline static int32_t get_offset_of_entries_1() { return static_cast<int32_t>(offsetof(Bucket_tFF0A5D09C64E897483EFE091CE726A2509EC50FB, ___entries_1)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_entries_1() const { return ___entries_1; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_entries_1() { return &___entries_1; }
inline void set_entries_1(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___entries_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___entries_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData/Bucket
struct Bucket_tFF0A5D09C64E897483EFE091CE726A2509EC50FB_marshaled_pinvoke
{
int32_t ___dataOffset_0;
Il2CppSafeArray/*NONE*/* ___entries_1;
};
// Native definition for COM marshalling of UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData/Bucket
struct Bucket_tFF0A5D09C64E897483EFE091CE726A2509EC50FB_marshaled_com
{
int32_t ___dataOffset_0;
Il2CppSafeArray/*NONE*/* ___entries_1;
};
// System.Runtime.Remoting.Channels.CrossAppDomainSink/ProcessMessageRes
struct ProcessMessageRes_tEB8A216399166053C37BA6F520ADEA92455104E9
{
public:
// System.Byte[] System.Runtime.Remoting.Channels.CrossAppDomainSink/ProcessMessageRes::arrResponse
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___arrResponse_0;
// System.Runtime.Remoting.Messaging.CADMethodReturnMessage System.Runtime.Remoting.Channels.CrossAppDomainSink/ProcessMessageRes::cadMrm
CADMethodReturnMessage_t875AA26C474A6CC70596D42E9D74006BCC86A272 * ___cadMrm_1;
public:
inline static int32_t get_offset_of_arrResponse_0() { return static_cast<int32_t>(offsetof(ProcessMessageRes_tEB8A216399166053C37BA6F520ADEA92455104E9, ___arrResponse_0)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_arrResponse_0() const { return ___arrResponse_0; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_arrResponse_0() { return &___arrResponse_0; }
inline void set_arrResponse_0(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___arrResponse_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___arrResponse_0), (void*)value);
}
inline static int32_t get_offset_of_cadMrm_1() { return static_cast<int32_t>(offsetof(ProcessMessageRes_tEB8A216399166053C37BA6F520ADEA92455104E9, ___cadMrm_1)); }
inline CADMethodReturnMessage_t875AA26C474A6CC70596D42E9D74006BCC86A272 * get_cadMrm_1() const { return ___cadMrm_1; }
inline CADMethodReturnMessage_t875AA26C474A6CC70596D42E9D74006BCC86A272 ** get_address_of_cadMrm_1() { return &___cadMrm_1; }
inline void set_cadMrm_1(CADMethodReturnMessage_t875AA26C474A6CC70596D42E9D74006BCC86A272 * value)
{
___cadMrm_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___cadMrm_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Runtime.Remoting.Channels.CrossAppDomainSink/ProcessMessageRes
struct ProcessMessageRes_tEB8A216399166053C37BA6F520ADEA92455104E9_marshaled_pinvoke
{
Il2CppSafeArray/*NONE*/* ___arrResponse_0;
CADMethodReturnMessage_t875AA26C474A6CC70596D42E9D74006BCC86A272 * ___cadMrm_1;
};
// Native definition for COM marshalling of System.Runtime.Remoting.Channels.CrossAppDomainSink/ProcessMessageRes
struct ProcessMessageRes_tEB8A216399166053C37BA6F520ADEA92455104E9_marshaled_com
{
Il2CppSafeArray/*NONE*/* ___arrResponse_0;
CADMethodReturnMessage_t875AA26C474A6CC70596D42E9D74006BCC86A272 * ___cadMrm_1;
};
// System.Globalization.CultureInfo/Data
struct Data_tD2910A75571233E80DF4714C1F6CBB1852B3BF68
{
public:
// System.Int32 System.Globalization.CultureInfo/Data::ansi
int32_t ___ansi_0;
// System.Int32 System.Globalization.CultureInfo/Data::ebcdic
int32_t ___ebcdic_1;
// System.Int32 System.Globalization.CultureInfo/Data::mac
int32_t ___mac_2;
// System.Int32 System.Globalization.CultureInfo/Data::oem
int32_t ___oem_3;
// System.Boolean System.Globalization.CultureInfo/Data::right_to_left
bool ___right_to_left_4;
// System.Byte System.Globalization.CultureInfo/Data::list_sep
uint8_t ___list_sep_5;
public:
inline static int32_t get_offset_of_ansi_0() { return static_cast<int32_t>(offsetof(Data_tD2910A75571233E80DF4714C1F6CBB1852B3BF68, ___ansi_0)); }
inline int32_t get_ansi_0() const { return ___ansi_0; }
inline int32_t* get_address_of_ansi_0() { return &___ansi_0; }
inline void set_ansi_0(int32_t value)
{
___ansi_0 = value;
}
inline static int32_t get_offset_of_ebcdic_1() { return static_cast<int32_t>(offsetof(Data_tD2910A75571233E80DF4714C1F6CBB1852B3BF68, ___ebcdic_1)); }
inline int32_t get_ebcdic_1() const { return ___ebcdic_1; }
inline int32_t* get_address_of_ebcdic_1() { return &___ebcdic_1; }
inline void set_ebcdic_1(int32_t value)
{
___ebcdic_1 = value;
}
inline static int32_t get_offset_of_mac_2() { return static_cast<int32_t>(offsetof(Data_tD2910A75571233E80DF4714C1F6CBB1852B3BF68, ___mac_2)); }
inline int32_t get_mac_2() const { return ___mac_2; }
inline int32_t* get_address_of_mac_2() { return &___mac_2; }
inline void set_mac_2(int32_t value)
{
___mac_2 = value;
}
inline static int32_t get_offset_of_oem_3() { return static_cast<int32_t>(offsetof(Data_tD2910A75571233E80DF4714C1F6CBB1852B3BF68, ___oem_3)); }
inline int32_t get_oem_3() const { return ___oem_3; }
inline int32_t* get_address_of_oem_3() { return &___oem_3; }
inline void set_oem_3(int32_t value)
{
___oem_3 = value;
}
inline static int32_t get_offset_of_right_to_left_4() { return static_cast<int32_t>(offsetof(Data_tD2910A75571233E80DF4714C1F6CBB1852B3BF68, ___right_to_left_4)); }
inline bool get_right_to_left_4() const { return ___right_to_left_4; }
inline bool* get_address_of_right_to_left_4() { return &___right_to_left_4; }
inline void set_right_to_left_4(bool value)
{
___right_to_left_4 = value;
}
inline static int32_t get_offset_of_list_sep_5() { return static_cast<int32_t>(offsetof(Data_tD2910A75571233E80DF4714C1F6CBB1852B3BF68, ___list_sep_5)); }
inline uint8_t get_list_sep_5() const { return ___list_sep_5; }
inline uint8_t* get_address_of_list_sep_5() { return &___list_sep_5; }
inline void set_list_sep_5(uint8_t value)
{
___list_sep_5 = value;
}
};
// Native definition for P/Invoke marshalling of System.Globalization.CultureInfo/Data
struct Data_tD2910A75571233E80DF4714C1F6CBB1852B3BF68_marshaled_pinvoke
{
int32_t ___ansi_0;
int32_t ___ebcdic_1;
int32_t ___mac_2;
int32_t ___oem_3;
int32_t ___right_to_left_4;
uint8_t ___list_sep_5;
};
// Native definition for COM marshalling of System.Globalization.CultureInfo/Data
struct Data_tD2910A75571233E80DF4714C1F6CBB1852B3BF68_marshaled_com
{
int32_t ___ansi_0;
int32_t ___ebcdic_1;
int32_t ___mac_2;
int32_t ___oem_3;
int32_t ___right_to_left_4;
uint8_t ___list_sep_5;
};
// UnityEngine.UI.DefaultControls/Resources
struct Resources_tA64317917B3D01310E84588407113D059D802DEB
{
public:
// UnityEngine.Sprite UnityEngine.UI.DefaultControls/Resources::standard
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___standard_0;
// UnityEngine.Sprite UnityEngine.UI.DefaultControls/Resources::background
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___background_1;
// UnityEngine.Sprite UnityEngine.UI.DefaultControls/Resources::inputField
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___inputField_2;
// UnityEngine.Sprite UnityEngine.UI.DefaultControls/Resources::knob
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___knob_3;
// UnityEngine.Sprite UnityEngine.UI.DefaultControls/Resources::checkmark
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___checkmark_4;
// UnityEngine.Sprite UnityEngine.UI.DefaultControls/Resources::dropdown
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___dropdown_5;
// UnityEngine.Sprite UnityEngine.UI.DefaultControls/Resources::mask
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___mask_6;
public:
inline static int32_t get_offset_of_standard_0() { return static_cast<int32_t>(offsetof(Resources_tA64317917B3D01310E84588407113D059D802DEB, ___standard_0)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_standard_0() const { return ___standard_0; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_standard_0() { return &___standard_0; }
inline void set_standard_0(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___standard_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___standard_0), (void*)value);
}
inline static int32_t get_offset_of_background_1() { return static_cast<int32_t>(offsetof(Resources_tA64317917B3D01310E84588407113D059D802DEB, ___background_1)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_background_1() const { return ___background_1; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_background_1() { return &___background_1; }
inline void set_background_1(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___background_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___background_1), (void*)value);
}
inline static int32_t get_offset_of_inputField_2() { return static_cast<int32_t>(offsetof(Resources_tA64317917B3D01310E84588407113D059D802DEB, ___inputField_2)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_inputField_2() const { return ___inputField_2; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_inputField_2() { return &___inputField_2; }
inline void set_inputField_2(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___inputField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___inputField_2), (void*)value);
}
inline static int32_t get_offset_of_knob_3() { return static_cast<int32_t>(offsetof(Resources_tA64317917B3D01310E84588407113D059D802DEB, ___knob_3)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_knob_3() const { return ___knob_3; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_knob_3() { return &___knob_3; }
inline void set_knob_3(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___knob_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___knob_3), (void*)value);
}
inline static int32_t get_offset_of_checkmark_4() { return static_cast<int32_t>(offsetof(Resources_tA64317917B3D01310E84588407113D059D802DEB, ___checkmark_4)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_checkmark_4() const { return ___checkmark_4; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_checkmark_4() { return &___checkmark_4; }
inline void set_checkmark_4(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___checkmark_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___checkmark_4), (void*)value);
}
inline static int32_t get_offset_of_dropdown_5() { return static_cast<int32_t>(offsetof(Resources_tA64317917B3D01310E84588407113D059D802DEB, ___dropdown_5)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_dropdown_5() const { return ___dropdown_5; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_dropdown_5() { return &___dropdown_5; }
inline void set_dropdown_5(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___dropdown_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___dropdown_5), (void*)value);
}
inline static int32_t get_offset_of_mask_6() { return static_cast<int32_t>(offsetof(Resources_tA64317917B3D01310E84588407113D059D802DEB, ___mask_6)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_mask_6() const { return ___mask_6; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_mask_6() { return &___mask_6; }
inline void set_mask_6(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___mask_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___mask_6), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.UI.DefaultControls/Resources
struct Resources_tA64317917B3D01310E84588407113D059D802DEB_marshaled_pinvoke
{
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___standard_0;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___background_1;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___inputField_2;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___knob_3;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___checkmark_4;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___dropdown_5;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___mask_6;
};
// Native definition for COM marshalling of UnityEngine.UI.DefaultControls/Resources
struct Resources_tA64317917B3D01310E84588407113D059D802DEB_marshaled_com
{
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___standard_0;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___background_1;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___inputField_2;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___knob_3;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___checkmark_4;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___dropdown_5;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___mask_6;
};
// UnityEngine.PlayerLoop.EarlyUpdate/ARCoreUpdate
struct ARCoreUpdate_t345A656C10E6E775CE53726D062F4CECDACD7D56
{
public:
union
{
struct
{
};
uint8_t ARCoreUpdate_t345A656C10E6E775CE53726D062F4CECDACD7D56__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/AnalyticsCoreStatsUpdate
struct AnalyticsCoreStatsUpdate_t4A67F117F57258A558CE7C30ECD0DC6BD844E0BC
{
public:
union
{
struct
{
};
uint8_t AnalyticsCoreStatsUpdate_t4A67F117F57258A558CE7C30ECD0DC6BD844E0BC__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/ClearIntermediateRenderers
struct ClearIntermediateRenderers_tAC7049D6072F90734E528B90B95C40CF7F90A748
{
public:
union
{
struct
{
};
uint8_t ClearIntermediateRenderers_tAC7049D6072F90734E528B90B95C40CF7F90A748__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/ClearLines
struct ClearLines_t07F570AD58667935AD12B63CD120E9BCB6E95D71
{
public:
union
{
struct
{
};
uint8_t ClearLines_t07F570AD58667935AD12B63CD120E9BCB6E95D71__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/DeliverIosPlatformEvents
struct DeliverIosPlatformEvents_t3BF56C33BEF28195805C74F0ED4B3F53BEDF9049
{
public:
union
{
struct
{
};
uint8_t DeliverIosPlatformEvents_t3BF56C33BEF28195805C74F0ED4B3F53BEDF9049__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/DispatchEventQueueEvents
struct DispatchEventQueueEvents_t57DA008DF9012DB2B7B7B093F66207E11F1801C7
{
public:
union
{
struct
{
};
uint8_t DispatchEventQueueEvents_t57DA008DF9012DB2B7B7B093F66207E11F1801C7__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/ExecuteMainThreadJobs
struct ExecuteMainThreadJobs_t178184E2A46BE6E4999FB4A6909DA0981128FF19
{
public:
union
{
struct
{
};
uint8_t ExecuteMainThreadJobs_t178184E2A46BE6E4999FB4A6909DA0981128FF19__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/GpuTimestamp
struct GpuTimestamp_t2AFDA2966ED888A5AD724AAB77422828D4ADBA7F
{
public:
union
{
struct
{
};
uint8_t GpuTimestamp_t2AFDA2966ED888A5AD724AAB77422828D4ADBA7F__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/PerformanceAnalyticsUpdate
struct PerformanceAnalyticsUpdate_t1AE3F68BF048267B56AC956F28F48B286F2DB5C6
{
public:
union
{
struct
{
};
uint8_t PerformanceAnalyticsUpdate_t1AE3F68BF048267B56AC956F28F48B286F2DB5C6__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/PhysicsResetInterpolatedTransformPosition
struct PhysicsResetInterpolatedTransformPosition_t63FDDA90182BA3FA40B3D74870BC99958C67E18C
{
public:
union
{
struct
{
};
uint8_t PhysicsResetInterpolatedTransformPosition_t63FDDA90182BA3FA40B3D74870BC99958C67E18C__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/PlayerCleanupCachedData
struct PlayerCleanupCachedData_t59BB27B35F4901EFD5243D3ACB724C4AB760D97E
{
public:
union
{
struct
{
};
uint8_t PlayerCleanupCachedData_t59BB27B35F4901EFD5243D3ACB724C4AB760D97E__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/PollHtcsPlayerConnection
struct PollHtcsPlayerConnection_t0701098C7389B5A4ABE7B2D875AF7797FC693C63
{
public:
union
{
struct
{
};
uint8_t PollHtcsPlayerConnection_t0701098C7389B5A4ABE7B2D875AF7797FC693C63__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/PollPlayerConnection
struct PollPlayerConnection_tC440AA2EF4FFBE9A131CD21E28FD2C999C9699C9
{
public:
union
{
struct
{
};
uint8_t PollPlayerConnection_tC440AA2EF4FFBE9A131CD21E28FD2C999C9699C9__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/PresentBeforeUpdate
struct PresentBeforeUpdate_tF1A8E51EF605A45F3AFA67A3EC4F55D48483E2D0
{
public:
union
{
struct
{
};
uint8_t PresentBeforeUpdate_tF1A8E51EF605A45F3AFA67A3EC4F55D48483E2D0__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/ProcessMouseInWindow
struct ProcessMouseInWindow_t5E3FFEFC4E6FC09E607DACE6E0CA8DF0CDADFAE6
{
public:
union
{
struct
{
};
uint8_t ProcessMouseInWindow_t5E3FFEFC4E6FC09E607DACE6E0CA8DF0CDADFAE6__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/ProcessRemoteInput
struct ProcessRemoteInput_t42D081A550685F4C78E334CA381D184F08FB62F3
{
public:
union
{
struct
{
};
uint8_t ProcessRemoteInput_t42D081A550685F4C78E334CA381D184F08FB62F3__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/ProfilerStartFrame
struct ProfilerStartFrame_tAC3E2CF0778F729F11D08358849F7CD4CD585E7C
{
public:
union
{
struct
{
};
uint8_t ProfilerStartFrame_tAC3E2CF0778F729F11D08358849F7CD4CD585E7C__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/RendererNotifyInvisible
struct RendererNotifyInvisible_t8ED1E3B4D8DE9D108C6EA967C5DB4B59A5BD48E5
{
public:
union
{
struct
{
};
uint8_t RendererNotifyInvisible_t8ED1E3B4D8DE9D108C6EA967C5DB4B59A5BD48E5__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/ResetFrameStatsAfterPresent
struct ResetFrameStatsAfterPresent_t7E3F5B7774CBAD72CB6EAF576B64A4D7AF24D1D4
{
public:
union
{
struct
{
};
uint8_t ResetFrameStatsAfterPresent_t7E3F5B7774CBAD72CB6EAF576B64A4D7AF24D1D4__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/ScriptRunDelayedStartupFrame
struct ScriptRunDelayedStartupFrame_tCD3EB2C533206E2243EDBEC265AE32D963A12298
{
public:
union
{
struct
{
};
uint8_t ScriptRunDelayedStartupFrame_tCD3EB2C533206E2243EDBEC265AE32D963A12298__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/SpriteAtlasManagerUpdate
struct SpriteAtlasManagerUpdate_t98936A7616CEE98F8447488F9CC817448529250F
{
public:
union
{
struct
{
};
uint8_t SpriteAtlasManagerUpdate_t98936A7616CEE98F8447488F9CC817448529250F__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/TangoUpdate
struct TangoUpdate_tD6640C8082DC2C21F7864C6D5D5606C435455A68
{
public:
union
{
struct
{
};
uint8_t TangoUpdate_tD6640C8082DC2C21F7864C6D5D5606C435455A68__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/UnityWebRequestUpdate
struct UnityWebRequestUpdate_t893B39AA3BF55998BCBF9F6C33C3A24146456781
{
public:
union
{
struct
{
};
uint8_t UnityWebRequestUpdate_t893B39AA3BF55998BCBF9F6C33C3A24146456781__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/UpdateAsyncReadbackManager
struct UpdateAsyncReadbackManager_t432611386C4251CC08B4CA68843AAE1B049D116F
{
public:
union
{
struct
{
};
uint8_t UpdateAsyncReadbackManager_t432611386C4251CC08B4CA68843AAE1B049D116F__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/UpdateCanvasRectTransform
struct UpdateCanvasRectTransform_t6BD3BF9EC17DC88DCCACE9DA694623B8184D4C08
{
public:
union
{
struct
{
};
uint8_t UpdateCanvasRectTransform_t6BD3BF9EC17DC88DCCACE9DA694623B8184D4C08__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/UpdateInputManager
struct UpdateInputManager_t4624AF2E3D5322A456E241653B288D4407A070D7
{
public:
union
{
struct
{
};
uint8_t UpdateInputManager_t4624AF2E3D5322A456E241653B288D4407A070D7__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/UpdateKinect
struct UpdateKinect_t5BDA1D122E2563A2BD5C16B5BFC9675704984331
{
public:
union
{
struct
{
};
uint8_t UpdateKinect_t5BDA1D122E2563A2BD5C16B5BFC9675704984331__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/UpdateMainGameViewRect
struct UpdateMainGameViewRect_tF94FDE58A08AA15EE7B31E9090AC23CD08BF9080
{
public:
union
{
struct
{
};
uint8_t UpdateMainGameViewRect_tF94FDE58A08AA15EE7B31E9090AC23CD08BF9080__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/UpdatePreloading
struct UpdatePreloading_t29F051FCC78430BB557F67F99A1E24431DF85AB4
{
public:
union
{
struct
{
};
uint8_t UpdatePreloading_t29F051FCC78430BB557F67F99A1E24431DF85AB4__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/UpdateStreamingManager
struct UpdateStreamingManager_tCAB478C327FDE15704577ED0A7CA8A22B2BB8554
{
public:
union
{
struct
{
};
uint8_t UpdateStreamingManager_tCAB478C327FDE15704577ED0A7CA8A22B2BB8554__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/UpdateTextureStreamingManager
struct UpdateTextureStreamingManager_tD08A0C8DDF3E6C7970AA5A651B0163D449C21A3A
{
public:
union
{
struct
{
};
uint8_t UpdateTextureStreamingManager_tD08A0C8DDF3E6C7970AA5A651B0163D449C21A3A__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.EarlyUpdate/XRUpdate
struct XRUpdate_t718B5C2C28DAC016453B3B52D02EEE90D546A495
{
public:
union
{
struct
{
};
uint8_t XRUpdate_t718B5C2C28DAC016453B3B52D02EEE90D546A495__padding[1];
};
public:
};
// System.Text.Encoding/DefaultDecoder
struct DefaultDecoder_tD4100CA49008DD8B1C8A5F2B6F82215538AD2C0C : public Decoder_t91B2ED8AEC25AA24D23A00265203BE992B12C370
{
public:
// System.Text.Encoding System.Text.Encoding/DefaultDecoder::m_encoding
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___m_encoding_2;
// System.Boolean System.Text.Encoding/DefaultDecoder::m_hasInitializedEncoding
bool ___m_hasInitializedEncoding_3;
public:
inline static int32_t get_offset_of_m_encoding_2() { return static_cast<int32_t>(offsetof(DefaultDecoder_tD4100CA49008DD8B1C8A5F2B6F82215538AD2C0C, ___m_encoding_2)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_m_encoding_2() const { return ___m_encoding_2; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_m_encoding_2() { return &___m_encoding_2; }
inline void set_m_encoding_2(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___m_encoding_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_encoding_2), (void*)value);
}
inline static int32_t get_offset_of_m_hasInitializedEncoding_3() { return static_cast<int32_t>(offsetof(DefaultDecoder_tD4100CA49008DD8B1C8A5F2B6F82215538AD2C0C, ___m_hasInitializedEncoding_3)); }
inline bool get_m_hasInitializedEncoding_3() const { return ___m_hasInitializedEncoding_3; }
inline bool* get_address_of_m_hasInitializedEncoding_3() { return &___m_hasInitializedEncoding_3; }
inline void set_m_hasInitializedEncoding_3(bool value)
{
___m_hasInitializedEncoding_3 = value;
}
};
// System.Text.Encoding/DefaultEncoder
struct DefaultEncoder_t015F8B83FAD721CEF8784F8DB5AA2B3A6308153C : public Encoder_t5095F24D3B1D0F70D08762B980731B9F1ADEE56A
{
public:
// System.Text.Encoding System.Text.Encoding/DefaultEncoder::m_encoding
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___m_encoding_2;
// System.Boolean System.Text.Encoding/DefaultEncoder::m_hasInitializedEncoding
bool ___m_hasInitializedEncoding_3;
// System.Char System.Text.Encoding/DefaultEncoder::charLeftOver
Il2CppChar ___charLeftOver_4;
public:
inline static int32_t get_offset_of_m_encoding_2() { return static_cast<int32_t>(offsetof(DefaultEncoder_t015F8B83FAD721CEF8784F8DB5AA2B3A6308153C, ___m_encoding_2)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_m_encoding_2() const { return ___m_encoding_2; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_m_encoding_2() { return &___m_encoding_2; }
inline void set_m_encoding_2(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___m_encoding_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_encoding_2), (void*)value);
}
inline static int32_t get_offset_of_m_hasInitializedEncoding_3() { return static_cast<int32_t>(offsetof(DefaultEncoder_t015F8B83FAD721CEF8784F8DB5AA2B3A6308153C, ___m_hasInitializedEncoding_3)); }
inline bool get_m_hasInitializedEncoding_3() const { return ___m_hasInitializedEncoding_3; }
inline bool* get_address_of_m_hasInitializedEncoding_3() { return &___m_hasInitializedEncoding_3; }
inline void set_m_hasInitializedEncoding_3(bool value)
{
___m_hasInitializedEncoding_3 = value;
}
inline static int32_t get_offset_of_charLeftOver_4() { return static_cast<int32_t>(offsetof(DefaultEncoder_t015F8B83FAD721CEF8784F8DB5AA2B3A6308153C, ___charLeftOver_4)); }
inline Il2CppChar get_charLeftOver_4() const { return ___charLeftOver_4; }
inline Il2CppChar* get_address_of_charLeftOver_4() { return &___charLeftOver_4; }
inline void set_charLeftOver_4(Il2CppChar value)
{
___charLeftOver_4 = value;
}
};
// System.Threading.ExecutionContext/Reader
struct Reader_t6C70587C0F5A8CE8367A0407E3109E196764848C
{
public:
// System.Threading.ExecutionContext System.Threading.ExecutionContext/Reader::m_ec
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * ___m_ec_0;
public:
inline static int32_t get_offset_of_m_ec_0() { return static_cast<int32_t>(offsetof(Reader_t6C70587C0F5A8CE8367A0407E3109E196764848C, ___m_ec_0)); }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * get_m_ec_0() const { return ___m_ec_0; }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 ** get_address_of_m_ec_0() { return &___m_ec_0; }
inline void set_m_ec_0(ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * value)
{
___m_ec_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ec_0), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Threading.ExecutionContext/Reader
struct Reader_t6C70587C0F5A8CE8367A0407E3109E196764848C_marshaled_pinvoke
{
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * ___m_ec_0;
};
// Native definition for COM marshalling of System.Threading.ExecutionContext/Reader
struct Reader_t6C70587C0F5A8CE8367A0407E3109E196764848C_marshaled_com
{
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * ___m_ec_0;
};
// UnityEngine.Localization.Pseudo.Expander/ExpansionRule
struct ExpansionRule_t623BFCA5F70CCD04562D355ED26233486264D958
{
public:
// System.Int32 UnityEngine.Localization.Pseudo.Expander/ExpansionRule::m_MinCharacters
int32_t ___m_MinCharacters_0;
// System.Int32 UnityEngine.Localization.Pseudo.Expander/ExpansionRule::m_MaxCharacters
int32_t ___m_MaxCharacters_1;
// System.Single UnityEngine.Localization.Pseudo.Expander/ExpansionRule::m_ExpansionAmount
float ___m_ExpansionAmount_2;
public:
inline static int32_t get_offset_of_m_MinCharacters_0() { return static_cast<int32_t>(offsetof(ExpansionRule_t623BFCA5F70CCD04562D355ED26233486264D958, ___m_MinCharacters_0)); }
inline int32_t get_m_MinCharacters_0() const { return ___m_MinCharacters_0; }
inline int32_t* get_address_of_m_MinCharacters_0() { return &___m_MinCharacters_0; }
inline void set_m_MinCharacters_0(int32_t value)
{
___m_MinCharacters_0 = value;
}
inline static int32_t get_offset_of_m_MaxCharacters_1() { return static_cast<int32_t>(offsetof(ExpansionRule_t623BFCA5F70CCD04562D355ED26233486264D958, ___m_MaxCharacters_1)); }
inline int32_t get_m_MaxCharacters_1() const { return ___m_MaxCharacters_1; }
inline int32_t* get_address_of_m_MaxCharacters_1() { return &___m_MaxCharacters_1; }
inline void set_m_MaxCharacters_1(int32_t value)
{
___m_MaxCharacters_1 = value;
}
inline static int32_t get_offset_of_m_ExpansionAmount_2() { return static_cast<int32_t>(offsetof(ExpansionRule_t623BFCA5F70CCD04562D355ED26233486264D958, ___m_ExpansionAmount_2)); }
inline float get_m_ExpansionAmount_2() const { return ___m_ExpansionAmount_2; }
inline float* get_address_of_m_ExpansionAmount_2() { return &___m_ExpansionAmount_2; }
inline void set_m_ExpansionAmount_2(float value)
{
___m_ExpansionAmount_2 = value;
}
};
// UnityEngine.PlayerLoop.FixedUpdate/AudioFixedUpdate
struct AudioFixedUpdate_t7BB8352EC33E8541EAE347A6ECE127618C347C71
{
public:
union
{
struct
{
};
uint8_t AudioFixedUpdate_t7BB8352EC33E8541EAE347A6ECE127618C347C71__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.FixedUpdate/ClearLines
struct ClearLines_t1D6D67DA1401D35D871A126DB5A5EF69CCD57721
{
public:
union
{
struct
{
};
uint8_t ClearLines_t1D6D67DA1401D35D871A126DB5A5EF69CCD57721__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.FixedUpdate/DirectorFixedSampleTime
struct DirectorFixedSampleTime_t407AD40EC7E9155C6016F3C38DA8B626FF5495D2
{
public:
union
{
struct
{
};
uint8_t DirectorFixedSampleTime_t407AD40EC7E9155C6016F3C38DA8B626FF5495D2__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.FixedUpdate/DirectorFixedUpdate
struct DirectorFixedUpdate_tC33E95FDFBA813B63A0AD9A8446234869AE0EDDA
{
public:
union
{
struct
{
};
uint8_t DirectorFixedUpdate_tC33E95FDFBA813B63A0AD9A8446234869AE0EDDA__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.FixedUpdate/DirectorFixedUpdatePostPhysics
struct DirectorFixedUpdatePostPhysics_t1ADEB661939FF1C092B77D6E72D0B84C2B357346
{
public:
union
{
struct
{
};
uint8_t DirectorFixedUpdatePostPhysics_t1ADEB661939FF1C092B77D6E72D0B84C2B357346__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.FixedUpdate/LegacyFixedAnimationUpdate
struct LegacyFixedAnimationUpdate_tA84F66DFD94D3FC2604C0AD276D9D61D1039A351
{
public:
union
{
struct
{
};
uint8_t LegacyFixedAnimationUpdate_tA84F66DFD94D3FC2604C0AD276D9D61D1039A351__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.FixedUpdate/NewInputFixedUpdate
struct NewInputFixedUpdate_t988F4AAC48EC31DD66EAC14BE6EC2DF37ACC10CC
{
public:
union
{
struct
{
};
uint8_t NewInputFixedUpdate_t988F4AAC48EC31DD66EAC14BE6EC2DF37ACC10CC__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.FixedUpdate/Physics2DFixedUpdate
struct Physics2DFixedUpdate_t4A442ECBB32F36838F630AC8A06CDC557C8C0B68
{
public:
union
{
struct
{
};
uint8_t Physics2DFixedUpdate_t4A442ECBB32F36838F630AC8A06CDC557C8C0B68__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.FixedUpdate/PhysicsClothFixedUpdate
struct PhysicsClothFixedUpdate_t3CEB0DDEB572CBD9C45085F56EC6788F7EEEB275
{
public:
union
{
struct
{
};
uint8_t PhysicsClothFixedUpdate_t3CEB0DDEB572CBD9C45085F56EC6788F7EEEB275__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.FixedUpdate/PhysicsFixedUpdate
struct PhysicsFixedUpdate_t46121810B20B779B5BA50C78BC94DE2ABEB4D0C2
{
public:
union
{
struct
{
};
uint8_t PhysicsFixedUpdate_t46121810B20B779B5BA50C78BC94DE2ABEB4D0C2__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.FixedUpdate/ScriptRunBehaviourFixedUpdate
struct ScriptRunBehaviourFixedUpdate_t7FE48475D8C09E8A4FF93E60B9CEA5B69EC9B203
{
public:
union
{
struct
{
};
uint8_t ScriptRunBehaviourFixedUpdate_t7FE48475D8C09E8A4FF93E60B9CEA5B69EC9B203__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.FixedUpdate/ScriptRunDelayedFixedFrameRate
struct ScriptRunDelayedFixedFrameRate_t85D2FB79D04C22A2A6C8FD81A9B32D9930C23297
{
public:
union
{
struct
{
};
uint8_t ScriptRunDelayedFixedFrameRate_t85D2FB79D04C22A2A6C8FD81A9B32D9930C23297__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.FixedUpdate/XRFixedUpdate
struct XRFixedUpdate_t6A63A12A03ABAACF0B95B921C5CC15484C467132
{
public:
union
{
struct
{
};
uint8_t XRFixedUpdate_t6A63A12A03ABAACF0B95B921C5CC15484C467132__padding[1];
};
public:
};
// UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem/PartialCharEnumerator
struct PartialCharEnumerator_tFF688D7D308D094A1CF656C5B83CD77765351586
{
public:
// System.String UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem/PartialCharEnumerator::m_BaseString
String_t* ___m_BaseString_0;
// System.Int32 UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem/PartialCharEnumerator::m_From
int32_t ___m_From_1;
// System.Int32 UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem/PartialCharEnumerator::m_To
int32_t ___m_To_2;
public:
inline static int32_t get_offset_of_m_BaseString_0() { return static_cast<int32_t>(offsetof(PartialCharEnumerator_tFF688D7D308D094A1CF656C5B83CD77765351586, ___m_BaseString_0)); }
inline String_t* get_m_BaseString_0() const { return ___m_BaseString_0; }
inline String_t** get_address_of_m_BaseString_0() { return &___m_BaseString_0; }
inline void set_m_BaseString_0(String_t* value)
{
___m_BaseString_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_BaseString_0), (void*)value);
}
inline static int32_t get_offset_of_m_From_1() { return static_cast<int32_t>(offsetof(PartialCharEnumerator_tFF688D7D308D094A1CF656C5B83CD77765351586, ___m_From_1)); }
inline int32_t get_m_From_1() const { return ___m_From_1; }
inline int32_t* get_address_of_m_From_1() { return &___m_From_1; }
inline void set_m_From_1(int32_t value)
{
___m_From_1 = value;
}
inline static int32_t get_offset_of_m_To_2() { return static_cast<int32_t>(offsetof(PartialCharEnumerator_tFF688D7D308D094A1CF656C5B83CD77765351586, ___m_To_2)); }
inline int32_t get_m_To_2() const { return ___m_To_2; }
inline int32_t* get_address_of_m_To_2() { return &___m_To_2; }
inline void set_m_To_2(int32_t value)
{
___m_To_2 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem/PartialCharEnumerator
struct PartialCharEnumerator_tFF688D7D308D094A1CF656C5B83CD77765351586_marshaled_pinvoke
{
char* ___m_BaseString_0;
int32_t ___m_From_1;
int32_t ___m_To_2;
};
// Native definition for COM marshalling of UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem/PartialCharEnumerator
struct PartialCharEnumerator_tFF688D7D308D094A1CF656C5B83CD77765351586_marshaled_com
{
Il2CppChar* ___m_BaseString_0;
int32_t ___m_From_1;
int32_t ___m_To_2;
};
// UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/GlobalVariablesScopedUpdate
struct GlobalVariablesScopedUpdate_tB8ED21A2E69D19CB318FF629C6FBEFF9ECB943A0
{
public:
union
{
struct
{
};
uint8_t GlobalVariablesScopedUpdate_tB8ED21A2E69D19CB318FF629C6FBEFF9ECB943A0__padding[1];
};
public:
};
// System.Collections.Hashtable/bucket
struct bucket_t56D642DDC4ABBCED9DB7F620CC35AEEC0778869D
{
public:
// System.Object System.Collections.Hashtable/bucket::key
RuntimeObject * ___key_0;
// System.Object System.Collections.Hashtable/bucket::val
RuntimeObject * ___val_1;
// System.Int32 System.Collections.Hashtable/bucket::hash_coll
int32_t ___hash_coll_2;
public:
inline static int32_t get_offset_of_key_0() { return static_cast<int32_t>(offsetof(bucket_t56D642DDC4ABBCED9DB7F620CC35AEEC0778869D, ___key_0)); }
inline RuntimeObject * get_key_0() const { return ___key_0; }
inline RuntimeObject ** get_address_of_key_0() { return &___key_0; }
inline void set_key_0(RuntimeObject * value)
{
___key_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___key_0), (void*)value);
}
inline static int32_t get_offset_of_val_1() { return static_cast<int32_t>(offsetof(bucket_t56D642DDC4ABBCED9DB7F620CC35AEEC0778869D, ___val_1)); }
inline RuntimeObject * get_val_1() const { return ___val_1; }
inline RuntimeObject ** get_address_of_val_1() { return &___val_1; }
inline void set_val_1(RuntimeObject * value)
{
___val_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___val_1), (void*)value);
}
inline static int32_t get_offset_of_hash_coll_2() { return static_cast<int32_t>(offsetof(bucket_t56D642DDC4ABBCED9DB7F620CC35AEEC0778869D, ___hash_coll_2)); }
inline int32_t get_hash_coll_2() const { return ___hash_coll_2; }
inline int32_t* get_address_of_hash_coll_2() { return &___hash_coll_2; }
inline void set_hash_coll_2(int32_t value)
{
___hash_coll_2 = value;
}
};
// Native definition for P/Invoke marshalling of System.Collections.Hashtable/bucket
struct bucket_t56D642DDC4ABBCED9DB7F620CC35AEEC0778869D_marshaled_pinvoke
{
Il2CppIUnknown* ___key_0;
Il2CppIUnknown* ___val_1;
int32_t ___hash_coll_2;
};
// Native definition for COM marshalling of System.Collections.Hashtable/bucket
struct bucket_t56D642DDC4ABBCED9DB7F620CC35AEEC0778869D_marshaled_com
{
Il2CppIUnknown* ___key_0;
Il2CppIUnknown* ___val_1;
int32_t ___hash_coll_2;
};
// UnityEngine.PlayerLoop.Initialization/AsyncUploadTimeSlicedUpdate
struct AsyncUploadTimeSlicedUpdate_t47FF6A1EB31C45CA8BD817C6D50FCF55CAD91610
{
public:
union
{
struct
{
};
uint8_t AsyncUploadTimeSlicedUpdate_t47FF6A1EB31C45CA8BD817C6D50FCF55CAD91610__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.Initialization/DirectorSampleTime
struct DirectorSampleTime_tF12AFDE1C2F301238588429E1D63F4B7D28FFA51
{
public:
union
{
struct
{
};
uint8_t DirectorSampleTime_tF12AFDE1C2F301238588429E1D63F4B7D28FFA51__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.Initialization/SynchronizeInputs
struct SynchronizeInputs_t4F1F899CB89A9DF9090DEBDF21425980C1A216C0
{
public:
union
{
struct
{
};
uint8_t SynchronizeInputs_t4F1F899CB89A9DF9090DEBDF21425980C1A216C0__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.Initialization/SynchronizeState
struct SynchronizeState_tC915C418D749E282696E2D2DC6080CE18C4ABDFA
{
public:
union
{
struct
{
};
uint8_t SynchronizeState_tC915C418D749E282696E2D2DC6080CE18C4ABDFA__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.Initialization/UpdateCameraMotionVectors
struct UpdateCameraMotionVectors_t2D7D3155FCE58E4F0AE638F4C99CAD66E23FA8E7
{
public:
union
{
struct
{
};
uint8_t UpdateCameraMotionVectors_t2D7D3155FCE58E4F0AE638F4C99CAD66E23FA8E7__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.Initialization/XREarlyUpdate
struct XREarlyUpdate_t9F969CD15ECD221891055EB60CE7A879B6A1AE86
{
public:
union
{
struct
{
};
uint8_t XREarlyUpdate_t9F969CD15ECD221891055EB60CE7A879B6A1AE86__padding[1];
};
public:
};
// System.Runtime.Remoting.Messaging.LogicalCallContext/Reader
struct Reader_tCFB139CA143817B24496D4F1B0DD8F51A256AB13
{
public:
// System.Runtime.Remoting.Messaging.LogicalCallContext System.Runtime.Remoting.Messaging.LogicalCallContext/Reader::m_ctx
LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * ___m_ctx_0;
public:
inline static int32_t get_offset_of_m_ctx_0() { return static_cast<int32_t>(offsetof(Reader_tCFB139CA143817B24496D4F1B0DD8F51A256AB13, ___m_ctx_0)); }
inline LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * get_m_ctx_0() const { return ___m_ctx_0; }
inline LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 ** get_address_of_m_ctx_0() { return &___m_ctx_0; }
inline void set_m_ctx_0(LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * value)
{
___m_ctx_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ctx_0), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Runtime.Remoting.Messaging.LogicalCallContext/Reader
struct Reader_tCFB139CA143817B24496D4F1B0DD8F51A256AB13_marshaled_pinvoke
{
LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * ___m_ctx_0;
};
// Native definition for COM marshalling of System.Runtime.Remoting.Messaging.LogicalCallContext/Reader
struct Reader_tCFB139CA143817B24496D4F1B0DD8F51A256AB13_marshaled_com
{
LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * ___m_ctx_0;
};
// Mono.MonoAssemblyName/<public_key_token>e__FixedBuffer
struct U3Cpublic_key_tokenU3Ee__FixedBuffer_tB14A2D5EC9933696DC9FA36ED40856172409A82E
{
public:
union
{
struct
{
// System.Byte Mono.MonoAssemblyName/<public_key_token>e__FixedBuffer::FixedElementField
uint8_t ___FixedElementField_0;
};
uint8_t U3Cpublic_key_tokenU3Ee__FixedBuffer_tB14A2D5EC9933696DC9FA36ED40856172409A82E__padding[17];
};
public:
inline static int32_t get_offset_of_FixedElementField_0() { return static_cast<int32_t>(offsetof(U3Cpublic_key_tokenU3Ee__FixedBuffer_tB14A2D5EC9933696DC9FA36ED40856172409A82E, ___FixedElementField_0)); }
inline uint8_t get_FixedElementField_0() const { return ___FixedElementField_0; }
inline uint8_t* get_address_of_FixedElementField_0() { return &___FixedElementField_0; }
inline void set_FixedElementField_0(uint8_t value)
{
___FixedElementField_0 = value;
}
};
// UnityEngine.XR.ARSubsystems.MutableRuntimeReferenceImageLibrary/Enumerator
struct Enumerator_t9B104B3EE1E7390464361D775D18230CF662A7D5
{
public:
// UnityEngine.XR.ARSubsystems.MutableRuntimeReferenceImageLibrary UnityEngine.XR.ARSubsystems.MutableRuntimeReferenceImageLibrary/Enumerator::m_Library
MutableRuntimeReferenceImageLibrary_t887376CE46B48DEEC6E8655D429BADCA6E3C7EAA * ___m_Library_0;
// System.Int32 UnityEngine.XR.ARSubsystems.MutableRuntimeReferenceImageLibrary/Enumerator::m_Index
int32_t ___m_Index_1;
public:
inline static int32_t get_offset_of_m_Library_0() { return static_cast<int32_t>(offsetof(Enumerator_t9B104B3EE1E7390464361D775D18230CF662A7D5, ___m_Library_0)); }
inline MutableRuntimeReferenceImageLibrary_t887376CE46B48DEEC6E8655D429BADCA6E3C7EAA * get_m_Library_0() const { return ___m_Library_0; }
inline MutableRuntimeReferenceImageLibrary_t887376CE46B48DEEC6E8655D429BADCA6E3C7EAA ** get_address_of_m_Library_0() { return &___m_Library_0; }
inline void set_m_Library_0(MutableRuntimeReferenceImageLibrary_t887376CE46B48DEEC6E8655D429BADCA6E3C7EAA * value)
{
___m_Library_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Library_0), (void*)value);
}
inline static int32_t get_offset_of_m_Index_1() { return static_cast<int32_t>(offsetof(Enumerator_t9B104B3EE1E7390464361D775D18230CF662A7D5, ___m_Index_1)); }
inline int32_t get_m_Index_1() const { return ___m_Index_1; }
inline int32_t* get_address_of_m_Index_1() { return &___m_Index_1; }
inline void set_m_Index_1(int32_t value)
{
___m_Index_1 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARSubsystems.MutableRuntimeReferenceImageLibrary/Enumerator
struct Enumerator_t9B104B3EE1E7390464361D775D18230CF662A7D5_marshaled_pinvoke
{
MutableRuntimeReferenceImageLibrary_t887376CE46B48DEEC6E8655D429BADCA6E3C7EAA * ___m_Library_0;
int32_t ___m_Index_1;
};
// Native definition for COM marshalling of UnityEngine.XR.ARSubsystems.MutableRuntimeReferenceImageLibrary/Enumerator
struct Enumerator_t9B104B3EE1E7390464361D775D18230CF662A7D5_marshaled_com
{
MutableRuntimeReferenceImageLibrary_t887376CE46B48DEEC6E8655D429BADCA6E3C7EAA * ___m_Library_0;
int32_t ___m_Index_1;
};
// System.Number/NumberBuffer
struct NumberBuffer_t5EC5B27BA4105EA147F2DE7CE7B96D7E9EAC9271
{
public:
// System.Byte* System.Number/NumberBuffer::baseAddress
uint8_t* ___baseAddress_1;
// System.Char* System.Number/NumberBuffer::digits
Il2CppChar* ___digits_2;
// System.Int32 System.Number/NumberBuffer::precision
int32_t ___precision_3;
// System.Int32 System.Number/NumberBuffer::scale
int32_t ___scale_4;
// System.Boolean System.Number/NumberBuffer::sign
bool ___sign_5;
public:
inline static int32_t get_offset_of_baseAddress_1() { return static_cast<int32_t>(offsetof(NumberBuffer_t5EC5B27BA4105EA147F2DE7CE7B96D7E9EAC9271, ___baseAddress_1)); }
inline uint8_t* get_baseAddress_1() const { return ___baseAddress_1; }
inline uint8_t** get_address_of_baseAddress_1() { return &___baseAddress_1; }
inline void set_baseAddress_1(uint8_t* value)
{
___baseAddress_1 = value;
}
inline static int32_t get_offset_of_digits_2() { return static_cast<int32_t>(offsetof(NumberBuffer_t5EC5B27BA4105EA147F2DE7CE7B96D7E9EAC9271, ___digits_2)); }
inline Il2CppChar* get_digits_2() const { return ___digits_2; }
inline Il2CppChar** get_address_of_digits_2() { return &___digits_2; }
inline void set_digits_2(Il2CppChar* value)
{
___digits_2 = value;
}
inline static int32_t get_offset_of_precision_3() { return static_cast<int32_t>(offsetof(NumberBuffer_t5EC5B27BA4105EA147F2DE7CE7B96D7E9EAC9271, ___precision_3)); }
inline int32_t get_precision_3() const { return ___precision_3; }
inline int32_t* get_address_of_precision_3() { return &___precision_3; }
inline void set_precision_3(int32_t value)
{
___precision_3 = value;
}
inline static int32_t get_offset_of_scale_4() { return static_cast<int32_t>(offsetof(NumberBuffer_t5EC5B27BA4105EA147F2DE7CE7B96D7E9EAC9271, ___scale_4)); }
inline int32_t get_scale_4() const { return ___scale_4; }
inline int32_t* get_address_of_scale_4() { return &___scale_4; }
inline void set_scale_4(int32_t value)
{
___scale_4 = value;
}
inline static int32_t get_offset_of_sign_5() { return static_cast<int32_t>(offsetof(NumberBuffer_t5EC5B27BA4105EA147F2DE7CE7B96D7E9EAC9271, ___sign_5)); }
inline bool get_sign_5() const { return ___sign_5; }
inline bool* get_address_of_sign_5() { return &___sign_5; }
inline void set_sign_5(bool value)
{
___sign_5 = value;
}
};
struct NumberBuffer_t5EC5B27BA4105EA147F2DE7CE7B96D7E9EAC9271_StaticFields
{
public:
// System.Int32 System.Number/NumberBuffer::NumberBufferBytes
int32_t ___NumberBufferBytes_0;
public:
inline static int32_t get_offset_of_NumberBufferBytes_0() { return static_cast<int32_t>(offsetof(NumberBuffer_t5EC5B27BA4105EA147F2DE7CE7B96D7E9EAC9271_StaticFields, ___NumberBufferBytes_0)); }
inline int32_t get_NumberBufferBytes_0() const { return ___NumberBufferBytes_0; }
inline int32_t* get_address_of_NumberBufferBytes_0() { return &___NumberBufferBytes_0; }
inline void set_NumberBufferBytes_0(int32_t value)
{
___NumberBufferBytes_0 = value;
}
};
// Native definition for P/Invoke marshalling of System.Number/NumberBuffer
struct NumberBuffer_t5EC5B27BA4105EA147F2DE7CE7B96D7E9EAC9271_marshaled_pinvoke
{
uint8_t* ___baseAddress_1;
Il2CppChar* ___digits_2;
int32_t ___precision_3;
int32_t ___scale_4;
int32_t ___sign_5;
};
// Native definition for COM marshalling of System.Number/NumberBuffer
struct NumberBuffer_t5EC5B27BA4105EA147F2DE7CE7B96D7E9EAC9271_marshaled_com
{
uint8_t* ___baseAddress_1;
Il2CppChar* ___digits_2;
int32_t ___precision_3;
int32_t ___scale_4;
int32_t ___sign_5;
};
// System.Threading.OSSpecificSynchronizationContext/MonoPInvokeCallbackAttribute
struct MonoPInvokeCallbackAttribute_t2C75413B602143864AFF9D2FD4FC27AFAEFB339A : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
public:
};
// System.ParameterizedStrings/FormatParam
struct FormatParam_tA765680E7894569CC4BDEB5DF722F646311E23EE
{
public:
// System.Int32 System.ParameterizedStrings/FormatParam::_int32
int32_t ____int32_0;
// System.String System.ParameterizedStrings/FormatParam::_string
String_t* ____string_1;
public:
inline static int32_t get_offset_of__int32_0() { return static_cast<int32_t>(offsetof(FormatParam_tA765680E7894569CC4BDEB5DF722F646311E23EE, ____int32_0)); }
inline int32_t get__int32_0() const { return ____int32_0; }
inline int32_t* get_address_of__int32_0() { return &____int32_0; }
inline void set__int32_0(int32_t value)
{
____int32_0 = value;
}
inline static int32_t get_offset_of__string_1() { return static_cast<int32_t>(offsetof(FormatParam_tA765680E7894569CC4BDEB5DF722F646311E23EE, ____string_1)); }
inline String_t* get__string_1() const { return ____string_1; }
inline String_t** get_address_of__string_1() { return &____string_1; }
inline void set__string_1(String_t* value)
{
____string_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____string_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.ParameterizedStrings/FormatParam
struct FormatParam_tA765680E7894569CC4BDEB5DF722F646311E23EE_marshaled_pinvoke
{
int32_t ____int32_0;
char* ____string_1;
};
// Native definition for COM marshalling of System.ParameterizedStrings/FormatParam
struct FormatParam_tA765680E7894569CC4BDEB5DF722F646311E23EE_marshaled_com
{
int32_t ____int32_0;
Il2CppChar* ____string_1;
};
// UnityEngine.ParticleSystem/MainModule
struct MainModule_t671F49558CB1A3CFAAD637A7927C076EC2E61F0B
{
public:
// UnityEngine.ParticleSystem UnityEngine.ParticleSystem/MainModule::m_ParticleSystem
ParticleSystem_t2F526CCDBD3512879B3FCBE04BCAB20D7B4F391E * ___m_ParticleSystem_0;
public:
inline static int32_t get_offset_of_m_ParticleSystem_0() { return static_cast<int32_t>(offsetof(MainModule_t671F49558CB1A3CFAAD637A7927C076EC2E61F0B, ___m_ParticleSystem_0)); }
inline ParticleSystem_t2F526CCDBD3512879B3FCBE04BCAB20D7B4F391E * get_m_ParticleSystem_0() const { return ___m_ParticleSystem_0; }
inline ParticleSystem_t2F526CCDBD3512879B3FCBE04BCAB20D7B4F391E ** get_address_of_m_ParticleSystem_0() { return &___m_ParticleSystem_0; }
inline void set_m_ParticleSystem_0(ParticleSystem_t2F526CCDBD3512879B3FCBE04BCAB20D7B4F391E * value)
{
___m_ParticleSystem_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ParticleSystem_0), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.ParticleSystem/MainModule
struct MainModule_t671F49558CB1A3CFAAD637A7927C076EC2E61F0B_marshaled_pinvoke
{
ParticleSystem_t2F526CCDBD3512879B3FCBE04BCAB20D7B4F391E * ___m_ParticleSystem_0;
};
// Native definition for COM marshalling of UnityEngine.ParticleSystem/MainModule
struct MainModule_t671F49558CB1A3CFAAD637A7927C076EC2E61F0B_marshaled_com
{
ParticleSystem_t2F526CCDBD3512879B3FCBE04BCAB20D7B4F391E * ___m_ParticleSystem_0;
};
// UnityEngine.PlayerLoop.PostLateUpdate/BatchModeUpdate
struct BatchModeUpdate_t8C6F527A5CA9A7A8E9CCCA61F2E99448C18AEAD2
{
public:
union
{
struct
{
};
uint8_t BatchModeUpdate_t8C6F527A5CA9A7A8E9CCCA61F2E99448C18AEAD2__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/ClearImmediateRenderers
struct ClearImmediateRenderers_t37FCF798A50163FCAE31F618A88AA0928C40CAFB
{
public:
union
{
struct
{
};
uint8_t ClearImmediateRenderers_t37FCF798A50163FCAE31F618A88AA0928C40CAFB__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/DirectorLateUpdate
struct DirectorLateUpdate_t77313447CF25B5FBC7F6A738FC6B6FE4FB7D3B0E
{
public:
union
{
struct
{
};
uint8_t DirectorLateUpdate_t77313447CF25B5FBC7F6A738FC6B6FE4FB7D3B0E__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/DirectorRenderImage
struct DirectorRenderImage_t18FF15945AD4A75A4E38086E7E50F0839A6085B9
{
public:
union
{
struct
{
};
uint8_t DirectorRenderImage_t18FF15945AD4A75A4E38086E7E50F0839A6085B9__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/EndGraphicsJobsAfterScriptLateUpdate
struct EndGraphicsJobsAfterScriptLateUpdate_tE1D20D73472F346D7745C213712D90496E6E9350
{
public:
union
{
struct
{
};
uint8_t EndGraphicsJobsAfterScriptLateUpdate_tE1D20D73472F346D7745C213712D90496E6E9350__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/EnlightenRuntimeUpdate
struct EnlightenRuntimeUpdate_t0F7246E586E8744EBF22C6E557A5CDD79D42512F
{
public:
union
{
struct
{
};
uint8_t EnlightenRuntimeUpdate_t0F7246E586E8744EBF22C6E557A5CDD79D42512F__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/ExecuteGameCenterCallbacks
struct ExecuteGameCenterCallbacks_t6AAA6429F53079FA5779EC93FF422C45F39B6A69
{
public:
union
{
struct
{
};
uint8_t ExecuteGameCenterCallbacks_t6AAA6429F53079FA5779EC93FF422C45F39B6A69__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/FinishFrameRendering
struct FinishFrameRendering_t6D8F987520D0CABFB634214E47EA6C98A1DE69F5
{
public:
union
{
struct
{
};
uint8_t FinishFrameRendering_t6D8F987520D0CABFB634214E47EA6C98A1DE69F5__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/GUIClearEvents
struct GUIClearEvents_t2ACF18A4B2C80DFB240DBE01D7B0B0751C3042ED
{
public:
union
{
struct
{
};
uint8_t GUIClearEvents_t2ACF18A4B2C80DFB240DBE01D7B0B0751C3042ED__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/InputEndFrame
struct InputEndFrame_t4E00F58665EC8A4AC407107E6AD65F8D9BE5D496
{
public:
union
{
struct
{
};
uint8_t InputEndFrame_t4E00F58665EC8A4AC407107E6AD65F8D9BE5D496__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/MemoryFrameMaintenance
struct MemoryFrameMaintenance_t8641D3964D8E591E9924C60B849CFC8E13781FCA
{
public:
union
{
struct
{
};
uint8_t MemoryFrameMaintenance_t8641D3964D8E591E9924C60B849CFC8E13781FCA__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/ParticleSystemEndUpdateAll
struct ParticleSystemEndUpdateAll_t0C9862FC07BF69AEC1B23295BF70D3F4862D9DE8
{
public:
union
{
struct
{
};
uint8_t ParticleSystemEndUpdateAll_t0C9862FC07BF69AEC1B23295BF70D3F4862D9DE8__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/PhysicsSkinnedClothBeginUpdate
struct PhysicsSkinnedClothBeginUpdate_t23CEEF7DB8085BB3831A7670928EDD96A0BD36C1
{
public:
union
{
struct
{
};
uint8_t PhysicsSkinnedClothBeginUpdate_t23CEEF7DB8085BB3831A7670928EDD96A0BD36C1__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/PhysicsSkinnedClothFinishUpdate
struct PhysicsSkinnedClothFinishUpdate_tA2BC6F1632D750962DBB9A5331B880A3964D17C0
{
public:
union
{
struct
{
};
uint8_t PhysicsSkinnedClothFinishUpdate_tA2BC6F1632D750962DBB9A5331B880A3964D17C0__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/PlayerEmitCanvasGeometry
struct PlayerEmitCanvasGeometry_tD6837358BC1539ED3BFDA4A14DBA2634D21C7278
{
public:
union
{
struct
{
};
uint8_t PlayerEmitCanvasGeometry_tD6837358BC1539ED3BFDA4A14DBA2634D21C7278__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/PlayerSendFrameComplete
struct PlayerSendFrameComplete_tFCB4A131339039D456553596DC33CD625CFF7AAC
{
public:
union
{
struct
{
};
uint8_t PlayerSendFrameComplete_tFCB4A131339039D456553596DC33CD625CFF7AAC__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/PlayerSendFramePostPresent
struct PlayerSendFramePostPresent_t2F6B4A129327E35A001A0C0808FEFF20D1BAFCB6
{
public:
union
{
struct
{
};
uint8_t PlayerSendFramePostPresent_t2F6B4A129327E35A001A0C0808FEFF20D1BAFCB6__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/PlayerSendFrameStarted
struct PlayerSendFrameStarted_tBE2DDEEFF66EAD5BFC54776035F83F2BBFDC866A
{
public:
union
{
struct
{
};
uint8_t PlayerSendFrameStarted_tBE2DDEEFF66EAD5BFC54776035F83F2BBFDC866A__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/PlayerUpdateCanvases
struct PlayerUpdateCanvases_tA3BDD28A248E9294BBA8E93C53AF78B902A24CD4
{
public:
union
{
struct
{
};
uint8_t PlayerUpdateCanvases_tA3BDD28A248E9294BBA8E93C53AF78B902A24CD4__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/PresentAfterDraw
struct PresentAfterDraw_t26958AF5B43FD8A6101C88833BC41A0F5CE9830A
{
public:
union
{
struct
{
};
uint8_t PresentAfterDraw_t26958AF5B43FD8A6101C88833BC41A0F5CE9830A__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/ProcessWebSendMessages
struct ProcessWebSendMessages_t5AD55E51AED08DA28C11DF31783B07C7A5128124
{
public:
union
{
struct
{
};
uint8_t ProcessWebSendMessages_t5AD55E51AED08DA28C11DF31783B07C7A5128124__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/ProfilerEndFrame
struct ProfilerEndFrame_t9D91D2F297E099F92D03834C9FBFF860A8EF45DD
{
public:
union
{
struct
{
};
uint8_t ProfilerEndFrame_t9D91D2F297E099F92D03834C9FBFF860A8EF45DD__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/ProfilerSynchronizeStats
struct ProfilerSynchronizeStats_t8B0F4436679D8BAF7D86793D207AD90477D601BB
{
public:
union
{
struct
{
};
uint8_t ProfilerSynchronizeStats_t8B0F4436679D8BAF7D86793D207AD90477D601BB__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/ResetInputAxis
struct ResetInputAxis_t585B9BDCE262954A57C75B9492FCF7146662E21C
{
public:
union
{
struct
{
};
uint8_t ResetInputAxis_t585B9BDCE262954A57C75B9492FCF7146662E21C__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/ScriptRunDelayedDynamicFrameRate
struct ScriptRunDelayedDynamicFrameRate_t6D962FA77CFBF776A2D946C07C567B795CF671B4
{
public:
union
{
struct
{
};
uint8_t ScriptRunDelayedDynamicFrameRate_t6D962FA77CFBF776A2D946C07C567B795CF671B4__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/ShaderHandleErrors
struct ShaderHandleErrors_t2A99C9332EC9DE30DD16AF1FD18C582E5B02AE92
{
public:
union
{
struct
{
};
uint8_t ShaderHandleErrors_t2A99C9332EC9DE30DD16AF1FD18C582E5B02AE92__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/SortingGroupsUpdate
struct SortingGroupsUpdate_tBC21E7D8B383652646C08B9AE743A7EC38733CEF
{
public:
union
{
struct
{
};
uint8_t SortingGroupsUpdate_tBC21E7D8B383652646C08B9AE743A7EC38733CEF__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/ThreadedLoadingDebug
struct ThreadedLoadingDebug_t12597D128CC91C40B4C874800B0C3AEBF7DAD04B
{
public:
union
{
struct
{
};
uint8_t ThreadedLoadingDebug_t12597D128CC91C40B4C874800B0C3AEBF7DAD04B__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/TriggerEndOfFrameCallbacks
struct TriggerEndOfFrameCallbacks_tB5DD4CDE53AB8C30E72194AB21AFE73BFB4DC424
{
public:
union
{
struct
{
};
uint8_t TriggerEndOfFrameCallbacks_tB5DD4CDE53AB8C30E72194AB21AFE73BFB4DC424__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/UpdateAllRenderers
struct UpdateAllRenderers_t96FC2DF53BC1D90C7E40E2CAD10B8C674A94B86C
{
public:
union
{
struct
{
};
uint8_t UpdateAllRenderers_t96FC2DF53BC1D90C7E40E2CAD10B8C674A94B86C__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/UpdateAllSkinnedMeshes
struct UpdateAllSkinnedMeshes_tC6792E38655DE2113814AC6A642B3D937D6640F6
{
public:
union
{
struct
{
};
uint8_t UpdateAllSkinnedMeshes_tC6792E38655DE2113814AC6A642B3D937D6640F6__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/UpdateAudio
struct UpdateAudio_t87394777AB6FE384B45C0C013722C1F68A60CF58
{
public:
union
{
struct
{
};
uint8_t UpdateAudio_t87394777AB6FE384B45C0C013722C1F68A60CF58__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/UpdateCanvasRectTransform
struct UpdateCanvasRectTransform_t4E5EA2B18FCFD686E1F2052517657E391709422A
{
public:
union
{
struct
{
};
uint8_t UpdateCanvasRectTransform_t4E5EA2B18FCFD686E1F2052517657E391709422A__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/UpdateCaptureScreenshot
struct UpdateCaptureScreenshot_t4FC86A971BE4E341EE83B9BCF72D3642CB67E483
{
public:
union
{
struct
{
};
uint8_t UpdateCaptureScreenshot_t4FC86A971BE4E341EE83B9BCF72D3642CB67E483__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/UpdateCustomRenderTextures
struct UpdateCustomRenderTextures_t52B541FA5A7354ED440E274C6E357EBAA3F4C031
{
public:
union
{
struct
{
};
uint8_t UpdateCustomRenderTextures_t52B541FA5A7354ED440E274C6E357EBAA3F4C031__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/UpdateLightProbeProxyVolumes
struct UpdateLightProbeProxyVolumes_t42C724BC635B9701939388DCB63A3FF0E882EA3E
{
public:
union
{
struct
{
};
uint8_t UpdateLightProbeProxyVolumes_t42C724BC635B9701939388DCB63A3FF0E882EA3E__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/UpdateRectTransform
struct UpdateRectTransform_t6290D8B6BF5E990B5F706FE60B4A5CD954D72F13
{
public:
union
{
struct
{
};
uint8_t UpdateRectTransform_t6290D8B6BF5E990B5F706FE60B4A5CD954D72F13__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/UpdateResolution
struct UpdateResolution_t8394E04EF0F5C04C0C65B1DF23F0E3E700144B45
{
public:
union
{
struct
{
};
uint8_t UpdateResolution_t8394E04EF0F5C04C0C65B1DF23F0E3E700144B45__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/UpdateSubstance
struct UpdateSubstance_tC6E01D9640025CD7D0B09D636C02172D22F66967
{
public:
union
{
struct
{
};
uint8_t UpdateSubstance_tC6E01D9640025CD7D0B09D636C02172D22F66967__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/UpdateVideo
struct UpdateVideo_t1E34A645DFD2C4E5243980D958392F6969F3D064
{
public:
union
{
struct
{
};
uint8_t UpdateVideo_t1E34A645DFD2C4E5243980D958392F6969F3D064__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/UpdateVideoTextures
struct UpdateVideoTextures_t05417287668B8B95121C4236FD3A419DAC091BB5
{
public:
union
{
struct
{
};
uint8_t UpdateVideoTextures_t05417287668B8B95121C4236FD3A419DAC091BB5__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/VFXUpdate
struct VFXUpdate_tA520740E78D381B2830822C7FE90A203478B2214
{
public:
union
{
struct
{
};
uint8_t VFXUpdate_tA520740E78D381B2830822C7FE90A203478B2214__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/XRPostLateUpdate
struct XRPostLateUpdate_t2DCEBE93C7B7994BC1888C2BF003C386E131DEB5
{
public:
union
{
struct
{
};
uint8_t XRPostLateUpdate_t2DCEBE93C7B7994BC1888C2BF003C386E131DEB5__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/XRPostPresent
struct XRPostPresent_t1B355F20B2823F13F6FBC66E36526B280B7EA85C
{
public:
union
{
struct
{
};
uint8_t XRPostPresent_t1B355F20B2823F13F6FBC66E36526B280B7EA85C__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PostLateUpdate/XRPreEndFrame
struct XRPreEndFrame_t35AEF9FB00F67C92D7A01AFDBB56D2FC3CC3A251
{
public:
union
{
struct
{
};
uint8_t XRPreEndFrame_t35AEF9FB00F67C92D7A01AFDBB56D2FC3CC3A251__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreLateUpdate/AIUpdatePostScript
struct AIUpdatePostScript_t8A88713869A78E54E8A68D01A2DAE28612B31BE4
{
public:
union
{
struct
{
};
uint8_t AIUpdatePostScript_t8A88713869A78E54E8A68D01A2DAE28612B31BE4__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreLateUpdate/ConstraintManagerUpdate
struct ConstraintManagerUpdate_t60B829793DBE56E48C551CA2FC80F7FE82EC0090
{
public:
union
{
struct
{
};
uint8_t ConstraintManagerUpdate_t60B829793DBE56E48C551CA2FC80F7FE82EC0090__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreLateUpdate/DirectorDeferredEvaluate
struct DirectorDeferredEvaluate_t1ADCC8CADAB3489481182AE5AE94F2218BA8E08F
{
public:
union
{
struct
{
};
uint8_t DirectorDeferredEvaluate_t1ADCC8CADAB3489481182AE5AE94F2218BA8E08F__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreLateUpdate/DirectorUpdateAnimationBegin
struct DirectorUpdateAnimationBegin_t1F818F8031BEDE2CDC67F69C0CDFF860F2063A74
{
public:
union
{
struct
{
};
uint8_t DirectorUpdateAnimationBegin_t1F818F8031BEDE2CDC67F69C0CDFF860F2063A74__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreLateUpdate/DirectorUpdateAnimationEnd
struct DirectorUpdateAnimationEnd_tDFC00FCAC7FBFD798572D224654127451FF4CEC1
{
public:
union
{
struct
{
};
uint8_t DirectorUpdateAnimationEnd_tDFC00FCAC7FBFD798572D224654127451FF4CEC1__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreLateUpdate/EndGraphicsJobsAfterScriptUpdate
struct EndGraphicsJobsAfterScriptUpdate_tD208592C17EBA50EB4E2E9B4E4C64C9122AE3C96
{
public:
union
{
struct
{
};
uint8_t EndGraphicsJobsAfterScriptUpdate_tD208592C17EBA50EB4E2E9B4E4C64C9122AE3C96__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreLateUpdate/LegacyAnimationUpdate
struct LegacyAnimationUpdate_t4838E9C42DDCC98CF195A798F73DD5E57F559A37
{
public:
union
{
struct
{
};
uint8_t LegacyAnimationUpdate_t4838E9C42DDCC98CF195A798F73DD5E57F559A37__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreLateUpdate/ParticleSystemBeginUpdateAll
struct ParticleSystemBeginUpdateAll_t87DCB20B8C93E68E52B943F1E3B31BB091FCA078
{
public:
union
{
struct
{
};
uint8_t ParticleSystemBeginUpdateAll_t87DCB20B8C93E68E52B943F1E3B31BB091FCA078__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreLateUpdate/Physics2DLateUpdate
struct Physics2DLateUpdate_t9102D905FE91BCB2893E02C6824C5AAC56B47072
{
public:
union
{
struct
{
};
uint8_t Physics2DLateUpdate_t9102D905FE91BCB2893E02C6824C5AAC56B47072__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreLateUpdate/ScriptRunBehaviourLateUpdate
struct ScriptRunBehaviourLateUpdate_t58F4C9331E2958013C6CB7FEF18E370AD5043B9A
{
public:
union
{
struct
{
};
uint8_t ScriptRunBehaviourLateUpdate_t58F4C9331E2958013C6CB7FEF18E370AD5043B9A__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreLateUpdate/UIElementsUpdatePanels
struct UIElementsUpdatePanels_t88C1C5E585CBE9C5230CD7862714798690BF034F
{
public:
union
{
struct
{
};
uint8_t UIElementsUpdatePanels_t88C1C5E585CBE9C5230CD7862714798690BF034F__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreLateUpdate/UNetUpdate
struct UNetUpdate_tDD911C7D34BC0CE4B5C79DD46C45285E224E21B2
{
public:
union
{
struct
{
};
uint8_t UNetUpdate_tDD911C7D34BC0CE4B5C79DD46C45285E224E21B2__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreLateUpdate/UpdateMasterServerInterface
struct UpdateMasterServerInterface_t1F40E6F5C301466C446578EF63381B5D1C8DA187
{
public:
union
{
struct
{
};
uint8_t UpdateMasterServerInterface_t1F40E6F5C301466C446578EF63381B5D1C8DA187__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreLateUpdate/UpdateNetworkManager
struct UpdateNetworkManager_tBEE4C45468BA0C0DBA98B8C25FC315233267AE2C
{
public:
union
{
struct
{
};
uint8_t UpdateNetworkManager_tBEE4C45468BA0C0DBA98B8C25FC315233267AE2C__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreUpdate/AIUpdate
struct AIUpdate_tACDB7E77F804905AFC0D39674778A62488A22CE2
{
public:
union
{
struct
{
};
uint8_t AIUpdate_tACDB7E77F804905AFC0D39674778A62488A22CE2__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreUpdate/CheckTexFieldInput
struct CheckTexFieldInput_t1FA363405F456B111E58078F4EFAB82912734432
{
public:
union
{
struct
{
};
uint8_t CheckTexFieldInput_t1FA363405F456B111E58078F4EFAB82912734432__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreUpdate/IMGUISendQueuedEvents
struct IMGUISendQueuedEvents_tF513CA3C17A07868E255F8D5A34C284803A22767
{
public:
union
{
struct
{
};
uint8_t IMGUISendQueuedEvents_tF513CA3C17A07868E255F8D5A34C284803A22767__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreUpdate/NewInputUpdate
struct NewInputUpdate_tF98FD69B5E9EAFEA02964DFFE852FF6029676308
{
public:
union
{
struct
{
};
uint8_t NewInputUpdate_tF98FD69B5E9EAFEA02964DFFE852FF6029676308__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreUpdate/Physics2DUpdate
struct Physics2DUpdate_tDC29C716549E1E860FD67BF84EF243D3BA595A60
{
public:
union
{
struct
{
};
uint8_t Physics2DUpdate_tDC29C716549E1E860FD67BF84EF243D3BA595A60__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreUpdate/PhysicsUpdate
struct PhysicsUpdate_tF321BF0A833E955AED90F182BBC9D6D7D40F2F25
{
public:
union
{
struct
{
};
uint8_t PhysicsUpdate_tF321BF0A833E955AED90F182BBC9D6D7D40F2F25__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreUpdate/SendMouseEvents
struct SendMouseEvents_t2D84BCC439FE9A04E341AD07ECEBF4E8B12D2F9D
{
public:
union
{
struct
{
};
uint8_t SendMouseEvents_t2D84BCC439FE9A04E341AD07ECEBF4E8B12D2F9D__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreUpdate/UpdateVideo
struct UpdateVideo_tE460041F5545E24C8A107B563F971F491286C0BD
{
public:
union
{
struct
{
};
uint8_t UpdateVideo_tE460041F5545E24C8A107B563F971F491286C0BD__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.PreUpdate/WindUpdate
struct WindUpdate_t40BB9BF39AEE43023A49F0335A9DAC9F91E43150
{
public:
union
{
struct
{
};
uint8_t WindUpdate_t40BB9BF39AEE43023A49F0335A9DAC9F91E43150__padding[1];
};
public:
};
// System.Text.RegularExpressions.RegexCharClass/LowerCaseMapping
struct LowerCaseMapping_t54FB537AEA4CA2EBAB5BDCC79881428C202241DE
{
public:
// System.Char System.Text.RegularExpressions.RegexCharClass/LowerCaseMapping::_chMin
Il2CppChar ____chMin_0;
// System.Char System.Text.RegularExpressions.RegexCharClass/LowerCaseMapping::_chMax
Il2CppChar ____chMax_1;
// System.Int32 System.Text.RegularExpressions.RegexCharClass/LowerCaseMapping::_lcOp
int32_t ____lcOp_2;
// System.Int32 System.Text.RegularExpressions.RegexCharClass/LowerCaseMapping::_data
int32_t ____data_3;
public:
inline static int32_t get_offset_of__chMin_0() { return static_cast<int32_t>(offsetof(LowerCaseMapping_t54FB537AEA4CA2EBAB5BDCC79881428C202241DE, ____chMin_0)); }
inline Il2CppChar get__chMin_0() const { return ____chMin_0; }
inline Il2CppChar* get_address_of__chMin_0() { return &____chMin_0; }
inline void set__chMin_0(Il2CppChar value)
{
____chMin_0 = value;
}
inline static int32_t get_offset_of__chMax_1() { return static_cast<int32_t>(offsetof(LowerCaseMapping_t54FB537AEA4CA2EBAB5BDCC79881428C202241DE, ____chMax_1)); }
inline Il2CppChar get__chMax_1() const { return ____chMax_1; }
inline Il2CppChar* get_address_of__chMax_1() { return &____chMax_1; }
inline void set__chMax_1(Il2CppChar value)
{
____chMax_1 = value;
}
inline static int32_t get_offset_of__lcOp_2() { return static_cast<int32_t>(offsetof(LowerCaseMapping_t54FB537AEA4CA2EBAB5BDCC79881428C202241DE, ____lcOp_2)); }
inline int32_t get__lcOp_2() const { return ____lcOp_2; }
inline int32_t* get_address_of__lcOp_2() { return &____lcOp_2; }
inline void set__lcOp_2(int32_t value)
{
____lcOp_2 = value;
}
inline static int32_t get_offset_of__data_3() { return static_cast<int32_t>(offsetof(LowerCaseMapping_t54FB537AEA4CA2EBAB5BDCC79881428C202241DE, ____data_3)); }
inline int32_t get__data_3() const { return ____data_3; }
inline int32_t* get_address_of__data_3() { return &____data_3; }
inline void set__data_3(int32_t value)
{
____data_3 = value;
}
};
// Native definition for P/Invoke marshalling of System.Text.RegularExpressions.RegexCharClass/LowerCaseMapping
struct LowerCaseMapping_t54FB537AEA4CA2EBAB5BDCC79881428C202241DE_marshaled_pinvoke
{
uint8_t ____chMin_0;
uint8_t ____chMax_1;
int32_t ____lcOp_2;
int32_t ____data_3;
};
// Native definition for COM marshalling of System.Text.RegularExpressions.RegexCharClass/LowerCaseMapping
struct LowerCaseMapping_t54FB537AEA4CA2EBAB5BDCC79881428C202241DE_marshaled_com
{
uint8_t ____chMin_0;
uint8_t ____chMax_1;
int32_t ____lcOp_2;
int32_t ____data_3;
};
// Mono.RuntimeStructs/GPtrArray
struct GPtrArray_t481A0359CDF30AF32FB5B6D0DDBA2C26F55E3555
{
public:
// System.IntPtr* Mono.RuntimeStructs/GPtrArray::data
intptr_t* ___data_0;
// System.Int32 Mono.RuntimeStructs/GPtrArray::len
int32_t ___len_1;
public:
inline static int32_t get_offset_of_data_0() { return static_cast<int32_t>(offsetof(GPtrArray_t481A0359CDF30AF32FB5B6D0DDBA2C26F55E3555, ___data_0)); }
inline intptr_t* get_data_0() const { return ___data_0; }
inline intptr_t** get_address_of_data_0() { return &___data_0; }
inline void set_data_0(intptr_t* value)
{
___data_0 = value;
}
inline static int32_t get_offset_of_len_1() { return static_cast<int32_t>(offsetof(GPtrArray_t481A0359CDF30AF32FB5B6D0DDBA2C26F55E3555, ___len_1)); }
inline int32_t get_len_1() const { return ___len_1; }
inline int32_t* get_address_of_len_1() { return &___len_1; }
inline void set_len_1(int32_t value)
{
___len_1 = value;
}
};
// Mono.RuntimeStructs/MonoClass
struct MonoClass_t6F348B73F5E97A3C2B3FBAF82684051872811E13
{
public:
union
{
struct
{
};
uint8_t MonoClass_t6F348B73F5E97A3C2B3FBAF82684051872811E13__padding[1];
};
public:
};
// UnityEngine.ScriptingUtility/TestClass
struct TestClass_tE31E21A91B6A07C4CA1720FE6B57C980181F3F2C
{
public:
// System.Int32 UnityEngine.ScriptingUtility/TestClass::value
int32_t ___value_0;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(TestClass_tE31E21A91B6A07C4CA1720FE6B57C980181F3F2C, ___value_0)); }
inline int32_t get_value_0() const { return ___value_0; }
inline int32_t* get_address_of_value_0() { return &___value_0; }
inline void set_value_0(int32_t value)
{
___value_0 = value;
}
};
// UnityEngine.SendMouseEvents/HitInfo
struct HitInfo_t74B96DDC302EB605CCC557B737A5C88EB67B57D6
{
public:
// UnityEngine.GameObject UnityEngine.SendMouseEvents/HitInfo::target
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___target_0;
// UnityEngine.Camera UnityEngine.SendMouseEvents/HitInfo::camera
Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C * ___camera_1;
public:
inline static int32_t get_offset_of_target_0() { return static_cast<int32_t>(offsetof(HitInfo_t74B96DDC302EB605CCC557B737A5C88EB67B57D6, ___target_0)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_target_0() const { return ___target_0; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_target_0() { return &___target_0; }
inline void set_target_0(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___target_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___target_0), (void*)value);
}
inline static int32_t get_offset_of_camera_1() { return static_cast<int32_t>(offsetof(HitInfo_t74B96DDC302EB605CCC557B737A5C88EB67B57D6, ___camera_1)); }
inline Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C * get_camera_1() const { return ___camera_1; }
inline Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C ** get_address_of_camera_1() { return &___camera_1; }
inline void set_camera_1(Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C * value)
{
___camera_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___camera_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.SendMouseEvents/HitInfo
struct HitInfo_t74B96DDC302EB605CCC557B737A5C88EB67B57D6_marshaled_pinvoke
{
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___target_0;
Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C * ___camera_1;
};
// Native definition for COM marshalling of UnityEngine.SendMouseEvents/HitInfo
struct HitInfo_t74B96DDC302EB605CCC557B737A5C88EB67B57D6_marshaled_com
{
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___target_0;
Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C * ___camera_1;
};
// Mono.Globalization.Unicode.SimpleCollator/Escape
struct Escape_t0479DB63473055AD46754E698B2114579D5D944E
{
public:
// System.String Mono.Globalization.Unicode.SimpleCollator/Escape::Source
String_t* ___Source_0;
// System.Int32 Mono.Globalization.Unicode.SimpleCollator/Escape::Index
int32_t ___Index_1;
// System.Int32 Mono.Globalization.Unicode.SimpleCollator/Escape::Start
int32_t ___Start_2;
// System.Int32 Mono.Globalization.Unicode.SimpleCollator/Escape::End
int32_t ___End_3;
// System.Int32 Mono.Globalization.Unicode.SimpleCollator/Escape::Optional
int32_t ___Optional_4;
public:
inline static int32_t get_offset_of_Source_0() { return static_cast<int32_t>(offsetof(Escape_t0479DB63473055AD46754E698B2114579D5D944E, ___Source_0)); }
inline String_t* get_Source_0() const { return ___Source_0; }
inline String_t** get_address_of_Source_0() { return &___Source_0; }
inline void set_Source_0(String_t* value)
{
___Source_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Source_0), (void*)value);
}
inline static int32_t get_offset_of_Index_1() { return static_cast<int32_t>(offsetof(Escape_t0479DB63473055AD46754E698B2114579D5D944E, ___Index_1)); }
inline int32_t get_Index_1() const { return ___Index_1; }
inline int32_t* get_address_of_Index_1() { return &___Index_1; }
inline void set_Index_1(int32_t value)
{
___Index_1 = value;
}
inline static int32_t get_offset_of_Start_2() { return static_cast<int32_t>(offsetof(Escape_t0479DB63473055AD46754E698B2114579D5D944E, ___Start_2)); }
inline int32_t get_Start_2() const { return ___Start_2; }
inline int32_t* get_address_of_Start_2() { return &___Start_2; }
inline void set_Start_2(int32_t value)
{
___Start_2 = value;
}
inline static int32_t get_offset_of_End_3() { return static_cast<int32_t>(offsetof(Escape_t0479DB63473055AD46754E698B2114579D5D944E, ___End_3)); }
inline int32_t get_End_3() const { return ___End_3; }
inline int32_t* get_address_of_End_3() { return &___End_3; }
inline void set_End_3(int32_t value)
{
___End_3 = value;
}
inline static int32_t get_offset_of_Optional_4() { return static_cast<int32_t>(offsetof(Escape_t0479DB63473055AD46754E698B2114579D5D944E, ___Optional_4)); }
inline int32_t get_Optional_4() const { return ___Optional_4; }
inline int32_t* get_address_of_Optional_4() { return &___Optional_4; }
inline void set_Optional_4(int32_t value)
{
___Optional_4 = value;
}
};
// Native definition for P/Invoke marshalling of Mono.Globalization.Unicode.SimpleCollator/Escape
struct Escape_t0479DB63473055AD46754E698B2114579D5D944E_marshaled_pinvoke
{
char* ___Source_0;
int32_t ___Index_1;
int32_t ___Start_2;
int32_t ___End_3;
int32_t ___Optional_4;
};
// Native definition for COM marshalling of Mono.Globalization.Unicode.SimpleCollator/Escape
struct Escape_t0479DB63473055AD46754E698B2114579D5D944E_marshaled_com
{
Il2CppChar* ___Source_0;
int32_t ___Index_1;
int32_t ___Start_2;
int32_t ___End_3;
int32_t ___Optional_4;
};
// Mono.Globalization.Unicode.SimpleCollator/PreviousInfo
struct PreviousInfo_tCD0C7991EC3577337B904B409E0E82224098E6A5
{
public:
// System.Int32 Mono.Globalization.Unicode.SimpleCollator/PreviousInfo::Code
int32_t ___Code_0;
// System.Byte* Mono.Globalization.Unicode.SimpleCollator/PreviousInfo::SortKey
uint8_t* ___SortKey_1;
public:
inline static int32_t get_offset_of_Code_0() { return static_cast<int32_t>(offsetof(PreviousInfo_tCD0C7991EC3577337B904B409E0E82224098E6A5, ___Code_0)); }
inline int32_t get_Code_0() const { return ___Code_0; }
inline int32_t* get_address_of_Code_0() { return &___Code_0; }
inline void set_Code_0(int32_t value)
{
___Code_0 = value;
}
inline static int32_t get_offset_of_SortKey_1() { return static_cast<int32_t>(offsetof(PreviousInfo_tCD0C7991EC3577337B904B409E0E82224098E6A5, ___SortKey_1)); }
inline uint8_t* get_SortKey_1() const { return ___SortKey_1; }
inline uint8_t** get_address_of_SortKey_1() { return &___SortKey_1; }
inline void set_SortKey_1(uint8_t* value)
{
___SortKey_1 = value;
}
};
// TMPro.TMP_DefaultControls/Resources
struct Resources_t3833BE8E7BA13C4C2E4ADFFB599717EEA8956756
{
public:
// UnityEngine.Sprite TMPro.TMP_DefaultControls/Resources::standard
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___standard_0;
// UnityEngine.Sprite TMPro.TMP_DefaultControls/Resources::background
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___background_1;
// UnityEngine.Sprite TMPro.TMP_DefaultControls/Resources::inputField
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___inputField_2;
// UnityEngine.Sprite TMPro.TMP_DefaultControls/Resources::knob
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___knob_3;
// UnityEngine.Sprite TMPro.TMP_DefaultControls/Resources::checkmark
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___checkmark_4;
// UnityEngine.Sprite TMPro.TMP_DefaultControls/Resources::dropdown
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___dropdown_5;
// UnityEngine.Sprite TMPro.TMP_DefaultControls/Resources::mask
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___mask_6;
public:
inline static int32_t get_offset_of_standard_0() { return static_cast<int32_t>(offsetof(Resources_t3833BE8E7BA13C4C2E4ADFFB599717EEA8956756, ___standard_0)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_standard_0() const { return ___standard_0; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_standard_0() { return &___standard_0; }
inline void set_standard_0(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___standard_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___standard_0), (void*)value);
}
inline static int32_t get_offset_of_background_1() { return static_cast<int32_t>(offsetof(Resources_t3833BE8E7BA13C4C2E4ADFFB599717EEA8956756, ___background_1)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_background_1() const { return ___background_1; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_background_1() { return &___background_1; }
inline void set_background_1(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___background_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___background_1), (void*)value);
}
inline static int32_t get_offset_of_inputField_2() { return static_cast<int32_t>(offsetof(Resources_t3833BE8E7BA13C4C2E4ADFFB599717EEA8956756, ___inputField_2)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_inputField_2() const { return ___inputField_2; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_inputField_2() { return &___inputField_2; }
inline void set_inputField_2(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___inputField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___inputField_2), (void*)value);
}
inline static int32_t get_offset_of_knob_3() { return static_cast<int32_t>(offsetof(Resources_t3833BE8E7BA13C4C2E4ADFFB599717EEA8956756, ___knob_3)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_knob_3() const { return ___knob_3; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_knob_3() { return &___knob_3; }
inline void set_knob_3(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___knob_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___knob_3), (void*)value);
}
inline static int32_t get_offset_of_checkmark_4() { return static_cast<int32_t>(offsetof(Resources_t3833BE8E7BA13C4C2E4ADFFB599717EEA8956756, ___checkmark_4)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_checkmark_4() const { return ___checkmark_4; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_checkmark_4() { return &___checkmark_4; }
inline void set_checkmark_4(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___checkmark_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___checkmark_4), (void*)value);
}
inline static int32_t get_offset_of_dropdown_5() { return static_cast<int32_t>(offsetof(Resources_t3833BE8E7BA13C4C2E4ADFFB599717EEA8956756, ___dropdown_5)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_dropdown_5() const { return ___dropdown_5; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_dropdown_5() { return &___dropdown_5; }
inline void set_dropdown_5(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___dropdown_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___dropdown_5), (void*)value);
}
inline static int32_t get_offset_of_mask_6() { return static_cast<int32_t>(offsetof(Resources_t3833BE8E7BA13C4C2E4ADFFB599717EEA8956756, ___mask_6)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_mask_6() const { return ___mask_6; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_mask_6() { return &___mask_6; }
inline void set_mask_6(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___mask_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___mask_6), (void*)value);
}
};
// Native definition for P/Invoke marshalling of TMPro.TMP_DefaultControls/Resources
struct Resources_t3833BE8E7BA13C4C2E4ADFFB599717EEA8956756_marshaled_pinvoke
{
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___standard_0;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___background_1;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___inputField_2;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___knob_3;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___checkmark_4;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___dropdown_5;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___mask_6;
};
// Native definition for COM marshalling of TMPro.TMP_DefaultControls/Resources
struct Resources_t3833BE8E7BA13C4C2E4ADFFB599717EEA8956756_marshaled_com
{
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___standard_0;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___background_1;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___inputField_2;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___knob_3;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___checkmark_4;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___dropdown_5;
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___mask_6;
};
// TMPro.TMP_Text/CharacterSubstitution
struct CharacterSubstitution_tDA217C96ED6B78235EF55ECECF09EEBD7B32156B
{
public:
// System.Int32 TMPro.TMP_Text/CharacterSubstitution::index
int32_t ___index_0;
// System.UInt32 TMPro.TMP_Text/CharacterSubstitution::unicode
uint32_t ___unicode_1;
public:
inline static int32_t get_offset_of_index_0() { return static_cast<int32_t>(offsetof(CharacterSubstitution_tDA217C96ED6B78235EF55ECECF09EEBD7B32156B, ___index_0)); }
inline int32_t get_index_0() const { return ___index_0; }
inline int32_t* get_address_of_index_0() { return &___index_0; }
inline void set_index_0(int32_t value)
{
___index_0 = value;
}
inline static int32_t get_offset_of_unicode_1() { return static_cast<int32_t>(offsetof(CharacterSubstitution_tDA217C96ED6B78235EF55ECECF09EEBD7B32156B, ___unicode_1)); }
inline uint32_t get_unicode_1() const { return ___unicode_1; }
inline uint32_t* get_address_of_unicode_1() { return &___unicode_1; }
inline void set_unicode_1(uint32_t value)
{
___unicode_1 = value;
}
};
// TMPro.TMP_Text/SpecialCharacter
struct SpecialCharacter_t06A60B3C91ABA764227413C096AE5060D50D844F
{
public:
// TMPro.TMP_Character TMPro.TMP_Text/SpecialCharacter::character
TMP_Character_tE7A98584C4DDFC9E1A1D883F4A5DE99E5DE7CC0C * ___character_0;
// TMPro.TMP_FontAsset TMPro.TMP_Text/SpecialCharacter::fontAsset
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___fontAsset_1;
// UnityEngine.Material TMPro.TMP_Text/SpecialCharacter::material
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___material_2;
// System.Int32 TMPro.TMP_Text/SpecialCharacter::materialIndex
int32_t ___materialIndex_3;
public:
inline static int32_t get_offset_of_character_0() { return static_cast<int32_t>(offsetof(SpecialCharacter_t06A60B3C91ABA764227413C096AE5060D50D844F, ___character_0)); }
inline TMP_Character_tE7A98584C4DDFC9E1A1D883F4A5DE99E5DE7CC0C * get_character_0() const { return ___character_0; }
inline TMP_Character_tE7A98584C4DDFC9E1A1D883F4A5DE99E5DE7CC0C ** get_address_of_character_0() { return &___character_0; }
inline void set_character_0(TMP_Character_tE7A98584C4DDFC9E1A1D883F4A5DE99E5DE7CC0C * value)
{
___character_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___character_0), (void*)value);
}
inline static int32_t get_offset_of_fontAsset_1() { return static_cast<int32_t>(offsetof(SpecialCharacter_t06A60B3C91ABA764227413C096AE5060D50D844F, ___fontAsset_1)); }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * get_fontAsset_1() const { return ___fontAsset_1; }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 ** get_address_of_fontAsset_1() { return &___fontAsset_1; }
inline void set_fontAsset_1(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * value)
{
___fontAsset_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___fontAsset_1), (void*)value);
}
inline static int32_t get_offset_of_material_2() { return static_cast<int32_t>(offsetof(SpecialCharacter_t06A60B3C91ABA764227413C096AE5060D50D844F, ___material_2)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_material_2() const { return ___material_2; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_material_2() { return &___material_2; }
inline void set_material_2(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___material_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___material_2), (void*)value);
}
inline static int32_t get_offset_of_materialIndex_3() { return static_cast<int32_t>(offsetof(SpecialCharacter_t06A60B3C91ABA764227413C096AE5060D50D844F, ___materialIndex_3)); }
inline int32_t get_materialIndex_3() const { return ___materialIndex_3; }
inline int32_t* get_address_of_materialIndex_3() { return &___materialIndex_3; }
inline void set_materialIndex_3(int32_t value)
{
___materialIndex_3 = value;
}
};
// Native definition for P/Invoke marshalling of TMPro.TMP_Text/SpecialCharacter
struct SpecialCharacter_t06A60B3C91ABA764227413C096AE5060D50D844F_marshaled_pinvoke
{
TMP_Character_tE7A98584C4DDFC9E1A1D883F4A5DE99E5DE7CC0C * ___character_0;
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___fontAsset_1;
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___material_2;
int32_t ___materialIndex_3;
};
// Native definition for COM marshalling of TMPro.TMP_Text/SpecialCharacter
struct SpecialCharacter_t06A60B3C91ABA764227413C096AE5060D50D844F_marshaled_com
{
TMP_Character_tE7A98584C4DDFC9E1A1D883F4A5DE99E5DE7CC0C * ___character_0;
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___fontAsset_1;
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___material_2;
int32_t ___materialIndex_3;
};
// TMPro.TMP_Text/TextBackingContainer
struct TextBackingContainer_t50AA56C265D2A3DB961E3DD200165FE78270562B
{
public:
// System.UInt32[] TMPro.TMP_Text/TextBackingContainer::m_Array
UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* ___m_Array_0;
// System.Int32 TMPro.TMP_Text/TextBackingContainer::m_Count
int32_t ___m_Count_1;
public:
inline static int32_t get_offset_of_m_Array_0() { return static_cast<int32_t>(offsetof(TextBackingContainer_t50AA56C265D2A3DB961E3DD200165FE78270562B, ___m_Array_0)); }
inline UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* get_m_Array_0() const { return ___m_Array_0; }
inline UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF** get_address_of_m_Array_0() { return &___m_Array_0; }
inline void set_m_Array_0(UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* value)
{
___m_Array_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Array_0), (void*)value);
}
inline static int32_t get_offset_of_m_Count_1() { return static_cast<int32_t>(offsetof(TextBackingContainer_t50AA56C265D2A3DB961E3DD200165FE78270562B, ___m_Count_1)); }
inline int32_t get_m_Count_1() const { return ___m_Count_1; }
inline int32_t* get_address_of_m_Count_1() { return &___m_Count_1; }
inline void set_m_Count_1(int32_t value)
{
___m_Count_1 = value;
}
};
// Native definition for P/Invoke marshalling of TMPro.TMP_Text/TextBackingContainer
struct TextBackingContainer_t50AA56C265D2A3DB961E3DD200165FE78270562B_marshaled_pinvoke
{
Il2CppSafeArray/*NONE*/* ___m_Array_0;
int32_t ___m_Count_1;
};
// Native definition for COM marshalling of TMPro.TMP_Text/TextBackingContainer
struct TextBackingContainer_t50AA56C265D2A3DB961E3DD200165FE78270562B_marshaled_com
{
Il2CppSafeArray/*NONE*/* ___m_Array_0;
int32_t ___m_Count_1;
};
// TMPro.TMP_Text/UnicodeChar
struct UnicodeChar_t7C67F31D1AA3029C5AC96F50A8312DB6F9BB5B25
{
public:
// System.Int32 TMPro.TMP_Text/UnicodeChar::unicode
int32_t ___unicode_0;
// System.Int32 TMPro.TMP_Text/UnicodeChar::stringIndex
int32_t ___stringIndex_1;
// System.Int32 TMPro.TMP_Text/UnicodeChar::length
int32_t ___length_2;
public:
inline static int32_t get_offset_of_unicode_0() { return static_cast<int32_t>(offsetof(UnicodeChar_t7C67F31D1AA3029C5AC96F50A8312DB6F9BB5B25, ___unicode_0)); }
inline int32_t get_unicode_0() const { return ___unicode_0; }
inline int32_t* get_address_of_unicode_0() { return &___unicode_0; }
inline void set_unicode_0(int32_t value)
{
___unicode_0 = value;
}
inline static int32_t get_offset_of_stringIndex_1() { return static_cast<int32_t>(offsetof(UnicodeChar_t7C67F31D1AA3029C5AC96F50A8312DB6F9BB5B25, ___stringIndex_1)); }
inline int32_t get_stringIndex_1() const { return ___stringIndex_1; }
inline int32_t* get_address_of_stringIndex_1() { return &___stringIndex_1; }
inline void set_stringIndex_1(int32_t value)
{
___stringIndex_1 = value;
}
inline static int32_t get_offset_of_length_2() { return static_cast<int32_t>(offsetof(UnicodeChar_t7C67F31D1AA3029C5AC96F50A8312DB6F9BB5B25, ___length_2)); }
inline int32_t get_length_2() const { return ___length_2; }
inline int32_t* get_address_of_length_2() { return &___length_2; }
inline void set_length_2(int32_t value)
{
___length_2 = value;
}
};
// TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/SpriteFrame
struct SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9
{
public:
// System.Single TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/SpriteFrame::x
float ___x_0;
// System.Single TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/SpriteFrame::y
float ___y_1;
// System.Single TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/SpriteFrame::w
float ___w_2;
// System.Single TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/SpriteFrame::h
float ___h_3;
public:
inline static int32_t get_offset_of_x_0() { return static_cast<int32_t>(offsetof(SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9, ___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(SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9, ___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_w_2() { return static_cast<int32_t>(offsetof(SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9, ___w_2)); }
inline float get_w_2() const { return ___w_2; }
inline float* get_address_of_w_2() { return &___w_2; }
inline void set_w_2(float value)
{
___w_2 = value;
}
inline static int32_t get_offset_of_h_3() { return static_cast<int32_t>(offsetof(SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9, ___h_3)); }
inline float get_h_3() const { return ___h_3; }
inline float* get_address_of_h_3() { return &___h_3; }
inline void set_h_3(float value)
{
___h_3 = value;
}
};
// TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/SpriteSize
struct SpriteSize_t7D47B39A52139B8CD3CE7F233C48981F70275A3D
{
public:
// System.Single TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/SpriteSize::w
float ___w_0;
// System.Single TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/SpriteSize::h
float ___h_1;
public:
inline static int32_t get_offset_of_w_0() { return static_cast<int32_t>(offsetof(SpriteSize_t7D47B39A52139B8CD3CE7F233C48981F70275A3D, ___w_0)); }
inline float get_w_0() const { return ___w_0; }
inline float* get_address_of_w_0() { return &___w_0; }
inline void set_w_0(float value)
{
___w_0 = value;
}
inline static int32_t get_offset_of_h_1() { return static_cast<int32_t>(offsetof(SpriteSize_t7D47B39A52139B8CD3CE7F233C48981F70275A3D, ___h_1)); }
inline float get_h_1() const { return ___h_1; }
inline float* get_address_of_h_1() { return &___h_1; }
inline void set_h_1(float value)
{
___h_1 = value;
}
};
// System.Globalization.TimeSpanFormat/FormatLiterals
struct FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94
{
public:
// System.String System.Globalization.TimeSpanFormat/FormatLiterals::AppCompatLiteral
String_t* ___AppCompatLiteral_0;
// System.Int32 System.Globalization.TimeSpanFormat/FormatLiterals::dd
int32_t ___dd_1;
// System.Int32 System.Globalization.TimeSpanFormat/FormatLiterals::hh
int32_t ___hh_2;
// System.Int32 System.Globalization.TimeSpanFormat/FormatLiterals::mm
int32_t ___mm_3;
// System.Int32 System.Globalization.TimeSpanFormat/FormatLiterals::ss
int32_t ___ss_4;
// System.Int32 System.Globalization.TimeSpanFormat/FormatLiterals::ff
int32_t ___ff_5;
// System.String[] System.Globalization.TimeSpanFormat/FormatLiterals::literals
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___literals_6;
public:
inline static int32_t get_offset_of_AppCompatLiteral_0() { return static_cast<int32_t>(offsetof(FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94, ___AppCompatLiteral_0)); }
inline String_t* get_AppCompatLiteral_0() const { return ___AppCompatLiteral_0; }
inline String_t** get_address_of_AppCompatLiteral_0() { return &___AppCompatLiteral_0; }
inline void set_AppCompatLiteral_0(String_t* value)
{
___AppCompatLiteral_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___AppCompatLiteral_0), (void*)value);
}
inline static int32_t get_offset_of_dd_1() { return static_cast<int32_t>(offsetof(FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94, ___dd_1)); }
inline int32_t get_dd_1() const { return ___dd_1; }
inline int32_t* get_address_of_dd_1() { return &___dd_1; }
inline void set_dd_1(int32_t value)
{
___dd_1 = value;
}
inline static int32_t get_offset_of_hh_2() { return static_cast<int32_t>(offsetof(FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94, ___hh_2)); }
inline int32_t get_hh_2() const { return ___hh_2; }
inline int32_t* get_address_of_hh_2() { return &___hh_2; }
inline void set_hh_2(int32_t value)
{
___hh_2 = value;
}
inline static int32_t get_offset_of_mm_3() { return static_cast<int32_t>(offsetof(FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94, ___mm_3)); }
inline int32_t get_mm_3() const { return ___mm_3; }
inline int32_t* get_address_of_mm_3() { return &___mm_3; }
inline void set_mm_3(int32_t value)
{
___mm_3 = value;
}
inline static int32_t get_offset_of_ss_4() { return static_cast<int32_t>(offsetof(FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94, ___ss_4)); }
inline int32_t get_ss_4() const { return ___ss_4; }
inline int32_t* get_address_of_ss_4() { return &___ss_4; }
inline void set_ss_4(int32_t value)
{
___ss_4 = value;
}
inline static int32_t get_offset_of_ff_5() { return static_cast<int32_t>(offsetof(FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94, ___ff_5)); }
inline int32_t get_ff_5() const { return ___ff_5; }
inline int32_t* get_address_of_ff_5() { return &___ff_5; }
inline void set_ff_5(int32_t value)
{
___ff_5 = value;
}
inline static int32_t get_offset_of_literals_6() { return static_cast<int32_t>(offsetof(FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94, ___literals_6)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_literals_6() const { return ___literals_6; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_literals_6() { return &___literals_6; }
inline void set_literals_6(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___literals_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___literals_6), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Globalization.TimeSpanFormat/FormatLiterals
struct FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94_marshaled_pinvoke
{
char* ___AppCompatLiteral_0;
int32_t ___dd_1;
int32_t ___hh_2;
int32_t ___mm_3;
int32_t ___ss_4;
int32_t ___ff_5;
char** ___literals_6;
};
// Native definition for COM marshalling of System.Globalization.TimeSpanFormat/FormatLiterals
struct FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94_marshaled_com
{
Il2CppChar* ___AppCompatLiteral_0;
int32_t ___dd_1;
int32_t ___hh_2;
int32_t ___mm_3;
int32_t ___ss_4;
int32_t ___ff_5;
Il2CppChar** ___literals_6;
};
// UnityEngine.PlayerLoop.TimeUpdate/WaitForLastPresentationAndUpdateTime
struct WaitForLastPresentationAndUpdateTime_tA3D3F4FF8206E94C5B3CD7F2370CED1F2E90AF88
{
public:
union
{
struct
{
};
uint8_t WaitForLastPresentationAndUpdateTime_tA3D3F4FF8206E94C5B3CD7F2370CED1F2E90AF88__padding[1];
};
public:
};
// System.TimeZoneInfo/SYSTEMTIME
struct SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4
{
public:
// System.UInt16 System.TimeZoneInfo/SYSTEMTIME::wYear
uint16_t ___wYear_0;
// System.UInt16 System.TimeZoneInfo/SYSTEMTIME::wMonth
uint16_t ___wMonth_1;
// System.UInt16 System.TimeZoneInfo/SYSTEMTIME::wDayOfWeek
uint16_t ___wDayOfWeek_2;
// System.UInt16 System.TimeZoneInfo/SYSTEMTIME::wDay
uint16_t ___wDay_3;
// System.UInt16 System.TimeZoneInfo/SYSTEMTIME::wHour
uint16_t ___wHour_4;
// System.UInt16 System.TimeZoneInfo/SYSTEMTIME::wMinute
uint16_t ___wMinute_5;
// System.UInt16 System.TimeZoneInfo/SYSTEMTIME::wSecond
uint16_t ___wSecond_6;
// System.UInt16 System.TimeZoneInfo/SYSTEMTIME::wMilliseconds
uint16_t ___wMilliseconds_7;
public:
inline static int32_t get_offset_of_wYear_0() { return static_cast<int32_t>(offsetof(SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4, ___wYear_0)); }
inline uint16_t get_wYear_0() const { return ___wYear_0; }
inline uint16_t* get_address_of_wYear_0() { return &___wYear_0; }
inline void set_wYear_0(uint16_t value)
{
___wYear_0 = value;
}
inline static int32_t get_offset_of_wMonth_1() { return static_cast<int32_t>(offsetof(SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4, ___wMonth_1)); }
inline uint16_t get_wMonth_1() const { return ___wMonth_1; }
inline uint16_t* get_address_of_wMonth_1() { return &___wMonth_1; }
inline void set_wMonth_1(uint16_t value)
{
___wMonth_1 = value;
}
inline static int32_t get_offset_of_wDayOfWeek_2() { return static_cast<int32_t>(offsetof(SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4, ___wDayOfWeek_2)); }
inline uint16_t get_wDayOfWeek_2() const { return ___wDayOfWeek_2; }
inline uint16_t* get_address_of_wDayOfWeek_2() { return &___wDayOfWeek_2; }
inline void set_wDayOfWeek_2(uint16_t value)
{
___wDayOfWeek_2 = value;
}
inline static int32_t get_offset_of_wDay_3() { return static_cast<int32_t>(offsetof(SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4, ___wDay_3)); }
inline uint16_t get_wDay_3() const { return ___wDay_3; }
inline uint16_t* get_address_of_wDay_3() { return &___wDay_3; }
inline void set_wDay_3(uint16_t value)
{
___wDay_3 = value;
}
inline static int32_t get_offset_of_wHour_4() { return static_cast<int32_t>(offsetof(SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4, ___wHour_4)); }
inline uint16_t get_wHour_4() const { return ___wHour_4; }
inline uint16_t* get_address_of_wHour_4() { return &___wHour_4; }
inline void set_wHour_4(uint16_t value)
{
___wHour_4 = value;
}
inline static int32_t get_offset_of_wMinute_5() { return static_cast<int32_t>(offsetof(SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4, ___wMinute_5)); }
inline uint16_t get_wMinute_5() const { return ___wMinute_5; }
inline uint16_t* get_address_of_wMinute_5() { return &___wMinute_5; }
inline void set_wMinute_5(uint16_t value)
{
___wMinute_5 = value;
}
inline static int32_t get_offset_of_wSecond_6() { return static_cast<int32_t>(offsetof(SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4, ___wSecond_6)); }
inline uint16_t get_wSecond_6() const { return ___wSecond_6; }
inline uint16_t* get_address_of_wSecond_6() { return &___wSecond_6; }
inline void set_wSecond_6(uint16_t value)
{
___wSecond_6 = value;
}
inline static int32_t get_offset_of_wMilliseconds_7() { return static_cast<int32_t>(offsetof(SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4, ___wMilliseconds_7)); }
inline uint16_t get_wMilliseconds_7() const { return ___wMilliseconds_7; }
inline uint16_t* get_address_of_wMilliseconds_7() { return &___wMilliseconds_7; }
inline void set_wMilliseconds_7(uint16_t value)
{
___wMilliseconds_7 = value;
}
};
// UnityEngine.SpatialTracking.TrackedPoseDriverDataDescription/PoseData
struct PoseData_t3F5C8C74C50A6ECAE42890BBEF683882DB4E97C3
{
public:
// System.Collections.Generic.List`1<System.String> UnityEngine.SpatialTracking.TrackedPoseDriverDataDescription/PoseData::PoseNames
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___PoseNames_0;
// System.Collections.Generic.List`1<UnityEngine.SpatialTracking.TrackedPoseDriver/TrackedPose> UnityEngine.SpatialTracking.TrackedPoseDriverDataDescription/PoseData::Poses
List_1_tA9A7E2A508B3146A7DE46E73A64E988FE4BD5248 * ___Poses_1;
public:
inline static int32_t get_offset_of_PoseNames_0() { return static_cast<int32_t>(offsetof(PoseData_t3F5C8C74C50A6ECAE42890BBEF683882DB4E97C3, ___PoseNames_0)); }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * get_PoseNames_0() const { return ___PoseNames_0; }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 ** get_address_of_PoseNames_0() { return &___PoseNames_0; }
inline void set_PoseNames_0(List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * value)
{
___PoseNames_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PoseNames_0), (void*)value);
}
inline static int32_t get_offset_of_Poses_1() { return static_cast<int32_t>(offsetof(PoseData_t3F5C8C74C50A6ECAE42890BBEF683882DB4E97C3, ___Poses_1)); }
inline List_1_tA9A7E2A508B3146A7DE46E73A64E988FE4BD5248 * get_Poses_1() const { return ___Poses_1; }
inline List_1_tA9A7E2A508B3146A7DE46E73A64E988FE4BD5248 ** get_address_of_Poses_1() { return &___Poses_1; }
inline void set_Poses_1(List_1_tA9A7E2A508B3146A7DE46E73A64E988FE4BD5248 * value)
{
___Poses_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Poses_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.SpatialTracking.TrackedPoseDriverDataDescription/PoseData
struct PoseData_t3F5C8C74C50A6ECAE42890BBEF683882DB4E97C3_marshaled_pinvoke
{
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___PoseNames_0;
List_1_tA9A7E2A508B3146A7DE46E73A64E988FE4BD5248 * ___Poses_1;
};
// Native definition for COM marshalling of UnityEngine.SpatialTracking.TrackedPoseDriverDataDescription/PoseData
struct PoseData_t3F5C8C74C50A6ECAE42890BBEF683882DB4E97C3_marshaled_com
{
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___PoseNames_0;
List_1_tA9A7E2A508B3146A7DE46E73A64E988FE4BD5248 * ___Poses_1;
};
// System.TypeIdentifiers/Display
struct Display_tB07FE33B5E37AC259B2FCC8EC820AC5CEDEAC41E : public ATypeName_t19F245ED1619C78770F92C899C4FE364DBF30861
{
public:
// System.String System.TypeIdentifiers/Display::displayName
String_t* ___displayName_0;
// System.String System.TypeIdentifiers/Display::internal_name
String_t* ___internal_name_1;
public:
inline static int32_t get_offset_of_displayName_0() { return static_cast<int32_t>(offsetof(Display_tB07FE33B5E37AC259B2FCC8EC820AC5CEDEAC41E, ___displayName_0)); }
inline String_t* get_displayName_0() const { return ___displayName_0; }
inline String_t** get_address_of_displayName_0() { return &___displayName_0; }
inline void set_displayName_0(String_t* value)
{
___displayName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___displayName_0), (void*)value);
}
inline static int32_t get_offset_of_internal_name_1() { return static_cast<int32_t>(offsetof(Display_tB07FE33B5E37AC259B2FCC8EC820AC5CEDEAC41E, ___internal_name_1)); }
inline String_t* get_internal_name_1() const { return ___internal_name_1; }
inline String_t** get_address_of_internal_name_1() { return &___internal_name_1; }
inline void set_internal_name_1(String_t* value)
{
___internal_name_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___internal_name_1), (void*)value);
}
};
// System.Text.UTF7Encoding/DecoderUTF7Fallback
struct DecoderUTF7Fallback_tBEF9A09732FAB23368825AE7C14C0EBF1F9028A8 : public DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D
{
public:
public:
};
// System.Text.UTF7Encoding/DecoderUTF7FallbackBuffer
struct DecoderUTF7FallbackBuffer_tED3431DB4A6B4F48D1F1433A8E672F8B110D819A : public DecoderFallbackBuffer_t236B3D4172A9BAD1C2150ED78958227F8F20C94B
{
public:
// System.Char System.Text.UTF7Encoding/DecoderUTF7FallbackBuffer::cFallback
Il2CppChar ___cFallback_2;
// System.Int32 System.Text.UTF7Encoding/DecoderUTF7FallbackBuffer::iCount
int32_t ___iCount_3;
// System.Int32 System.Text.UTF7Encoding/DecoderUTF7FallbackBuffer::iSize
int32_t ___iSize_4;
public:
inline static int32_t get_offset_of_cFallback_2() { return static_cast<int32_t>(offsetof(DecoderUTF7FallbackBuffer_tED3431DB4A6B4F48D1F1433A8E672F8B110D819A, ___cFallback_2)); }
inline Il2CppChar get_cFallback_2() const { return ___cFallback_2; }
inline Il2CppChar* get_address_of_cFallback_2() { return &___cFallback_2; }
inline void set_cFallback_2(Il2CppChar value)
{
___cFallback_2 = value;
}
inline static int32_t get_offset_of_iCount_3() { return static_cast<int32_t>(offsetof(DecoderUTF7FallbackBuffer_tED3431DB4A6B4F48D1F1433A8E672F8B110D819A, ___iCount_3)); }
inline int32_t get_iCount_3() const { return ___iCount_3; }
inline int32_t* get_address_of_iCount_3() { return &___iCount_3; }
inline void set_iCount_3(int32_t value)
{
___iCount_3 = value;
}
inline static int32_t get_offset_of_iSize_4() { return static_cast<int32_t>(offsetof(DecoderUTF7FallbackBuffer_tED3431DB4A6B4F48D1F1433A8E672F8B110D819A, ___iSize_4)); }
inline int32_t get_iSize_4() const { return ___iSize_4; }
inline int32_t* get_address_of_iSize_4() { return &___iSize_4; }
inline void set_iSize_4(int32_t value)
{
___iSize_4 = value;
}
};
// UnityEngine.UnitySynchronizationContext/WorkRequest
struct WorkRequest_tA19FD4D1269D8EE2EA886AAF036C4F7F09154393
{
public:
// System.Threading.SendOrPostCallback UnityEngine.UnitySynchronizationContext/WorkRequest::m_DelagateCallback
SendOrPostCallback_t6B7334CE017AF595535507519400AC02D688DC3C * ___m_DelagateCallback_0;
// System.Object UnityEngine.UnitySynchronizationContext/WorkRequest::m_DelagateState
RuntimeObject * ___m_DelagateState_1;
// System.Threading.ManualResetEvent UnityEngine.UnitySynchronizationContext/WorkRequest::m_WaitHandle
ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * ___m_WaitHandle_2;
public:
inline static int32_t get_offset_of_m_DelagateCallback_0() { return static_cast<int32_t>(offsetof(WorkRequest_tA19FD4D1269D8EE2EA886AAF036C4F7F09154393, ___m_DelagateCallback_0)); }
inline SendOrPostCallback_t6B7334CE017AF595535507519400AC02D688DC3C * get_m_DelagateCallback_0() const { return ___m_DelagateCallback_0; }
inline SendOrPostCallback_t6B7334CE017AF595535507519400AC02D688DC3C ** get_address_of_m_DelagateCallback_0() { return &___m_DelagateCallback_0; }
inline void set_m_DelagateCallback_0(SendOrPostCallback_t6B7334CE017AF595535507519400AC02D688DC3C * value)
{
___m_DelagateCallback_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DelagateCallback_0), (void*)value);
}
inline static int32_t get_offset_of_m_DelagateState_1() { return static_cast<int32_t>(offsetof(WorkRequest_tA19FD4D1269D8EE2EA886AAF036C4F7F09154393, ___m_DelagateState_1)); }
inline RuntimeObject * get_m_DelagateState_1() const { return ___m_DelagateState_1; }
inline RuntimeObject ** get_address_of_m_DelagateState_1() { return &___m_DelagateState_1; }
inline void set_m_DelagateState_1(RuntimeObject * value)
{
___m_DelagateState_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DelagateState_1), (void*)value);
}
inline static int32_t get_offset_of_m_WaitHandle_2() { return static_cast<int32_t>(offsetof(WorkRequest_tA19FD4D1269D8EE2EA886AAF036C4F7F09154393, ___m_WaitHandle_2)); }
inline ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * get_m_WaitHandle_2() const { return ___m_WaitHandle_2; }
inline ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA ** get_address_of_m_WaitHandle_2() { return &___m_WaitHandle_2; }
inline void set_m_WaitHandle_2(ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * value)
{
___m_WaitHandle_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_WaitHandle_2), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.UnitySynchronizationContext/WorkRequest
struct WorkRequest_tA19FD4D1269D8EE2EA886AAF036C4F7F09154393_marshaled_pinvoke
{
Il2CppMethodPointer ___m_DelagateCallback_0;
Il2CppIUnknown* ___m_DelagateState_1;
ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * ___m_WaitHandle_2;
};
// Native definition for COM marshalling of UnityEngine.UnitySynchronizationContext/WorkRequest
struct WorkRequest_tA19FD4D1269D8EE2EA886AAF036C4F7F09154393_marshaled_com
{
Il2CppMethodPointer ___m_DelagateCallback_0;
Il2CppIUnknown* ___m_DelagateState_1;
ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * ___m_WaitHandle_2;
};
// UnityEngine.PlayerLoop.Update/DirectorUpdate
struct DirectorUpdate_t4A7FCDCBD027B9D28BFAFF7DEB5F33E0B5E27A85
{
public:
union
{
struct
{
};
uint8_t DirectorUpdate_t4A7FCDCBD027B9D28BFAFF7DEB5F33E0B5E27A85__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.Update/ScriptRunBehaviourUpdate
struct ScriptRunBehaviourUpdate_tAAEB9BAF1DB9036DFA153F433C2D719A7BC30536
{
public:
union
{
struct
{
};
uint8_t ScriptRunBehaviourUpdate_tAAEB9BAF1DB9036DFA153F433C2D719A7BC30536__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.Update/ScriptRunDelayedDynamicFrameRate
struct ScriptRunDelayedDynamicFrameRate_t1A2D15EEF198E3050B653FD370CBDFE82A46F66E
{
public:
union
{
struct
{
};
uint8_t ScriptRunDelayedDynamicFrameRate_t1A2D15EEF198E3050B653FD370CBDFE82A46F66E__padding[1];
};
public:
};
// UnityEngine.PlayerLoop.Update/ScriptRunDelayedTasks
struct ScriptRunDelayedTasks_t87535B3420E907071EA14E80AD9D811F29AA978A
{
public:
union
{
struct
{
};
uint8_t ScriptRunDelayedTasks_t87535B3420E907071EA14E80AD9D811F29AA978A__padding[1];
};
public:
};
// System.Uri/Offset
#pragma pack(push, tp, 1)
struct Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5
{
public:
// System.UInt16 System.Uri/Offset::Scheme
uint16_t ___Scheme_0;
// System.UInt16 System.Uri/Offset::User
uint16_t ___User_1;
// System.UInt16 System.Uri/Offset::Host
uint16_t ___Host_2;
// System.UInt16 System.Uri/Offset::PortValue
uint16_t ___PortValue_3;
// System.UInt16 System.Uri/Offset::Path
uint16_t ___Path_4;
// System.UInt16 System.Uri/Offset::Query
uint16_t ___Query_5;
// System.UInt16 System.Uri/Offset::Fragment
uint16_t ___Fragment_6;
// System.UInt16 System.Uri/Offset::End
uint16_t ___End_7;
public:
inline static int32_t get_offset_of_Scheme_0() { return static_cast<int32_t>(offsetof(Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5, ___Scheme_0)); }
inline uint16_t get_Scheme_0() const { return ___Scheme_0; }
inline uint16_t* get_address_of_Scheme_0() { return &___Scheme_0; }
inline void set_Scheme_0(uint16_t value)
{
___Scheme_0 = value;
}
inline static int32_t get_offset_of_User_1() { return static_cast<int32_t>(offsetof(Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5, ___User_1)); }
inline uint16_t get_User_1() const { return ___User_1; }
inline uint16_t* get_address_of_User_1() { return &___User_1; }
inline void set_User_1(uint16_t value)
{
___User_1 = value;
}
inline static int32_t get_offset_of_Host_2() { return static_cast<int32_t>(offsetof(Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5, ___Host_2)); }
inline uint16_t get_Host_2() const { return ___Host_2; }
inline uint16_t* get_address_of_Host_2() { return &___Host_2; }
inline void set_Host_2(uint16_t value)
{
___Host_2 = value;
}
inline static int32_t get_offset_of_PortValue_3() { return static_cast<int32_t>(offsetof(Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5, ___PortValue_3)); }
inline uint16_t get_PortValue_3() const { return ___PortValue_3; }
inline uint16_t* get_address_of_PortValue_3() { return &___PortValue_3; }
inline void set_PortValue_3(uint16_t value)
{
___PortValue_3 = value;
}
inline static int32_t get_offset_of_Path_4() { return static_cast<int32_t>(offsetof(Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5, ___Path_4)); }
inline uint16_t get_Path_4() const { return ___Path_4; }
inline uint16_t* get_address_of_Path_4() { return &___Path_4; }
inline void set_Path_4(uint16_t value)
{
___Path_4 = value;
}
inline static int32_t get_offset_of_Query_5() { return static_cast<int32_t>(offsetof(Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5, ___Query_5)); }
inline uint16_t get_Query_5() const { return ___Query_5; }
inline uint16_t* get_address_of_Query_5() { return &___Query_5; }
inline void set_Query_5(uint16_t value)
{
___Query_5 = value;
}
inline static int32_t get_offset_of_Fragment_6() { return static_cast<int32_t>(offsetof(Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5, ___Fragment_6)); }
inline uint16_t get_Fragment_6() const { return ___Fragment_6; }
inline uint16_t* get_address_of_Fragment_6() { return &___Fragment_6; }
inline void set_Fragment_6(uint16_t value)
{
___Fragment_6 = value;
}
inline static int32_t get_offset_of_End_7() { return static_cast<int32_t>(offsetof(Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5, ___End_7)); }
inline uint16_t get_End_7() const { return ___End_7; }
inline uint16_t* get_address_of_End_7() { return &___End_7; }
inline void set_End_7(uint16_t value)
{
___End_7 = value;
}
};
#pragma pack(pop, tp)
// UnityEngine.XR.ARSubsystems.XRAnchorSubsystemDescriptor/Cinfo
struct Cinfo_tF42131D7F2B721976AAF20DD0240D9C46397F7F7
{
public:
// System.String UnityEngine.XR.ARSubsystems.XRAnchorSubsystemDescriptor/Cinfo::<id>k__BackingField
String_t* ___U3CidU3Ek__BackingField_0;
// System.Type UnityEngine.XR.ARSubsystems.XRAnchorSubsystemDescriptor/Cinfo::<providerType>k__BackingField
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
// System.Type UnityEngine.XR.ARSubsystems.XRAnchorSubsystemDescriptor/Cinfo::<subsystemTypeOverride>k__BackingField
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
// System.Type UnityEngine.XR.ARSubsystems.XRAnchorSubsystemDescriptor/Cinfo::<subsystemImplementationType>k__BackingField
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_3;
// System.Boolean UnityEngine.XR.ARSubsystems.XRAnchorSubsystemDescriptor/Cinfo::<supportsTrackableAttachments>k__BackingField
bool ___U3CsupportsTrackableAttachmentsU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CidU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(Cinfo_tF42131D7F2B721976AAF20DD0240D9C46397F7F7, ___U3CidU3Ek__BackingField_0)); }
inline String_t* get_U3CidU3Ek__BackingField_0() const { return ___U3CidU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CidU3Ek__BackingField_0() { return &___U3CidU3Ek__BackingField_0; }
inline void set_U3CidU3Ek__BackingField_0(String_t* value)
{
___U3CidU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CidU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderTypeU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(Cinfo_tF42131D7F2B721976AAF20DD0240D9C46397F7F7, ___U3CproviderTypeU3Ek__BackingField_1)); }
inline Type_t * get_U3CproviderTypeU3Ek__BackingField_1() const { return ___U3CproviderTypeU3Ek__BackingField_1; }
inline Type_t ** get_address_of_U3CproviderTypeU3Ek__BackingField_1() { return &___U3CproviderTypeU3Ek__BackingField_1; }
inline void set_U3CproviderTypeU3Ek__BackingField_1(Type_t * value)
{
___U3CproviderTypeU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderTypeU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(Cinfo_tF42131D7F2B721976AAF20DD0240D9C46397F7F7, ___U3CsubsystemTypeOverrideU3Ek__BackingField_2)); }
inline Type_t * get_U3CsubsystemTypeOverrideU3Ek__BackingField_2() const { return ___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline Type_t ** get_address_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return &___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline void set_U3CsubsystemTypeOverrideU3Ek__BackingField_2(Type_t * value)
{
___U3CsubsystemTypeOverrideU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemTypeOverrideU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsystemImplementationTypeU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(Cinfo_tF42131D7F2B721976AAF20DD0240D9C46397F7F7, ___U3CsubsystemImplementationTypeU3Ek__BackingField_3)); }
inline Type_t * get_U3CsubsystemImplementationTypeU3Ek__BackingField_3() const { return ___U3CsubsystemImplementationTypeU3Ek__BackingField_3; }
inline Type_t ** get_address_of_U3CsubsystemImplementationTypeU3Ek__BackingField_3() { return &___U3CsubsystemImplementationTypeU3Ek__BackingField_3; }
inline void set_U3CsubsystemImplementationTypeU3Ek__BackingField_3(Type_t * value)
{
___U3CsubsystemImplementationTypeU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemImplementationTypeU3Ek__BackingField_3), (void*)value);
}
inline static int32_t get_offset_of_U3CsupportsTrackableAttachmentsU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(Cinfo_tF42131D7F2B721976AAF20DD0240D9C46397F7F7, ___U3CsupportsTrackableAttachmentsU3Ek__BackingField_4)); }
inline bool get_U3CsupportsTrackableAttachmentsU3Ek__BackingField_4() const { return ___U3CsupportsTrackableAttachmentsU3Ek__BackingField_4; }
inline bool* get_address_of_U3CsupportsTrackableAttachmentsU3Ek__BackingField_4() { return &___U3CsupportsTrackableAttachmentsU3Ek__BackingField_4; }
inline void set_U3CsupportsTrackableAttachmentsU3Ek__BackingField_4(bool value)
{
___U3CsupportsTrackableAttachmentsU3Ek__BackingField_4 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARSubsystems.XRAnchorSubsystemDescriptor/Cinfo
struct Cinfo_tF42131D7F2B721976AAF20DD0240D9C46397F7F7_marshaled_pinvoke
{
char* ___U3CidU3Ek__BackingField_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_3;
int32_t ___U3CsupportsTrackableAttachmentsU3Ek__BackingField_4;
};
// Native definition for COM marshalling of UnityEngine.XR.ARSubsystems.XRAnchorSubsystemDescriptor/Cinfo
struct Cinfo_tF42131D7F2B721976AAF20DD0240D9C46397F7F7_marshaled_com
{
Il2CppChar* ___U3CidU3Ek__BackingField_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_3;
int32_t ___U3CsupportsTrackableAttachmentsU3Ek__BackingField_4;
};
// UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystemDescriptor/Cinfo
struct Cinfo_tED92D7CBD16BE657927A6B7DB64A22DA21EB7D32
{
public:
// System.String UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystemDescriptor/Cinfo::<id>k__BackingField
String_t* ___U3CidU3Ek__BackingField_0;
// System.Type UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystemDescriptor/Cinfo::<providerType>k__BackingField
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
// System.Type UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystemDescriptor/Cinfo::<subsystemTypeOverride>k__BackingField
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
// System.Type UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystemDescriptor/Cinfo::<subsystemImplementationType>k__BackingField
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_3;
// System.Boolean UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystemDescriptor/Cinfo::<supportsMovingImages>k__BackingField
bool ___U3CsupportsMovingImagesU3Ek__BackingField_4;
// System.Boolean UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystemDescriptor/Cinfo::<requiresPhysicalImageDimensions>k__BackingField
bool ___U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_5;
// System.Boolean UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystemDescriptor/Cinfo::<supportsMutableLibrary>k__BackingField
bool ___U3CsupportsMutableLibraryU3Ek__BackingField_6;
// System.Boolean UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystemDescriptor/Cinfo::<supportsImageValidation>k__BackingField
bool ___U3CsupportsImageValidationU3Ek__BackingField_7;
public:
inline static int32_t get_offset_of_U3CidU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(Cinfo_tED92D7CBD16BE657927A6B7DB64A22DA21EB7D32, ___U3CidU3Ek__BackingField_0)); }
inline String_t* get_U3CidU3Ek__BackingField_0() const { return ___U3CidU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CidU3Ek__BackingField_0() { return &___U3CidU3Ek__BackingField_0; }
inline void set_U3CidU3Ek__BackingField_0(String_t* value)
{
___U3CidU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CidU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderTypeU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(Cinfo_tED92D7CBD16BE657927A6B7DB64A22DA21EB7D32, ___U3CproviderTypeU3Ek__BackingField_1)); }
inline Type_t * get_U3CproviderTypeU3Ek__BackingField_1() const { return ___U3CproviderTypeU3Ek__BackingField_1; }
inline Type_t ** get_address_of_U3CproviderTypeU3Ek__BackingField_1() { return &___U3CproviderTypeU3Ek__BackingField_1; }
inline void set_U3CproviderTypeU3Ek__BackingField_1(Type_t * value)
{
___U3CproviderTypeU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderTypeU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(Cinfo_tED92D7CBD16BE657927A6B7DB64A22DA21EB7D32, ___U3CsubsystemTypeOverrideU3Ek__BackingField_2)); }
inline Type_t * get_U3CsubsystemTypeOverrideU3Ek__BackingField_2() const { return ___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline Type_t ** get_address_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return &___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline void set_U3CsubsystemTypeOverrideU3Ek__BackingField_2(Type_t * value)
{
___U3CsubsystemTypeOverrideU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemTypeOverrideU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsystemImplementationTypeU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(Cinfo_tED92D7CBD16BE657927A6B7DB64A22DA21EB7D32, ___U3CsubsystemImplementationTypeU3Ek__BackingField_3)); }
inline Type_t * get_U3CsubsystemImplementationTypeU3Ek__BackingField_3() const { return ___U3CsubsystemImplementationTypeU3Ek__BackingField_3; }
inline Type_t ** get_address_of_U3CsubsystemImplementationTypeU3Ek__BackingField_3() { return &___U3CsubsystemImplementationTypeU3Ek__BackingField_3; }
inline void set_U3CsubsystemImplementationTypeU3Ek__BackingField_3(Type_t * value)
{
___U3CsubsystemImplementationTypeU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemImplementationTypeU3Ek__BackingField_3), (void*)value);
}
inline static int32_t get_offset_of_U3CsupportsMovingImagesU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(Cinfo_tED92D7CBD16BE657927A6B7DB64A22DA21EB7D32, ___U3CsupportsMovingImagesU3Ek__BackingField_4)); }
inline bool get_U3CsupportsMovingImagesU3Ek__BackingField_4() const { return ___U3CsupportsMovingImagesU3Ek__BackingField_4; }
inline bool* get_address_of_U3CsupportsMovingImagesU3Ek__BackingField_4() { return &___U3CsupportsMovingImagesU3Ek__BackingField_4; }
inline void set_U3CsupportsMovingImagesU3Ek__BackingField_4(bool value)
{
___U3CsupportsMovingImagesU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(Cinfo_tED92D7CBD16BE657927A6B7DB64A22DA21EB7D32, ___U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_5)); }
inline bool get_U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_5() const { return ___U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_5; }
inline bool* get_address_of_U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_5() { return &___U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_5; }
inline void set_U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_5(bool value)
{
___U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CsupportsMutableLibraryU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(Cinfo_tED92D7CBD16BE657927A6B7DB64A22DA21EB7D32, ___U3CsupportsMutableLibraryU3Ek__BackingField_6)); }
inline bool get_U3CsupportsMutableLibraryU3Ek__BackingField_6() const { return ___U3CsupportsMutableLibraryU3Ek__BackingField_6; }
inline bool* get_address_of_U3CsupportsMutableLibraryU3Ek__BackingField_6() { return &___U3CsupportsMutableLibraryU3Ek__BackingField_6; }
inline void set_U3CsupportsMutableLibraryU3Ek__BackingField_6(bool value)
{
___U3CsupportsMutableLibraryU3Ek__BackingField_6 = value;
}
inline static int32_t get_offset_of_U3CsupportsImageValidationU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(Cinfo_tED92D7CBD16BE657927A6B7DB64A22DA21EB7D32, ___U3CsupportsImageValidationU3Ek__BackingField_7)); }
inline bool get_U3CsupportsImageValidationU3Ek__BackingField_7() const { return ___U3CsupportsImageValidationU3Ek__BackingField_7; }
inline bool* get_address_of_U3CsupportsImageValidationU3Ek__BackingField_7() { return &___U3CsupportsImageValidationU3Ek__BackingField_7; }
inline void set_U3CsupportsImageValidationU3Ek__BackingField_7(bool value)
{
___U3CsupportsImageValidationU3Ek__BackingField_7 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystemDescriptor/Cinfo
struct Cinfo_tED92D7CBD16BE657927A6B7DB64A22DA21EB7D32_marshaled_pinvoke
{
char* ___U3CidU3Ek__BackingField_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_3;
int32_t ___U3CsupportsMovingImagesU3Ek__BackingField_4;
int32_t ___U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_5;
int32_t ___U3CsupportsMutableLibraryU3Ek__BackingField_6;
int32_t ___U3CsupportsImageValidationU3Ek__BackingField_7;
};
// Native definition for COM marshalling of UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystemDescriptor/Cinfo
struct Cinfo_tED92D7CBD16BE657927A6B7DB64A22DA21EB7D32_marshaled_com
{
Il2CppChar* ___U3CidU3Ek__BackingField_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_3;
int32_t ___U3CsupportsMovingImagesU3Ek__BackingField_4;
int32_t ___U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_5;
int32_t ___U3CsupportsMutableLibraryU3Ek__BackingField_6;
int32_t ___U3CsupportsImageValidationU3Ek__BackingField_7;
};
// UnityEngine.XR.Management.XRManagementAnalytics/BuildEvent
struct BuildEvent_t91DF130C6ECDD6C929257705DB0AFE481F5BFE17
{
public:
// System.String UnityEngine.XR.Management.XRManagementAnalytics/BuildEvent::buildGuid
String_t* ___buildGuid_0;
// System.String UnityEngine.XR.Management.XRManagementAnalytics/BuildEvent::buildTarget
String_t* ___buildTarget_1;
// System.String UnityEngine.XR.Management.XRManagementAnalytics/BuildEvent::buildTargetGroup
String_t* ___buildTargetGroup_2;
// System.String[] UnityEngine.XR.Management.XRManagementAnalytics/BuildEvent::assigned_loaders
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___assigned_loaders_3;
public:
inline static int32_t get_offset_of_buildGuid_0() { return static_cast<int32_t>(offsetof(BuildEvent_t91DF130C6ECDD6C929257705DB0AFE481F5BFE17, ___buildGuid_0)); }
inline String_t* get_buildGuid_0() const { return ___buildGuid_0; }
inline String_t** get_address_of_buildGuid_0() { return &___buildGuid_0; }
inline void set_buildGuid_0(String_t* value)
{
___buildGuid_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___buildGuid_0), (void*)value);
}
inline static int32_t get_offset_of_buildTarget_1() { return static_cast<int32_t>(offsetof(BuildEvent_t91DF130C6ECDD6C929257705DB0AFE481F5BFE17, ___buildTarget_1)); }
inline String_t* get_buildTarget_1() const { return ___buildTarget_1; }
inline String_t** get_address_of_buildTarget_1() { return &___buildTarget_1; }
inline void set_buildTarget_1(String_t* value)
{
___buildTarget_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___buildTarget_1), (void*)value);
}
inline static int32_t get_offset_of_buildTargetGroup_2() { return static_cast<int32_t>(offsetof(BuildEvent_t91DF130C6ECDD6C929257705DB0AFE481F5BFE17, ___buildTargetGroup_2)); }
inline String_t* get_buildTargetGroup_2() const { return ___buildTargetGroup_2; }
inline String_t** get_address_of_buildTargetGroup_2() { return &___buildTargetGroup_2; }
inline void set_buildTargetGroup_2(String_t* value)
{
___buildTargetGroup_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___buildTargetGroup_2), (void*)value);
}
inline static int32_t get_offset_of_assigned_loaders_3() { return static_cast<int32_t>(offsetof(BuildEvent_t91DF130C6ECDD6C929257705DB0AFE481F5BFE17, ___assigned_loaders_3)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_assigned_loaders_3() const { return ___assigned_loaders_3; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_assigned_loaders_3() { return &___assigned_loaders_3; }
inline void set_assigned_loaders_3(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___assigned_loaders_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assigned_loaders_3), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.Management.XRManagementAnalytics/BuildEvent
struct BuildEvent_t91DF130C6ECDD6C929257705DB0AFE481F5BFE17_marshaled_pinvoke
{
char* ___buildGuid_0;
char* ___buildTarget_1;
char* ___buildTargetGroup_2;
char** ___assigned_loaders_3;
};
// Native definition for COM marshalling of UnityEngine.XR.Management.XRManagementAnalytics/BuildEvent
struct BuildEvent_t91DF130C6ECDD6C929257705DB0AFE481F5BFE17_marshaled_com
{
Il2CppChar* ___buildGuid_0;
Il2CppChar* ___buildTarget_1;
Il2CppChar* ___buildTargetGroup_2;
Il2CppChar** ___assigned_loaders_3;
};
// UnityEngine.XR.ARSubsystems.XRObjectTrackingSubsystemDescriptor/Capabilities
struct Capabilities_tC6F329DD5C73C6B9E04BE77A3AE0E52390BD8685
{
public:
union
{
struct
{
};
uint8_t Capabilities_tC6F329DD5C73C6B9E04BE77A3AE0E52390BD8685__padding[1];
};
public:
};
// UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor/Cinfo
struct Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD
{
public:
// System.String UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor/Cinfo::<id>k__BackingField
String_t* ___U3CidU3Ek__BackingField_0;
// System.Type UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor/Cinfo::<providerType>k__BackingField
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
// System.Type UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor/Cinfo::<subsystemTypeOverride>k__BackingField
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
// System.Type UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor/Cinfo::<subsystemImplementationType>k__BackingField
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_3;
// System.Boolean UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor/Cinfo::<supportsHorizontalPlaneDetection>k__BackingField
bool ___U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_4;
// System.Boolean UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor/Cinfo::<supportsVerticalPlaneDetection>k__BackingField
bool ___U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_5;
// System.Boolean UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor/Cinfo::<supportsArbitraryPlaneDetection>k__BackingField
bool ___U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_6;
// System.Boolean UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor/Cinfo::<supportsBoundaryVertices>k__BackingField
bool ___U3CsupportsBoundaryVerticesU3Ek__BackingField_7;
// System.Boolean UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor/Cinfo::<supportsClassification>k__BackingField
bool ___U3CsupportsClassificationU3Ek__BackingField_8;
public:
inline static int32_t get_offset_of_U3CidU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD, ___U3CidU3Ek__BackingField_0)); }
inline String_t* get_U3CidU3Ek__BackingField_0() const { return ___U3CidU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CidU3Ek__BackingField_0() { return &___U3CidU3Ek__BackingField_0; }
inline void set_U3CidU3Ek__BackingField_0(String_t* value)
{
___U3CidU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CidU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderTypeU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD, ___U3CproviderTypeU3Ek__BackingField_1)); }
inline Type_t * get_U3CproviderTypeU3Ek__BackingField_1() const { return ___U3CproviderTypeU3Ek__BackingField_1; }
inline Type_t ** get_address_of_U3CproviderTypeU3Ek__BackingField_1() { return &___U3CproviderTypeU3Ek__BackingField_1; }
inline void set_U3CproviderTypeU3Ek__BackingField_1(Type_t * value)
{
___U3CproviderTypeU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderTypeU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD, ___U3CsubsystemTypeOverrideU3Ek__BackingField_2)); }
inline Type_t * get_U3CsubsystemTypeOverrideU3Ek__BackingField_2() const { return ___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline Type_t ** get_address_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return &___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline void set_U3CsubsystemTypeOverrideU3Ek__BackingField_2(Type_t * value)
{
___U3CsubsystemTypeOverrideU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemTypeOverrideU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsystemImplementationTypeU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD, ___U3CsubsystemImplementationTypeU3Ek__BackingField_3)); }
inline Type_t * get_U3CsubsystemImplementationTypeU3Ek__BackingField_3() const { return ___U3CsubsystemImplementationTypeU3Ek__BackingField_3; }
inline Type_t ** get_address_of_U3CsubsystemImplementationTypeU3Ek__BackingField_3() { return &___U3CsubsystemImplementationTypeU3Ek__BackingField_3; }
inline void set_U3CsubsystemImplementationTypeU3Ek__BackingField_3(Type_t * value)
{
___U3CsubsystemImplementationTypeU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemImplementationTypeU3Ek__BackingField_3), (void*)value);
}
inline static int32_t get_offset_of_U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD, ___U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_4)); }
inline bool get_U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_4() const { return ___U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_4; }
inline bool* get_address_of_U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_4() { return &___U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_4; }
inline void set_U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_4(bool value)
{
___U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD, ___U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_5)); }
inline bool get_U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_5() const { return ___U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_5; }
inline bool* get_address_of_U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_5() { return &___U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_5; }
inline void set_U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_5(bool value)
{
___U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD, ___U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_6)); }
inline bool get_U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_6() const { return ___U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_6; }
inline bool* get_address_of_U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_6() { return &___U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_6; }
inline void set_U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_6(bool value)
{
___U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_6 = value;
}
inline static int32_t get_offset_of_U3CsupportsBoundaryVerticesU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD, ___U3CsupportsBoundaryVerticesU3Ek__BackingField_7)); }
inline bool get_U3CsupportsBoundaryVerticesU3Ek__BackingField_7() const { return ___U3CsupportsBoundaryVerticesU3Ek__BackingField_7; }
inline bool* get_address_of_U3CsupportsBoundaryVerticesU3Ek__BackingField_7() { return &___U3CsupportsBoundaryVerticesU3Ek__BackingField_7; }
inline void set_U3CsupportsBoundaryVerticesU3Ek__BackingField_7(bool value)
{
___U3CsupportsBoundaryVerticesU3Ek__BackingField_7 = value;
}
inline static int32_t get_offset_of_U3CsupportsClassificationU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD, ___U3CsupportsClassificationU3Ek__BackingField_8)); }
inline bool get_U3CsupportsClassificationU3Ek__BackingField_8() const { return ___U3CsupportsClassificationU3Ek__BackingField_8; }
inline bool* get_address_of_U3CsupportsClassificationU3Ek__BackingField_8() { return &___U3CsupportsClassificationU3Ek__BackingField_8; }
inline void set_U3CsupportsClassificationU3Ek__BackingField_8(bool value)
{
___U3CsupportsClassificationU3Ek__BackingField_8 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor/Cinfo
struct Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD_marshaled_pinvoke
{
char* ___U3CidU3Ek__BackingField_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_3;
int32_t ___U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_4;
int32_t ___U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_5;
int32_t ___U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_6;
int32_t ___U3CsupportsBoundaryVerticesU3Ek__BackingField_7;
int32_t ___U3CsupportsClassificationU3Ek__BackingField_8;
};
// Native definition for COM marshalling of UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor/Cinfo
struct Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD_marshaled_com
{
Il2CppChar* ___U3CidU3Ek__BackingField_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_3;
int32_t ___U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_4;
int32_t ___U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_5;
int32_t ___U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_6;
int32_t ___U3CsupportsBoundaryVerticesU3Ek__BackingField_7;
int32_t ___U3CsupportsClassificationU3Ek__BackingField_8;
};
// UnityEngine.XR.ARSubsystems.XRReferencePointSubsystemDescriptor/Cinfo
struct Cinfo_t04039019CC240855A566C51C5F0DD8D0D6440E9F
{
public:
// System.String UnityEngine.XR.ARSubsystems.XRReferencePointSubsystemDescriptor/Cinfo::<id>k__BackingField
String_t* ___U3CidU3Ek__BackingField_0;
// System.Type UnityEngine.XR.ARSubsystems.XRReferencePointSubsystemDescriptor/Cinfo::<providerType>k__BackingField
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
// System.Type UnityEngine.XR.ARSubsystems.XRReferencePointSubsystemDescriptor/Cinfo::<subsystemTypeOverride>k__BackingField
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
// System.Type UnityEngine.XR.ARSubsystems.XRReferencePointSubsystemDescriptor/Cinfo::<subsystemImplementationType>k__BackingField
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_3;
// System.Boolean UnityEngine.XR.ARSubsystems.XRReferencePointSubsystemDescriptor/Cinfo::<supportsTrackableAttachments>k__BackingField
bool ___U3CsupportsTrackableAttachmentsU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CidU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(Cinfo_t04039019CC240855A566C51C5F0DD8D0D6440E9F, ___U3CidU3Ek__BackingField_0)); }
inline String_t* get_U3CidU3Ek__BackingField_0() const { return ___U3CidU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CidU3Ek__BackingField_0() { return &___U3CidU3Ek__BackingField_0; }
inline void set_U3CidU3Ek__BackingField_0(String_t* value)
{
___U3CidU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CidU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderTypeU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(Cinfo_t04039019CC240855A566C51C5F0DD8D0D6440E9F, ___U3CproviderTypeU3Ek__BackingField_1)); }
inline Type_t * get_U3CproviderTypeU3Ek__BackingField_1() const { return ___U3CproviderTypeU3Ek__BackingField_1; }
inline Type_t ** get_address_of_U3CproviderTypeU3Ek__BackingField_1() { return &___U3CproviderTypeU3Ek__BackingField_1; }
inline void set_U3CproviderTypeU3Ek__BackingField_1(Type_t * value)
{
___U3CproviderTypeU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderTypeU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(Cinfo_t04039019CC240855A566C51C5F0DD8D0D6440E9F, ___U3CsubsystemTypeOverrideU3Ek__BackingField_2)); }
inline Type_t * get_U3CsubsystemTypeOverrideU3Ek__BackingField_2() const { return ___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline Type_t ** get_address_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return &___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline void set_U3CsubsystemTypeOverrideU3Ek__BackingField_2(Type_t * value)
{
___U3CsubsystemTypeOverrideU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemTypeOverrideU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsystemImplementationTypeU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(Cinfo_t04039019CC240855A566C51C5F0DD8D0D6440E9F, ___U3CsubsystemImplementationTypeU3Ek__BackingField_3)); }
inline Type_t * get_U3CsubsystemImplementationTypeU3Ek__BackingField_3() const { return ___U3CsubsystemImplementationTypeU3Ek__BackingField_3; }
inline Type_t ** get_address_of_U3CsubsystemImplementationTypeU3Ek__BackingField_3() { return &___U3CsubsystemImplementationTypeU3Ek__BackingField_3; }
inline void set_U3CsubsystemImplementationTypeU3Ek__BackingField_3(Type_t * value)
{
___U3CsubsystemImplementationTypeU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemImplementationTypeU3Ek__BackingField_3), (void*)value);
}
inline static int32_t get_offset_of_U3CsupportsTrackableAttachmentsU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(Cinfo_t04039019CC240855A566C51C5F0DD8D0D6440E9F, ___U3CsupportsTrackableAttachmentsU3Ek__BackingField_4)); }
inline bool get_U3CsupportsTrackableAttachmentsU3Ek__BackingField_4() const { return ___U3CsupportsTrackableAttachmentsU3Ek__BackingField_4; }
inline bool* get_address_of_U3CsupportsTrackableAttachmentsU3Ek__BackingField_4() { return &___U3CsupportsTrackableAttachmentsU3Ek__BackingField_4; }
inline void set_U3CsupportsTrackableAttachmentsU3Ek__BackingField_4(bool value)
{
___U3CsupportsTrackableAttachmentsU3Ek__BackingField_4 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARSubsystems.XRReferencePointSubsystemDescriptor/Cinfo
struct Cinfo_t04039019CC240855A566C51C5F0DD8D0D6440E9F_marshaled_pinvoke
{
char* ___U3CidU3Ek__BackingField_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_3;
int32_t ___U3CsupportsTrackableAttachmentsU3Ek__BackingField_4;
};
// Native definition for COM marshalling of UnityEngine.XR.ARSubsystems.XRReferencePointSubsystemDescriptor/Cinfo
struct Cinfo_t04039019CC240855A566C51C5F0DD8D0D6440E9F_marshaled_com
{
Il2CppChar* ___U3CidU3Ek__BackingField_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_3;
int32_t ___U3CsupportsTrackableAttachmentsU3Ek__BackingField_4;
};
// UnityEngine.XR.ARSubsystems.XRSessionSubsystemDescriptor/Cinfo
struct Cinfo_t2842A97DA95F40ECADDCA24A291B6114A3A5F71A
{
public:
// System.Boolean UnityEngine.XR.ARSubsystems.XRSessionSubsystemDescriptor/Cinfo::<supportsInstall>k__BackingField
bool ___U3CsupportsInstallU3Ek__BackingField_0;
// System.Boolean UnityEngine.XR.ARSubsystems.XRSessionSubsystemDescriptor/Cinfo::<supportsMatchFrameRate>k__BackingField
bool ___U3CsupportsMatchFrameRateU3Ek__BackingField_1;
// System.String UnityEngine.XR.ARSubsystems.XRSessionSubsystemDescriptor/Cinfo::<id>k__BackingField
String_t* ___U3CidU3Ek__BackingField_2;
// System.Type UnityEngine.XR.ARSubsystems.XRSessionSubsystemDescriptor/Cinfo::<providerType>k__BackingField
Type_t * ___U3CproviderTypeU3Ek__BackingField_3;
// System.Type UnityEngine.XR.ARSubsystems.XRSessionSubsystemDescriptor/Cinfo::<subsystemTypeOverride>k__BackingField
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_4;
// System.Type UnityEngine.XR.ARSubsystems.XRSessionSubsystemDescriptor/Cinfo::<subsystemImplementationType>k__BackingField
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_5;
public:
inline static int32_t get_offset_of_U3CsupportsInstallU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(Cinfo_t2842A97DA95F40ECADDCA24A291B6114A3A5F71A, ___U3CsupportsInstallU3Ek__BackingField_0)); }
inline bool get_U3CsupportsInstallU3Ek__BackingField_0() const { return ___U3CsupportsInstallU3Ek__BackingField_0; }
inline bool* get_address_of_U3CsupportsInstallU3Ek__BackingField_0() { return &___U3CsupportsInstallU3Ek__BackingField_0; }
inline void set_U3CsupportsInstallU3Ek__BackingField_0(bool value)
{
___U3CsupportsInstallU3Ek__BackingField_0 = value;
}
inline static int32_t get_offset_of_U3CsupportsMatchFrameRateU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(Cinfo_t2842A97DA95F40ECADDCA24A291B6114A3A5F71A, ___U3CsupportsMatchFrameRateU3Ek__BackingField_1)); }
inline bool get_U3CsupportsMatchFrameRateU3Ek__BackingField_1() const { return ___U3CsupportsMatchFrameRateU3Ek__BackingField_1; }
inline bool* get_address_of_U3CsupportsMatchFrameRateU3Ek__BackingField_1() { return &___U3CsupportsMatchFrameRateU3Ek__BackingField_1; }
inline void set_U3CsupportsMatchFrameRateU3Ek__BackingField_1(bool value)
{
___U3CsupportsMatchFrameRateU3Ek__BackingField_1 = value;
}
inline static int32_t get_offset_of_U3CidU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(Cinfo_t2842A97DA95F40ECADDCA24A291B6114A3A5F71A, ___U3CidU3Ek__BackingField_2)); }
inline String_t* get_U3CidU3Ek__BackingField_2() const { return ___U3CidU3Ek__BackingField_2; }
inline String_t** get_address_of_U3CidU3Ek__BackingField_2() { return &___U3CidU3Ek__BackingField_2; }
inline void set_U3CidU3Ek__BackingField_2(String_t* value)
{
___U3CidU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CidU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderTypeU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(Cinfo_t2842A97DA95F40ECADDCA24A291B6114A3A5F71A, ___U3CproviderTypeU3Ek__BackingField_3)); }
inline Type_t * get_U3CproviderTypeU3Ek__BackingField_3() const { return ___U3CproviderTypeU3Ek__BackingField_3; }
inline Type_t ** get_address_of_U3CproviderTypeU3Ek__BackingField_3() { return &___U3CproviderTypeU3Ek__BackingField_3; }
inline void set_U3CproviderTypeU3Ek__BackingField_3(Type_t * value)
{
___U3CproviderTypeU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderTypeU3Ek__BackingField_3), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(Cinfo_t2842A97DA95F40ECADDCA24A291B6114A3A5F71A, ___U3CsubsystemTypeOverrideU3Ek__BackingField_4)); }
inline Type_t * get_U3CsubsystemTypeOverrideU3Ek__BackingField_4() const { return ___U3CsubsystemTypeOverrideU3Ek__BackingField_4; }
inline Type_t ** get_address_of_U3CsubsystemTypeOverrideU3Ek__BackingField_4() { return &___U3CsubsystemTypeOverrideU3Ek__BackingField_4; }
inline void set_U3CsubsystemTypeOverrideU3Ek__BackingField_4(Type_t * value)
{
___U3CsubsystemTypeOverrideU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemTypeOverrideU3Ek__BackingField_4), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsystemImplementationTypeU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(Cinfo_t2842A97DA95F40ECADDCA24A291B6114A3A5F71A, ___U3CsubsystemImplementationTypeU3Ek__BackingField_5)); }
inline Type_t * get_U3CsubsystemImplementationTypeU3Ek__BackingField_5() const { return ___U3CsubsystemImplementationTypeU3Ek__BackingField_5; }
inline Type_t ** get_address_of_U3CsubsystemImplementationTypeU3Ek__BackingField_5() { return &___U3CsubsystemImplementationTypeU3Ek__BackingField_5; }
inline void set_U3CsubsystemImplementationTypeU3Ek__BackingField_5(Type_t * value)
{
___U3CsubsystemImplementationTypeU3Ek__BackingField_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemImplementationTypeU3Ek__BackingField_5), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARSubsystems.XRSessionSubsystemDescriptor/Cinfo
struct Cinfo_t2842A97DA95F40ECADDCA24A291B6114A3A5F71A_marshaled_pinvoke
{
int32_t ___U3CsupportsInstallU3Ek__BackingField_0;
int32_t ___U3CsupportsMatchFrameRateU3Ek__BackingField_1;
char* ___U3CidU3Ek__BackingField_2;
Type_t * ___U3CproviderTypeU3Ek__BackingField_3;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_4;
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_5;
};
// Native definition for COM marshalling of UnityEngine.XR.ARSubsystems.XRSessionSubsystemDescriptor/Cinfo
struct Cinfo_t2842A97DA95F40ECADDCA24A291B6114A3A5F71A_marshaled_com
{
int32_t ___U3CsupportsInstallU3Ek__BackingField_0;
int32_t ___U3CsupportsMatchFrameRateU3Ek__BackingField_1;
Il2CppChar* ___U3CidU3Ek__BackingField_2;
Type_t * ___U3CproviderTypeU3Ek__BackingField_3;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_4;
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_5;
};
// System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Boolean>
struct AsyncTaskMethodBuilder_1_tABE1DEF12F121D6FC8ABF04869ED964FF83EA9B5
{
public:
// System.Runtime.CompilerServices.AsyncMethodBuilderCore System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::m_coreState
AsyncMethodBuilderCore_t2C85055E04767C52B9F66144476FCBF500DBFA34 ___m_coreState_1;
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::m_task
Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 * ___m_task_2;
public:
inline static int32_t get_offset_of_m_coreState_1() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_tABE1DEF12F121D6FC8ABF04869ED964FF83EA9B5, ___m_coreState_1)); }
inline AsyncMethodBuilderCore_t2C85055E04767C52B9F66144476FCBF500DBFA34 get_m_coreState_1() const { return ___m_coreState_1; }
inline AsyncMethodBuilderCore_t2C85055E04767C52B9F66144476FCBF500DBFA34 * get_address_of_m_coreState_1() { return &___m_coreState_1; }
inline void set_m_coreState_1(AsyncMethodBuilderCore_t2C85055E04767C52B9F66144476FCBF500DBFA34 value)
{
___m_coreState_1 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_coreState_1))->___m_stateMachine_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_coreState_1))->___m_defaultContextAction_1), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_task_2() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_tABE1DEF12F121D6FC8ABF04869ED964FF83EA9B5, ___m_task_2)); }
inline Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 * get_m_task_2() const { return ___m_task_2; }
inline Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 ** get_address_of_m_task_2() { return &___m_task_2; }
inline void set_m_task_2(Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 * value)
{
___m_task_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_task_2), (void*)value);
}
};
struct AsyncTaskMethodBuilder_1_tABE1DEF12F121D6FC8ABF04869ED964FF83EA9B5_StaticFields
{
public:
// System.Threading.Tasks.Task`1<TResult> System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1::s_defaultResultTask
Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 * ___s_defaultResultTask_0;
public:
inline static int32_t get_offset_of_s_defaultResultTask_0() { return static_cast<int32_t>(offsetof(AsyncTaskMethodBuilder_1_tABE1DEF12F121D6FC8ABF04869ED964FF83EA9B5_StaticFields, ___s_defaultResultTask_0)); }
inline Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 * get_s_defaultResultTask_0() const { return ___s_defaultResultTask_0; }
inline Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 ** get_address_of_s_defaultResultTask_0() { return &___s_defaultResultTask_0; }
inline void set_s_defaultResultTask_0(Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 * value)
{
___s_defaultResultTask_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_defaultResultTask_0), (void*)value);
}
};
// System.Collections.Generic.Dictionary`2/Enumerator<System.String,UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/NameValuePair>
struct Enumerator_tEB429C4E93509B1086696A3DB644043BA327221E
{
public:
// System.Collections.Generic.Dictionary`2<TKey,TValue> System.Collections.Generic.Dictionary`2/Enumerator::dictionary
Dictionary_2_tEE11BD7FAD8C288DA93B3C5422C51AC3FEB5F0FC * ___dictionary_0;
// System.Int32 System.Collections.Generic.Dictionary`2/Enumerator::version
int32_t ___version_1;
// System.Int32 System.Collections.Generic.Dictionary`2/Enumerator::index
int32_t ___index_2;
// System.Collections.Generic.KeyValuePair`2<TKey,TValue> System.Collections.Generic.Dictionary`2/Enumerator::current
KeyValuePair_2_t68AC5DFB1FAC60F73FDA75D15F0E8620EED00461 ___current_3;
// System.Int32 System.Collections.Generic.Dictionary`2/Enumerator::getEnumeratorRetType
int32_t ___getEnumeratorRetType_4;
public:
inline static int32_t get_offset_of_dictionary_0() { return static_cast<int32_t>(offsetof(Enumerator_tEB429C4E93509B1086696A3DB644043BA327221E, ___dictionary_0)); }
inline Dictionary_2_tEE11BD7FAD8C288DA93B3C5422C51AC3FEB5F0FC * get_dictionary_0() const { return ___dictionary_0; }
inline Dictionary_2_tEE11BD7FAD8C288DA93B3C5422C51AC3FEB5F0FC ** get_address_of_dictionary_0() { return &___dictionary_0; }
inline void set_dictionary_0(Dictionary_2_tEE11BD7FAD8C288DA93B3C5422C51AC3FEB5F0FC * value)
{
___dictionary_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___dictionary_0), (void*)value);
}
inline static int32_t get_offset_of_version_1() { return static_cast<int32_t>(offsetof(Enumerator_tEB429C4E93509B1086696A3DB644043BA327221E, ___version_1)); }
inline int32_t get_version_1() const { return ___version_1; }
inline int32_t* get_address_of_version_1() { return &___version_1; }
inline void set_version_1(int32_t value)
{
___version_1 = value;
}
inline static int32_t get_offset_of_index_2() { return static_cast<int32_t>(offsetof(Enumerator_tEB429C4E93509B1086696A3DB644043BA327221E, ___index_2)); }
inline int32_t get_index_2() const { return ___index_2; }
inline int32_t* get_address_of_index_2() { return &___index_2; }
inline void set_index_2(int32_t value)
{
___index_2 = value;
}
inline static int32_t get_offset_of_current_3() { return static_cast<int32_t>(offsetof(Enumerator_tEB429C4E93509B1086696A3DB644043BA327221E, ___current_3)); }
inline KeyValuePair_2_t68AC5DFB1FAC60F73FDA75D15F0E8620EED00461 get_current_3() const { return ___current_3; }
inline KeyValuePair_2_t68AC5DFB1FAC60F73FDA75D15F0E8620EED00461 * get_address_of_current_3() { return &___current_3; }
inline void set_current_3(KeyValuePair_2_t68AC5DFB1FAC60F73FDA75D15F0E8620EED00461 value)
{
___current_3 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___current_3))->___key_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___current_3))->___value_1), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_getEnumeratorRetType_4() { return static_cast<int32_t>(offsetof(Enumerator_tEB429C4E93509B1086696A3DB644043BA327221E, ___getEnumeratorRetType_4)); }
inline int32_t get_getEnumeratorRetType_4() const { return ___getEnumeratorRetType_4; }
inline int32_t* get_address_of_getEnumeratorRetType_4() { return &___getEnumeratorRetType_4; }
inline void set_getEnumeratorRetType_4(int32_t value)
{
___getEnumeratorRetType_4 = value;
}
};
// System.Collections.Generic.Dictionary`2/Enumerator<System.String,UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/NameValuePair>
struct Enumerator_tB71028C615AC71A88020F08AE4BA80F74DD77E9D
{
public:
// System.Collections.Generic.Dictionary`2<TKey,TValue> System.Collections.Generic.Dictionary`2/Enumerator::dictionary
Dictionary_2_t2836702BFF606608EF802428EEC23FFC205F165B * ___dictionary_0;
// System.Int32 System.Collections.Generic.Dictionary`2/Enumerator::version
int32_t ___version_1;
// System.Int32 System.Collections.Generic.Dictionary`2/Enumerator::index
int32_t ___index_2;
// System.Collections.Generic.KeyValuePair`2<TKey,TValue> System.Collections.Generic.Dictionary`2/Enumerator::current
KeyValuePair_2_t68A019D6152AE15D9286751844E078F0FCD1978B ___current_3;
// System.Int32 System.Collections.Generic.Dictionary`2/Enumerator::getEnumeratorRetType
int32_t ___getEnumeratorRetType_4;
public:
inline static int32_t get_offset_of_dictionary_0() { return static_cast<int32_t>(offsetof(Enumerator_tB71028C615AC71A88020F08AE4BA80F74DD77E9D, ___dictionary_0)); }
inline Dictionary_2_t2836702BFF606608EF802428EEC23FFC205F165B * get_dictionary_0() const { return ___dictionary_0; }
inline Dictionary_2_t2836702BFF606608EF802428EEC23FFC205F165B ** get_address_of_dictionary_0() { return &___dictionary_0; }
inline void set_dictionary_0(Dictionary_2_t2836702BFF606608EF802428EEC23FFC205F165B * value)
{
___dictionary_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___dictionary_0), (void*)value);
}
inline static int32_t get_offset_of_version_1() { return static_cast<int32_t>(offsetof(Enumerator_tB71028C615AC71A88020F08AE4BA80F74DD77E9D, ___version_1)); }
inline int32_t get_version_1() const { return ___version_1; }
inline int32_t* get_address_of_version_1() { return &___version_1; }
inline void set_version_1(int32_t value)
{
___version_1 = value;
}
inline static int32_t get_offset_of_index_2() { return static_cast<int32_t>(offsetof(Enumerator_tB71028C615AC71A88020F08AE4BA80F74DD77E9D, ___index_2)); }
inline int32_t get_index_2() const { return ___index_2; }
inline int32_t* get_address_of_index_2() { return &___index_2; }
inline void set_index_2(int32_t value)
{
___index_2 = value;
}
inline static int32_t get_offset_of_current_3() { return static_cast<int32_t>(offsetof(Enumerator_tB71028C615AC71A88020F08AE4BA80F74DD77E9D, ___current_3)); }
inline KeyValuePair_2_t68A019D6152AE15D9286751844E078F0FCD1978B get_current_3() const { return ___current_3; }
inline KeyValuePair_2_t68A019D6152AE15D9286751844E078F0FCD1978B * get_address_of_current_3() { return &___current_3; }
inline void set_current_3(KeyValuePair_2_t68A019D6152AE15D9286751844E078F0FCD1978B value)
{
___current_3 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___current_3))->___key_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___current_3))->___value_1), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_getEnumeratorRetType_4() { return static_cast<int32_t>(offsetof(Enumerator_tB71028C615AC71A88020F08AE4BA80F74DD77E9D, ___getEnumeratorRetType_4)); }
inline int32_t get_getEnumeratorRetType_4() const { return ___getEnumeratorRetType_4; }
inline int32_t* get_address_of_getEnumeratorRetType_4() { return &___getEnumeratorRetType_4; }
inline void set_getEnumeratorRetType_4(int32_t value)
{
___getEnumeratorRetType_4 = value;
}
};
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Localization.Settings.LocalizedDatabase`2/TableEntryResult<UnityEngine.Localization.Tables.StringTable,UnityEngine.Localization.Tables.StringTableEntry>>>
struct Nullable_1_t4CFED6F9601885C9339BDC6872EAEDF492816BA5
{
public:
// T System.Nullable`1::value
AsyncOperationHandle_1_t9E7AAF51D5B57BA477EB906ACDBD045E41CBC1AF ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_t4CFED6F9601885C9339BDC6872EAEDF492816BA5, ___value_0)); }
inline AsyncOperationHandle_1_t9E7AAF51D5B57BA477EB906ACDBD045E41CBC1AF get_value_0() const { return ___value_0; }
inline AsyncOperationHandle_1_t9E7AAF51D5B57BA477EB906ACDBD045E41CBC1AF * get_address_of_value_0() { return &___value_0; }
inline void set_value_0(AsyncOperationHandle_1_t9E7AAF51D5B57BA477EB906ACDBD045E41CBC1AF value)
{
___value_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_t4CFED6F9601885C9339BDC6872EAEDF492816BA5, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Localization.Tables.AssetTable>>
struct Nullable_1_t4D4F3097C69429EC5907560AE14BC3687218B3B5
{
public:
// T System.Nullable`1::value
AsyncOperationHandle_1_t267EC8C039FF06085B92B5BF44ACFC6BE5121D17 ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_t4D4F3097C69429EC5907560AE14BC3687218B3B5, ___value_0)); }
inline AsyncOperationHandle_1_t267EC8C039FF06085B92B5BF44ACFC6BE5121D17 get_value_0() const { return ___value_0; }
inline AsyncOperationHandle_1_t267EC8C039FF06085B92B5BF44ACFC6BE5121D17 * get_address_of_value_0() { return &___value_0; }
inline void set_value_0(AsyncOperationHandle_1_t267EC8C039FF06085B92B5BF44ACFC6BE5121D17 value)
{
___value_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_t4D4F3097C69429EC5907560AE14BC3687218B3B5, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.AudioClip>>
struct Nullable_1_t43C1886FE6D8B1F3940DC09FA414BB8F952AE449
{
public:
// T System.Nullable`1::value
AsyncOperationHandle_1_tE3B37CDD60A319DB7F341AE98BC9DE076AC0D201 ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_t43C1886FE6D8B1F3940DC09FA414BB8F952AE449, ___value_0)); }
inline AsyncOperationHandle_1_tE3B37CDD60A319DB7F341AE98BC9DE076AC0D201 get_value_0() const { return ___value_0; }
inline AsyncOperationHandle_1_tE3B37CDD60A319DB7F341AE98BC9DE076AC0D201 * get_address_of_value_0() { return &___value_0; }
inline void set_value_0(AsyncOperationHandle_1_tE3B37CDD60A319DB7F341AE98BC9DE076AC0D201 value)
{
___value_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_t43C1886FE6D8B1F3940DC09FA414BB8F952AE449, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.GameObject>>
struct Nullable_1_tDAA7DDD7BAED2636E489331E582512C31661FF5D
{
public:
// T System.Nullable`1::value
AsyncOperationHandle_1_t078BA5A18ABD417B92201D3373635923590AF298 ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_tDAA7DDD7BAED2636E489331E582512C31661FF5D, ___value_0)); }
inline AsyncOperationHandle_1_t078BA5A18ABD417B92201D3373635923590AF298 get_value_0() const { return ___value_0; }
inline AsyncOperationHandle_1_t078BA5A18ABD417B92201D3373635923590AF298 * get_address_of_value_0() { return &___value_0; }
inline void set_value_0(AsyncOperationHandle_1_t078BA5A18ABD417B92201D3373635923590AF298 value)
{
___value_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_tDAA7DDD7BAED2636E489331E582512C31661FF5D, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Localization.Locale>>
struct Nullable_1_tF0426514B4E80554A0E345926982BB7FF02875C0
{
public:
// T System.Nullable`1::value
AsyncOperationHandle_1_tC7B0F8626A75E3D5DD9579A7CF5506E414DD59C5 ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_tF0426514B4E80554A0E345926982BB7FF02875C0, ___value_0)); }
inline AsyncOperationHandle_1_tC7B0F8626A75E3D5DD9579A7CF5506E414DD59C5 get_value_0() const { return ___value_0; }
inline AsyncOperationHandle_1_tC7B0F8626A75E3D5DD9579A7CF5506E414DD59C5 * get_address_of_value_0() { return &___value_0; }
inline void set_value_0(AsyncOperationHandle_1_tC7B0F8626A75E3D5DD9579A7CF5506E414DD59C5 value)
{
___value_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_tF0426514B4E80554A0E345926982BB7FF02875C0, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Localization.Settings.LocalizationSettings>>
struct Nullable_1_tD53A69AAAB3CA0AF13B90A14947091B981EC3D92
{
public:
// T System.Nullable`1::value
AsyncOperationHandle_1_t59AAD5876CDF4DC96CE354BD20464EBE6D055AAA ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_tD53A69AAAB3CA0AF13B90A14947091B981EC3D92, ___value_0)); }
inline AsyncOperationHandle_1_t59AAD5876CDF4DC96CE354BD20464EBE6D055AAA get_value_0() const { return ___value_0; }
inline AsyncOperationHandle_1_t59AAD5876CDF4DC96CE354BD20464EBE6D055AAA * get_address_of_value_0() { return &___value_0; }
inline void set_value_0(AsyncOperationHandle_1_t59AAD5876CDF4DC96CE354BD20464EBE6D055AAA value)
{
___value_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_tD53A69AAAB3CA0AF13B90A14947091B981EC3D92, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Material>>
struct Nullable_1_t1DB9D338CC9601147BCF2E44B4B5C4BCD1B9E60F
{
public:
// T System.Nullable`1::value
AsyncOperationHandle_1_t677BBFEEFFF1AD9D4545018E30E649F02F5AD2CE ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_t1DB9D338CC9601147BCF2E44B4B5C4BCD1B9E60F, ___value_0)); }
inline AsyncOperationHandle_1_t677BBFEEFFF1AD9D4545018E30E649F02F5AD2CE get_value_0() const { return ___value_0; }
inline AsyncOperationHandle_1_t677BBFEEFFF1AD9D4545018E30E649F02F5AD2CE * get_address_of_value_0() { return &___value_0; }
inline void set_value_0(AsyncOperationHandle_1_t677BBFEEFFF1AD9D4545018E30E649F02F5AD2CE value)
{
___value_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_t1DB9D338CC9601147BCF2E44B4B5C4BCD1B9E60F, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Sprite>>
struct Nullable_1_t890713A9EC88AE1516DA14B112AE9E1D5E8EA77C
{
public:
// T System.Nullable`1::value
AsyncOperationHandle_1_t8F48BC5EA06336CA5D90BE7B7A7FA9629DB77901 ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_t890713A9EC88AE1516DA14B112AE9E1D5E8EA77C, ___value_0)); }
inline AsyncOperationHandle_1_t8F48BC5EA06336CA5D90BE7B7A7FA9629DB77901 get_value_0() const { return ___value_0; }
inline AsyncOperationHandle_1_t8F48BC5EA06336CA5D90BE7B7A7FA9629DB77901 * get_address_of_value_0() { return &___value_0; }
inline void set_value_0(AsyncOperationHandle_1_t8F48BC5EA06336CA5D90BE7B7A7FA9629DB77901 value)
{
___value_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_t890713A9EC88AE1516DA14B112AE9E1D5E8EA77C, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Localization.Tables.StringTable>>
struct Nullable_1_t2DE0EA77CCE08575CEB7573FE46761FEFA3097C6
{
public:
// T System.Nullable`1::value
AsyncOperationHandle_1_t7C6CDD1E757180C5DD845ABE9ACD79A68DA8C3D0 ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_t2DE0EA77CCE08575CEB7573FE46761FEFA3097C6, ___value_0)); }
inline AsyncOperationHandle_1_t7C6CDD1E757180C5DD845ABE9ACD79A68DA8C3D0 get_value_0() const { return ___value_0; }
inline AsyncOperationHandle_1_t7C6CDD1E757180C5DD845ABE9ACD79A68DA8C3D0 * get_address_of_value_0() { return &___value_0; }
inline void set_value_0(AsyncOperationHandle_1_t7C6CDD1E757180C5DD845ABE9ACD79A68DA8C3D0 value)
{
___value_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_t2DE0EA77CCE08575CEB7573FE46761FEFA3097C6, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Texture>>
struct Nullable_1_t3B0A37C0BA633700D25AA192687DB3DCB38A3804
{
public:
// T System.Nullable`1::value
AsyncOperationHandle_1_t8C1030FC15E78BA826A7DA0A73C63CDEBFBD948E ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_t3B0A37C0BA633700D25AA192687DB3DCB38A3804, ___value_0)); }
inline AsyncOperationHandle_1_t8C1030FC15E78BA826A7DA0A73C63CDEBFBD948E get_value_0() const { return ___value_0; }
inline AsyncOperationHandle_1_t8C1030FC15E78BA826A7DA0A73C63CDEBFBD948E * get_address_of_value_0() { return &___value_0; }
inline void set_value_0(AsyncOperationHandle_1_t8C1030FC15E78BA826A7DA0A73C63CDEBFBD948E value)
{
___value_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_t3B0A37C0BA633700D25AA192687DB3DCB38A3804, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle>
struct Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C
{
public:
// T System.Nullable`1::value
AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C, ___value_0)); }
inline AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E get_value_0() const { return ___value_0; }
inline AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E * get_address_of_value_0() { return &___value_0; }
inline void set_value_0(AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E value)
{
___value_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_InternalOp_1), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___value_0))->___m_LocationName_3), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// System.Nullable`1<UnityEngine.Color>
struct Nullable_1_tA06400BA484934D9CEBAF66D0E71C822EF09A498
{
public:
// T System.Nullable`1::value
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_tA06400BA484934D9CEBAF66D0E71C822EF09A498, ___value_0)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_value_0() const { return ___value_0; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_value_0() { return &___value_0; }
inline void set_value_0(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___value_0 = value;
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_tA06400BA484934D9CEBAF66D0E71C822EF09A498, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// System.Nullable`1<UnityEngine.Matrix4x4>
struct Nullable_1_tBC3CF93247D9ED5D94966DBCDFCDE51AF9779E8E
{
public:
// T System.Nullable`1::value
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_tBC3CF93247D9ED5D94966DBCDFCDE51AF9779E8E, ___value_0)); }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 get_value_0() const { return ___value_0; }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 * get_address_of_value_0() { return &___value_0; }
inline void set_value_0(Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 value)
{
___value_0 = value;
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_tBC3CF93247D9ED5D94966DBCDFCDE51AF9779E8E, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// System.Nullable`1<UnityEngine.Rendering.SphericalHarmonicsL2>
struct Nullable_1_t87378933461FE259D349B667A2D4FE02B800A81E
{
public:
// T System.Nullable`1::value
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64 ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_t87378933461FE259D349B667A2D4FE02B800A81E, ___value_0)); }
inline SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64 get_value_0() const { return ___value_0; }
inline SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64 * get_address_of_value_0() { return &___value_0; }
inline void set_value_0(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64 value)
{
___value_0 = value;
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_t87378933461FE259D349B667A2D4FE02B800A81E, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// System.Nullable`1<UnityEngine.Vector3>
struct Nullable_1_t1829213F3538788DF79B4659AFC9D6A9C90C3258
{
public:
// T System.Nullable`1::value
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_t1829213F3538788DF79B4659AFC9D6A9C90C3258, ___value_0)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_value_0() const { return ___value_0; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_value_0() { return &___value_0; }
inline void set_value_0(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___value_0 = value;
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_t1829213F3538788DF79B4659AFC9D6A9C90C3258, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// TMPro.TMP_TextProcessingStack`1<UnityEngine.Color32>
struct TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D
{
public:
// T[] TMPro.TMP_TextProcessingStack`1::itemStack
Color32U5BU5D_t7FEB526973BF84608073B85CF2D581427F0235E2* ___itemStack_0;
// System.Int32 TMPro.TMP_TextProcessingStack`1::index
int32_t ___index_1;
// T TMPro.TMP_TextProcessingStack`1::m_DefaultItem
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___m_DefaultItem_2;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_Capacity
int32_t ___m_Capacity_3;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_RolloverSize
int32_t ___m_RolloverSize_4;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_Count
int32_t ___m_Count_5;
public:
inline static int32_t get_offset_of_itemStack_0() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D, ___itemStack_0)); }
inline Color32U5BU5D_t7FEB526973BF84608073B85CF2D581427F0235E2* get_itemStack_0() const { return ___itemStack_0; }
inline Color32U5BU5D_t7FEB526973BF84608073B85CF2D581427F0235E2** get_address_of_itemStack_0() { return &___itemStack_0; }
inline void set_itemStack_0(Color32U5BU5D_t7FEB526973BF84608073B85CF2D581427F0235E2* value)
{
___itemStack_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___itemStack_0), (void*)value);
}
inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D, ___index_1)); }
inline int32_t get_index_1() const { return ___index_1; }
inline int32_t* get_address_of_index_1() { return &___index_1; }
inline void set_index_1(int32_t value)
{
___index_1 = value;
}
inline static int32_t get_offset_of_m_DefaultItem_2() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D, ___m_DefaultItem_2)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_m_DefaultItem_2() const { return ___m_DefaultItem_2; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_m_DefaultItem_2() { return &___m_DefaultItem_2; }
inline void set_m_DefaultItem_2(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___m_DefaultItem_2 = value;
}
inline static int32_t get_offset_of_m_Capacity_3() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D, ___m_Capacity_3)); }
inline int32_t get_m_Capacity_3() const { return ___m_Capacity_3; }
inline int32_t* get_address_of_m_Capacity_3() { return &___m_Capacity_3; }
inline void set_m_Capacity_3(int32_t value)
{
___m_Capacity_3 = value;
}
inline static int32_t get_offset_of_m_RolloverSize_4() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D, ___m_RolloverSize_4)); }
inline int32_t get_m_RolloverSize_4() const { return ___m_RolloverSize_4; }
inline int32_t* get_address_of_m_RolloverSize_4() { return &___m_RolloverSize_4; }
inline void set_m_RolloverSize_4(int32_t value)
{
___m_RolloverSize_4 = value;
}
inline static int32_t get_offset_of_m_Count_5() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D, ___m_Count_5)); }
inline int32_t get_m_Count_5() const { return ___m_Count_5; }
inline int32_t* get_address_of_m_Count_5() { return &___m_Count_5; }
inline void set_m_Count_5(int32_t value)
{
___m_Count_5 = value;
}
};
// TMPro.TMP_TextProcessingStack`1<TMPro.MaterialReference>
struct TMP_TextProcessingStack_1_t7C34F5D4D2FC429E4551885C16EFDF05B8D2A6E3
{
public:
// T[] TMPro.TMP_TextProcessingStack`1::itemStack
MaterialReferenceU5BU5D_t06D1C1249B8051EC092684920106F77B6FC203FD* ___itemStack_0;
// System.Int32 TMPro.TMP_TextProcessingStack`1::index
int32_t ___index_1;
// T TMPro.TMP_TextProcessingStack`1::m_DefaultItem
MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B ___m_DefaultItem_2;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_Capacity
int32_t ___m_Capacity_3;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_RolloverSize
int32_t ___m_RolloverSize_4;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_Count
int32_t ___m_Count_5;
public:
inline static int32_t get_offset_of_itemStack_0() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t7C34F5D4D2FC429E4551885C16EFDF05B8D2A6E3, ___itemStack_0)); }
inline MaterialReferenceU5BU5D_t06D1C1249B8051EC092684920106F77B6FC203FD* get_itemStack_0() const { return ___itemStack_0; }
inline MaterialReferenceU5BU5D_t06D1C1249B8051EC092684920106F77B6FC203FD** get_address_of_itemStack_0() { return &___itemStack_0; }
inline void set_itemStack_0(MaterialReferenceU5BU5D_t06D1C1249B8051EC092684920106F77B6FC203FD* value)
{
___itemStack_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___itemStack_0), (void*)value);
}
inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t7C34F5D4D2FC429E4551885C16EFDF05B8D2A6E3, ___index_1)); }
inline int32_t get_index_1() const { return ___index_1; }
inline int32_t* get_address_of_index_1() { return &___index_1; }
inline void set_index_1(int32_t value)
{
___index_1 = value;
}
inline static int32_t get_offset_of_m_DefaultItem_2() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t7C34F5D4D2FC429E4551885C16EFDF05B8D2A6E3, ___m_DefaultItem_2)); }
inline MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B get_m_DefaultItem_2() const { return ___m_DefaultItem_2; }
inline MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B * get_address_of_m_DefaultItem_2() { return &___m_DefaultItem_2; }
inline void set_m_DefaultItem_2(MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B value)
{
___m_DefaultItem_2 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_DefaultItem_2))->___fontAsset_1), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_DefaultItem_2))->___spriteAsset_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_DefaultItem_2))->___material_3), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_DefaultItem_2))->___fallbackMaterial_6), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_Capacity_3() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t7C34F5D4D2FC429E4551885C16EFDF05B8D2A6E3, ___m_Capacity_3)); }
inline int32_t get_m_Capacity_3() const { return ___m_Capacity_3; }
inline int32_t* get_address_of_m_Capacity_3() { return &___m_Capacity_3; }
inline void set_m_Capacity_3(int32_t value)
{
___m_Capacity_3 = value;
}
inline static int32_t get_offset_of_m_RolloverSize_4() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t7C34F5D4D2FC429E4551885C16EFDF05B8D2A6E3, ___m_RolloverSize_4)); }
inline int32_t get_m_RolloverSize_4() const { return ___m_RolloverSize_4; }
inline int32_t* get_address_of_m_RolloverSize_4() { return &___m_RolloverSize_4; }
inline void set_m_RolloverSize_4(int32_t value)
{
___m_RolloverSize_4 = value;
}
inline static int32_t get_offset_of_m_Count_5() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t7C34F5D4D2FC429E4551885C16EFDF05B8D2A6E3, ___m_Count_5)); }
inline int32_t get_m_Count_5() const { return ___m_Count_5; }
inline int32_t* get_address_of_m_Count_5() { return &___m_Count_5; }
inline void set_m_Count_5(int32_t value)
{
___m_Count_5 = value;
}
};
// UnityEngine.XR.ARSubsystems.TrackingSubsystem`4<UnityEngine.XR.ARSubsystems.BoundedPlane,UnityEngine.XR.ARSubsystems.XRPlaneSubsystem,UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRPlaneSubsystem/Provider>
struct TrackingSubsystem_4_t4CF696722E0C05A2C0234E78E673F4F17EEC1C94 : public SubsystemWithProvider_3_t2D48685843F3C8CD4AE71F1303F357DCAE9FD683
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.TrackingSubsystem`4<UnityEngine.XR.ARSubsystems.XRAnchor,UnityEngine.XR.ARSubsystems.XRAnchorSubsystem,UnityEngine.XR.ARSubsystems.XRAnchorSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRAnchorSubsystem/Provider>
struct TrackingSubsystem_4_t5C7E2B8B7A9943DF8B9FF5B46FB5AFA71E9826F1 : public SubsystemWithProvider_3_tD91EB2F57F19DA2CDB9A5E0011978CA1EA351BA2
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.TrackingSubsystem`4<UnityEngine.XR.ARSubsystems.XREnvironmentProbe,UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystem,UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystem/Provider>
struct TrackingSubsystem_4_t3D5C3B3749ABE82CC258AD552288C51FAE67DA1A : public SubsystemWithProvider_3_t8B33A21A2B183DB3F429FD3F0A899D7ED1BB4DEA
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.TrackingSubsystem`4<UnityEngine.XR.ARSubsystems.XRFace,UnityEngine.XR.ARSubsystems.XRFaceSubsystem,UnityEngine.XR.ARSubsystems.XRFaceSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRFaceSubsystem/Provider>
struct TrackingSubsystem_4_tFC4495C6B04D616F71158509026269F004F79333 : public SubsystemWithProvider_3_t2E74C29CB9922972A66085C9DAD6E1542BCCE25B
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.TrackingSubsystem`4<UnityEngine.XR.ARSubsystems.XRHumanBody,UnityEngine.XR.ARSubsystems.XRHumanBodySubsystem,UnityEngine.XR.ARSubsystems.XRHumanBodySubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRHumanBodySubsystem/Provider>
struct TrackingSubsystem_4_tB0BB38AE7B56DA9BE6D8463DD64E4766AD686B86 : public SubsystemWithProvider_3_t152AEC9946809B23BD9A7DE32A2113E12B8CE2C2
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.TrackingSubsystem`4<UnityEngine.XR.ARSubsystems.XRParticipant,UnityEngine.XR.ARSubsystems.XRParticipantSubsystem,UnityEngine.XR.ARSubsystems.XRParticipantSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRParticipantSubsystem/Provider>
struct TrackingSubsystem_4_tF2C9DD677702042D71E5050214FE516389400277 : public SubsystemWithProvider_3_t0293B6FD1251DCA5DC0D3396C57B87118ECE01DF
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.TrackingSubsystem`4<UnityEngine.XR.ARSubsystems.XRPointCloud,UnityEngine.XR.ARSubsystems.XRDepthSubsystem,UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRDepthSubsystem/Provider>
struct TrackingSubsystem_4_t52B43FDBB6E641E351193D790222EA1C68B2984E : public SubsystemWithProvider_3_tD436D6BE4AA164ED727D09EFDE50FF8DCAA50D98
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.TrackingSubsystem`4<UnityEngine.XR.ARSubsystems.XRRaycast,UnityEngine.XR.ARSubsystems.XRRaycastSubsystem,UnityEngine.XR.ARSubsystems.XRRaycastSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRRaycastSubsystem/Provider>
struct TrackingSubsystem_4_t87A57AE1E1117ED73BBD3B84DD595F36FA975077 : public SubsystemWithProvider_3_t6C72A4BB6DC4A9CC6B00E99D4A5EF1E1C9BBAF1E
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.TrackingSubsystem`4<UnityEngine.XR.ARSubsystems.XRReferencePoint,UnityEngine.XR.ARSubsystems.XRReferencePointSubsystem,UnityEngine.XR.ARSubsystems.XRReferencePointSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRReferencePointSubsystem/Provider>
struct TrackingSubsystem_4_t0B2307E3EA3CA1C1A2EE084C333FC42E3F5590B0 : public SubsystemWithProvider_3_tBEFCA8C8D6BE0554DE28CB542681793993E3C7C3
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.TrackingSubsystem`4<UnityEngine.XR.ARSubsystems.XRTrackedImage,UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystem,UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystem/Provider>
struct TrackingSubsystem_4_tCE5EA1B7325877FD88C7CF41F681F25B1FC1717A : public SubsystemWithProvider_3_t249D82EF0730E7FF15F2B19C4BB45B2E08CF620B
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.TrackingSubsystem`4<UnityEngine.XR.ARSubsystems.XRTrackedObject,UnityEngine.XR.ARSubsystems.XRObjectTrackingSubsystem,UnityEngine.XR.ARSubsystems.XRObjectTrackingSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRObjectTrackingSubsystem/Provider>
struct TrackingSubsystem_4_t1E41FDFF37B1529EED554D89481040B067E300EB : public SubsystemWithProvider_3_t2622D99FF6F2A6B95B2E82547A76A7E7712AA7DB
{
public:
public:
};
// <PrivateImplementationDetails>
struct U3CPrivateImplementationDetailsU3E_t1267FAF6E08D720F26ABF676554E6948A7F6A2D0 : public RuntimeObject
{
public:
public:
};
struct U3CPrivateImplementationDetailsU3E_t1267FAF6E08D720F26ABF676554E6948A7F6A2D0_StaticFields
{
public:
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=32 <PrivateImplementationDetails>::59F5BD34B6C013DEACC784F69C67E95150033A84
__StaticArrayInitTypeSizeU3D32_tD37BEF7101998702862991181C721026AB96A59F ___59F5BD34B6C013DEACC784F69C67E95150033A84_0;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=32 <PrivateImplementationDetails>::C02C28AFEBE998F767E4AF43E3BE8F5E9FA11536
__StaticArrayInitTypeSizeU3D32_tD37BEF7101998702862991181C721026AB96A59F ___C02C28AFEBE998F767E4AF43E3BE8F5E9FA11536_1;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=128 <PrivateImplementationDetails>::CCEEADA43268372341F81AE0C9208C6856441C04
__StaticArrayInitTypeSizeU3D128_t2C1166FE3CC05212DD55648859D997CA8842A83B ___CCEEADA43268372341F81AE0C9208C6856441C04_2;
// System.Int64 <PrivateImplementationDetails>::E5BC1BAFADE1862DD6E0B9FB632BFAA6C3873A78
int64_t ___E5BC1BAFADE1862DD6E0B9FB632BFAA6C3873A78_3;
public:
inline static int32_t get_offset_of_U359F5BD34B6C013DEACC784F69C67E95150033A84_0() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1267FAF6E08D720F26ABF676554E6948A7F6A2D0_StaticFields, ___59F5BD34B6C013DEACC784F69C67E95150033A84_0)); }
inline __StaticArrayInitTypeSizeU3D32_tD37BEF7101998702862991181C721026AB96A59F get_U359F5BD34B6C013DEACC784F69C67E95150033A84_0() const { return ___59F5BD34B6C013DEACC784F69C67E95150033A84_0; }
inline __StaticArrayInitTypeSizeU3D32_tD37BEF7101998702862991181C721026AB96A59F * get_address_of_U359F5BD34B6C013DEACC784F69C67E95150033A84_0() { return &___59F5BD34B6C013DEACC784F69C67E95150033A84_0; }
inline void set_U359F5BD34B6C013DEACC784F69C67E95150033A84_0(__StaticArrayInitTypeSizeU3D32_tD37BEF7101998702862991181C721026AB96A59F value)
{
___59F5BD34B6C013DEACC784F69C67E95150033A84_0 = value;
}
inline static int32_t get_offset_of_C02C28AFEBE998F767E4AF43E3BE8F5E9FA11536_1() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1267FAF6E08D720F26ABF676554E6948A7F6A2D0_StaticFields, ___C02C28AFEBE998F767E4AF43E3BE8F5E9FA11536_1)); }
inline __StaticArrayInitTypeSizeU3D32_tD37BEF7101998702862991181C721026AB96A59F get_C02C28AFEBE998F767E4AF43E3BE8F5E9FA11536_1() const { return ___C02C28AFEBE998F767E4AF43E3BE8F5E9FA11536_1; }
inline __StaticArrayInitTypeSizeU3D32_tD37BEF7101998702862991181C721026AB96A59F * get_address_of_C02C28AFEBE998F767E4AF43E3BE8F5E9FA11536_1() { return &___C02C28AFEBE998F767E4AF43E3BE8F5E9FA11536_1; }
inline void set_C02C28AFEBE998F767E4AF43E3BE8F5E9FA11536_1(__StaticArrayInitTypeSizeU3D32_tD37BEF7101998702862991181C721026AB96A59F value)
{
___C02C28AFEBE998F767E4AF43E3BE8F5E9FA11536_1 = value;
}
inline static int32_t get_offset_of_CCEEADA43268372341F81AE0C9208C6856441C04_2() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1267FAF6E08D720F26ABF676554E6948A7F6A2D0_StaticFields, ___CCEEADA43268372341F81AE0C9208C6856441C04_2)); }
inline __StaticArrayInitTypeSizeU3D128_t2C1166FE3CC05212DD55648859D997CA8842A83B get_CCEEADA43268372341F81AE0C9208C6856441C04_2() const { return ___CCEEADA43268372341F81AE0C9208C6856441C04_2; }
inline __StaticArrayInitTypeSizeU3D128_t2C1166FE3CC05212DD55648859D997CA8842A83B * get_address_of_CCEEADA43268372341F81AE0C9208C6856441C04_2() { return &___CCEEADA43268372341F81AE0C9208C6856441C04_2; }
inline void set_CCEEADA43268372341F81AE0C9208C6856441C04_2(__StaticArrayInitTypeSizeU3D128_t2C1166FE3CC05212DD55648859D997CA8842A83B value)
{
___CCEEADA43268372341F81AE0C9208C6856441C04_2 = value;
}
inline static int32_t get_offset_of_E5BC1BAFADE1862DD6E0B9FB632BFAA6C3873A78_3() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1267FAF6E08D720F26ABF676554E6948A7F6A2D0_StaticFields, ___E5BC1BAFADE1862DD6E0B9FB632BFAA6C3873A78_3)); }
inline int64_t get_E5BC1BAFADE1862DD6E0B9FB632BFAA6C3873A78_3() const { return ___E5BC1BAFADE1862DD6E0B9FB632BFAA6C3873A78_3; }
inline int64_t* get_address_of_E5BC1BAFADE1862DD6E0B9FB632BFAA6C3873A78_3() { return &___E5BC1BAFADE1862DD6E0B9FB632BFAA6C3873A78_3; }
inline void set_E5BC1BAFADE1862DD6E0B9FB632BFAA6C3873A78_3(int64_t value)
{
___E5BC1BAFADE1862DD6E0B9FB632BFAA6C3873A78_3 = value;
}
};
// <PrivateImplementationDetails>
struct U3CPrivateImplementationDetailsU3E_tAA330E6B4295DC1363094EDE988D3B524C40486E : public RuntimeObject
{
public:
public:
};
struct U3CPrivateImplementationDetailsU3E_tAA330E6B4295DC1363094EDE988D3B524C40486E_StaticFields
{
public:
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=6 <PrivateImplementationDetails>::5D100A87B697F3AE2015A5D3B2A7B5419E1BCA98
__StaticArrayInitTypeSizeU3D6_tDF2537259373F423B466710F7B6BCCCCB9F570AB ___5D100A87B697F3AE2015A5D3B2A7B5419E1BCA98_0;
// System.Int64 <PrivateImplementationDetails>::EBC658B067B5C785A3F0BB67D73755F6FEE7F70C
int64_t ___EBC658B067B5C785A3F0BB67D73755F6FEE7F70C_1;
public:
inline static int32_t get_offset_of_U35D100A87B697F3AE2015A5D3B2A7B5419E1BCA98_0() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_tAA330E6B4295DC1363094EDE988D3B524C40486E_StaticFields, ___5D100A87B697F3AE2015A5D3B2A7B5419E1BCA98_0)); }
inline __StaticArrayInitTypeSizeU3D6_tDF2537259373F423B466710F7B6BCCCCB9F570AB get_U35D100A87B697F3AE2015A5D3B2A7B5419E1BCA98_0() const { return ___5D100A87B697F3AE2015A5D3B2A7B5419E1BCA98_0; }
inline __StaticArrayInitTypeSizeU3D6_tDF2537259373F423B466710F7B6BCCCCB9F570AB * get_address_of_U35D100A87B697F3AE2015A5D3B2A7B5419E1BCA98_0() { return &___5D100A87B697F3AE2015A5D3B2A7B5419E1BCA98_0; }
inline void set_U35D100A87B697F3AE2015A5D3B2A7B5419E1BCA98_0(__StaticArrayInitTypeSizeU3D6_tDF2537259373F423B466710F7B6BCCCCB9F570AB value)
{
___5D100A87B697F3AE2015A5D3B2A7B5419E1BCA98_0 = value;
}
inline static int32_t get_offset_of_EBC658B067B5C785A3F0BB67D73755F6FEE7F70C_1() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_tAA330E6B4295DC1363094EDE988D3B524C40486E_StaticFields, ___EBC658B067B5C785A3F0BB67D73755F6FEE7F70C_1)); }
inline int64_t get_EBC658B067B5C785A3F0BB67D73755F6FEE7F70C_1() const { return ___EBC658B067B5C785A3F0BB67D73755F6FEE7F70C_1; }
inline int64_t* get_address_of_EBC658B067B5C785A3F0BB67D73755F6FEE7F70C_1() { return &___EBC658B067B5C785A3F0BB67D73755F6FEE7F70C_1; }
inline void set_EBC658B067B5C785A3F0BB67D73755F6FEE7F70C_1(int64_t value)
{
___EBC658B067B5C785A3F0BB67D73755F6FEE7F70C_1 = value;
}
};
// <PrivateImplementationDetails>
struct U3CPrivateImplementationDetailsU3E_t3573ABCD834901F1FDD85F26F20270E99040843B : public RuntimeObject
{
public:
public:
};
struct U3CPrivateImplementationDetailsU3E_t3573ABCD834901F1FDD85F26F20270E99040843B_StaticFields
{
public:
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=16 <PrivateImplementationDetails>::7120394F626BBF1FA0CBCCC594E26088288785E527E95DF88B22A147DD1E1350
__StaticArrayInitTypeSizeU3D16_t2B4AA2E0441F98D4C472E4682FC36B4C0F9E7496 ___7120394F626BBF1FA0CBCCC594E26088288785E527E95DF88B22A147DD1E1350_0;
public:
inline static int32_t get_offset_of_U37120394F626BBF1FA0CBCCC594E26088288785E527E95DF88B22A147DD1E1350_0() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t3573ABCD834901F1FDD85F26F20270E99040843B_StaticFields, ___7120394F626BBF1FA0CBCCC594E26088288785E527E95DF88B22A147DD1E1350_0)); }
inline __StaticArrayInitTypeSizeU3D16_t2B4AA2E0441F98D4C472E4682FC36B4C0F9E7496 get_U37120394F626BBF1FA0CBCCC594E26088288785E527E95DF88B22A147DD1E1350_0() const { return ___7120394F626BBF1FA0CBCCC594E26088288785E527E95DF88B22A147DD1E1350_0; }
inline __StaticArrayInitTypeSizeU3D16_t2B4AA2E0441F98D4C472E4682FC36B4C0F9E7496 * get_address_of_U37120394F626BBF1FA0CBCCC594E26088288785E527E95DF88B22A147DD1E1350_0() { return &___7120394F626BBF1FA0CBCCC594E26088288785E527E95DF88B22A147DD1E1350_0; }
inline void set_U37120394F626BBF1FA0CBCCC594E26088288785E527E95DF88B22A147DD1E1350_0(__StaticArrayInitTypeSizeU3D16_t2B4AA2E0441F98D4C472E4682FC36B4C0F9E7496 value)
{
___7120394F626BBF1FA0CBCCC594E26088288785E527E95DF88B22A147DD1E1350_0 = value;
}
};
// <PrivateImplementationDetails>
struct U3CPrivateImplementationDetailsU3E_t738F99F8D276B0C588A5CC36F0AE7944007DC963 : public RuntimeObject
{
public:
public:
};
struct U3CPrivateImplementationDetailsU3E_t738F99F8D276B0C588A5CC36F0AE7944007DC963_StaticFields
{
public:
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=12 <PrivateImplementationDetails>::1C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB
__StaticArrayInitTypeSizeU3D12_t2220102B640286E12FA39257350C9720EE55BD78 ___1C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB_0;
public:
inline static int32_t get_offset_of_U31C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB_0() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t738F99F8D276B0C588A5CC36F0AE7944007DC963_StaticFields, ___1C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB_0)); }
inline __StaticArrayInitTypeSizeU3D12_t2220102B640286E12FA39257350C9720EE55BD78 get_U31C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB_0() const { return ___1C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB_0; }
inline __StaticArrayInitTypeSizeU3D12_t2220102B640286E12FA39257350C9720EE55BD78 * get_address_of_U31C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB_0() { return &___1C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB_0; }
inline void set_U31C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB_0(__StaticArrayInitTypeSizeU3D12_t2220102B640286E12FA39257350C9720EE55BD78 value)
{
___1C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB_0 = value;
}
};
// <PrivateImplementationDetails>
struct U3CPrivateImplementationDetailsU3E_tA4B8E3F98E3B6A41218937C44898DCEE20629F8F : public RuntimeObject
{
public:
public:
};
struct U3CPrivateImplementationDetailsU3E_tA4B8E3F98E3B6A41218937C44898DCEE20629F8F_StaticFields
{
public:
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=12 <PrivateImplementationDetails>::1C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB
__StaticArrayInitTypeSizeU3D12_t7F7209CE80E982A37AD0FED34F45A96EFE184746 ___1C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB_0;
public:
inline static int32_t get_offset_of_U31C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB_0() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_tA4B8E3F98E3B6A41218937C44898DCEE20629F8F_StaticFields, ___1C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB_0)); }
inline __StaticArrayInitTypeSizeU3D12_t7F7209CE80E982A37AD0FED34F45A96EFE184746 get_U31C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB_0() const { return ___1C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB_0; }
inline __StaticArrayInitTypeSizeU3D12_t7F7209CE80E982A37AD0FED34F45A96EFE184746 * get_address_of_U31C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB_0() { return &___1C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB_0; }
inline void set_U31C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB_0(__StaticArrayInitTypeSizeU3D12_t7F7209CE80E982A37AD0FED34F45A96EFE184746 value)
{
___1C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB_0 = value;
}
};
// <PrivateImplementationDetails>
struct U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8 : public RuntimeObject
{
public:
public:
};
struct U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields
{
public:
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::0588059ACBD52F7EA2835882F977A9CF72EB9775
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___0588059ACBD52F7EA2835882F977A9CF72EB9775_0;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=84 <PrivateImplementationDetails>::0A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C
__StaticArrayInitTypeSizeU3D84_t2EF20E9BBEB47B540AFCA64F09777DFD5E348454 ___0A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C_1;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=240 <PrivateImplementationDetails>::121EC59E23F7559B28D338D562528F6299C2DE22
__StaticArrayInitTypeSizeU3D240_t15F96E63E1A6759D1754EA684441DA49B3724B5F ___121EC59E23F7559B28D338D562528F6299C2DE22_2;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=24 <PrivateImplementationDetails>::1730F09044E91DB8371B849EFF5E6D17BDE4AED0
__StaticArrayInitTypeSizeU3D24_t54A5E8E52DF075628A83AE11B6178839F1F8FBDC ___1730F09044E91DB8371B849EFF5E6D17BDE4AED0_3;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=16 <PrivateImplementationDetails>::1FE6CE411858B3D864679DE2139FB081F08BFACD
__StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26 ___1FE6CE411858B3D864679DE2139FB081F08BFACD_4;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=40 <PrivateImplementationDetails>::25420D0055076FA8D3E4DD96BC53AE24DE6E619F
__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 ___25420D0055076FA8D3E4DD96BC53AE24DE6E619F_5;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=1208 <PrivateImplementationDetails>::25CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E
__StaticArrayInitTypeSizeU3D1208_t7747605A5C3CD826A11C4196CCE9CF1996C344DF ___25CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E_6;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=42 <PrivateImplementationDetails>::29C1A61550F0E3260E1953D4FAD71C256218EF40
__StaticArrayInitTypeSizeU3D42_t9FC2D1D81E2853CF5D36635AB6A30DDDB9ABFECA ___29C1A61550F0E3260E1953D4FAD71C256218EF40_7;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=12 <PrivateImplementationDetails>::2B33BEC8C30DFDC49DAFE20D3BDE19487850D717
__StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 ___2B33BEC8C30DFDC49DAFE20D3BDE19487850D717_8;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=36 <PrivateImplementationDetails>::2BA840FF6020B8FF623DBCB7188248CF853FAF4F
__StaticArrayInitTypeSizeU3D36_t46D2C2EA131D6126B945EA1E0993E0EE8AACC3CA ___2BA840FF6020B8FF623DBCB7188248CF853FAF4F_9;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::2C840AFA48C27B9C05593E468C1232CA1CC74AFD
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___2C840AFA48C27B9C05593E468C1232CA1CC74AFD_10;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=16 <PrivateImplementationDetails>::2D1DA5BB407F0C11C3B5116196C0C6374D932B20
__StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26 ___2D1DA5BB407F0C11C3B5116196C0C6374D932B20_11;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::2F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___2F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547_12;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::34476C29F6F81C989CFCA42F7C06E84C66236834
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___34476C29F6F81C989CFCA42F7C06E84C66236834_13;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=2382 <PrivateImplementationDetails>::35EED060772F2748D13B745DAEC8CD7BD3B87604
__StaticArrayInitTypeSizeU3D2382_t7764CC6AFDCA682AEBA6E78440AD21978F0AB7B1 ___35EED060772F2748D13B745DAEC8CD7BD3B87604_14;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=38 <PrivateImplementationDetails>::375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3
__StaticArrayInitTypeSizeU3D38_tCB70BC8DEB0D12487BC902760AFB250798B64F83 ___375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_15;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=1450 <PrivateImplementationDetails>::379C06C9E702D31469C29033F0DD63931EB349F5
__StaticArrayInitTypeSizeU3D1450_tAC1EF3610F74C31313DF1ADF3AC9D9A2A9EC2912 ___379C06C9E702D31469C29033F0DD63931EB349F5_16;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=10 <PrivateImplementationDetails>::399BD13E240F33F808CA7940293D6EC4E6FD5A00
__StaticArrayInitTypeSizeU3D10_t71B5750224A80E3CACEFBC499879A04CCE6A5CD3 ___399BD13E240F33F808CA7940293D6EC4E6FD5A00_17;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::39C9CE73C7B0619D409EF28344F687C1B5C130FE
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___39C9CE73C7B0619D409EF28344F687C1B5C130FE_18;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=320 <PrivateImplementationDetails>::3C53AFB51FEC23491684C7BEDBC6D4E0F409F851
__StaticArrayInitTypeSizeU3D320_tBE0C4C66577D53F18D8BA69E43FDC69DFA003F8F ___3C53AFB51FEC23491684C7BEDBC6D4E0F409F851_19;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=12 <PrivateImplementationDetails>::3E823444D2DFECF0F90B436B88F02A533CB376F1
__StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 ___3E823444D2DFECF0F90B436B88F02A533CB376F1_20;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::3FE6C283BCF384FD2C8789880DFF59664E2AB4A1
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___3FE6C283BCF384FD2C8789880DFF59664E2AB4A1_21;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=1665 <PrivateImplementationDetails>::40981BAA39513E58B28DCF0103CC04DE2A0A0444
__StaticArrayInitTypeSizeU3D1665_tF300201390474873919B6C58C810DFAC718FE0F4 ___40981BAA39513E58B28DCF0103CC04DE2A0A0444_22;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=40 <PrivateImplementationDetails>::40E7C49413D261F3F38AD3A870C0AC69C8BDA048
__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 ___40E7C49413D261F3F38AD3A870C0AC69C8BDA048_23;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::421EC7E82F2967DF6CA8C3605514DC6F29EE5845
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___421EC7E82F2967DF6CA8C3605514DC6F29EE5845_24;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::4858DB4AA76D3933F1CA9E6712D4FDB16903F628
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___4858DB4AA76D3933F1CA9E6712D4FDB16903F628_25;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=40 <PrivateImplementationDetails>::4F7A8890F332B22B8DE0BD29D36FA7364748D76A
__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 ___4F7A8890F332B22B8DE0BD29D36FA7364748D76A_26;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::536422B321459B242ADED7240B7447E904E083E3
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___536422B321459B242ADED7240B7447E904E083E3_27;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=1080 <PrivateImplementationDetails>::5382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3
__StaticArrayInitTypeSizeU3D1080_tDD425A5824CFEEBEB897380BE535A4D579DD8DEB ___5382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3_28;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=3 <PrivateImplementationDetails>::57218C316B6921E2CD61027A2387EDC31A2D9471
__StaticArrayInitTypeSizeU3D3_t87EA921BA4E5FA6B89C780901818C549D9F073A4 ___57218C316B6921E2CD61027A2387EDC31A2D9471_29;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=40 <PrivateImplementationDetails>::57F320D62696EC99727E0FE2045A05F1289CC0C6
__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 ___57F320D62696EC99727E0FE2045A05F1289CC0C6_30;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=212 <PrivateImplementationDetails>::594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3
__StaticArrayInitTypeSizeU3D212_tA27E3A600D9E677116CCFCF5CB90C2DEF1951E43 ___594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3_31;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=36 <PrivateImplementationDetails>::5BBDF8058D4235C33F2E8DCF76004031B6187A2F
__StaticArrayInitTypeSizeU3D36_t46D2C2EA131D6126B945EA1E0993E0EE8AACC3CA ___5BBDF8058D4235C33F2E8DCF76004031B6187A2F_32;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=288 <PrivateImplementationDetails>::5BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF
__StaticArrayInitTypeSizeU3D288_t901CBC2EE96C2C63E8B3C6D507136F8A55FF5566 ___5BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF_33;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::5BFE2819B4778217C56416C7585FF0E56EBACD89
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___5BFE2819B4778217C56416C7585FF0E56EBACD89_34;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=128 <PrivateImplementationDetails>::609C0E8D8DA86A09D6013D301C86BA8782C16B8C
__StaticArrayInitTypeSizeU3D128_t0E65F82715F120C2585C93F35BFA548913720A71 ___609C0E8D8DA86A09D6013D301C86BA8782C16B8C_35;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=40 <PrivateImplementationDetails>::65E32B4E150FD8D24B93B0D42A17F1DAD146162B
__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 ___65E32B4E150FD8D24B93B0D42A17F1DAD146162B_36;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=52 <PrivateImplementationDetails>::6770974FEF1E98B9C1864370E2B5B786EB0EA39E
__StaticArrayInitTypeSizeU3D52_t68C389D6C6894AE8F01E7C88DDD8CBDE317B23CD ___6770974FEF1E98B9C1864370E2B5B786EB0EA39E_37;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::67EEAD805D708D9AA4E14BF747E44CED801744F3
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___67EEAD805D708D9AA4E14BF747E44CED801744F3_38;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=120 <PrivateImplementationDetails>::6C71197D228427B2864C69B357FEF73D8C9D59DF
__StaticArrayInitTypeSizeU3D120_t13A2E28354D3A542E1A2AD289B7970CE8BF64CE1 ___6C71197D228427B2864C69B357FEF73D8C9D59DF_39;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=16 <PrivateImplementationDetails>::6CEE45445AFD150B047A5866FFA76AA651CDB7B7
__StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26 ___6CEE45445AFD150B047A5866FFA76AA651CDB7B7_40;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=76 <PrivateImplementationDetails>::6FC754859E4EC74E447048364B216D825C6F8FE7
__StaticArrayInitTypeSizeU3D76_tFC0C1E62400632DF6EBD5465D74B1851DAC47C60 ___6FC754859E4EC74E447048364B216D825C6F8FE7_41;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=40 <PrivateImplementationDetails>::704939CD172085D1295FCE3F1D92431D685D7AA2
__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 ___704939CD172085D1295FCE3F1D92431D685D7AA2_42;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=24 <PrivateImplementationDetails>::7088AAE49F0627B72729078DE6E3182DDCF8ED99
__StaticArrayInitTypeSizeU3D24_t54A5E8E52DF075628A83AE11B6178839F1F8FBDC ___7088AAE49F0627B72729078DE6E3182DDCF8ED99_43;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::7341C933A70EAE383CC50C4B945ADB8E08F06737
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___7341C933A70EAE383CC50C4B945ADB8E08F06737_44;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=40 <PrivateImplementationDetails>::7FE820C9CF0F0B90445A71F1D262D22E4F0C4C68
__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 ___7FE820C9CF0F0B90445A71F1D262D22E4F0C4C68_45;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=21252 <PrivateImplementationDetails>::811A927B7DADD378BE60BBDE794B9277AA9B50EC
__StaticArrayInitTypeSizeU3D21252_t7F9940F69151C8490439C5AC4C3E8F115E6EFDD0 ___811A927B7DADD378BE60BBDE794B9277AA9B50EC_46;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=36 <PrivateImplementationDetails>::81917F1E21F3C22B9F916994547A614FB03E968E
__StaticArrayInitTypeSizeU3D36_t46D2C2EA131D6126B945EA1E0993E0EE8AACC3CA ___81917F1E21F3C22B9F916994547A614FB03E968E_47;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=40 <PrivateImplementationDetails>::823566DA642D6EA356E15585921F2A4CA23D6760
__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 ___823566DA642D6EA356E15585921F2A4CA23D6760_48;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=12 <PrivateImplementationDetails>::82C2A59850B2E85BCE1A45A479537A384DF6098D
__StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 ___82C2A59850B2E85BCE1A45A479537A384DF6098D_49;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=44 <PrivateImplementationDetails>::82C383F8E6E4D3D87AEBB986A5D0077E8AD157C4
__StaticArrayInitTypeSizeU3D44_t2C34FCD1B7CA98AF1BE52ED77A663AFA9401C5D5 ___82C383F8E6E4D3D87AEBB986A5D0077E8AD157C4_50;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=40 <PrivateImplementationDetails>::871B9CF85DB352BAADF12BAE8F19857683E385AC
__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 ___871B9CF85DB352BAADF12BAE8F19857683E385AC_51;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=16 <PrivateImplementationDetails>::89A040451C8CC5C8FB268BE44BDD74964C104155
__StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26 ___89A040451C8CC5C8FB268BE44BDD74964C104155_52;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=40 <PrivateImplementationDetails>::8CAA092E783257106251246FF5C97F88D28517A6
__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 ___8CAA092E783257106251246FF5C97F88D28517A6_53;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=2100 <PrivateImplementationDetails>::8D231DD55FE1AD7631BBD0905A17D5EB616C2154
__StaticArrayInitTypeSizeU3D2100_t77017A2656678C6EE4571B84C9F635820AB583B0 ___8D231DD55FE1AD7631BBD0905A17D5EB616C2154_54;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=40 <PrivateImplementationDetails>::8E10AC2F34545DFBBF3FCBC06055D797A8C99991
__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 ___8E10AC2F34545DFBBF3FCBC06055D797A8C99991_55;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=12 <PrivateImplementationDetails>::93A63E90605400F34B49F0EB3361D23C89164BDA
__StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 ___93A63E90605400F34B49F0EB3361D23C89164BDA_56;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::94841DD2F330CCB1089BF413E4FA9B04505152E2
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___94841DD2F330CCB1089BF413E4FA9B04505152E2_57;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=12 <PrivateImplementationDetails>::95264589E48F94B7857CFF398FB72A537E13EEE2
__StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 ___95264589E48F94B7857CFF398FB72A537E13EEE2_58;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::95C48758CAE1715783472FB073AB158AB8A0AB2A
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___95C48758CAE1715783472FB073AB158AB8A0AB2A_59;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::973417296623D8DC6961B09664E54039E44CA5D8
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___973417296623D8DC6961B09664E54039E44CA5D8_60;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=40 <PrivateImplementationDetails>::A0074C15377C0C870B055927403EA9FA7A349D12
__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 ___A0074C15377C0C870B055927403EA9FA7A349D12_61;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=130 <PrivateImplementationDetails>::A1319B706116AB2C6D44483F60A7D0ACEA543396
__StaticArrayInitTypeSizeU3D130_tF56FBBACF53AE9A551B962978B48A914536B6871 ___A1319B706116AB2C6D44483F60A7D0ACEA543396_62;
// System.Int64 <PrivateImplementationDetails>::A13AA52274D951A18029131A8DDECF76B569A15D
int64_t ___A13AA52274D951A18029131A8DDECF76B569A15D_63;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=212 <PrivateImplementationDetails>::A5444763673307F6828C748D4B9708CFC02B0959
__StaticArrayInitTypeSizeU3D212_tA27E3A600D9E677116CCFCF5CB90C2DEF1951E43 ___A5444763673307F6828C748D4B9708CFC02B0959_64;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::A6732F8E7FC23766AB329B492D6BF82E3B33233F
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___A6732F8E7FC23766AB329B492D6BF82E3B33233F_65;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=174 <PrivateImplementationDetails>::A705A106D95282BD15E13EEA6B0AF583FF786D83
__StaticArrayInitTypeSizeU3D174_t5A6FEDE2414380A28FDFFA92ACA4EADB3693E337 ___A705A106D95282BD15E13EEA6B0AF583FF786D83_66;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=1018 <PrivateImplementationDetails>::A8A491E4CED49AE0027560476C10D933CE70C8DF
__StaticArrayInitTypeSizeU3D1018_tC210B7B033B7D52771288C82C8E6DA21074FF7F3 ___A8A491E4CED49AE0027560476C10D933CE70C8DF_67;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::AC791C4F39504D1184B73478943D0636258DA7B1
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___AC791C4F39504D1184B73478943D0636258DA7B1_68;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=52 <PrivateImplementationDetails>::AFCD4E1211233E99373A3367B23105A3D624B1F2
__StaticArrayInitTypeSizeU3D52_t68C389D6C6894AE8F01E7C88DDD8CBDE317B23CD ___AFCD4E1211233E99373A3367B23105A3D624B1F2_69;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=40 <PrivateImplementationDetails>::B472ED77CB3B2A66D49D179F1EE2081B70A6AB61
__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 ___B472ED77CB3B2A66D49D179F1EE2081B70A6AB61_70;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=256 <PrivateImplementationDetails>::B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF
__StaticArrayInitTypeSizeU3D256_t11D9B162886459BA6BCD63DB255358502735B7A3 ___B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF_71;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=998 <PrivateImplementationDetails>::B881DA88BE0B68D8A6B6B6893822586B8B2CFC45
__StaticArrayInitTypeSizeU3D998_t4B160A0C233D0CAB065432B008AFE2E02CF05C4D ___B881DA88BE0B68D8A6B6B6893822586B8B2CFC45_72;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=162 <PrivateImplementationDetails>::B8864ACB9DD69E3D42151513C840AAE270BF21C8
__StaticArrayInitTypeSizeU3D162_t11E10480FC4E2E4875323D07CD37B68D7040BD28 ___B8864ACB9DD69E3D42151513C840AAE270BF21C8_73;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=360 <PrivateImplementationDetails>::B8F87834C3597B2EEF22BA6D3A392CC925636401
__StaticArrayInitTypeSizeU3D360_t0E9DE21DD2818B844977C0B5AEFD0AF5FA812D79 ___B8F87834C3597B2EEF22BA6D3A392CC925636401_74;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::B9B670F134A59FB1107AF01A9FE8F8E3980B3093
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___B9B670F134A59FB1107AF01A9FE8F8E3980B3093_75;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::BEBC9ECC660A13EFC359BA3383411F698CFF25DB
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___BEBC9ECC660A13EFC359BA3383411F698CFF25DB_76;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=40 <PrivateImplementationDetails>::BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7
__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 ___BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7_77;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=6 <PrivateImplementationDetails>::BF5EB60806ECB74EE484105DD9D6F463BF994867
__StaticArrayInitTypeSizeU3D6_tDBD6E107ED6E71EDDDBFD5023C1C5C3EE71A6A23 ___BF5EB60806ECB74EE484105DD9D6F463BF994867_78;
// System.Int64 <PrivateImplementationDetails>::C1A1100642BA9685B30A84D97348484E14AA1865
int64_t ___C1A1100642BA9685B30A84D97348484E14AA1865_79;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=16 <PrivateImplementationDetails>::C6F364A0AD934EFED8909446C215752E565D77C1
__StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26 ___C6F364A0AD934EFED8909446C215752E565D77C1_80;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=174 <PrivateImplementationDetails>::CE5835130F5277F63D716FC9115526B0AC68FFAD
__StaticArrayInitTypeSizeU3D174_t5A6FEDE2414380A28FDFFA92ACA4EADB3693E337 ___CE5835130F5277F63D716FC9115526B0AC68FFAD_81;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=6 <PrivateImplementationDetails>::CE93C35B755802BC4B3D180716B048FC61701EF7
__StaticArrayInitTypeSizeU3D6_tDBD6E107ED6E71EDDDBFD5023C1C5C3EE71A6A23 ___CE93C35B755802BC4B3D180716B048FC61701EF7_82;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=32 <PrivateImplementationDetails>::D117188BE8D4609C0D531C51B0BB911A4219DEBE
__StaticArrayInitTypeSizeU3D32_t99C29E8FAFAAE5B1E3F1CB981F557B0AA62EA81B ___D117188BE8D4609C0D531C51B0BB911A4219DEBE_83;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=44 <PrivateImplementationDetails>::D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636
__StaticArrayInitTypeSizeU3D44_t2C34FCD1B7CA98AF1BE52ED77A663AFA9401C5D5 ___D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636_84;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=76 <PrivateImplementationDetails>::DA19DB47B583EFCF7825D2E39D661D2354F28219
__StaticArrayInitTypeSizeU3D76_tFC0C1E62400632DF6EBD5465D74B1851DAC47C60 ___DA19DB47B583EFCF7825D2E39D661D2354F28219_85;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=52 <PrivateImplementationDetails>::DD3AEFEADB1CD615F3017763F1568179FEE640B0
__StaticArrayInitTypeSizeU3D52_t68C389D6C6894AE8F01E7C88DDD8CBDE317B23CD ___DD3AEFEADB1CD615F3017763F1568179FEE640B0_86;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=36 <PrivateImplementationDetails>::E1827270A5FE1C85F5352A66FD87BA747213D006
__StaticArrayInitTypeSizeU3D36_t46D2C2EA131D6126B945EA1E0993E0EE8AACC3CA ___E1827270A5FE1C85F5352A66FD87BA747213D006_87;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=40 <PrivateImplementationDetails>::E45BAB43F7D5D038672B3E3431F92E34A7AF2571
__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 ___E45BAB43F7D5D038672B3E3431F92E34A7AF2571_88;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=52 <PrivateImplementationDetails>::E92B39D8233061927D9ACDE54665E68E7535635A
__StaticArrayInitTypeSizeU3D52_t68C389D6C6894AE8F01E7C88DDD8CBDE317B23CD ___E92B39D8233061927D9ACDE54665E68E7535635A_89;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=12 <PrivateImplementationDetails>::EA9506959484C55CFE0C139C624DF6060E285866
__StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 ___EA9506959484C55CFE0C139C624DF6060E285866_90;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=262 <PrivateImplementationDetails>::EB5E9A80A40096AB74D2E226650C7258D7BC5E9D
__StaticArrayInitTypeSizeU3D262_tF74EA0E2AEDDD20898E5779445ABF7802D23911A ___EB5E9A80A40096AB74D2E226650C7258D7BC5E9D_91;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=64 <PrivateImplementationDetails>::EBF68F411848D603D059DFDEA2321C5A5EA78044
__StaticArrayInitTypeSizeU3D64_t7C93E4AFB43BF13F84D563CFD17E5011B9721668 ___EBF68F411848D603D059DFDEA2321C5A5EA78044_92;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::EC89C317EA2BF49A70EFF5E89C691E34733D7C37
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___EC89C317EA2BF49A70EFF5E89C691E34733D7C37_93;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=40 <PrivateImplementationDetails>::F06E829E62F3AFBC045D064E10A4F5DF7C969612
__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 ___F06E829E62F3AFBC045D064E10A4F5DF7C969612_94;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=11614 <PrivateImplementationDetails>::F073AA332018FDA0D572E99448FFF1D6422BD520
__StaticArrayInitTypeSizeU3D11614_t7947936AE0A455E7877908DB7A291DEE37965F6F ___F073AA332018FDA0D572E99448FFF1D6422BD520_95;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=120 <PrivateImplementationDetails>::F34B0E10653402E8F788F8BC3F7CD7090928A429
__StaticArrayInitTypeSizeU3D120_t13A2E28354D3A542E1A2AD289B7970CE8BF64CE1 ___F34B0E10653402E8F788F8BC3F7CD7090928A429_96;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=72 <PrivateImplementationDetails>::F37E34BEADB04F34FCC31078A59F49856CA83D5B
__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 ___F37E34BEADB04F34FCC31078A59F49856CA83D5B_97;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=94 <PrivateImplementationDetails>::F512A9ABF88066AAEB92684F95CC05D8101B462B
__StaticArrayInitTypeSizeU3D94_t52D6560B7A2023DDDFDCF4D8F6C226742520B4C7 ___F512A9ABF88066AAEB92684F95CC05D8101B462B_98;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=12 <PrivateImplementationDetails>::F8FAABB821300AA500C2CEC6091B3782A7FB44A4
__StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 ___F8FAABB821300AA500C2CEC6091B3782A7FB44A4_99;
// <PrivateImplementationDetails>/__StaticArrayInitTypeSize=2350 <PrivateImplementationDetails>::FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B
__StaticArrayInitTypeSizeU3D2350_t029525D9BCF84611FB610B9E4D13EE898E0B055D ___FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B_100;
public:
inline static int32_t get_offset_of_U30588059ACBD52F7EA2835882F977A9CF72EB9775_0() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___0588059ACBD52F7EA2835882F977A9CF72EB9775_0)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_U30588059ACBD52F7EA2835882F977A9CF72EB9775_0() const { return ___0588059ACBD52F7EA2835882F977A9CF72EB9775_0; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_U30588059ACBD52F7EA2835882F977A9CF72EB9775_0() { return &___0588059ACBD52F7EA2835882F977A9CF72EB9775_0; }
inline void set_U30588059ACBD52F7EA2835882F977A9CF72EB9775_0(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___0588059ACBD52F7EA2835882F977A9CF72EB9775_0 = value;
}
inline static int32_t get_offset_of_U30A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C_1() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___0A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C_1)); }
inline __StaticArrayInitTypeSizeU3D84_t2EF20E9BBEB47B540AFCA64F09777DFD5E348454 get_U30A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C_1() const { return ___0A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C_1; }
inline __StaticArrayInitTypeSizeU3D84_t2EF20E9BBEB47B540AFCA64F09777DFD5E348454 * get_address_of_U30A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C_1() { return &___0A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C_1; }
inline void set_U30A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C_1(__StaticArrayInitTypeSizeU3D84_t2EF20E9BBEB47B540AFCA64F09777DFD5E348454 value)
{
___0A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C_1 = value;
}
inline static int32_t get_offset_of_U3121EC59E23F7559B28D338D562528F6299C2DE22_2() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___121EC59E23F7559B28D338D562528F6299C2DE22_2)); }
inline __StaticArrayInitTypeSizeU3D240_t15F96E63E1A6759D1754EA684441DA49B3724B5F get_U3121EC59E23F7559B28D338D562528F6299C2DE22_2() const { return ___121EC59E23F7559B28D338D562528F6299C2DE22_2; }
inline __StaticArrayInitTypeSizeU3D240_t15F96E63E1A6759D1754EA684441DA49B3724B5F * get_address_of_U3121EC59E23F7559B28D338D562528F6299C2DE22_2() { return &___121EC59E23F7559B28D338D562528F6299C2DE22_2; }
inline void set_U3121EC59E23F7559B28D338D562528F6299C2DE22_2(__StaticArrayInitTypeSizeU3D240_t15F96E63E1A6759D1754EA684441DA49B3724B5F value)
{
___121EC59E23F7559B28D338D562528F6299C2DE22_2 = value;
}
inline static int32_t get_offset_of_U31730F09044E91DB8371B849EFF5E6D17BDE4AED0_3() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___1730F09044E91DB8371B849EFF5E6D17BDE4AED0_3)); }
inline __StaticArrayInitTypeSizeU3D24_t54A5E8E52DF075628A83AE11B6178839F1F8FBDC get_U31730F09044E91DB8371B849EFF5E6D17BDE4AED0_3() const { return ___1730F09044E91DB8371B849EFF5E6D17BDE4AED0_3; }
inline __StaticArrayInitTypeSizeU3D24_t54A5E8E52DF075628A83AE11B6178839F1F8FBDC * get_address_of_U31730F09044E91DB8371B849EFF5E6D17BDE4AED0_3() { return &___1730F09044E91DB8371B849EFF5E6D17BDE4AED0_3; }
inline void set_U31730F09044E91DB8371B849EFF5E6D17BDE4AED0_3(__StaticArrayInitTypeSizeU3D24_t54A5E8E52DF075628A83AE11B6178839F1F8FBDC value)
{
___1730F09044E91DB8371B849EFF5E6D17BDE4AED0_3 = value;
}
inline static int32_t get_offset_of_U31FE6CE411858B3D864679DE2139FB081F08BFACD_4() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___1FE6CE411858B3D864679DE2139FB081F08BFACD_4)); }
inline __StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26 get_U31FE6CE411858B3D864679DE2139FB081F08BFACD_4() const { return ___1FE6CE411858B3D864679DE2139FB081F08BFACD_4; }
inline __StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26 * get_address_of_U31FE6CE411858B3D864679DE2139FB081F08BFACD_4() { return &___1FE6CE411858B3D864679DE2139FB081F08BFACD_4; }
inline void set_U31FE6CE411858B3D864679DE2139FB081F08BFACD_4(__StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26 value)
{
___1FE6CE411858B3D864679DE2139FB081F08BFACD_4 = value;
}
inline static int32_t get_offset_of_U325420D0055076FA8D3E4DD96BC53AE24DE6E619F_5() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___25420D0055076FA8D3E4DD96BC53AE24DE6E619F_5)); }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 get_U325420D0055076FA8D3E4DD96BC53AE24DE6E619F_5() const { return ___25420D0055076FA8D3E4DD96BC53AE24DE6E619F_5; }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 * get_address_of_U325420D0055076FA8D3E4DD96BC53AE24DE6E619F_5() { return &___25420D0055076FA8D3E4DD96BC53AE24DE6E619F_5; }
inline void set_U325420D0055076FA8D3E4DD96BC53AE24DE6E619F_5(__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 value)
{
___25420D0055076FA8D3E4DD96BC53AE24DE6E619F_5 = value;
}
inline static int32_t get_offset_of_U325CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E_6() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___25CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E_6)); }
inline __StaticArrayInitTypeSizeU3D1208_t7747605A5C3CD826A11C4196CCE9CF1996C344DF get_U325CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E_6() const { return ___25CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E_6; }
inline __StaticArrayInitTypeSizeU3D1208_t7747605A5C3CD826A11C4196CCE9CF1996C344DF * get_address_of_U325CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E_6() { return &___25CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E_6; }
inline void set_U325CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E_6(__StaticArrayInitTypeSizeU3D1208_t7747605A5C3CD826A11C4196CCE9CF1996C344DF value)
{
___25CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E_6 = value;
}
inline static int32_t get_offset_of_U329C1A61550F0E3260E1953D4FAD71C256218EF40_7() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___29C1A61550F0E3260E1953D4FAD71C256218EF40_7)); }
inline __StaticArrayInitTypeSizeU3D42_t9FC2D1D81E2853CF5D36635AB6A30DDDB9ABFECA get_U329C1A61550F0E3260E1953D4FAD71C256218EF40_7() const { return ___29C1A61550F0E3260E1953D4FAD71C256218EF40_7; }
inline __StaticArrayInitTypeSizeU3D42_t9FC2D1D81E2853CF5D36635AB6A30DDDB9ABFECA * get_address_of_U329C1A61550F0E3260E1953D4FAD71C256218EF40_7() { return &___29C1A61550F0E3260E1953D4FAD71C256218EF40_7; }
inline void set_U329C1A61550F0E3260E1953D4FAD71C256218EF40_7(__StaticArrayInitTypeSizeU3D42_t9FC2D1D81E2853CF5D36635AB6A30DDDB9ABFECA value)
{
___29C1A61550F0E3260E1953D4FAD71C256218EF40_7 = value;
}
inline static int32_t get_offset_of_U32B33BEC8C30DFDC49DAFE20D3BDE19487850D717_8() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___2B33BEC8C30DFDC49DAFE20D3BDE19487850D717_8)); }
inline __StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 get_U32B33BEC8C30DFDC49DAFE20D3BDE19487850D717_8() const { return ___2B33BEC8C30DFDC49DAFE20D3BDE19487850D717_8; }
inline __StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 * get_address_of_U32B33BEC8C30DFDC49DAFE20D3BDE19487850D717_8() { return &___2B33BEC8C30DFDC49DAFE20D3BDE19487850D717_8; }
inline void set_U32B33BEC8C30DFDC49DAFE20D3BDE19487850D717_8(__StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 value)
{
___2B33BEC8C30DFDC49DAFE20D3BDE19487850D717_8 = value;
}
inline static int32_t get_offset_of_U32BA840FF6020B8FF623DBCB7188248CF853FAF4F_9() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___2BA840FF6020B8FF623DBCB7188248CF853FAF4F_9)); }
inline __StaticArrayInitTypeSizeU3D36_t46D2C2EA131D6126B945EA1E0993E0EE8AACC3CA get_U32BA840FF6020B8FF623DBCB7188248CF853FAF4F_9() const { return ___2BA840FF6020B8FF623DBCB7188248CF853FAF4F_9; }
inline __StaticArrayInitTypeSizeU3D36_t46D2C2EA131D6126B945EA1E0993E0EE8AACC3CA * get_address_of_U32BA840FF6020B8FF623DBCB7188248CF853FAF4F_9() { return &___2BA840FF6020B8FF623DBCB7188248CF853FAF4F_9; }
inline void set_U32BA840FF6020B8FF623DBCB7188248CF853FAF4F_9(__StaticArrayInitTypeSizeU3D36_t46D2C2EA131D6126B945EA1E0993E0EE8AACC3CA value)
{
___2BA840FF6020B8FF623DBCB7188248CF853FAF4F_9 = value;
}
inline static int32_t get_offset_of_U32C840AFA48C27B9C05593E468C1232CA1CC74AFD_10() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___2C840AFA48C27B9C05593E468C1232CA1CC74AFD_10)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_U32C840AFA48C27B9C05593E468C1232CA1CC74AFD_10() const { return ___2C840AFA48C27B9C05593E468C1232CA1CC74AFD_10; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_U32C840AFA48C27B9C05593E468C1232CA1CC74AFD_10() { return &___2C840AFA48C27B9C05593E468C1232CA1CC74AFD_10; }
inline void set_U32C840AFA48C27B9C05593E468C1232CA1CC74AFD_10(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___2C840AFA48C27B9C05593E468C1232CA1CC74AFD_10 = value;
}
inline static int32_t get_offset_of_U32D1DA5BB407F0C11C3B5116196C0C6374D932B20_11() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___2D1DA5BB407F0C11C3B5116196C0C6374D932B20_11)); }
inline __StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26 get_U32D1DA5BB407F0C11C3B5116196C0C6374D932B20_11() const { return ___2D1DA5BB407F0C11C3B5116196C0C6374D932B20_11; }
inline __StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26 * get_address_of_U32D1DA5BB407F0C11C3B5116196C0C6374D932B20_11() { return &___2D1DA5BB407F0C11C3B5116196C0C6374D932B20_11; }
inline void set_U32D1DA5BB407F0C11C3B5116196C0C6374D932B20_11(__StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26 value)
{
___2D1DA5BB407F0C11C3B5116196C0C6374D932B20_11 = value;
}
inline static int32_t get_offset_of_U32F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547_12() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___2F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547_12)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_U32F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547_12() const { return ___2F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547_12; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_U32F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547_12() { return &___2F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547_12; }
inline void set_U32F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547_12(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___2F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547_12 = value;
}
inline static int32_t get_offset_of_U334476C29F6F81C989CFCA42F7C06E84C66236834_13() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___34476C29F6F81C989CFCA42F7C06E84C66236834_13)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_U334476C29F6F81C989CFCA42F7C06E84C66236834_13() const { return ___34476C29F6F81C989CFCA42F7C06E84C66236834_13; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_U334476C29F6F81C989CFCA42F7C06E84C66236834_13() { return &___34476C29F6F81C989CFCA42F7C06E84C66236834_13; }
inline void set_U334476C29F6F81C989CFCA42F7C06E84C66236834_13(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___34476C29F6F81C989CFCA42F7C06E84C66236834_13 = value;
}
inline static int32_t get_offset_of_U335EED060772F2748D13B745DAEC8CD7BD3B87604_14() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___35EED060772F2748D13B745DAEC8CD7BD3B87604_14)); }
inline __StaticArrayInitTypeSizeU3D2382_t7764CC6AFDCA682AEBA6E78440AD21978F0AB7B1 get_U335EED060772F2748D13B745DAEC8CD7BD3B87604_14() const { return ___35EED060772F2748D13B745DAEC8CD7BD3B87604_14; }
inline __StaticArrayInitTypeSizeU3D2382_t7764CC6AFDCA682AEBA6E78440AD21978F0AB7B1 * get_address_of_U335EED060772F2748D13B745DAEC8CD7BD3B87604_14() { return &___35EED060772F2748D13B745DAEC8CD7BD3B87604_14; }
inline void set_U335EED060772F2748D13B745DAEC8CD7BD3B87604_14(__StaticArrayInitTypeSizeU3D2382_t7764CC6AFDCA682AEBA6E78440AD21978F0AB7B1 value)
{
___35EED060772F2748D13B745DAEC8CD7BD3B87604_14 = value;
}
inline static int32_t get_offset_of_U3375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_15() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_15)); }
inline __StaticArrayInitTypeSizeU3D38_tCB70BC8DEB0D12487BC902760AFB250798B64F83 get_U3375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_15() const { return ___375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_15; }
inline __StaticArrayInitTypeSizeU3D38_tCB70BC8DEB0D12487BC902760AFB250798B64F83 * get_address_of_U3375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_15() { return &___375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_15; }
inline void set_U3375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_15(__StaticArrayInitTypeSizeU3D38_tCB70BC8DEB0D12487BC902760AFB250798B64F83 value)
{
___375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_15 = value;
}
inline static int32_t get_offset_of_U3379C06C9E702D31469C29033F0DD63931EB349F5_16() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___379C06C9E702D31469C29033F0DD63931EB349F5_16)); }
inline __StaticArrayInitTypeSizeU3D1450_tAC1EF3610F74C31313DF1ADF3AC9D9A2A9EC2912 get_U3379C06C9E702D31469C29033F0DD63931EB349F5_16() const { return ___379C06C9E702D31469C29033F0DD63931EB349F5_16; }
inline __StaticArrayInitTypeSizeU3D1450_tAC1EF3610F74C31313DF1ADF3AC9D9A2A9EC2912 * get_address_of_U3379C06C9E702D31469C29033F0DD63931EB349F5_16() { return &___379C06C9E702D31469C29033F0DD63931EB349F5_16; }
inline void set_U3379C06C9E702D31469C29033F0DD63931EB349F5_16(__StaticArrayInitTypeSizeU3D1450_tAC1EF3610F74C31313DF1ADF3AC9D9A2A9EC2912 value)
{
___379C06C9E702D31469C29033F0DD63931EB349F5_16 = value;
}
inline static int32_t get_offset_of_U3399BD13E240F33F808CA7940293D6EC4E6FD5A00_17() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___399BD13E240F33F808CA7940293D6EC4E6FD5A00_17)); }
inline __StaticArrayInitTypeSizeU3D10_t71B5750224A80E3CACEFBC499879A04CCE6A5CD3 get_U3399BD13E240F33F808CA7940293D6EC4E6FD5A00_17() const { return ___399BD13E240F33F808CA7940293D6EC4E6FD5A00_17; }
inline __StaticArrayInitTypeSizeU3D10_t71B5750224A80E3CACEFBC499879A04CCE6A5CD3 * get_address_of_U3399BD13E240F33F808CA7940293D6EC4E6FD5A00_17() { return &___399BD13E240F33F808CA7940293D6EC4E6FD5A00_17; }
inline void set_U3399BD13E240F33F808CA7940293D6EC4E6FD5A00_17(__StaticArrayInitTypeSizeU3D10_t71B5750224A80E3CACEFBC499879A04CCE6A5CD3 value)
{
___399BD13E240F33F808CA7940293D6EC4E6FD5A00_17 = value;
}
inline static int32_t get_offset_of_U339C9CE73C7B0619D409EF28344F687C1B5C130FE_18() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___39C9CE73C7B0619D409EF28344F687C1B5C130FE_18)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_U339C9CE73C7B0619D409EF28344F687C1B5C130FE_18() const { return ___39C9CE73C7B0619D409EF28344F687C1B5C130FE_18; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_U339C9CE73C7B0619D409EF28344F687C1B5C130FE_18() { return &___39C9CE73C7B0619D409EF28344F687C1B5C130FE_18; }
inline void set_U339C9CE73C7B0619D409EF28344F687C1B5C130FE_18(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___39C9CE73C7B0619D409EF28344F687C1B5C130FE_18 = value;
}
inline static int32_t get_offset_of_U33C53AFB51FEC23491684C7BEDBC6D4E0F409F851_19() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___3C53AFB51FEC23491684C7BEDBC6D4E0F409F851_19)); }
inline __StaticArrayInitTypeSizeU3D320_tBE0C4C66577D53F18D8BA69E43FDC69DFA003F8F get_U33C53AFB51FEC23491684C7BEDBC6D4E0F409F851_19() const { return ___3C53AFB51FEC23491684C7BEDBC6D4E0F409F851_19; }
inline __StaticArrayInitTypeSizeU3D320_tBE0C4C66577D53F18D8BA69E43FDC69DFA003F8F * get_address_of_U33C53AFB51FEC23491684C7BEDBC6D4E0F409F851_19() { return &___3C53AFB51FEC23491684C7BEDBC6D4E0F409F851_19; }
inline void set_U33C53AFB51FEC23491684C7BEDBC6D4E0F409F851_19(__StaticArrayInitTypeSizeU3D320_tBE0C4C66577D53F18D8BA69E43FDC69DFA003F8F value)
{
___3C53AFB51FEC23491684C7BEDBC6D4E0F409F851_19 = value;
}
inline static int32_t get_offset_of_U33E823444D2DFECF0F90B436B88F02A533CB376F1_20() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___3E823444D2DFECF0F90B436B88F02A533CB376F1_20)); }
inline __StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 get_U33E823444D2DFECF0F90B436B88F02A533CB376F1_20() const { return ___3E823444D2DFECF0F90B436B88F02A533CB376F1_20; }
inline __StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 * get_address_of_U33E823444D2DFECF0F90B436B88F02A533CB376F1_20() { return &___3E823444D2DFECF0F90B436B88F02A533CB376F1_20; }
inline void set_U33E823444D2DFECF0F90B436B88F02A533CB376F1_20(__StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 value)
{
___3E823444D2DFECF0F90B436B88F02A533CB376F1_20 = value;
}
inline static int32_t get_offset_of_U33FE6C283BCF384FD2C8789880DFF59664E2AB4A1_21() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___3FE6C283BCF384FD2C8789880DFF59664E2AB4A1_21)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_U33FE6C283BCF384FD2C8789880DFF59664E2AB4A1_21() const { return ___3FE6C283BCF384FD2C8789880DFF59664E2AB4A1_21; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_U33FE6C283BCF384FD2C8789880DFF59664E2AB4A1_21() { return &___3FE6C283BCF384FD2C8789880DFF59664E2AB4A1_21; }
inline void set_U33FE6C283BCF384FD2C8789880DFF59664E2AB4A1_21(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___3FE6C283BCF384FD2C8789880DFF59664E2AB4A1_21 = value;
}
inline static int32_t get_offset_of_U340981BAA39513E58B28DCF0103CC04DE2A0A0444_22() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___40981BAA39513E58B28DCF0103CC04DE2A0A0444_22)); }
inline __StaticArrayInitTypeSizeU3D1665_tF300201390474873919B6C58C810DFAC718FE0F4 get_U340981BAA39513E58B28DCF0103CC04DE2A0A0444_22() const { return ___40981BAA39513E58B28DCF0103CC04DE2A0A0444_22; }
inline __StaticArrayInitTypeSizeU3D1665_tF300201390474873919B6C58C810DFAC718FE0F4 * get_address_of_U340981BAA39513E58B28DCF0103CC04DE2A0A0444_22() { return &___40981BAA39513E58B28DCF0103CC04DE2A0A0444_22; }
inline void set_U340981BAA39513E58B28DCF0103CC04DE2A0A0444_22(__StaticArrayInitTypeSizeU3D1665_tF300201390474873919B6C58C810DFAC718FE0F4 value)
{
___40981BAA39513E58B28DCF0103CC04DE2A0A0444_22 = value;
}
inline static int32_t get_offset_of_U340E7C49413D261F3F38AD3A870C0AC69C8BDA048_23() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___40E7C49413D261F3F38AD3A870C0AC69C8BDA048_23)); }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 get_U340E7C49413D261F3F38AD3A870C0AC69C8BDA048_23() const { return ___40E7C49413D261F3F38AD3A870C0AC69C8BDA048_23; }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 * get_address_of_U340E7C49413D261F3F38AD3A870C0AC69C8BDA048_23() { return &___40E7C49413D261F3F38AD3A870C0AC69C8BDA048_23; }
inline void set_U340E7C49413D261F3F38AD3A870C0AC69C8BDA048_23(__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 value)
{
___40E7C49413D261F3F38AD3A870C0AC69C8BDA048_23 = value;
}
inline static int32_t get_offset_of_U3421EC7E82F2967DF6CA8C3605514DC6F29EE5845_24() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___421EC7E82F2967DF6CA8C3605514DC6F29EE5845_24)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_U3421EC7E82F2967DF6CA8C3605514DC6F29EE5845_24() const { return ___421EC7E82F2967DF6CA8C3605514DC6F29EE5845_24; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_U3421EC7E82F2967DF6CA8C3605514DC6F29EE5845_24() { return &___421EC7E82F2967DF6CA8C3605514DC6F29EE5845_24; }
inline void set_U3421EC7E82F2967DF6CA8C3605514DC6F29EE5845_24(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___421EC7E82F2967DF6CA8C3605514DC6F29EE5845_24 = value;
}
inline static int32_t get_offset_of_U34858DB4AA76D3933F1CA9E6712D4FDB16903F628_25() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___4858DB4AA76D3933F1CA9E6712D4FDB16903F628_25)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_U34858DB4AA76D3933F1CA9E6712D4FDB16903F628_25() const { return ___4858DB4AA76D3933F1CA9E6712D4FDB16903F628_25; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_U34858DB4AA76D3933F1CA9E6712D4FDB16903F628_25() { return &___4858DB4AA76D3933F1CA9E6712D4FDB16903F628_25; }
inline void set_U34858DB4AA76D3933F1CA9E6712D4FDB16903F628_25(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___4858DB4AA76D3933F1CA9E6712D4FDB16903F628_25 = value;
}
inline static int32_t get_offset_of_U34F7A8890F332B22B8DE0BD29D36FA7364748D76A_26() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___4F7A8890F332B22B8DE0BD29D36FA7364748D76A_26)); }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 get_U34F7A8890F332B22B8DE0BD29D36FA7364748D76A_26() const { return ___4F7A8890F332B22B8DE0BD29D36FA7364748D76A_26; }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 * get_address_of_U34F7A8890F332B22B8DE0BD29D36FA7364748D76A_26() { return &___4F7A8890F332B22B8DE0BD29D36FA7364748D76A_26; }
inline void set_U34F7A8890F332B22B8DE0BD29D36FA7364748D76A_26(__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 value)
{
___4F7A8890F332B22B8DE0BD29D36FA7364748D76A_26 = value;
}
inline static int32_t get_offset_of_U3536422B321459B242ADED7240B7447E904E083E3_27() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___536422B321459B242ADED7240B7447E904E083E3_27)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_U3536422B321459B242ADED7240B7447E904E083E3_27() const { return ___536422B321459B242ADED7240B7447E904E083E3_27; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_U3536422B321459B242ADED7240B7447E904E083E3_27() { return &___536422B321459B242ADED7240B7447E904E083E3_27; }
inline void set_U3536422B321459B242ADED7240B7447E904E083E3_27(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___536422B321459B242ADED7240B7447E904E083E3_27 = value;
}
inline static int32_t get_offset_of_U35382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3_28() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___5382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3_28)); }
inline __StaticArrayInitTypeSizeU3D1080_tDD425A5824CFEEBEB897380BE535A4D579DD8DEB get_U35382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3_28() const { return ___5382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3_28; }
inline __StaticArrayInitTypeSizeU3D1080_tDD425A5824CFEEBEB897380BE535A4D579DD8DEB * get_address_of_U35382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3_28() { return &___5382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3_28; }
inline void set_U35382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3_28(__StaticArrayInitTypeSizeU3D1080_tDD425A5824CFEEBEB897380BE535A4D579DD8DEB value)
{
___5382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3_28 = value;
}
inline static int32_t get_offset_of_U357218C316B6921E2CD61027A2387EDC31A2D9471_29() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___57218C316B6921E2CD61027A2387EDC31A2D9471_29)); }
inline __StaticArrayInitTypeSizeU3D3_t87EA921BA4E5FA6B89C780901818C549D9F073A4 get_U357218C316B6921E2CD61027A2387EDC31A2D9471_29() const { return ___57218C316B6921E2CD61027A2387EDC31A2D9471_29; }
inline __StaticArrayInitTypeSizeU3D3_t87EA921BA4E5FA6B89C780901818C549D9F073A4 * get_address_of_U357218C316B6921E2CD61027A2387EDC31A2D9471_29() { return &___57218C316B6921E2CD61027A2387EDC31A2D9471_29; }
inline void set_U357218C316B6921E2CD61027A2387EDC31A2D9471_29(__StaticArrayInitTypeSizeU3D3_t87EA921BA4E5FA6B89C780901818C549D9F073A4 value)
{
___57218C316B6921E2CD61027A2387EDC31A2D9471_29 = value;
}
inline static int32_t get_offset_of_U357F320D62696EC99727E0FE2045A05F1289CC0C6_30() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___57F320D62696EC99727E0FE2045A05F1289CC0C6_30)); }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 get_U357F320D62696EC99727E0FE2045A05F1289CC0C6_30() const { return ___57F320D62696EC99727E0FE2045A05F1289CC0C6_30; }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 * get_address_of_U357F320D62696EC99727E0FE2045A05F1289CC0C6_30() { return &___57F320D62696EC99727E0FE2045A05F1289CC0C6_30; }
inline void set_U357F320D62696EC99727E0FE2045A05F1289CC0C6_30(__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 value)
{
___57F320D62696EC99727E0FE2045A05F1289CC0C6_30 = value;
}
inline static int32_t get_offset_of_U3594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3_31() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3_31)); }
inline __StaticArrayInitTypeSizeU3D212_tA27E3A600D9E677116CCFCF5CB90C2DEF1951E43 get_U3594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3_31() const { return ___594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3_31; }
inline __StaticArrayInitTypeSizeU3D212_tA27E3A600D9E677116CCFCF5CB90C2DEF1951E43 * get_address_of_U3594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3_31() { return &___594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3_31; }
inline void set_U3594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3_31(__StaticArrayInitTypeSizeU3D212_tA27E3A600D9E677116CCFCF5CB90C2DEF1951E43 value)
{
___594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3_31 = value;
}
inline static int32_t get_offset_of_U35BBDF8058D4235C33F2E8DCF76004031B6187A2F_32() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___5BBDF8058D4235C33F2E8DCF76004031B6187A2F_32)); }
inline __StaticArrayInitTypeSizeU3D36_t46D2C2EA131D6126B945EA1E0993E0EE8AACC3CA get_U35BBDF8058D4235C33F2E8DCF76004031B6187A2F_32() const { return ___5BBDF8058D4235C33F2E8DCF76004031B6187A2F_32; }
inline __StaticArrayInitTypeSizeU3D36_t46D2C2EA131D6126B945EA1E0993E0EE8AACC3CA * get_address_of_U35BBDF8058D4235C33F2E8DCF76004031B6187A2F_32() { return &___5BBDF8058D4235C33F2E8DCF76004031B6187A2F_32; }
inline void set_U35BBDF8058D4235C33F2E8DCF76004031B6187A2F_32(__StaticArrayInitTypeSizeU3D36_t46D2C2EA131D6126B945EA1E0993E0EE8AACC3CA value)
{
___5BBDF8058D4235C33F2E8DCF76004031B6187A2F_32 = value;
}
inline static int32_t get_offset_of_U35BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF_33() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___5BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF_33)); }
inline __StaticArrayInitTypeSizeU3D288_t901CBC2EE96C2C63E8B3C6D507136F8A55FF5566 get_U35BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF_33() const { return ___5BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF_33; }
inline __StaticArrayInitTypeSizeU3D288_t901CBC2EE96C2C63E8B3C6D507136F8A55FF5566 * get_address_of_U35BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF_33() { return &___5BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF_33; }
inline void set_U35BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF_33(__StaticArrayInitTypeSizeU3D288_t901CBC2EE96C2C63E8B3C6D507136F8A55FF5566 value)
{
___5BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF_33 = value;
}
inline static int32_t get_offset_of_U35BFE2819B4778217C56416C7585FF0E56EBACD89_34() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___5BFE2819B4778217C56416C7585FF0E56EBACD89_34)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_U35BFE2819B4778217C56416C7585FF0E56EBACD89_34() const { return ___5BFE2819B4778217C56416C7585FF0E56EBACD89_34; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_U35BFE2819B4778217C56416C7585FF0E56EBACD89_34() { return &___5BFE2819B4778217C56416C7585FF0E56EBACD89_34; }
inline void set_U35BFE2819B4778217C56416C7585FF0E56EBACD89_34(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___5BFE2819B4778217C56416C7585FF0E56EBACD89_34 = value;
}
inline static int32_t get_offset_of_U3609C0E8D8DA86A09D6013D301C86BA8782C16B8C_35() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___609C0E8D8DA86A09D6013D301C86BA8782C16B8C_35)); }
inline __StaticArrayInitTypeSizeU3D128_t0E65F82715F120C2585C93F35BFA548913720A71 get_U3609C0E8D8DA86A09D6013D301C86BA8782C16B8C_35() const { return ___609C0E8D8DA86A09D6013D301C86BA8782C16B8C_35; }
inline __StaticArrayInitTypeSizeU3D128_t0E65F82715F120C2585C93F35BFA548913720A71 * get_address_of_U3609C0E8D8DA86A09D6013D301C86BA8782C16B8C_35() { return &___609C0E8D8DA86A09D6013D301C86BA8782C16B8C_35; }
inline void set_U3609C0E8D8DA86A09D6013D301C86BA8782C16B8C_35(__StaticArrayInitTypeSizeU3D128_t0E65F82715F120C2585C93F35BFA548913720A71 value)
{
___609C0E8D8DA86A09D6013D301C86BA8782C16B8C_35 = value;
}
inline static int32_t get_offset_of_U365E32B4E150FD8D24B93B0D42A17F1DAD146162B_36() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___65E32B4E150FD8D24B93B0D42A17F1DAD146162B_36)); }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 get_U365E32B4E150FD8D24B93B0D42A17F1DAD146162B_36() const { return ___65E32B4E150FD8D24B93B0D42A17F1DAD146162B_36; }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 * get_address_of_U365E32B4E150FD8D24B93B0D42A17F1DAD146162B_36() { return &___65E32B4E150FD8D24B93B0D42A17F1DAD146162B_36; }
inline void set_U365E32B4E150FD8D24B93B0D42A17F1DAD146162B_36(__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 value)
{
___65E32B4E150FD8D24B93B0D42A17F1DAD146162B_36 = value;
}
inline static int32_t get_offset_of_U36770974FEF1E98B9C1864370E2B5B786EB0EA39E_37() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___6770974FEF1E98B9C1864370E2B5B786EB0EA39E_37)); }
inline __StaticArrayInitTypeSizeU3D52_t68C389D6C6894AE8F01E7C88DDD8CBDE317B23CD get_U36770974FEF1E98B9C1864370E2B5B786EB0EA39E_37() const { return ___6770974FEF1E98B9C1864370E2B5B786EB0EA39E_37; }
inline __StaticArrayInitTypeSizeU3D52_t68C389D6C6894AE8F01E7C88DDD8CBDE317B23CD * get_address_of_U36770974FEF1E98B9C1864370E2B5B786EB0EA39E_37() { return &___6770974FEF1E98B9C1864370E2B5B786EB0EA39E_37; }
inline void set_U36770974FEF1E98B9C1864370E2B5B786EB0EA39E_37(__StaticArrayInitTypeSizeU3D52_t68C389D6C6894AE8F01E7C88DDD8CBDE317B23CD value)
{
___6770974FEF1E98B9C1864370E2B5B786EB0EA39E_37 = value;
}
inline static int32_t get_offset_of_U367EEAD805D708D9AA4E14BF747E44CED801744F3_38() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___67EEAD805D708D9AA4E14BF747E44CED801744F3_38)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_U367EEAD805D708D9AA4E14BF747E44CED801744F3_38() const { return ___67EEAD805D708D9AA4E14BF747E44CED801744F3_38; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_U367EEAD805D708D9AA4E14BF747E44CED801744F3_38() { return &___67EEAD805D708D9AA4E14BF747E44CED801744F3_38; }
inline void set_U367EEAD805D708D9AA4E14BF747E44CED801744F3_38(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___67EEAD805D708D9AA4E14BF747E44CED801744F3_38 = value;
}
inline static int32_t get_offset_of_U36C71197D228427B2864C69B357FEF73D8C9D59DF_39() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___6C71197D228427B2864C69B357FEF73D8C9D59DF_39)); }
inline __StaticArrayInitTypeSizeU3D120_t13A2E28354D3A542E1A2AD289B7970CE8BF64CE1 get_U36C71197D228427B2864C69B357FEF73D8C9D59DF_39() const { return ___6C71197D228427B2864C69B357FEF73D8C9D59DF_39; }
inline __StaticArrayInitTypeSizeU3D120_t13A2E28354D3A542E1A2AD289B7970CE8BF64CE1 * get_address_of_U36C71197D228427B2864C69B357FEF73D8C9D59DF_39() { return &___6C71197D228427B2864C69B357FEF73D8C9D59DF_39; }
inline void set_U36C71197D228427B2864C69B357FEF73D8C9D59DF_39(__StaticArrayInitTypeSizeU3D120_t13A2E28354D3A542E1A2AD289B7970CE8BF64CE1 value)
{
___6C71197D228427B2864C69B357FEF73D8C9D59DF_39 = value;
}
inline static int32_t get_offset_of_U36CEE45445AFD150B047A5866FFA76AA651CDB7B7_40() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___6CEE45445AFD150B047A5866FFA76AA651CDB7B7_40)); }
inline __StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26 get_U36CEE45445AFD150B047A5866FFA76AA651CDB7B7_40() const { return ___6CEE45445AFD150B047A5866FFA76AA651CDB7B7_40; }
inline __StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26 * get_address_of_U36CEE45445AFD150B047A5866FFA76AA651CDB7B7_40() { return &___6CEE45445AFD150B047A5866FFA76AA651CDB7B7_40; }
inline void set_U36CEE45445AFD150B047A5866FFA76AA651CDB7B7_40(__StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26 value)
{
___6CEE45445AFD150B047A5866FFA76AA651CDB7B7_40 = value;
}
inline static int32_t get_offset_of_U36FC754859E4EC74E447048364B216D825C6F8FE7_41() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___6FC754859E4EC74E447048364B216D825C6F8FE7_41)); }
inline __StaticArrayInitTypeSizeU3D76_tFC0C1E62400632DF6EBD5465D74B1851DAC47C60 get_U36FC754859E4EC74E447048364B216D825C6F8FE7_41() const { return ___6FC754859E4EC74E447048364B216D825C6F8FE7_41; }
inline __StaticArrayInitTypeSizeU3D76_tFC0C1E62400632DF6EBD5465D74B1851DAC47C60 * get_address_of_U36FC754859E4EC74E447048364B216D825C6F8FE7_41() { return &___6FC754859E4EC74E447048364B216D825C6F8FE7_41; }
inline void set_U36FC754859E4EC74E447048364B216D825C6F8FE7_41(__StaticArrayInitTypeSizeU3D76_tFC0C1E62400632DF6EBD5465D74B1851DAC47C60 value)
{
___6FC754859E4EC74E447048364B216D825C6F8FE7_41 = value;
}
inline static int32_t get_offset_of_U3704939CD172085D1295FCE3F1D92431D685D7AA2_42() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___704939CD172085D1295FCE3F1D92431D685D7AA2_42)); }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 get_U3704939CD172085D1295FCE3F1D92431D685D7AA2_42() const { return ___704939CD172085D1295FCE3F1D92431D685D7AA2_42; }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 * get_address_of_U3704939CD172085D1295FCE3F1D92431D685D7AA2_42() { return &___704939CD172085D1295FCE3F1D92431D685D7AA2_42; }
inline void set_U3704939CD172085D1295FCE3F1D92431D685D7AA2_42(__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 value)
{
___704939CD172085D1295FCE3F1D92431D685D7AA2_42 = value;
}
inline static int32_t get_offset_of_U37088AAE49F0627B72729078DE6E3182DDCF8ED99_43() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___7088AAE49F0627B72729078DE6E3182DDCF8ED99_43)); }
inline __StaticArrayInitTypeSizeU3D24_t54A5E8E52DF075628A83AE11B6178839F1F8FBDC get_U37088AAE49F0627B72729078DE6E3182DDCF8ED99_43() const { return ___7088AAE49F0627B72729078DE6E3182DDCF8ED99_43; }
inline __StaticArrayInitTypeSizeU3D24_t54A5E8E52DF075628A83AE11B6178839F1F8FBDC * get_address_of_U37088AAE49F0627B72729078DE6E3182DDCF8ED99_43() { return &___7088AAE49F0627B72729078DE6E3182DDCF8ED99_43; }
inline void set_U37088AAE49F0627B72729078DE6E3182DDCF8ED99_43(__StaticArrayInitTypeSizeU3D24_t54A5E8E52DF075628A83AE11B6178839F1F8FBDC value)
{
___7088AAE49F0627B72729078DE6E3182DDCF8ED99_43 = value;
}
inline static int32_t get_offset_of_U37341C933A70EAE383CC50C4B945ADB8E08F06737_44() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___7341C933A70EAE383CC50C4B945ADB8E08F06737_44)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_U37341C933A70EAE383CC50C4B945ADB8E08F06737_44() const { return ___7341C933A70EAE383CC50C4B945ADB8E08F06737_44; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_U37341C933A70EAE383CC50C4B945ADB8E08F06737_44() { return &___7341C933A70EAE383CC50C4B945ADB8E08F06737_44; }
inline void set_U37341C933A70EAE383CC50C4B945ADB8E08F06737_44(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___7341C933A70EAE383CC50C4B945ADB8E08F06737_44 = value;
}
inline static int32_t get_offset_of_U37FE820C9CF0F0B90445A71F1D262D22E4F0C4C68_45() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___7FE820C9CF0F0B90445A71F1D262D22E4F0C4C68_45)); }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 get_U37FE820C9CF0F0B90445A71F1D262D22E4F0C4C68_45() const { return ___7FE820C9CF0F0B90445A71F1D262D22E4F0C4C68_45; }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 * get_address_of_U37FE820C9CF0F0B90445A71F1D262D22E4F0C4C68_45() { return &___7FE820C9CF0F0B90445A71F1D262D22E4F0C4C68_45; }
inline void set_U37FE820C9CF0F0B90445A71F1D262D22E4F0C4C68_45(__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 value)
{
___7FE820C9CF0F0B90445A71F1D262D22E4F0C4C68_45 = value;
}
inline static int32_t get_offset_of_U3811A927B7DADD378BE60BBDE794B9277AA9B50EC_46() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___811A927B7DADD378BE60BBDE794B9277AA9B50EC_46)); }
inline __StaticArrayInitTypeSizeU3D21252_t7F9940F69151C8490439C5AC4C3E8F115E6EFDD0 get_U3811A927B7DADD378BE60BBDE794B9277AA9B50EC_46() const { return ___811A927B7DADD378BE60BBDE794B9277AA9B50EC_46; }
inline __StaticArrayInitTypeSizeU3D21252_t7F9940F69151C8490439C5AC4C3E8F115E6EFDD0 * get_address_of_U3811A927B7DADD378BE60BBDE794B9277AA9B50EC_46() { return &___811A927B7DADD378BE60BBDE794B9277AA9B50EC_46; }
inline void set_U3811A927B7DADD378BE60BBDE794B9277AA9B50EC_46(__StaticArrayInitTypeSizeU3D21252_t7F9940F69151C8490439C5AC4C3E8F115E6EFDD0 value)
{
___811A927B7DADD378BE60BBDE794B9277AA9B50EC_46 = value;
}
inline static int32_t get_offset_of_U381917F1E21F3C22B9F916994547A614FB03E968E_47() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___81917F1E21F3C22B9F916994547A614FB03E968E_47)); }
inline __StaticArrayInitTypeSizeU3D36_t46D2C2EA131D6126B945EA1E0993E0EE8AACC3CA get_U381917F1E21F3C22B9F916994547A614FB03E968E_47() const { return ___81917F1E21F3C22B9F916994547A614FB03E968E_47; }
inline __StaticArrayInitTypeSizeU3D36_t46D2C2EA131D6126B945EA1E0993E0EE8AACC3CA * get_address_of_U381917F1E21F3C22B9F916994547A614FB03E968E_47() { return &___81917F1E21F3C22B9F916994547A614FB03E968E_47; }
inline void set_U381917F1E21F3C22B9F916994547A614FB03E968E_47(__StaticArrayInitTypeSizeU3D36_t46D2C2EA131D6126B945EA1E0993E0EE8AACC3CA value)
{
___81917F1E21F3C22B9F916994547A614FB03E968E_47 = value;
}
inline static int32_t get_offset_of_U3823566DA642D6EA356E15585921F2A4CA23D6760_48() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___823566DA642D6EA356E15585921F2A4CA23D6760_48)); }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 get_U3823566DA642D6EA356E15585921F2A4CA23D6760_48() const { return ___823566DA642D6EA356E15585921F2A4CA23D6760_48; }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 * get_address_of_U3823566DA642D6EA356E15585921F2A4CA23D6760_48() { return &___823566DA642D6EA356E15585921F2A4CA23D6760_48; }
inline void set_U3823566DA642D6EA356E15585921F2A4CA23D6760_48(__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 value)
{
___823566DA642D6EA356E15585921F2A4CA23D6760_48 = value;
}
inline static int32_t get_offset_of_U382C2A59850B2E85BCE1A45A479537A384DF6098D_49() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___82C2A59850B2E85BCE1A45A479537A384DF6098D_49)); }
inline __StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 get_U382C2A59850B2E85BCE1A45A479537A384DF6098D_49() const { return ___82C2A59850B2E85BCE1A45A479537A384DF6098D_49; }
inline __StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 * get_address_of_U382C2A59850B2E85BCE1A45A479537A384DF6098D_49() { return &___82C2A59850B2E85BCE1A45A479537A384DF6098D_49; }
inline void set_U382C2A59850B2E85BCE1A45A479537A384DF6098D_49(__StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 value)
{
___82C2A59850B2E85BCE1A45A479537A384DF6098D_49 = value;
}
inline static int32_t get_offset_of_U382C383F8E6E4D3D87AEBB986A5D0077E8AD157C4_50() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___82C383F8E6E4D3D87AEBB986A5D0077E8AD157C4_50)); }
inline __StaticArrayInitTypeSizeU3D44_t2C34FCD1B7CA98AF1BE52ED77A663AFA9401C5D5 get_U382C383F8E6E4D3D87AEBB986A5D0077E8AD157C4_50() const { return ___82C383F8E6E4D3D87AEBB986A5D0077E8AD157C4_50; }
inline __StaticArrayInitTypeSizeU3D44_t2C34FCD1B7CA98AF1BE52ED77A663AFA9401C5D5 * get_address_of_U382C383F8E6E4D3D87AEBB986A5D0077E8AD157C4_50() { return &___82C383F8E6E4D3D87AEBB986A5D0077E8AD157C4_50; }
inline void set_U382C383F8E6E4D3D87AEBB986A5D0077E8AD157C4_50(__StaticArrayInitTypeSizeU3D44_t2C34FCD1B7CA98AF1BE52ED77A663AFA9401C5D5 value)
{
___82C383F8E6E4D3D87AEBB986A5D0077E8AD157C4_50 = value;
}
inline static int32_t get_offset_of_U3871B9CF85DB352BAADF12BAE8F19857683E385AC_51() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___871B9CF85DB352BAADF12BAE8F19857683E385AC_51)); }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 get_U3871B9CF85DB352BAADF12BAE8F19857683E385AC_51() const { return ___871B9CF85DB352BAADF12BAE8F19857683E385AC_51; }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 * get_address_of_U3871B9CF85DB352BAADF12BAE8F19857683E385AC_51() { return &___871B9CF85DB352BAADF12BAE8F19857683E385AC_51; }
inline void set_U3871B9CF85DB352BAADF12BAE8F19857683E385AC_51(__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 value)
{
___871B9CF85DB352BAADF12BAE8F19857683E385AC_51 = value;
}
inline static int32_t get_offset_of_U389A040451C8CC5C8FB268BE44BDD74964C104155_52() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___89A040451C8CC5C8FB268BE44BDD74964C104155_52)); }
inline __StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26 get_U389A040451C8CC5C8FB268BE44BDD74964C104155_52() const { return ___89A040451C8CC5C8FB268BE44BDD74964C104155_52; }
inline __StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26 * get_address_of_U389A040451C8CC5C8FB268BE44BDD74964C104155_52() { return &___89A040451C8CC5C8FB268BE44BDD74964C104155_52; }
inline void set_U389A040451C8CC5C8FB268BE44BDD74964C104155_52(__StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26 value)
{
___89A040451C8CC5C8FB268BE44BDD74964C104155_52 = value;
}
inline static int32_t get_offset_of_U38CAA092E783257106251246FF5C97F88D28517A6_53() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___8CAA092E783257106251246FF5C97F88D28517A6_53)); }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 get_U38CAA092E783257106251246FF5C97F88D28517A6_53() const { return ___8CAA092E783257106251246FF5C97F88D28517A6_53; }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 * get_address_of_U38CAA092E783257106251246FF5C97F88D28517A6_53() { return &___8CAA092E783257106251246FF5C97F88D28517A6_53; }
inline void set_U38CAA092E783257106251246FF5C97F88D28517A6_53(__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 value)
{
___8CAA092E783257106251246FF5C97F88D28517A6_53 = value;
}
inline static int32_t get_offset_of_U38D231DD55FE1AD7631BBD0905A17D5EB616C2154_54() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___8D231DD55FE1AD7631BBD0905A17D5EB616C2154_54)); }
inline __StaticArrayInitTypeSizeU3D2100_t77017A2656678C6EE4571B84C9F635820AB583B0 get_U38D231DD55FE1AD7631BBD0905A17D5EB616C2154_54() const { return ___8D231DD55FE1AD7631BBD0905A17D5EB616C2154_54; }
inline __StaticArrayInitTypeSizeU3D2100_t77017A2656678C6EE4571B84C9F635820AB583B0 * get_address_of_U38D231DD55FE1AD7631BBD0905A17D5EB616C2154_54() { return &___8D231DD55FE1AD7631BBD0905A17D5EB616C2154_54; }
inline void set_U38D231DD55FE1AD7631BBD0905A17D5EB616C2154_54(__StaticArrayInitTypeSizeU3D2100_t77017A2656678C6EE4571B84C9F635820AB583B0 value)
{
___8D231DD55FE1AD7631BBD0905A17D5EB616C2154_54 = value;
}
inline static int32_t get_offset_of_U38E10AC2F34545DFBBF3FCBC06055D797A8C99991_55() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___8E10AC2F34545DFBBF3FCBC06055D797A8C99991_55)); }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 get_U38E10AC2F34545DFBBF3FCBC06055D797A8C99991_55() const { return ___8E10AC2F34545DFBBF3FCBC06055D797A8C99991_55; }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 * get_address_of_U38E10AC2F34545DFBBF3FCBC06055D797A8C99991_55() { return &___8E10AC2F34545DFBBF3FCBC06055D797A8C99991_55; }
inline void set_U38E10AC2F34545DFBBF3FCBC06055D797A8C99991_55(__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 value)
{
___8E10AC2F34545DFBBF3FCBC06055D797A8C99991_55 = value;
}
inline static int32_t get_offset_of_U393A63E90605400F34B49F0EB3361D23C89164BDA_56() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___93A63E90605400F34B49F0EB3361D23C89164BDA_56)); }
inline __StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 get_U393A63E90605400F34B49F0EB3361D23C89164BDA_56() const { return ___93A63E90605400F34B49F0EB3361D23C89164BDA_56; }
inline __StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 * get_address_of_U393A63E90605400F34B49F0EB3361D23C89164BDA_56() { return &___93A63E90605400F34B49F0EB3361D23C89164BDA_56; }
inline void set_U393A63E90605400F34B49F0EB3361D23C89164BDA_56(__StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 value)
{
___93A63E90605400F34B49F0EB3361D23C89164BDA_56 = value;
}
inline static int32_t get_offset_of_U394841DD2F330CCB1089BF413E4FA9B04505152E2_57() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___94841DD2F330CCB1089BF413E4FA9B04505152E2_57)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_U394841DD2F330CCB1089BF413E4FA9B04505152E2_57() const { return ___94841DD2F330CCB1089BF413E4FA9B04505152E2_57; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_U394841DD2F330CCB1089BF413E4FA9B04505152E2_57() { return &___94841DD2F330CCB1089BF413E4FA9B04505152E2_57; }
inline void set_U394841DD2F330CCB1089BF413E4FA9B04505152E2_57(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___94841DD2F330CCB1089BF413E4FA9B04505152E2_57 = value;
}
inline static int32_t get_offset_of_U395264589E48F94B7857CFF398FB72A537E13EEE2_58() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___95264589E48F94B7857CFF398FB72A537E13EEE2_58)); }
inline __StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 get_U395264589E48F94B7857CFF398FB72A537E13EEE2_58() const { return ___95264589E48F94B7857CFF398FB72A537E13EEE2_58; }
inline __StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 * get_address_of_U395264589E48F94B7857CFF398FB72A537E13EEE2_58() { return &___95264589E48F94B7857CFF398FB72A537E13EEE2_58; }
inline void set_U395264589E48F94B7857CFF398FB72A537E13EEE2_58(__StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 value)
{
___95264589E48F94B7857CFF398FB72A537E13EEE2_58 = value;
}
inline static int32_t get_offset_of_U395C48758CAE1715783472FB073AB158AB8A0AB2A_59() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___95C48758CAE1715783472FB073AB158AB8A0AB2A_59)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_U395C48758CAE1715783472FB073AB158AB8A0AB2A_59() const { return ___95C48758CAE1715783472FB073AB158AB8A0AB2A_59; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_U395C48758CAE1715783472FB073AB158AB8A0AB2A_59() { return &___95C48758CAE1715783472FB073AB158AB8A0AB2A_59; }
inline void set_U395C48758CAE1715783472FB073AB158AB8A0AB2A_59(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___95C48758CAE1715783472FB073AB158AB8A0AB2A_59 = value;
}
inline static int32_t get_offset_of_U3973417296623D8DC6961B09664E54039E44CA5D8_60() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___973417296623D8DC6961B09664E54039E44CA5D8_60)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_U3973417296623D8DC6961B09664E54039E44CA5D8_60() const { return ___973417296623D8DC6961B09664E54039E44CA5D8_60; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_U3973417296623D8DC6961B09664E54039E44CA5D8_60() { return &___973417296623D8DC6961B09664E54039E44CA5D8_60; }
inline void set_U3973417296623D8DC6961B09664E54039E44CA5D8_60(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___973417296623D8DC6961B09664E54039E44CA5D8_60 = value;
}
inline static int32_t get_offset_of_A0074C15377C0C870B055927403EA9FA7A349D12_61() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___A0074C15377C0C870B055927403EA9FA7A349D12_61)); }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 get_A0074C15377C0C870B055927403EA9FA7A349D12_61() const { return ___A0074C15377C0C870B055927403EA9FA7A349D12_61; }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 * get_address_of_A0074C15377C0C870B055927403EA9FA7A349D12_61() { return &___A0074C15377C0C870B055927403EA9FA7A349D12_61; }
inline void set_A0074C15377C0C870B055927403EA9FA7A349D12_61(__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 value)
{
___A0074C15377C0C870B055927403EA9FA7A349D12_61 = value;
}
inline static int32_t get_offset_of_A1319B706116AB2C6D44483F60A7D0ACEA543396_62() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___A1319B706116AB2C6D44483F60A7D0ACEA543396_62)); }
inline __StaticArrayInitTypeSizeU3D130_tF56FBBACF53AE9A551B962978B48A914536B6871 get_A1319B706116AB2C6D44483F60A7D0ACEA543396_62() const { return ___A1319B706116AB2C6D44483F60A7D0ACEA543396_62; }
inline __StaticArrayInitTypeSizeU3D130_tF56FBBACF53AE9A551B962978B48A914536B6871 * get_address_of_A1319B706116AB2C6D44483F60A7D0ACEA543396_62() { return &___A1319B706116AB2C6D44483F60A7D0ACEA543396_62; }
inline void set_A1319B706116AB2C6D44483F60A7D0ACEA543396_62(__StaticArrayInitTypeSizeU3D130_tF56FBBACF53AE9A551B962978B48A914536B6871 value)
{
___A1319B706116AB2C6D44483F60A7D0ACEA543396_62 = value;
}
inline static int32_t get_offset_of_A13AA52274D951A18029131A8DDECF76B569A15D_63() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___A13AA52274D951A18029131A8DDECF76B569A15D_63)); }
inline int64_t get_A13AA52274D951A18029131A8DDECF76B569A15D_63() const { return ___A13AA52274D951A18029131A8DDECF76B569A15D_63; }
inline int64_t* get_address_of_A13AA52274D951A18029131A8DDECF76B569A15D_63() { return &___A13AA52274D951A18029131A8DDECF76B569A15D_63; }
inline void set_A13AA52274D951A18029131A8DDECF76B569A15D_63(int64_t value)
{
___A13AA52274D951A18029131A8DDECF76B569A15D_63 = value;
}
inline static int32_t get_offset_of_A5444763673307F6828C748D4B9708CFC02B0959_64() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___A5444763673307F6828C748D4B9708CFC02B0959_64)); }
inline __StaticArrayInitTypeSizeU3D212_tA27E3A600D9E677116CCFCF5CB90C2DEF1951E43 get_A5444763673307F6828C748D4B9708CFC02B0959_64() const { return ___A5444763673307F6828C748D4B9708CFC02B0959_64; }
inline __StaticArrayInitTypeSizeU3D212_tA27E3A600D9E677116CCFCF5CB90C2DEF1951E43 * get_address_of_A5444763673307F6828C748D4B9708CFC02B0959_64() { return &___A5444763673307F6828C748D4B9708CFC02B0959_64; }
inline void set_A5444763673307F6828C748D4B9708CFC02B0959_64(__StaticArrayInitTypeSizeU3D212_tA27E3A600D9E677116CCFCF5CB90C2DEF1951E43 value)
{
___A5444763673307F6828C748D4B9708CFC02B0959_64 = value;
}
inline static int32_t get_offset_of_A6732F8E7FC23766AB329B492D6BF82E3B33233F_65() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___A6732F8E7FC23766AB329B492D6BF82E3B33233F_65)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_A6732F8E7FC23766AB329B492D6BF82E3B33233F_65() const { return ___A6732F8E7FC23766AB329B492D6BF82E3B33233F_65; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_A6732F8E7FC23766AB329B492D6BF82E3B33233F_65() { return &___A6732F8E7FC23766AB329B492D6BF82E3B33233F_65; }
inline void set_A6732F8E7FC23766AB329B492D6BF82E3B33233F_65(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___A6732F8E7FC23766AB329B492D6BF82E3B33233F_65 = value;
}
inline static int32_t get_offset_of_A705A106D95282BD15E13EEA6B0AF583FF786D83_66() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___A705A106D95282BD15E13EEA6B0AF583FF786D83_66)); }
inline __StaticArrayInitTypeSizeU3D174_t5A6FEDE2414380A28FDFFA92ACA4EADB3693E337 get_A705A106D95282BD15E13EEA6B0AF583FF786D83_66() const { return ___A705A106D95282BD15E13EEA6B0AF583FF786D83_66; }
inline __StaticArrayInitTypeSizeU3D174_t5A6FEDE2414380A28FDFFA92ACA4EADB3693E337 * get_address_of_A705A106D95282BD15E13EEA6B0AF583FF786D83_66() { return &___A705A106D95282BD15E13EEA6B0AF583FF786D83_66; }
inline void set_A705A106D95282BD15E13EEA6B0AF583FF786D83_66(__StaticArrayInitTypeSizeU3D174_t5A6FEDE2414380A28FDFFA92ACA4EADB3693E337 value)
{
___A705A106D95282BD15E13EEA6B0AF583FF786D83_66 = value;
}
inline static int32_t get_offset_of_A8A491E4CED49AE0027560476C10D933CE70C8DF_67() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___A8A491E4CED49AE0027560476C10D933CE70C8DF_67)); }
inline __StaticArrayInitTypeSizeU3D1018_tC210B7B033B7D52771288C82C8E6DA21074FF7F3 get_A8A491E4CED49AE0027560476C10D933CE70C8DF_67() const { return ___A8A491E4CED49AE0027560476C10D933CE70C8DF_67; }
inline __StaticArrayInitTypeSizeU3D1018_tC210B7B033B7D52771288C82C8E6DA21074FF7F3 * get_address_of_A8A491E4CED49AE0027560476C10D933CE70C8DF_67() { return &___A8A491E4CED49AE0027560476C10D933CE70C8DF_67; }
inline void set_A8A491E4CED49AE0027560476C10D933CE70C8DF_67(__StaticArrayInitTypeSizeU3D1018_tC210B7B033B7D52771288C82C8E6DA21074FF7F3 value)
{
___A8A491E4CED49AE0027560476C10D933CE70C8DF_67 = value;
}
inline static int32_t get_offset_of_AC791C4F39504D1184B73478943D0636258DA7B1_68() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___AC791C4F39504D1184B73478943D0636258DA7B1_68)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_AC791C4F39504D1184B73478943D0636258DA7B1_68() const { return ___AC791C4F39504D1184B73478943D0636258DA7B1_68; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_AC791C4F39504D1184B73478943D0636258DA7B1_68() { return &___AC791C4F39504D1184B73478943D0636258DA7B1_68; }
inline void set_AC791C4F39504D1184B73478943D0636258DA7B1_68(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___AC791C4F39504D1184B73478943D0636258DA7B1_68 = value;
}
inline static int32_t get_offset_of_AFCD4E1211233E99373A3367B23105A3D624B1F2_69() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___AFCD4E1211233E99373A3367B23105A3D624B1F2_69)); }
inline __StaticArrayInitTypeSizeU3D52_t68C389D6C6894AE8F01E7C88DDD8CBDE317B23CD get_AFCD4E1211233E99373A3367B23105A3D624B1F2_69() const { return ___AFCD4E1211233E99373A3367B23105A3D624B1F2_69; }
inline __StaticArrayInitTypeSizeU3D52_t68C389D6C6894AE8F01E7C88DDD8CBDE317B23CD * get_address_of_AFCD4E1211233E99373A3367B23105A3D624B1F2_69() { return &___AFCD4E1211233E99373A3367B23105A3D624B1F2_69; }
inline void set_AFCD4E1211233E99373A3367B23105A3D624B1F2_69(__StaticArrayInitTypeSizeU3D52_t68C389D6C6894AE8F01E7C88DDD8CBDE317B23CD value)
{
___AFCD4E1211233E99373A3367B23105A3D624B1F2_69 = value;
}
inline static int32_t get_offset_of_B472ED77CB3B2A66D49D179F1EE2081B70A6AB61_70() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___B472ED77CB3B2A66D49D179F1EE2081B70A6AB61_70)); }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 get_B472ED77CB3B2A66D49D179F1EE2081B70A6AB61_70() const { return ___B472ED77CB3B2A66D49D179F1EE2081B70A6AB61_70; }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 * get_address_of_B472ED77CB3B2A66D49D179F1EE2081B70A6AB61_70() { return &___B472ED77CB3B2A66D49D179F1EE2081B70A6AB61_70; }
inline void set_B472ED77CB3B2A66D49D179F1EE2081B70A6AB61_70(__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 value)
{
___B472ED77CB3B2A66D49D179F1EE2081B70A6AB61_70 = value;
}
inline static int32_t get_offset_of_B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF_71() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF_71)); }
inline __StaticArrayInitTypeSizeU3D256_t11D9B162886459BA6BCD63DB255358502735B7A3 get_B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF_71() const { return ___B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF_71; }
inline __StaticArrayInitTypeSizeU3D256_t11D9B162886459BA6BCD63DB255358502735B7A3 * get_address_of_B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF_71() { return &___B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF_71; }
inline void set_B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF_71(__StaticArrayInitTypeSizeU3D256_t11D9B162886459BA6BCD63DB255358502735B7A3 value)
{
___B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF_71 = value;
}
inline static int32_t get_offset_of_B881DA88BE0B68D8A6B6B6893822586B8B2CFC45_72() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___B881DA88BE0B68D8A6B6B6893822586B8B2CFC45_72)); }
inline __StaticArrayInitTypeSizeU3D998_t4B160A0C233D0CAB065432B008AFE2E02CF05C4D get_B881DA88BE0B68D8A6B6B6893822586B8B2CFC45_72() const { return ___B881DA88BE0B68D8A6B6B6893822586B8B2CFC45_72; }
inline __StaticArrayInitTypeSizeU3D998_t4B160A0C233D0CAB065432B008AFE2E02CF05C4D * get_address_of_B881DA88BE0B68D8A6B6B6893822586B8B2CFC45_72() { return &___B881DA88BE0B68D8A6B6B6893822586B8B2CFC45_72; }
inline void set_B881DA88BE0B68D8A6B6B6893822586B8B2CFC45_72(__StaticArrayInitTypeSizeU3D998_t4B160A0C233D0CAB065432B008AFE2E02CF05C4D value)
{
___B881DA88BE0B68D8A6B6B6893822586B8B2CFC45_72 = value;
}
inline static int32_t get_offset_of_B8864ACB9DD69E3D42151513C840AAE270BF21C8_73() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___B8864ACB9DD69E3D42151513C840AAE270BF21C8_73)); }
inline __StaticArrayInitTypeSizeU3D162_t11E10480FC4E2E4875323D07CD37B68D7040BD28 get_B8864ACB9DD69E3D42151513C840AAE270BF21C8_73() const { return ___B8864ACB9DD69E3D42151513C840AAE270BF21C8_73; }
inline __StaticArrayInitTypeSizeU3D162_t11E10480FC4E2E4875323D07CD37B68D7040BD28 * get_address_of_B8864ACB9DD69E3D42151513C840AAE270BF21C8_73() { return &___B8864ACB9DD69E3D42151513C840AAE270BF21C8_73; }
inline void set_B8864ACB9DD69E3D42151513C840AAE270BF21C8_73(__StaticArrayInitTypeSizeU3D162_t11E10480FC4E2E4875323D07CD37B68D7040BD28 value)
{
___B8864ACB9DD69E3D42151513C840AAE270BF21C8_73 = value;
}
inline static int32_t get_offset_of_B8F87834C3597B2EEF22BA6D3A392CC925636401_74() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___B8F87834C3597B2EEF22BA6D3A392CC925636401_74)); }
inline __StaticArrayInitTypeSizeU3D360_t0E9DE21DD2818B844977C0B5AEFD0AF5FA812D79 get_B8F87834C3597B2EEF22BA6D3A392CC925636401_74() const { return ___B8F87834C3597B2EEF22BA6D3A392CC925636401_74; }
inline __StaticArrayInitTypeSizeU3D360_t0E9DE21DD2818B844977C0B5AEFD0AF5FA812D79 * get_address_of_B8F87834C3597B2EEF22BA6D3A392CC925636401_74() { return &___B8F87834C3597B2EEF22BA6D3A392CC925636401_74; }
inline void set_B8F87834C3597B2EEF22BA6D3A392CC925636401_74(__StaticArrayInitTypeSizeU3D360_t0E9DE21DD2818B844977C0B5AEFD0AF5FA812D79 value)
{
___B8F87834C3597B2EEF22BA6D3A392CC925636401_74 = value;
}
inline static int32_t get_offset_of_B9B670F134A59FB1107AF01A9FE8F8E3980B3093_75() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___B9B670F134A59FB1107AF01A9FE8F8E3980B3093_75)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_B9B670F134A59FB1107AF01A9FE8F8E3980B3093_75() const { return ___B9B670F134A59FB1107AF01A9FE8F8E3980B3093_75; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_B9B670F134A59FB1107AF01A9FE8F8E3980B3093_75() { return &___B9B670F134A59FB1107AF01A9FE8F8E3980B3093_75; }
inline void set_B9B670F134A59FB1107AF01A9FE8F8E3980B3093_75(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___B9B670F134A59FB1107AF01A9FE8F8E3980B3093_75 = value;
}
inline static int32_t get_offset_of_BEBC9ECC660A13EFC359BA3383411F698CFF25DB_76() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___BEBC9ECC660A13EFC359BA3383411F698CFF25DB_76)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_BEBC9ECC660A13EFC359BA3383411F698CFF25DB_76() const { return ___BEBC9ECC660A13EFC359BA3383411F698CFF25DB_76; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_BEBC9ECC660A13EFC359BA3383411F698CFF25DB_76() { return &___BEBC9ECC660A13EFC359BA3383411F698CFF25DB_76; }
inline void set_BEBC9ECC660A13EFC359BA3383411F698CFF25DB_76(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___BEBC9ECC660A13EFC359BA3383411F698CFF25DB_76 = value;
}
inline static int32_t get_offset_of_BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7_77() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7_77)); }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 get_BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7_77() const { return ___BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7_77; }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 * get_address_of_BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7_77() { return &___BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7_77; }
inline void set_BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7_77(__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 value)
{
___BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7_77 = value;
}
inline static int32_t get_offset_of_BF5EB60806ECB74EE484105DD9D6F463BF994867_78() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___BF5EB60806ECB74EE484105DD9D6F463BF994867_78)); }
inline __StaticArrayInitTypeSizeU3D6_tDBD6E107ED6E71EDDDBFD5023C1C5C3EE71A6A23 get_BF5EB60806ECB74EE484105DD9D6F463BF994867_78() const { return ___BF5EB60806ECB74EE484105DD9D6F463BF994867_78; }
inline __StaticArrayInitTypeSizeU3D6_tDBD6E107ED6E71EDDDBFD5023C1C5C3EE71A6A23 * get_address_of_BF5EB60806ECB74EE484105DD9D6F463BF994867_78() { return &___BF5EB60806ECB74EE484105DD9D6F463BF994867_78; }
inline void set_BF5EB60806ECB74EE484105DD9D6F463BF994867_78(__StaticArrayInitTypeSizeU3D6_tDBD6E107ED6E71EDDDBFD5023C1C5C3EE71A6A23 value)
{
___BF5EB60806ECB74EE484105DD9D6F463BF994867_78 = value;
}
inline static int32_t get_offset_of_C1A1100642BA9685B30A84D97348484E14AA1865_79() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___C1A1100642BA9685B30A84D97348484E14AA1865_79)); }
inline int64_t get_C1A1100642BA9685B30A84D97348484E14AA1865_79() const { return ___C1A1100642BA9685B30A84D97348484E14AA1865_79; }
inline int64_t* get_address_of_C1A1100642BA9685B30A84D97348484E14AA1865_79() { return &___C1A1100642BA9685B30A84D97348484E14AA1865_79; }
inline void set_C1A1100642BA9685B30A84D97348484E14AA1865_79(int64_t value)
{
___C1A1100642BA9685B30A84D97348484E14AA1865_79 = value;
}
inline static int32_t get_offset_of_C6F364A0AD934EFED8909446C215752E565D77C1_80() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___C6F364A0AD934EFED8909446C215752E565D77C1_80)); }
inline __StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26 get_C6F364A0AD934EFED8909446C215752E565D77C1_80() const { return ___C6F364A0AD934EFED8909446C215752E565D77C1_80; }
inline __StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26 * get_address_of_C6F364A0AD934EFED8909446C215752E565D77C1_80() { return &___C6F364A0AD934EFED8909446C215752E565D77C1_80; }
inline void set_C6F364A0AD934EFED8909446C215752E565D77C1_80(__StaticArrayInitTypeSizeU3D16_t9CE40E2FB4B486181F720F48DD733A3EAFFD6F26 value)
{
___C6F364A0AD934EFED8909446C215752E565D77C1_80 = value;
}
inline static int32_t get_offset_of_CE5835130F5277F63D716FC9115526B0AC68FFAD_81() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___CE5835130F5277F63D716FC9115526B0AC68FFAD_81)); }
inline __StaticArrayInitTypeSizeU3D174_t5A6FEDE2414380A28FDFFA92ACA4EADB3693E337 get_CE5835130F5277F63D716FC9115526B0AC68FFAD_81() const { return ___CE5835130F5277F63D716FC9115526B0AC68FFAD_81; }
inline __StaticArrayInitTypeSizeU3D174_t5A6FEDE2414380A28FDFFA92ACA4EADB3693E337 * get_address_of_CE5835130F5277F63D716FC9115526B0AC68FFAD_81() { return &___CE5835130F5277F63D716FC9115526B0AC68FFAD_81; }
inline void set_CE5835130F5277F63D716FC9115526B0AC68FFAD_81(__StaticArrayInitTypeSizeU3D174_t5A6FEDE2414380A28FDFFA92ACA4EADB3693E337 value)
{
___CE5835130F5277F63D716FC9115526B0AC68FFAD_81 = value;
}
inline static int32_t get_offset_of_CE93C35B755802BC4B3D180716B048FC61701EF7_82() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___CE93C35B755802BC4B3D180716B048FC61701EF7_82)); }
inline __StaticArrayInitTypeSizeU3D6_tDBD6E107ED6E71EDDDBFD5023C1C5C3EE71A6A23 get_CE93C35B755802BC4B3D180716B048FC61701EF7_82() const { return ___CE93C35B755802BC4B3D180716B048FC61701EF7_82; }
inline __StaticArrayInitTypeSizeU3D6_tDBD6E107ED6E71EDDDBFD5023C1C5C3EE71A6A23 * get_address_of_CE93C35B755802BC4B3D180716B048FC61701EF7_82() { return &___CE93C35B755802BC4B3D180716B048FC61701EF7_82; }
inline void set_CE93C35B755802BC4B3D180716B048FC61701EF7_82(__StaticArrayInitTypeSizeU3D6_tDBD6E107ED6E71EDDDBFD5023C1C5C3EE71A6A23 value)
{
___CE93C35B755802BC4B3D180716B048FC61701EF7_82 = value;
}
inline static int32_t get_offset_of_D117188BE8D4609C0D531C51B0BB911A4219DEBE_83() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___D117188BE8D4609C0D531C51B0BB911A4219DEBE_83)); }
inline __StaticArrayInitTypeSizeU3D32_t99C29E8FAFAAE5B1E3F1CB981F557B0AA62EA81B get_D117188BE8D4609C0D531C51B0BB911A4219DEBE_83() const { return ___D117188BE8D4609C0D531C51B0BB911A4219DEBE_83; }
inline __StaticArrayInitTypeSizeU3D32_t99C29E8FAFAAE5B1E3F1CB981F557B0AA62EA81B * get_address_of_D117188BE8D4609C0D531C51B0BB911A4219DEBE_83() { return &___D117188BE8D4609C0D531C51B0BB911A4219DEBE_83; }
inline void set_D117188BE8D4609C0D531C51B0BB911A4219DEBE_83(__StaticArrayInitTypeSizeU3D32_t99C29E8FAFAAE5B1E3F1CB981F557B0AA62EA81B value)
{
___D117188BE8D4609C0D531C51B0BB911A4219DEBE_83 = value;
}
inline static int32_t get_offset_of_D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636_84() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636_84)); }
inline __StaticArrayInitTypeSizeU3D44_t2C34FCD1B7CA98AF1BE52ED77A663AFA9401C5D5 get_D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636_84() const { return ___D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636_84; }
inline __StaticArrayInitTypeSizeU3D44_t2C34FCD1B7CA98AF1BE52ED77A663AFA9401C5D5 * get_address_of_D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636_84() { return &___D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636_84; }
inline void set_D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636_84(__StaticArrayInitTypeSizeU3D44_t2C34FCD1B7CA98AF1BE52ED77A663AFA9401C5D5 value)
{
___D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636_84 = value;
}
inline static int32_t get_offset_of_DA19DB47B583EFCF7825D2E39D661D2354F28219_85() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___DA19DB47B583EFCF7825D2E39D661D2354F28219_85)); }
inline __StaticArrayInitTypeSizeU3D76_tFC0C1E62400632DF6EBD5465D74B1851DAC47C60 get_DA19DB47B583EFCF7825D2E39D661D2354F28219_85() const { return ___DA19DB47B583EFCF7825D2E39D661D2354F28219_85; }
inline __StaticArrayInitTypeSizeU3D76_tFC0C1E62400632DF6EBD5465D74B1851DAC47C60 * get_address_of_DA19DB47B583EFCF7825D2E39D661D2354F28219_85() { return &___DA19DB47B583EFCF7825D2E39D661D2354F28219_85; }
inline void set_DA19DB47B583EFCF7825D2E39D661D2354F28219_85(__StaticArrayInitTypeSizeU3D76_tFC0C1E62400632DF6EBD5465D74B1851DAC47C60 value)
{
___DA19DB47B583EFCF7825D2E39D661D2354F28219_85 = value;
}
inline static int32_t get_offset_of_DD3AEFEADB1CD615F3017763F1568179FEE640B0_86() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___DD3AEFEADB1CD615F3017763F1568179FEE640B0_86)); }
inline __StaticArrayInitTypeSizeU3D52_t68C389D6C6894AE8F01E7C88DDD8CBDE317B23CD get_DD3AEFEADB1CD615F3017763F1568179FEE640B0_86() const { return ___DD3AEFEADB1CD615F3017763F1568179FEE640B0_86; }
inline __StaticArrayInitTypeSizeU3D52_t68C389D6C6894AE8F01E7C88DDD8CBDE317B23CD * get_address_of_DD3AEFEADB1CD615F3017763F1568179FEE640B0_86() { return &___DD3AEFEADB1CD615F3017763F1568179FEE640B0_86; }
inline void set_DD3AEFEADB1CD615F3017763F1568179FEE640B0_86(__StaticArrayInitTypeSizeU3D52_t68C389D6C6894AE8F01E7C88DDD8CBDE317B23CD value)
{
___DD3AEFEADB1CD615F3017763F1568179FEE640B0_86 = value;
}
inline static int32_t get_offset_of_E1827270A5FE1C85F5352A66FD87BA747213D006_87() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___E1827270A5FE1C85F5352A66FD87BA747213D006_87)); }
inline __StaticArrayInitTypeSizeU3D36_t46D2C2EA131D6126B945EA1E0993E0EE8AACC3CA get_E1827270A5FE1C85F5352A66FD87BA747213D006_87() const { return ___E1827270A5FE1C85F5352A66FD87BA747213D006_87; }
inline __StaticArrayInitTypeSizeU3D36_t46D2C2EA131D6126B945EA1E0993E0EE8AACC3CA * get_address_of_E1827270A5FE1C85F5352A66FD87BA747213D006_87() { return &___E1827270A5FE1C85F5352A66FD87BA747213D006_87; }
inline void set_E1827270A5FE1C85F5352A66FD87BA747213D006_87(__StaticArrayInitTypeSizeU3D36_t46D2C2EA131D6126B945EA1E0993E0EE8AACC3CA value)
{
___E1827270A5FE1C85F5352A66FD87BA747213D006_87 = value;
}
inline static int32_t get_offset_of_E45BAB43F7D5D038672B3E3431F92E34A7AF2571_88() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___E45BAB43F7D5D038672B3E3431F92E34A7AF2571_88)); }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 get_E45BAB43F7D5D038672B3E3431F92E34A7AF2571_88() const { return ___E45BAB43F7D5D038672B3E3431F92E34A7AF2571_88; }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 * get_address_of_E45BAB43F7D5D038672B3E3431F92E34A7AF2571_88() { return &___E45BAB43F7D5D038672B3E3431F92E34A7AF2571_88; }
inline void set_E45BAB43F7D5D038672B3E3431F92E34A7AF2571_88(__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 value)
{
___E45BAB43F7D5D038672B3E3431F92E34A7AF2571_88 = value;
}
inline static int32_t get_offset_of_E92B39D8233061927D9ACDE54665E68E7535635A_89() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___E92B39D8233061927D9ACDE54665E68E7535635A_89)); }
inline __StaticArrayInitTypeSizeU3D52_t68C389D6C6894AE8F01E7C88DDD8CBDE317B23CD get_E92B39D8233061927D9ACDE54665E68E7535635A_89() const { return ___E92B39D8233061927D9ACDE54665E68E7535635A_89; }
inline __StaticArrayInitTypeSizeU3D52_t68C389D6C6894AE8F01E7C88DDD8CBDE317B23CD * get_address_of_E92B39D8233061927D9ACDE54665E68E7535635A_89() { return &___E92B39D8233061927D9ACDE54665E68E7535635A_89; }
inline void set_E92B39D8233061927D9ACDE54665E68E7535635A_89(__StaticArrayInitTypeSizeU3D52_t68C389D6C6894AE8F01E7C88DDD8CBDE317B23CD value)
{
___E92B39D8233061927D9ACDE54665E68E7535635A_89 = value;
}
inline static int32_t get_offset_of_EA9506959484C55CFE0C139C624DF6060E285866_90() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___EA9506959484C55CFE0C139C624DF6060E285866_90)); }
inline __StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 get_EA9506959484C55CFE0C139C624DF6060E285866_90() const { return ___EA9506959484C55CFE0C139C624DF6060E285866_90; }
inline __StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 * get_address_of_EA9506959484C55CFE0C139C624DF6060E285866_90() { return &___EA9506959484C55CFE0C139C624DF6060E285866_90; }
inline void set_EA9506959484C55CFE0C139C624DF6060E285866_90(__StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 value)
{
___EA9506959484C55CFE0C139C624DF6060E285866_90 = value;
}
inline static int32_t get_offset_of_EB5E9A80A40096AB74D2E226650C7258D7BC5E9D_91() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___EB5E9A80A40096AB74D2E226650C7258D7BC5E9D_91)); }
inline __StaticArrayInitTypeSizeU3D262_tF74EA0E2AEDDD20898E5779445ABF7802D23911A get_EB5E9A80A40096AB74D2E226650C7258D7BC5E9D_91() const { return ___EB5E9A80A40096AB74D2E226650C7258D7BC5E9D_91; }
inline __StaticArrayInitTypeSizeU3D262_tF74EA0E2AEDDD20898E5779445ABF7802D23911A * get_address_of_EB5E9A80A40096AB74D2E226650C7258D7BC5E9D_91() { return &___EB5E9A80A40096AB74D2E226650C7258D7BC5E9D_91; }
inline void set_EB5E9A80A40096AB74D2E226650C7258D7BC5E9D_91(__StaticArrayInitTypeSizeU3D262_tF74EA0E2AEDDD20898E5779445ABF7802D23911A value)
{
___EB5E9A80A40096AB74D2E226650C7258D7BC5E9D_91 = value;
}
inline static int32_t get_offset_of_EBF68F411848D603D059DFDEA2321C5A5EA78044_92() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___EBF68F411848D603D059DFDEA2321C5A5EA78044_92)); }
inline __StaticArrayInitTypeSizeU3D64_t7C93E4AFB43BF13F84D563CFD17E5011B9721668 get_EBF68F411848D603D059DFDEA2321C5A5EA78044_92() const { return ___EBF68F411848D603D059DFDEA2321C5A5EA78044_92; }
inline __StaticArrayInitTypeSizeU3D64_t7C93E4AFB43BF13F84D563CFD17E5011B9721668 * get_address_of_EBF68F411848D603D059DFDEA2321C5A5EA78044_92() { return &___EBF68F411848D603D059DFDEA2321C5A5EA78044_92; }
inline void set_EBF68F411848D603D059DFDEA2321C5A5EA78044_92(__StaticArrayInitTypeSizeU3D64_t7C93E4AFB43BF13F84D563CFD17E5011B9721668 value)
{
___EBF68F411848D603D059DFDEA2321C5A5EA78044_92 = value;
}
inline static int32_t get_offset_of_EC89C317EA2BF49A70EFF5E89C691E34733D7C37_93() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___EC89C317EA2BF49A70EFF5E89C691E34733D7C37_93)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_EC89C317EA2BF49A70EFF5E89C691E34733D7C37_93() const { return ___EC89C317EA2BF49A70EFF5E89C691E34733D7C37_93; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_EC89C317EA2BF49A70EFF5E89C691E34733D7C37_93() { return &___EC89C317EA2BF49A70EFF5E89C691E34733D7C37_93; }
inline void set_EC89C317EA2BF49A70EFF5E89C691E34733D7C37_93(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___EC89C317EA2BF49A70EFF5E89C691E34733D7C37_93 = value;
}
inline static int32_t get_offset_of_F06E829E62F3AFBC045D064E10A4F5DF7C969612_94() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___F06E829E62F3AFBC045D064E10A4F5DF7C969612_94)); }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 get_F06E829E62F3AFBC045D064E10A4F5DF7C969612_94() const { return ___F06E829E62F3AFBC045D064E10A4F5DF7C969612_94; }
inline __StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 * get_address_of_F06E829E62F3AFBC045D064E10A4F5DF7C969612_94() { return &___F06E829E62F3AFBC045D064E10A4F5DF7C969612_94; }
inline void set_F06E829E62F3AFBC045D064E10A4F5DF7C969612_94(__StaticArrayInitTypeSizeU3D40_t31DA647550534A2982671AD8E1F791854ABE4525 value)
{
___F06E829E62F3AFBC045D064E10A4F5DF7C969612_94 = value;
}
inline static int32_t get_offset_of_F073AA332018FDA0D572E99448FFF1D6422BD520_95() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___F073AA332018FDA0D572E99448FFF1D6422BD520_95)); }
inline __StaticArrayInitTypeSizeU3D11614_t7947936AE0A455E7877908DB7A291DEE37965F6F get_F073AA332018FDA0D572E99448FFF1D6422BD520_95() const { return ___F073AA332018FDA0D572E99448FFF1D6422BD520_95; }
inline __StaticArrayInitTypeSizeU3D11614_t7947936AE0A455E7877908DB7A291DEE37965F6F * get_address_of_F073AA332018FDA0D572E99448FFF1D6422BD520_95() { return &___F073AA332018FDA0D572E99448FFF1D6422BD520_95; }
inline void set_F073AA332018FDA0D572E99448FFF1D6422BD520_95(__StaticArrayInitTypeSizeU3D11614_t7947936AE0A455E7877908DB7A291DEE37965F6F value)
{
___F073AA332018FDA0D572E99448FFF1D6422BD520_95 = value;
}
inline static int32_t get_offset_of_F34B0E10653402E8F788F8BC3F7CD7090928A429_96() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___F34B0E10653402E8F788F8BC3F7CD7090928A429_96)); }
inline __StaticArrayInitTypeSizeU3D120_t13A2E28354D3A542E1A2AD289B7970CE8BF64CE1 get_F34B0E10653402E8F788F8BC3F7CD7090928A429_96() const { return ___F34B0E10653402E8F788F8BC3F7CD7090928A429_96; }
inline __StaticArrayInitTypeSizeU3D120_t13A2E28354D3A542E1A2AD289B7970CE8BF64CE1 * get_address_of_F34B0E10653402E8F788F8BC3F7CD7090928A429_96() { return &___F34B0E10653402E8F788F8BC3F7CD7090928A429_96; }
inline void set_F34B0E10653402E8F788F8BC3F7CD7090928A429_96(__StaticArrayInitTypeSizeU3D120_t13A2E28354D3A542E1A2AD289B7970CE8BF64CE1 value)
{
___F34B0E10653402E8F788F8BC3F7CD7090928A429_96 = value;
}
inline static int32_t get_offset_of_F37E34BEADB04F34FCC31078A59F49856CA83D5B_97() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___F37E34BEADB04F34FCC31078A59F49856CA83D5B_97)); }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 get_F37E34BEADB04F34FCC31078A59F49856CA83D5B_97() const { return ___F37E34BEADB04F34FCC31078A59F49856CA83D5B_97; }
inline __StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 * get_address_of_F37E34BEADB04F34FCC31078A59F49856CA83D5B_97() { return &___F37E34BEADB04F34FCC31078A59F49856CA83D5B_97; }
inline void set_F37E34BEADB04F34FCC31078A59F49856CA83D5B_97(__StaticArrayInitTypeSizeU3D72_tFE5593C37377A26A806059B8620472A6E51E5AD2 value)
{
___F37E34BEADB04F34FCC31078A59F49856CA83D5B_97 = value;
}
inline static int32_t get_offset_of_F512A9ABF88066AAEB92684F95CC05D8101B462B_98() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___F512A9ABF88066AAEB92684F95CC05D8101B462B_98)); }
inline __StaticArrayInitTypeSizeU3D94_t52D6560B7A2023DDDFDCF4D8F6C226742520B4C7 get_F512A9ABF88066AAEB92684F95CC05D8101B462B_98() const { return ___F512A9ABF88066AAEB92684F95CC05D8101B462B_98; }
inline __StaticArrayInitTypeSizeU3D94_t52D6560B7A2023DDDFDCF4D8F6C226742520B4C7 * get_address_of_F512A9ABF88066AAEB92684F95CC05D8101B462B_98() { return &___F512A9ABF88066AAEB92684F95CC05D8101B462B_98; }
inline void set_F512A9ABF88066AAEB92684F95CC05D8101B462B_98(__StaticArrayInitTypeSizeU3D94_t52D6560B7A2023DDDFDCF4D8F6C226742520B4C7 value)
{
___F512A9ABF88066AAEB92684F95CC05D8101B462B_98 = value;
}
inline static int32_t get_offset_of_F8FAABB821300AA500C2CEC6091B3782A7FB44A4_99() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___F8FAABB821300AA500C2CEC6091B3782A7FB44A4_99)); }
inline __StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 get_F8FAABB821300AA500C2CEC6091B3782A7FB44A4_99() const { return ___F8FAABB821300AA500C2CEC6091B3782A7FB44A4_99; }
inline __StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 * get_address_of_F8FAABB821300AA500C2CEC6091B3782A7FB44A4_99() { return &___F8FAABB821300AA500C2CEC6091B3782A7FB44A4_99; }
inline void set_F8FAABB821300AA500C2CEC6091B3782A7FB44A4_99(__StaticArrayInitTypeSizeU3D12_t5FA9A9D9E4F196768B874B61DC1C6549CB34A584 value)
{
___F8FAABB821300AA500C2CEC6091B3782A7FB44A4_99 = value;
}
inline static int32_t get_offset_of_FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B_100() { return static_cast<int32_t>(offsetof(U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields, ___FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B_100)); }
inline __StaticArrayInitTypeSizeU3D2350_t029525D9BCF84611FB610B9E4D13EE898E0B055D get_FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B_100() const { return ___FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B_100; }
inline __StaticArrayInitTypeSizeU3D2350_t029525D9BCF84611FB610B9E4D13EE898E0B055D * get_address_of_FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B_100() { return &___FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B_100; }
inline void set_FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B_100(__StaticArrayInitTypeSizeU3D2350_t029525D9BCF84611FB610B9E4D13EE898E0B055D value)
{
___FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B_100 = value;
}
};
// UnityEngine.XR.ARFoundation.AREnvironmentProbePlacementType
struct AREnvironmentProbePlacementType_t8B7FE91B96D893B1F0D71AACCE26488675785DDC
{
public:
// System.Int32 UnityEngine.XR.ARFoundation.AREnvironmentProbePlacementType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AREnvironmentProbePlacementType_t8B7FE91B96D893B1F0D71AACCE26488675785DDC, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.SocialPlatforms.Impl.Achievement
struct Achievement_t43EB1469B011ADDEF59B6CB30044B878770D3565 : 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_tEAF2CD16E071DF5441F40822E4CFE880E5245405 ___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_t43EB1469B011ADDEF59B6CB30044B878770D3565, ___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_t43EB1469B011ADDEF59B6CB30044B878770D3565, ___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_t43EB1469B011ADDEF59B6CB30044B878770D3565, ___m_LastReportedDate_2)); }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 get_m_LastReportedDate_2() const { return ___m_LastReportedDate_2; }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 * get_address_of_m_LastReportedDate_2() { return &___m_LastReportedDate_2; }
inline void set_m_LastReportedDate_2(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 value)
{
___m_LastReportedDate_2 = value;
}
inline static int32_t get_offset_of_U3CidU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(Achievement_t43EB1469B011ADDEF59B6CB30044B878770D3565, ___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((void**)(&___U3CidU3Ek__BackingField_3), (void*)value);
}
inline static int32_t get_offset_of_U3CpercentCompletedU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(Achievement_t43EB1469B011ADDEF59B6CB30044B878770D3565, ___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;
}
};
// UnityEngine.XR.ARSubsystems.AddReferenceImageJobStatus
struct AddReferenceImageJobStatus_t9DCD4D2016D73AAD47038B7967E3C83B06A91899
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.AddReferenceImageJobStatus::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AddReferenceImageJobStatus_t9DCD4D2016D73AAD47038B7967E3C83B06A91899, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.AdditionalCanvasShaderChannels
struct AdditionalCanvasShaderChannels_t72A9ACBEE2E5AB5834D5F978421028757954396C
{
public:
// System.Int32 UnityEngine.AdditionalCanvasShaderChannels::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AdditionalCanvasShaderChannels_t72A9ACBEE2E5AB5834D5F978421028757954396C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Net.Sockets.AddressFamily
struct AddressFamily_tFCF4C888B95C069AB2D4720EC8C2E19453C28B33
{
public:
// System.Int32 System.Net.Sockets.AddressFamily::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AddressFamily_tFCF4C888B95C069AB2D4720EC8C2E19453C28B33, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.AddressableAssets.AddressablesImpl
struct AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 : public RuntimeObject
{
public:
// UnityEngine.ResourceManagement.ResourceManager UnityEngine.AddressableAssets.AddressablesImpl::m_ResourceManager
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * ___m_ResourceManager_0;
// UnityEngine.ResourceManagement.ResourceProviders.IInstanceProvider UnityEngine.AddressableAssets.AddressablesImpl::m_InstanceProvider
RuntimeObject* ___m_InstanceProvider_1;
// System.Int32 UnityEngine.AddressableAssets.AddressablesImpl::m_CatalogRequestsTimeout
int32_t ___m_CatalogRequestsTimeout_2;
// UnityEngine.ResourceManagement.ResourceProviders.ISceneProvider UnityEngine.AddressableAssets.AddressablesImpl::SceneProvider
RuntimeObject* ___SceneProvider_3;
// System.Collections.Generic.List`1<UnityEngine.AddressableAssets.AddressablesImpl/ResourceLocatorInfo> UnityEngine.AddressableAssets.AddressablesImpl::m_ResourceLocators
List_1_t5A857F880D0CFEA1592ADB710EE5A59BC3C4237F * ___m_ResourceLocators_4;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.AddressableAssets.ResourceLocators.IResourceLocator> UnityEngine.AddressableAssets.AddressablesImpl::m_InitializationOperation
AsyncOperationHandle_1_tACBCEBB25FC221B2183225C6276396BB356E14DE ___m_InitializationOperation_5;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<System.Collections.Generic.List`1<UnityEngine.AddressableAssets.ResourceLocators.IResourceLocator>> UnityEngine.AddressableAssets.AddressablesImpl::m_ActiveUpdateOperation
AsyncOperationHandle_1_t5CED34FCEBFC00E685EAABBF350C43CBC2AED1D4 ___m_ActiveUpdateOperation_6;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.AddressableAssets.AddressablesImpl::m_OnHandleCompleteAction
Action_1_t6634F94209C51241AB52BDC921720558A925806B * ___m_OnHandleCompleteAction_7;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.AddressableAssets.AddressablesImpl::m_OnSceneHandleCompleteAction
Action_1_t6634F94209C51241AB52BDC921720558A925806B * ___m_OnSceneHandleCompleteAction_8;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.AddressableAssets.AddressablesImpl::m_OnHandleDestroyedAction
Action_1_t6634F94209C51241AB52BDC921720558A925806B * ___m_OnHandleDestroyedAction_9;
// System.Collections.Generic.Dictionary`2<System.Object,UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.AddressableAssets.AddressablesImpl::m_resultToHandle
Dictionary_2_tFE864065647FF3F1F8ACB61B44C408D5FAFD3FCC * ___m_resultToHandle_10;
// System.Collections.Generic.HashSet`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.AddressableAssets.AddressablesImpl::m_SceneInstances
HashSet_1_tA8ED10554572301FDA2F65860E6B048C8CE660FC * ___m_SceneInstances_11;
// System.Boolean UnityEngine.AddressableAssets.AddressablesImpl::hasStartedInitialization
bool ___hasStartedInitialization_12;
public:
inline static int32_t get_offset_of_m_ResourceManager_0() { return static_cast<int32_t>(offsetof(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2, ___m_ResourceManager_0)); }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * get_m_ResourceManager_0() const { return ___m_ResourceManager_0; }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 ** get_address_of_m_ResourceManager_0() { return &___m_ResourceManager_0; }
inline void set_m_ResourceManager_0(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * value)
{
___m_ResourceManager_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ResourceManager_0), (void*)value);
}
inline static int32_t get_offset_of_m_InstanceProvider_1() { return static_cast<int32_t>(offsetof(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2, ___m_InstanceProvider_1)); }
inline RuntimeObject* get_m_InstanceProvider_1() const { return ___m_InstanceProvider_1; }
inline RuntimeObject** get_address_of_m_InstanceProvider_1() { return &___m_InstanceProvider_1; }
inline void set_m_InstanceProvider_1(RuntimeObject* value)
{
___m_InstanceProvider_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InstanceProvider_1), (void*)value);
}
inline static int32_t get_offset_of_m_CatalogRequestsTimeout_2() { return static_cast<int32_t>(offsetof(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2, ___m_CatalogRequestsTimeout_2)); }
inline int32_t get_m_CatalogRequestsTimeout_2() const { return ___m_CatalogRequestsTimeout_2; }
inline int32_t* get_address_of_m_CatalogRequestsTimeout_2() { return &___m_CatalogRequestsTimeout_2; }
inline void set_m_CatalogRequestsTimeout_2(int32_t value)
{
___m_CatalogRequestsTimeout_2 = value;
}
inline static int32_t get_offset_of_SceneProvider_3() { return static_cast<int32_t>(offsetof(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2, ___SceneProvider_3)); }
inline RuntimeObject* get_SceneProvider_3() const { return ___SceneProvider_3; }
inline RuntimeObject** get_address_of_SceneProvider_3() { return &___SceneProvider_3; }
inline void set_SceneProvider_3(RuntimeObject* value)
{
___SceneProvider_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___SceneProvider_3), (void*)value);
}
inline static int32_t get_offset_of_m_ResourceLocators_4() { return static_cast<int32_t>(offsetof(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2, ___m_ResourceLocators_4)); }
inline List_1_t5A857F880D0CFEA1592ADB710EE5A59BC3C4237F * get_m_ResourceLocators_4() const { return ___m_ResourceLocators_4; }
inline List_1_t5A857F880D0CFEA1592ADB710EE5A59BC3C4237F ** get_address_of_m_ResourceLocators_4() { return &___m_ResourceLocators_4; }
inline void set_m_ResourceLocators_4(List_1_t5A857F880D0CFEA1592ADB710EE5A59BC3C4237F * value)
{
___m_ResourceLocators_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ResourceLocators_4), (void*)value);
}
inline static int32_t get_offset_of_m_InitializationOperation_5() { return static_cast<int32_t>(offsetof(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2, ___m_InitializationOperation_5)); }
inline AsyncOperationHandle_1_tACBCEBB25FC221B2183225C6276396BB356E14DE get_m_InitializationOperation_5() const { return ___m_InitializationOperation_5; }
inline AsyncOperationHandle_1_tACBCEBB25FC221B2183225C6276396BB356E14DE * get_address_of_m_InitializationOperation_5() { return &___m_InitializationOperation_5; }
inline void set_m_InitializationOperation_5(AsyncOperationHandle_1_tACBCEBB25FC221B2183225C6276396BB356E14DE value)
{
___m_InitializationOperation_5 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_InitializationOperation_5))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_InitializationOperation_5))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_ActiveUpdateOperation_6() { return static_cast<int32_t>(offsetof(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2, ___m_ActiveUpdateOperation_6)); }
inline AsyncOperationHandle_1_t5CED34FCEBFC00E685EAABBF350C43CBC2AED1D4 get_m_ActiveUpdateOperation_6() const { return ___m_ActiveUpdateOperation_6; }
inline AsyncOperationHandle_1_t5CED34FCEBFC00E685EAABBF350C43CBC2AED1D4 * get_address_of_m_ActiveUpdateOperation_6() { return &___m_ActiveUpdateOperation_6; }
inline void set_m_ActiveUpdateOperation_6(AsyncOperationHandle_1_t5CED34FCEBFC00E685EAABBF350C43CBC2AED1D4 value)
{
___m_ActiveUpdateOperation_6 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_ActiveUpdateOperation_6))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_ActiveUpdateOperation_6))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_OnHandleCompleteAction_7() { return static_cast<int32_t>(offsetof(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2, ___m_OnHandleCompleteAction_7)); }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B * get_m_OnHandleCompleteAction_7() const { return ___m_OnHandleCompleteAction_7; }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B ** get_address_of_m_OnHandleCompleteAction_7() { return &___m_OnHandleCompleteAction_7; }
inline void set_m_OnHandleCompleteAction_7(Action_1_t6634F94209C51241AB52BDC921720558A925806B * value)
{
___m_OnHandleCompleteAction_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnHandleCompleteAction_7), (void*)value);
}
inline static int32_t get_offset_of_m_OnSceneHandleCompleteAction_8() { return static_cast<int32_t>(offsetof(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2, ___m_OnSceneHandleCompleteAction_8)); }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B * get_m_OnSceneHandleCompleteAction_8() const { return ___m_OnSceneHandleCompleteAction_8; }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B ** get_address_of_m_OnSceneHandleCompleteAction_8() { return &___m_OnSceneHandleCompleteAction_8; }
inline void set_m_OnSceneHandleCompleteAction_8(Action_1_t6634F94209C51241AB52BDC921720558A925806B * value)
{
___m_OnSceneHandleCompleteAction_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnSceneHandleCompleteAction_8), (void*)value);
}
inline static int32_t get_offset_of_m_OnHandleDestroyedAction_9() { return static_cast<int32_t>(offsetof(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2, ___m_OnHandleDestroyedAction_9)); }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B * get_m_OnHandleDestroyedAction_9() const { return ___m_OnHandleDestroyedAction_9; }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B ** get_address_of_m_OnHandleDestroyedAction_9() { return &___m_OnHandleDestroyedAction_9; }
inline void set_m_OnHandleDestroyedAction_9(Action_1_t6634F94209C51241AB52BDC921720558A925806B * value)
{
___m_OnHandleDestroyedAction_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnHandleDestroyedAction_9), (void*)value);
}
inline static int32_t get_offset_of_m_resultToHandle_10() { return static_cast<int32_t>(offsetof(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2, ___m_resultToHandle_10)); }
inline Dictionary_2_tFE864065647FF3F1F8ACB61B44C408D5FAFD3FCC * get_m_resultToHandle_10() const { return ___m_resultToHandle_10; }
inline Dictionary_2_tFE864065647FF3F1F8ACB61B44C408D5FAFD3FCC ** get_address_of_m_resultToHandle_10() { return &___m_resultToHandle_10; }
inline void set_m_resultToHandle_10(Dictionary_2_tFE864065647FF3F1F8ACB61B44C408D5FAFD3FCC * value)
{
___m_resultToHandle_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_resultToHandle_10), (void*)value);
}
inline static int32_t get_offset_of_m_SceneInstances_11() { return static_cast<int32_t>(offsetof(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2, ___m_SceneInstances_11)); }
inline HashSet_1_tA8ED10554572301FDA2F65860E6B048C8CE660FC * get_m_SceneInstances_11() const { return ___m_SceneInstances_11; }
inline HashSet_1_tA8ED10554572301FDA2F65860E6B048C8CE660FC ** get_address_of_m_SceneInstances_11() { return &___m_SceneInstances_11; }
inline void set_m_SceneInstances_11(HashSet_1_tA8ED10554572301FDA2F65860E6B048C8CE660FC * value)
{
___m_SceneInstances_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SceneInstances_11), (void*)value);
}
inline static int32_t get_offset_of_hasStartedInitialization_12() { return static_cast<int32_t>(offsetof(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2, ___hasStartedInitialization_12)); }
inline bool get_hasStartedInitialization_12() const { return ___hasStartedInitialization_12; }
inline bool* get_address_of_hasStartedInitialization_12() { return &___hasStartedInitialization_12; }
inline void set_hasStartedInitialization_12(bool value)
{
___hasStartedInitialization_12 = value;
}
};
// Unity.Collections.Allocator
struct Allocator_t9888223DEF4F46F3419ECFCCD0753599BEE52A05
{
public:
// System.Int32 Unity.Collections.Allocator::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Allocator_t9888223DEF4F46F3419ECFCCD0753599BEE52A05, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Rendering.AmbientMode
struct AmbientMode_t7AA88458DFE050FF09D48541DF558E06379BDC6C
{
public:
// System.Int32 UnityEngine.Rendering.AmbientMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AmbientMode_t7AA88458DFE050FF09D48541DF558E06379BDC6C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Experimental.GlobalIllumination.AngularFalloffType
struct AngularFalloffType_tE33F65C52CF289A72D8EA70883440F4D993621E2
{
public:
// System.Byte UnityEngine.Experimental.GlobalIllumination.AngularFalloffType::value__
uint8_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AngularFalloffType_tE33F65C52CF289A72D8EA70883440F4D993621E2, ___value___2)); }
inline uint8_t get_value___2() const { return ___value___2; }
inline uint8_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint8_t value)
{
___value___2 = value;
}
};
// UnityEngine.AnimationCurve
struct AnimationCurve_t2D452A14820CEDB83BFF2C911682A4E59001AD03 : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.AnimationCurve::m_Ptr
intptr_t ___m_Ptr_0;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(AnimationCurve_t2D452A14820CEDB83BFF2C911682A4E59001AD03, ___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;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.AnimationCurve
struct AnimationCurve_t2D452A14820CEDB83BFF2C911682A4E59001AD03_marshaled_pinvoke
{
intptr_t ___m_Ptr_0;
};
// Native definition for COM marshalling of UnityEngine.AnimationCurve
struct AnimationCurve_t2D452A14820CEDB83BFF2C911682A4E59001AD03_marshaled_com
{
intptr_t ___m_Ptr_0;
};
// UnityEngine.AnimationEventSource
struct AnimationEventSource_t1B170B0043F7F21E0AA3577B3220584CA3797630
{
public:
// System.Int32 UnityEngine.AnimationEventSource::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AnimationEventSource_t1B170B0043F7F21E0AA3577B3220584CA3797630, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Animations.AnimationHumanStream
struct AnimationHumanStream_t98A25119C1A24795BA152F54CF9F0673EEDF1C3F
{
public:
// System.IntPtr UnityEngine.Animations.AnimationHumanStream::stream
intptr_t ___stream_0;
public:
inline static int32_t get_offset_of_stream_0() { return static_cast<int32_t>(offsetof(AnimationHumanStream_t98A25119C1A24795BA152F54CF9F0673EEDF1C3F, ___stream_0)); }
inline intptr_t get_stream_0() const { return ___stream_0; }
inline intptr_t* get_address_of_stream_0() { return &___stream_0; }
inline void set_stream_0(intptr_t value)
{
___stream_0 = value;
}
};
// UnityEngine.Animations.AnimationStream
struct AnimationStream_t32D9239CBAA66CE867094B820035B2121D7E2714
{
public:
// System.UInt32 UnityEngine.Animations.AnimationStream::m_AnimatorBindingsVersion
uint32_t ___m_AnimatorBindingsVersion_0;
// System.IntPtr UnityEngine.Animations.AnimationStream::constant
intptr_t ___constant_1;
// System.IntPtr UnityEngine.Animations.AnimationStream::input
intptr_t ___input_2;
// System.IntPtr UnityEngine.Animations.AnimationStream::output
intptr_t ___output_3;
// System.IntPtr UnityEngine.Animations.AnimationStream::workspace
intptr_t ___workspace_4;
// System.IntPtr UnityEngine.Animations.AnimationStream::inputStreamAccessor
intptr_t ___inputStreamAccessor_5;
// System.IntPtr UnityEngine.Animations.AnimationStream::animationHandleBinder
intptr_t ___animationHandleBinder_6;
public:
inline static int32_t get_offset_of_m_AnimatorBindingsVersion_0() { return static_cast<int32_t>(offsetof(AnimationStream_t32D9239CBAA66CE867094B820035B2121D7E2714, ___m_AnimatorBindingsVersion_0)); }
inline uint32_t get_m_AnimatorBindingsVersion_0() const { return ___m_AnimatorBindingsVersion_0; }
inline uint32_t* get_address_of_m_AnimatorBindingsVersion_0() { return &___m_AnimatorBindingsVersion_0; }
inline void set_m_AnimatorBindingsVersion_0(uint32_t value)
{
___m_AnimatorBindingsVersion_0 = value;
}
inline static int32_t get_offset_of_constant_1() { return static_cast<int32_t>(offsetof(AnimationStream_t32D9239CBAA66CE867094B820035B2121D7E2714, ___constant_1)); }
inline intptr_t get_constant_1() const { return ___constant_1; }
inline intptr_t* get_address_of_constant_1() { return &___constant_1; }
inline void set_constant_1(intptr_t value)
{
___constant_1 = value;
}
inline static int32_t get_offset_of_input_2() { return static_cast<int32_t>(offsetof(AnimationStream_t32D9239CBAA66CE867094B820035B2121D7E2714, ___input_2)); }
inline intptr_t get_input_2() const { return ___input_2; }
inline intptr_t* get_address_of_input_2() { return &___input_2; }
inline void set_input_2(intptr_t value)
{
___input_2 = value;
}
inline static int32_t get_offset_of_output_3() { return static_cast<int32_t>(offsetof(AnimationStream_t32D9239CBAA66CE867094B820035B2121D7E2714, ___output_3)); }
inline intptr_t get_output_3() const { return ___output_3; }
inline intptr_t* get_address_of_output_3() { return &___output_3; }
inline void set_output_3(intptr_t value)
{
___output_3 = value;
}
inline static int32_t get_offset_of_workspace_4() { return static_cast<int32_t>(offsetof(AnimationStream_t32D9239CBAA66CE867094B820035B2121D7E2714, ___workspace_4)); }
inline intptr_t get_workspace_4() const { return ___workspace_4; }
inline intptr_t* get_address_of_workspace_4() { return &___workspace_4; }
inline void set_workspace_4(intptr_t value)
{
___workspace_4 = value;
}
inline static int32_t get_offset_of_inputStreamAccessor_5() { return static_cast<int32_t>(offsetof(AnimationStream_t32D9239CBAA66CE867094B820035B2121D7E2714, ___inputStreamAccessor_5)); }
inline intptr_t get_inputStreamAccessor_5() const { return ___inputStreamAccessor_5; }
inline intptr_t* get_address_of_inputStreamAccessor_5() { return &___inputStreamAccessor_5; }
inline void set_inputStreamAccessor_5(intptr_t value)
{
___inputStreamAccessor_5 = value;
}
inline static int32_t get_offset_of_animationHandleBinder_6() { return static_cast<int32_t>(offsetof(AnimationStream_t32D9239CBAA66CE867094B820035B2121D7E2714, ___animationHandleBinder_6)); }
inline intptr_t get_animationHandleBinder_6() const { return ___animationHandleBinder_6; }
inline intptr_t* get_address_of_animationHandleBinder_6() { return &___animationHandleBinder_6; }
inline void set_animationHandleBinder_6(intptr_t value)
{
___animationHandleBinder_6 = value;
}
};
// System.AppDomain
struct AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A : public MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8
{
public:
// System.IntPtr System.AppDomain::_mono_app_domain
intptr_t ____mono_app_domain_1;
// System.Object System.AppDomain::_evidence
RuntimeObject * ____evidence_6;
// System.Object System.AppDomain::_granted
RuntimeObject * ____granted_7;
// System.Int32 System.AppDomain::_principalPolicy
int32_t ____principalPolicy_8;
// System.AssemblyLoadEventHandler System.AppDomain::AssemblyLoad
AssemblyLoadEventHandler_tE06B38463937F6FBCCECF4DF6519F83C1683FE0C * ___AssemblyLoad_11;
// System.ResolveEventHandler System.AppDomain::AssemblyResolve
ResolveEventHandler_tC6827B550D5B6553B57571630B1EE01AC12A1089 * ___AssemblyResolve_12;
// System.EventHandler System.AppDomain::DomainUnload
EventHandler_t084491E53EC706ACA0A15CA17488C075B4ECA44B * ___DomainUnload_13;
// System.EventHandler System.AppDomain::ProcessExit
EventHandler_t084491E53EC706ACA0A15CA17488C075B4ECA44B * ___ProcessExit_14;
// System.ResolveEventHandler System.AppDomain::ResourceResolve
ResolveEventHandler_tC6827B550D5B6553B57571630B1EE01AC12A1089 * ___ResourceResolve_15;
// System.ResolveEventHandler System.AppDomain::TypeResolve
ResolveEventHandler_tC6827B550D5B6553B57571630B1EE01AC12A1089 * ___TypeResolve_16;
// System.UnhandledExceptionEventHandler System.AppDomain::UnhandledException
UnhandledExceptionEventHandler_t1DF125A860ED9B70F24ADFA6CB0781533A23DA64 * ___UnhandledException_17;
// System.EventHandler`1<System.Runtime.ExceptionServices.FirstChanceExceptionEventArgs> System.AppDomain::FirstChanceException
EventHandler_1_t7F26BD2270AD4531F2328FD1382278E975249DF1 * ___FirstChanceException_18;
// System.Object System.AppDomain::_domain_manager
RuntimeObject * ____domain_manager_19;
// System.ResolveEventHandler System.AppDomain::ReflectionOnlyAssemblyResolve
ResolveEventHandler_tC6827B550D5B6553B57571630B1EE01AC12A1089 * ___ReflectionOnlyAssemblyResolve_20;
// System.Object System.AppDomain::_activation
RuntimeObject * ____activation_21;
// System.Object System.AppDomain::_applicationIdentity
RuntimeObject * ____applicationIdentity_22;
// System.Collections.Generic.List`1<System.String> System.AppDomain::compatibility_switch
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___compatibility_switch_23;
public:
inline static int32_t get_offset_of__mono_app_domain_1() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A, ____mono_app_domain_1)); }
inline intptr_t get__mono_app_domain_1() const { return ____mono_app_domain_1; }
inline intptr_t* get_address_of__mono_app_domain_1() { return &____mono_app_domain_1; }
inline void set__mono_app_domain_1(intptr_t value)
{
____mono_app_domain_1 = value;
}
inline static int32_t get_offset_of__evidence_6() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A, ____evidence_6)); }
inline RuntimeObject * get__evidence_6() const { return ____evidence_6; }
inline RuntimeObject ** get_address_of__evidence_6() { return &____evidence_6; }
inline void set__evidence_6(RuntimeObject * value)
{
____evidence_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____evidence_6), (void*)value);
}
inline static int32_t get_offset_of__granted_7() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A, ____granted_7)); }
inline RuntimeObject * get__granted_7() const { return ____granted_7; }
inline RuntimeObject ** get_address_of__granted_7() { return &____granted_7; }
inline void set__granted_7(RuntimeObject * value)
{
____granted_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&____granted_7), (void*)value);
}
inline static int32_t get_offset_of__principalPolicy_8() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A, ____principalPolicy_8)); }
inline int32_t get__principalPolicy_8() const { return ____principalPolicy_8; }
inline int32_t* get_address_of__principalPolicy_8() { return &____principalPolicy_8; }
inline void set__principalPolicy_8(int32_t value)
{
____principalPolicy_8 = value;
}
inline static int32_t get_offset_of_AssemblyLoad_11() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A, ___AssemblyLoad_11)); }
inline AssemblyLoadEventHandler_tE06B38463937F6FBCCECF4DF6519F83C1683FE0C * get_AssemblyLoad_11() const { return ___AssemblyLoad_11; }
inline AssemblyLoadEventHandler_tE06B38463937F6FBCCECF4DF6519F83C1683FE0C ** get_address_of_AssemblyLoad_11() { return &___AssemblyLoad_11; }
inline void set_AssemblyLoad_11(AssemblyLoadEventHandler_tE06B38463937F6FBCCECF4DF6519F83C1683FE0C * value)
{
___AssemblyLoad_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___AssemblyLoad_11), (void*)value);
}
inline static int32_t get_offset_of_AssemblyResolve_12() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A, ___AssemblyResolve_12)); }
inline ResolveEventHandler_tC6827B550D5B6553B57571630B1EE01AC12A1089 * get_AssemblyResolve_12() const { return ___AssemblyResolve_12; }
inline ResolveEventHandler_tC6827B550D5B6553B57571630B1EE01AC12A1089 ** get_address_of_AssemblyResolve_12() { return &___AssemblyResolve_12; }
inline void set_AssemblyResolve_12(ResolveEventHandler_tC6827B550D5B6553B57571630B1EE01AC12A1089 * value)
{
___AssemblyResolve_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___AssemblyResolve_12), (void*)value);
}
inline static int32_t get_offset_of_DomainUnload_13() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A, ___DomainUnload_13)); }
inline EventHandler_t084491E53EC706ACA0A15CA17488C075B4ECA44B * get_DomainUnload_13() const { return ___DomainUnload_13; }
inline EventHandler_t084491E53EC706ACA0A15CA17488C075B4ECA44B ** get_address_of_DomainUnload_13() { return &___DomainUnload_13; }
inline void set_DomainUnload_13(EventHandler_t084491E53EC706ACA0A15CA17488C075B4ECA44B * value)
{
___DomainUnload_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DomainUnload_13), (void*)value);
}
inline static int32_t get_offset_of_ProcessExit_14() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A, ___ProcessExit_14)); }
inline EventHandler_t084491E53EC706ACA0A15CA17488C075B4ECA44B * get_ProcessExit_14() const { return ___ProcessExit_14; }
inline EventHandler_t084491E53EC706ACA0A15CA17488C075B4ECA44B ** get_address_of_ProcessExit_14() { return &___ProcessExit_14; }
inline void set_ProcessExit_14(EventHandler_t084491E53EC706ACA0A15CA17488C075B4ECA44B * value)
{
___ProcessExit_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ProcessExit_14), (void*)value);
}
inline static int32_t get_offset_of_ResourceResolve_15() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A, ___ResourceResolve_15)); }
inline ResolveEventHandler_tC6827B550D5B6553B57571630B1EE01AC12A1089 * get_ResourceResolve_15() const { return ___ResourceResolve_15; }
inline ResolveEventHandler_tC6827B550D5B6553B57571630B1EE01AC12A1089 ** get_address_of_ResourceResolve_15() { return &___ResourceResolve_15; }
inline void set_ResourceResolve_15(ResolveEventHandler_tC6827B550D5B6553B57571630B1EE01AC12A1089 * value)
{
___ResourceResolve_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ResourceResolve_15), (void*)value);
}
inline static int32_t get_offset_of_TypeResolve_16() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A, ___TypeResolve_16)); }
inline ResolveEventHandler_tC6827B550D5B6553B57571630B1EE01AC12A1089 * get_TypeResolve_16() const { return ___TypeResolve_16; }
inline ResolveEventHandler_tC6827B550D5B6553B57571630B1EE01AC12A1089 ** get_address_of_TypeResolve_16() { return &___TypeResolve_16; }
inline void set_TypeResolve_16(ResolveEventHandler_tC6827B550D5B6553B57571630B1EE01AC12A1089 * value)
{
___TypeResolve_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___TypeResolve_16), (void*)value);
}
inline static int32_t get_offset_of_UnhandledException_17() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A, ___UnhandledException_17)); }
inline UnhandledExceptionEventHandler_t1DF125A860ED9B70F24ADFA6CB0781533A23DA64 * get_UnhandledException_17() const { return ___UnhandledException_17; }
inline UnhandledExceptionEventHandler_t1DF125A860ED9B70F24ADFA6CB0781533A23DA64 ** get_address_of_UnhandledException_17() { return &___UnhandledException_17; }
inline void set_UnhandledException_17(UnhandledExceptionEventHandler_t1DF125A860ED9B70F24ADFA6CB0781533A23DA64 * value)
{
___UnhandledException_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___UnhandledException_17), (void*)value);
}
inline static int32_t get_offset_of_FirstChanceException_18() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A, ___FirstChanceException_18)); }
inline EventHandler_1_t7F26BD2270AD4531F2328FD1382278E975249DF1 * get_FirstChanceException_18() const { return ___FirstChanceException_18; }
inline EventHandler_1_t7F26BD2270AD4531F2328FD1382278E975249DF1 ** get_address_of_FirstChanceException_18() { return &___FirstChanceException_18; }
inline void set_FirstChanceException_18(EventHandler_1_t7F26BD2270AD4531F2328FD1382278E975249DF1 * value)
{
___FirstChanceException_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___FirstChanceException_18), (void*)value);
}
inline static int32_t get_offset_of__domain_manager_19() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A, ____domain_manager_19)); }
inline RuntimeObject * get__domain_manager_19() const { return ____domain_manager_19; }
inline RuntimeObject ** get_address_of__domain_manager_19() { return &____domain_manager_19; }
inline void set__domain_manager_19(RuntimeObject * value)
{
____domain_manager_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&____domain_manager_19), (void*)value);
}
inline static int32_t get_offset_of_ReflectionOnlyAssemblyResolve_20() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A, ___ReflectionOnlyAssemblyResolve_20)); }
inline ResolveEventHandler_tC6827B550D5B6553B57571630B1EE01AC12A1089 * get_ReflectionOnlyAssemblyResolve_20() const { return ___ReflectionOnlyAssemblyResolve_20; }
inline ResolveEventHandler_tC6827B550D5B6553B57571630B1EE01AC12A1089 ** get_address_of_ReflectionOnlyAssemblyResolve_20() { return &___ReflectionOnlyAssemblyResolve_20; }
inline void set_ReflectionOnlyAssemblyResolve_20(ResolveEventHandler_tC6827B550D5B6553B57571630B1EE01AC12A1089 * value)
{
___ReflectionOnlyAssemblyResolve_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ReflectionOnlyAssemblyResolve_20), (void*)value);
}
inline static int32_t get_offset_of__activation_21() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A, ____activation_21)); }
inline RuntimeObject * get__activation_21() const { return ____activation_21; }
inline RuntimeObject ** get_address_of__activation_21() { return &____activation_21; }
inline void set__activation_21(RuntimeObject * value)
{
____activation_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&____activation_21), (void*)value);
}
inline static int32_t get_offset_of__applicationIdentity_22() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A, ____applicationIdentity_22)); }
inline RuntimeObject * get__applicationIdentity_22() const { return ____applicationIdentity_22; }
inline RuntimeObject ** get_address_of__applicationIdentity_22() { return &____applicationIdentity_22; }
inline void set__applicationIdentity_22(RuntimeObject * value)
{
____applicationIdentity_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&____applicationIdentity_22), (void*)value);
}
inline static int32_t get_offset_of_compatibility_switch_23() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A, ___compatibility_switch_23)); }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * get_compatibility_switch_23() const { return ___compatibility_switch_23; }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 ** get_address_of_compatibility_switch_23() { return &___compatibility_switch_23; }
inline void set_compatibility_switch_23(List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * value)
{
___compatibility_switch_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___compatibility_switch_23), (void*)value);
}
};
struct AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A_StaticFields
{
public:
// System.String System.AppDomain::_process_guid
String_t* ____process_guid_2;
// System.AppDomain System.AppDomain::default_domain
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A * ___default_domain_10;
public:
inline static int32_t get_offset_of__process_guid_2() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A_StaticFields, ____process_guid_2)); }
inline String_t* get__process_guid_2() const { return ____process_guid_2; }
inline String_t** get_address_of__process_guid_2() { return &____process_guid_2; }
inline void set__process_guid_2(String_t* value)
{
____process_guid_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____process_guid_2), (void*)value);
}
inline static int32_t get_offset_of_default_domain_10() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A_StaticFields, ___default_domain_10)); }
inline AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A * get_default_domain_10() const { return ___default_domain_10; }
inline AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A ** get_address_of_default_domain_10() { return &___default_domain_10; }
inline void set_default_domain_10(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A * value)
{
___default_domain_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___default_domain_10), (void*)value);
}
};
struct AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A_ThreadStaticFields
{
public:
// System.Collections.Generic.Dictionary`2<System.String,System.Object> System.AppDomain::type_resolve_in_progress
Dictionary_2_t692011309BA94F599C6042A381FC9F8B3CB08399 * ___type_resolve_in_progress_3;
// System.Collections.Generic.Dictionary`2<System.String,System.Object> System.AppDomain::assembly_resolve_in_progress
Dictionary_2_t692011309BA94F599C6042A381FC9F8B3CB08399 * ___assembly_resolve_in_progress_4;
// System.Collections.Generic.Dictionary`2<System.String,System.Object> System.AppDomain::assembly_resolve_in_progress_refonly
Dictionary_2_t692011309BA94F599C6042A381FC9F8B3CB08399 * ___assembly_resolve_in_progress_refonly_5;
// System.Object System.AppDomain::_principal
RuntimeObject * ____principal_9;
public:
inline static int32_t get_offset_of_type_resolve_in_progress_3() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A_ThreadStaticFields, ___type_resolve_in_progress_3)); }
inline Dictionary_2_t692011309BA94F599C6042A381FC9F8B3CB08399 * get_type_resolve_in_progress_3() const { return ___type_resolve_in_progress_3; }
inline Dictionary_2_t692011309BA94F599C6042A381FC9F8B3CB08399 ** get_address_of_type_resolve_in_progress_3() { return &___type_resolve_in_progress_3; }
inline void set_type_resolve_in_progress_3(Dictionary_2_t692011309BA94F599C6042A381FC9F8B3CB08399 * value)
{
___type_resolve_in_progress_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___type_resolve_in_progress_3), (void*)value);
}
inline static int32_t get_offset_of_assembly_resolve_in_progress_4() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A_ThreadStaticFields, ___assembly_resolve_in_progress_4)); }
inline Dictionary_2_t692011309BA94F599C6042A381FC9F8B3CB08399 * get_assembly_resolve_in_progress_4() const { return ___assembly_resolve_in_progress_4; }
inline Dictionary_2_t692011309BA94F599C6042A381FC9F8B3CB08399 ** get_address_of_assembly_resolve_in_progress_4() { return &___assembly_resolve_in_progress_4; }
inline void set_assembly_resolve_in_progress_4(Dictionary_2_t692011309BA94F599C6042A381FC9F8B3CB08399 * value)
{
___assembly_resolve_in_progress_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assembly_resolve_in_progress_4), (void*)value);
}
inline static int32_t get_offset_of_assembly_resolve_in_progress_refonly_5() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A_ThreadStaticFields, ___assembly_resolve_in_progress_refonly_5)); }
inline Dictionary_2_t692011309BA94F599C6042A381FC9F8B3CB08399 * get_assembly_resolve_in_progress_refonly_5() const { return ___assembly_resolve_in_progress_refonly_5; }
inline Dictionary_2_t692011309BA94F599C6042A381FC9F8B3CB08399 ** get_address_of_assembly_resolve_in_progress_refonly_5() { return &___assembly_resolve_in_progress_refonly_5; }
inline void set_assembly_resolve_in_progress_refonly_5(Dictionary_2_t692011309BA94F599C6042A381FC9F8B3CB08399 * value)
{
___assembly_resolve_in_progress_refonly_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assembly_resolve_in_progress_refonly_5), (void*)value);
}
inline static int32_t get_offset_of__principal_9() { return static_cast<int32_t>(offsetof(AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A_ThreadStaticFields, ____principal_9)); }
inline RuntimeObject * get__principal_9() const { return ____principal_9; }
inline RuntimeObject ** get_address_of__principal_9() { return &____principal_9; }
inline void set__principal_9(RuntimeObject * value)
{
____principal_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&____principal_9), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.AppDomain
struct AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A_marshaled_pinvoke : public MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8_marshaled_pinvoke
{
intptr_t ____mono_app_domain_1;
Il2CppIUnknown* ____evidence_6;
Il2CppIUnknown* ____granted_7;
int32_t ____principalPolicy_8;
Il2CppMethodPointer ___AssemblyLoad_11;
Il2CppMethodPointer ___AssemblyResolve_12;
Il2CppMethodPointer ___DomainUnload_13;
Il2CppMethodPointer ___ProcessExit_14;
Il2CppMethodPointer ___ResourceResolve_15;
Il2CppMethodPointer ___TypeResolve_16;
Il2CppMethodPointer ___UnhandledException_17;
Il2CppMethodPointer ___FirstChanceException_18;
Il2CppIUnknown* ____domain_manager_19;
Il2CppMethodPointer ___ReflectionOnlyAssemblyResolve_20;
Il2CppIUnknown* ____activation_21;
Il2CppIUnknown* ____applicationIdentity_22;
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___compatibility_switch_23;
};
// Native definition for COM marshalling of System.AppDomain
struct AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A_marshaled_com : public MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8_marshaled_com
{
intptr_t ____mono_app_domain_1;
Il2CppIUnknown* ____evidence_6;
Il2CppIUnknown* ____granted_7;
int32_t ____principalPolicy_8;
Il2CppMethodPointer ___AssemblyLoad_11;
Il2CppMethodPointer ___AssemblyResolve_12;
Il2CppMethodPointer ___DomainUnload_13;
Il2CppMethodPointer ___ProcessExit_14;
Il2CppMethodPointer ___ResourceResolve_15;
Il2CppMethodPointer ___TypeResolve_16;
Il2CppMethodPointer ___UnhandledException_17;
Il2CppMethodPointer ___FirstChanceException_18;
Il2CppIUnknown* ____domain_manager_19;
Il2CppMethodPointer ___ReflectionOnlyAssemblyResolve_20;
Il2CppIUnknown* ____activation_21;
Il2CppIUnknown* ____applicationIdentity_22;
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___compatibility_switch_23;
};
// System.Runtime.Remoting.Messaging.ArgInfoType
struct ArgInfoType_t54B52AC2F9BACA17BE0E716683CDCF9A3523FFBB
{
public:
// System.Byte System.Runtime.Remoting.Messaging.ArgInfoType::value__
uint8_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ArgInfoType_t54B52AC2F9BACA17BE0E716683CDCF9A3523FFBB, ___value___2)); }
inline uint8_t get_value___2() const { return ___value___2; }
inline uint8_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint8_t value)
{
___value___2 = value;
}
};
// System.ArgIterator
struct ArgIterator_tF91CEFF61447A64067263C155A95893E339CF029
{
public:
// System.IntPtr System.ArgIterator::sig
intptr_t ___sig_0;
// System.IntPtr System.ArgIterator::args
intptr_t ___args_1;
// System.Int32 System.ArgIterator::next_arg
int32_t ___next_arg_2;
// System.Int32 System.ArgIterator::num_args
int32_t ___num_args_3;
public:
inline static int32_t get_offset_of_sig_0() { return static_cast<int32_t>(offsetof(ArgIterator_tF91CEFF61447A64067263C155A95893E339CF029, ___sig_0)); }
inline intptr_t get_sig_0() const { return ___sig_0; }
inline intptr_t* get_address_of_sig_0() { return &___sig_0; }
inline void set_sig_0(intptr_t value)
{
___sig_0 = value;
}
inline static int32_t get_offset_of_args_1() { return static_cast<int32_t>(offsetof(ArgIterator_tF91CEFF61447A64067263C155A95893E339CF029, ___args_1)); }
inline intptr_t get_args_1() const { return ___args_1; }
inline intptr_t* get_address_of_args_1() { return &___args_1; }
inline void set_args_1(intptr_t value)
{
___args_1 = value;
}
inline static int32_t get_offset_of_next_arg_2() { return static_cast<int32_t>(offsetof(ArgIterator_tF91CEFF61447A64067263C155A95893E339CF029, ___next_arg_2)); }
inline int32_t get_next_arg_2() const { return ___next_arg_2; }
inline int32_t* get_address_of_next_arg_2() { return &___next_arg_2; }
inline void set_next_arg_2(int32_t value)
{
___next_arg_2 = value;
}
inline static int32_t get_offset_of_num_args_3() { return static_cast<int32_t>(offsetof(ArgIterator_tF91CEFF61447A64067263C155A95893E339CF029, ___num_args_3)); }
inline int32_t get_num_args_3() const { return ___num_args_3; }
inline int32_t* get_address_of_num_args_3() { return &___num_args_3; }
inline void set_num_args_3(int32_t value)
{
___num_args_3 = value;
}
};
// System.Security.Cryptography.AsnDecodeStatus
struct AsnDecodeStatus_tBE4ADA7C45EBFD656BFEE0F04CAEC70A1C1BD15E
{
public:
// System.Int32 System.Security.Cryptography.AsnDecodeStatus::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AsnDecodeStatus_tBE4ADA7C45EBFD656BFEE0F04CAEC70A1C1BD15E, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Reflection.Assembly
struct Assembly_t : public RuntimeObject
{
public:
// System.IntPtr System.Reflection.Assembly::_mono_assembly
intptr_t ____mono_assembly_0;
// System.Reflection.Assembly/ResolveEventHolder System.Reflection.Assembly::resolve_event_holder
ResolveEventHolder_tA37081FAEBE21D83D216225B4489BA8A37B4E13C * ___resolve_event_holder_1;
// System.Object System.Reflection.Assembly::_evidence
RuntimeObject * ____evidence_2;
// System.Object System.Reflection.Assembly::_minimum
RuntimeObject * ____minimum_3;
// System.Object System.Reflection.Assembly::_optional
RuntimeObject * ____optional_4;
// System.Object System.Reflection.Assembly::_refuse
RuntimeObject * ____refuse_5;
// System.Object System.Reflection.Assembly::_granted
RuntimeObject * ____granted_6;
// System.Object System.Reflection.Assembly::_denied
RuntimeObject * ____denied_7;
// System.Boolean System.Reflection.Assembly::fromByteArray
bool ___fromByteArray_8;
// System.String System.Reflection.Assembly::assemblyName
String_t* ___assemblyName_9;
public:
inline static int32_t get_offset_of__mono_assembly_0() { return static_cast<int32_t>(offsetof(Assembly_t, ____mono_assembly_0)); }
inline intptr_t get__mono_assembly_0() const { return ____mono_assembly_0; }
inline intptr_t* get_address_of__mono_assembly_0() { return &____mono_assembly_0; }
inline void set__mono_assembly_0(intptr_t value)
{
____mono_assembly_0 = value;
}
inline static int32_t get_offset_of_resolve_event_holder_1() { return static_cast<int32_t>(offsetof(Assembly_t, ___resolve_event_holder_1)); }
inline ResolveEventHolder_tA37081FAEBE21D83D216225B4489BA8A37B4E13C * get_resolve_event_holder_1() const { return ___resolve_event_holder_1; }
inline ResolveEventHolder_tA37081FAEBE21D83D216225B4489BA8A37B4E13C ** get_address_of_resolve_event_holder_1() { return &___resolve_event_holder_1; }
inline void set_resolve_event_holder_1(ResolveEventHolder_tA37081FAEBE21D83D216225B4489BA8A37B4E13C * value)
{
___resolve_event_holder_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___resolve_event_holder_1), (void*)value);
}
inline static int32_t get_offset_of__evidence_2() { return static_cast<int32_t>(offsetof(Assembly_t, ____evidence_2)); }
inline RuntimeObject * get__evidence_2() const { return ____evidence_2; }
inline RuntimeObject ** get_address_of__evidence_2() { return &____evidence_2; }
inline void set__evidence_2(RuntimeObject * value)
{
____evidence_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____evidence_2), (void*)value);
}
inline static int32_t get_offset_of__minimum_3() { return static_cast<int32_t>(offsetof(Assembly_t, ____minimum_3)); }
inline RuntimeObject * get__minimum_3() const { return ____minimum_3; }
inline RuntimeObject ** get_address_of__minimum_3() { return &____minimum_3; }
inline void set__minimum_3(RuntimeObject * value)
{
____minimum_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____minimum_3), (void*)value);
}
inline static int32_t get_offset_of__optional_4() { return static_cast<int32_t>(offsetof(Assembly_t, ____optional_4)); }
inline RuntimeObject * get__optional_4() const { return ____optional_4; }
inline RuntimeObject ** get_address_of__optional_4() { return &____optional_4; }
inline void set__optional_4(RuntimeObject * value)
{
____optional_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____optional_4), (void*)value);
}
inline static int32_t get_offset_of__refuse_5() { return static_cast<int32_t>(offsetof(Assembly_t, ____refuse_5)); }
inline RuntimeObject * get__refuse_5() const { return ____refuse_5; }
inline RuntimeObject ** get_address_of__refuse_5() { return &____refuse_5; }
inline void set__refuse_5(RuntimeObject * value)
{
____refuse_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____refuse_5), (void*)value);
}
inline static int32_t get_offset_of__granted_6() { return static_cast<int32_t>(offsetof(Assembly_t, ____granted_6)); }
inline RuntimeObject * get__granted_6() const { return ____granted_6; }
inline RuntimeObject ** get_address_of__granted_6() { return &____granted_6; }
inline void set__granted_6(RuntimeObject * value)
{
____granted_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____granted_6), (void*)value);
}
inline static int32_t get_offset_of__denied_7() { return static_cast<int32_t>(offsetof(Assembly_t, ____denied_7)); }
inline RuntimeObject * get__denied_7() const { return ____denied_7; }
inline RuntimeObject ** get_address_of__denied_7() { return &____denied_7; }
inline void set__denied_7(RuntimeObject * value)
{
____denied_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&____denied_7), (void*)value);
}
inline static int32_t get_offset_of_fromByteArray_8() { return static_cast<int32_t>(offsetof(Assembly_t, ___fromByteArray_8)); }
inline bool get_fromByteArray_8() const { return ___fromByteArray_8; }
inline bool* get_address_of_fromByteArray_8() { return &___fromByteArray_8; }
inline void set_fromByteArray_8(bool value)
{
___fromByteArray_8 = value;
}
inline static int32_t get_offset_of_assemblyName_9() { return static_cast<int32_t>(offsetof(Assembly_t, ___assemblyName_9)); }
inline String_t* get_assemblyName_9() const { return ___assemblyName_9; }
inline String_t** get_address_of_assemblyName_9() { return &___assemblyName_9; }
inline void set_assemblyName_9(String_t* value)
{
___assemblyName_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assemblyName_9), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Reflection.Assembly
struct Assembly_t_marshaled_pinvoke
{
intptr_t ____mono_assembly_0;
ResolveEventHolder_tA37081FAEBE21D83D216225B4489BA8A37B4E13C * ___resolve_event_holder_1;
Il2CppIUnknown* ____evidence_2;
Il2CppIUnknown* ____minimum_3;
Il2CppIUnknown* ____optional_4;
Il2CppIUnknown* ____refuse_5;
Il2CppIUnknown* ____granted_6;
Il2CppIUnknown* ____denied_7;
int32_t ___fromByteArray_8;
char* ___assemblyName_9;
};
// Native definition for COM marshalling of System.Reflection.Assembly
struct Assembly_t_marshaled_com
{
intptr_t ____mono_assembly_0;
ResolveEventHolder_tA37081FAEBE21D83D216225B4489BA8A37B4E13C * ___resolve_event_holder_1;
Il2CppIUnknown* ____evidence_2;
Il2CppIUnknown* ____minimum_3;
Il2CppIUnknown* ____optional_4;
Il2CppIUnknown* ____refuse_5;
Il2CppIUnknown* ____granted_6;
Il2CppIUnknown* ____denied_7;
int32_t ___fromByteArray_8;
Il2CppChar* ___assemblyName_9;
};
// System.Reflection.AssemblyContentType
struct AssemblyContentType_t3D610214A4025EDAEA27C569340C2AC5B0B828AE
{
public:
// System.Int32 System.Reflection.AssemblyContentType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AssemblyContentType_t3D610214A4025EDAEA27C569340C2AC5B0B828AE, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Configuration.Assemblies.AssemblyHashAlgorithm
struct AssemblyHashAlgorithm_tAC2C042FAE3F5BCF6BEFA05671C2BE09A85D6E66
{
public:
// System.Int32 System.Configuration.Assemblies.AssemblyHashAlgorithm::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AssemblyHashAlgorithm_tAC2C042FAE3F5BCF6BEFA05671C2BE09A85D6E66, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Reflection.AssemblyNameFlags
struct AssemblyNameFlags_t18020151897CB7FD3FA390EE3999ECCA3FEA7622
{
public:
// System.Int32 System.Reflection.AssemblyNameFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AssemblyNameFlags_t18020151897CB7FD3FA390EE3999ECCA3FEA7622, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Configuration.Assemblies.AssemblyVersionCompatibility
struct AssemblyVersionCompatibility_t686857D4C42019A45D4309AB80A2517E3D34BEDD
{
public:
// System.Int32 System.Configuration.Assemblies.AssemblyVersionCompatibility::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AssemblyVersionCompatibility_t686857D4C42019A45D4309AB80A2517E3D34BEDD, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// Unity.IO.LowLevel.Unsafe.AssetLoadingSubsystem
struct AssetLoadingSubsystem_tD3081A206EB209E52E01DB4F324B7D14BE9829AA
{
public:
// System.Int32 Unity.IO.LowLevel.Unsafe.AssetLoadingSubsystem::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AssetLoadingSubsystem_tD3081A206EB209E52E01DB4F324B7D14BE9829AA, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Linq.Expressions.AssignBinaryExpression
struct AssignBinaryExpression_t5794FCE6A689B9FEC14E98F4C281CB55B337C790 : public BinaryExpression_tCD79755962D104E6603B50D89E7F0E41D1D9CA79
{
public:
public:
};
// System.Threading.Tasks.AsyncCausalityStatus
struct AsyncCausalityStatus_tB4918F222DA36F8D1AFD305EEBD3DE3C6FA1631F
{
public:
// System.Int32 System.Threading.Tasks.AsyncCausalityStatus::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AsyncCausalityStatus_tB4918F222DA36F8D1AFD305EEBD3DE3C6FA1631F, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.AsyncOperation
struct AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86 : public YieldInstruction_tB0B4E05316710E51ECCC1E57174C27FE6DEBBEAF
{
public:
// System.IntPtr UnityEngine.AsyncOperation::m_Ptr
intptr_t ___m_Ptr_0;
// System.Action`1<UnityEngine.AsyncOperation> UnityEngine.AsyncOperation::m_completeCallback
Action_1_tC1348BEB2C677FD60E4B65764CA3A1CAFF6DFB31 * ___m_completeCallback_1;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86, ___m_Ptr_0)); }
inline intptr_t get_m_Ptr_0() const { return ___m_Ptr_0; }
inline intptr_t* get_address_of_m_Ptr_0() { return &___m_Ptr_0; }
inline void set_m_Ptr_0(intptr_t value)
{
___m_Ptr_0 = value;
}
inline static int32_t get_offset_of_m_completeCallback_1() { return static_cast<int32_t>(offsetof(AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86, ___m_completeCallback_1)); }
inline Action_1_tC1348BEB2C677FD60E4B65764CA3A1CAFF6DFB31 * get_m_completeCallback_1() const { return ___m_completeCallback_1; }
inline Action_1_tC1348BEB2C677FD60E4B65764CA3A1CAFF6DFB31 ** get_address_of_m_completeCallback_1() { return &___m_completeCallback_1; }
inline void set_m_completeCallback_1(Action_1_tC1348BEB2C677FD60E4B65764CA3A1CAFF6DFB31 * value)
{
___m_completeCallback_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_completeCallback_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.AsyncOperation
struct AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86_marshaled_pinvoke : public YieldInstruction_tB0B4E05316710E51ECCC1E57174C27FE6DEBBEAF_marshaled_pinvoke
{
intptr_t ___m_Ptr_0;
Il2CppMethodPointer ___m_completeCallback_1;
};
// Native definition for COM marshalling of UnityEngine.AsyncOperation
struct AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86_marshaled_com : public YieldInstruction_tB0B4E05316710E51ECCC1E57174C27FE6DEBBEAF_marshaled_com
{
intptr_t ___m_Ptr_0;
Il2CppMethodPointer ___m_completeCallback_1;
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationStatus
struct AsyncOperationStatus_t219728AFD0411DF8AFFFE6B8BABA4F4DE31AF407
{
public:
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationStatus::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AsyncOperationStatus_t219728AFD0411DF8AFFFE6B8BABA4F4DE31AF407, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.CompilerServices.AsyncStateMachineAttribute
struct AsyncStateMachineAttribute_tBDB4B958CFB5CD3BEE1427711FFC8C358C9BA6E6 : public StateMachineAttribute_tA6E77C77F821508E405473BA1C4C08A69FDA0AC3
{
public:
public:
};
// TMPro.AtlasPopulationMode
struct AtlasPopulationMode_t23261B68B33F6966CAB75B6F5162648F7F0F8999
{
public:
// System.Int32 TMPro.AtlasPopulationMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AtlasPopulationMode_t23261B68B33F6966CAB75B6F5162648F7F0F8999, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.AttributeTargets
struct AttributeTargets_t5F71273DFE1D0CA9B8109F02A023A7DBA9BFC923
{
public:
// System.Int32 System.AttributeTargets::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AttributeTargets_t5F71273DFE1D0CA9B8109F02A023A7DBA9BFC923, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.AvailableTrackingData
struct AvailableTrackingData_tECF9F41E063E32F92AF43156E0C61190C82B47FC
{
public:
// System.Int32 UnityEngine.XR.AvailableTrackingData::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AvailableTrackingData_tECF9F41E063E32F92AF43156E0C61190C82B47FC, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.BRECORD
struct BRECORD_t299169DA96A40F5CFBDB18FBE6AEF30A071C4998
{
public:
// System.IntPtr System.BRECORD::pvRecord
intptr_t ___pvRecord_0;
// System.IntPtr System.BRECORD::pRecInfo
intptr_t ___pRecInfo_1;
public:
inline static int32_t get_offset_of_pvRecord_0() { return static_cast<int32_t>(offsetof(BRECORD_t299169DA96A40F5CFBDB18FBE6AEF30A071C4998, ___pvRecord_0)); }
inline intptr_t get_pvRecord_0() const { return ___pvRecord_0; }
inline intptr_t* get_address_of_pvRecord_0() { return &___pvRecord_0; }
inline void set_pvRecord_0(intptr_t value)
{
___pvRecord_0 = value;
}
inline static int32_t get_offset_of_pRecInfo_1() { return static_cast<int32_t>(offsetof(BRECORD_t299169DA96A40F5CFBDB18FBE6AEF30A071C4998, ___pRecInfo_1)); }
inline intptr_t get_pRecInfo_1() const { return ___pRecInfo_1; }
inline intptr_t* get_address_of_pRecInfo_1() { return &___pRecInfo_1; }
inline void set_pRecInfo_1(intptr_t value)
{
___pRecInfo_1 = value;
}
};
// System.Base64FormattingOptions
struct Base64FormattingOptions_t0AE17E3053C9D48FA35CA36C58CCFEE99CC6A3FA
{
public:
// System.Int32 System.Base64FormattingOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Base64FormattingOptions_t0AE17E3053C9D48FA35CA36C58CCFEE99CC6A3FA, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Rendering.BatchRendererGroup
struct BatchRendererGroup_t68C1EAC6F7158DC1C02C16D4E343397D5EC4574A : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.Rendering.BatchRendererGroup::m_GroupHandle
intptr_t ___m_GroupHandle_0;
// UnityEngine.Rendering.BatchRendererGroup/OnPerformCulling UnityEngine.Rendering.BatchRendererGroup::m_PerformCulling
OnPerformCulling_t44E5FE326B88CD7B1F07F3DDD2433D2D70161AEB * ___m_PerformCulling_1;
public:
inline static int32_t get_offset_of_m_GroupHandle_0() { return static_cast<int32_t>(offsetof(BatchRendererGroup_t68C1EAC6F7158DC1C02C16D4E343397D5EC4574A, ___m_GroupHandle_0)); }
inline intptr_t get_m_GroupHandle_0() const { return ___m_GroupHandle_0; }
inline intptr_t* get_address_of_m_GroupHandle_0() { return &___m_GroupHandle_0; }
inline void set_m_GroupHandle_0(intptr_t value)
{
___m_GroupHandle_0 = value;
}
inline static int32_t get_offset_of_m_PerformCulling_1() { return static_cast<int32_t>(offsetof(BatchRendererGroup_t68C1EAC6F7158DC1C02C16D4E343397D5EC4574A, ___m_PerformCulling_1)); }
inline OnPerformCulling_t44E5FE326B88CD7B1F07F3DDD2433D2D70161AEB * get_m_PerformCulling_1() const { return ___m_PerformCulling_1; }
inline OnPerformCulling_t44E5FE326B88CD7B1F07F3DDD2433D2D70161AEB ** get_address_of_m_PerformCulling_1() { return &___m_PerformCulling_1; }
inline void set_m_PerformCulling_1(OnPerformCulling_t44E5FE326B88CD7B1F07F3DDD2433D2D70161AEB * value)
{
___m_PerformCulling_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PerformCulling_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Rendering.BatchRendererGroup
struct BatchRendererGroup_t68C1EAC6F7158DC1C02C16D4E343397D5EC4574A_marshaled_pinvoke
{
intptr_t ___m_GroupHandle_0;
Il2CppMethodPointer ___m_PerformCulling_1;
};
// Native definition for COM marshalling of UnityEngine.Rendering.BatchRendererGroup
struct BatchRendererGroup_t68C1EAC6F7158DC1C02C16D4E343397D5EC4574A_marshaled_com
{
intptr_t ___m_GroupHandle_0;
Il2CppMethodPointer ___m_PerformCulling_1;
};
// System.Runtime.Serialization.Formatters.Binary.BinaryArrayTypeEnum
struct BinaryArrayTypeEnum_t85A47D3ADF430821087A3018118707C6DE3BEC4A
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryArrayTypeEnum::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(BinaryArrayTypeEnum_t85A47D3ADF430821087A3018118707C6DE3BEC4A, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.BinaryHeaderEnum
struct BinaryHeaderEnum_t6EC974D890E9C7DC8E5CC4DA3E1B795934655A1B
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryHeaderEnum::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(BinaryHeaderEnum_t6EC974D890E9C7DC8E5CC4DA3E1B795934655A1B, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.BinaryTypeEnum
struct BinaryTypeEnum_tC64D097C71D4D8F090D20424FCF2BD4CF9FE60A4
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryTypeEnum::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(BinaryTypeEnum_tC64D097C71D4D8F090D20424FCF2BD4CF9FE60A4, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Reflection.BindingFlags
struct BindingFlags_tAAAB07D9AC588F0D55D844E51D7035E96DF94733
{
public:
// System.Int32 System.Reflection.BindingFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(BindingFlags_tAAAB07D9AC588F0D55D844E51D7035E96DF94733, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Linq.Expressions.Block2
struct Block2_tE4BCA7D0F0ACBB66E97C3C70620E928AC52A84D9 : public BlockExpression_t429D310E740322594C18397DEAE7E17DCFE0E0BB
{
public:
// System.Object System.Linq.Expressions.Block2::_arg0
RuntimeObject * ____arg0_3;
// System.Linq.Expressions.Expression System.Linq.Expressions.Block2::_arg1
Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * ____arg1_4;
public:
inline static int32_t get_offset_of__arg0_3() { return static_cast<int32_t>(offsetof(Block2_tE4BCA7D0F0ACBB66E97C3C70620E928AC52A84D9, ____arg0_3)); }
inline RuntimeObject * get__arg0_3() const { return ____arg0_3; }
inline RuntimeObject ** get_address_of__arg0_3() { return &____arg0_3; }
inline void set__arg0_3(RuntimeObject * value)
{
____arg0_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____arg0_3), (void*)value);
}
inline static int32_t get_offset_of__arg1_4() { return static_cast<int32_t>(offsetof(Block2_tE4BCA7D0F0ACBB66E97C3C70620E928AC52A84D9, ____arg1_4)); }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * get__arg1_4() const { return ____arg1_4; }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 ** get_address_of__arg1_4() { return &____arg1_4; }
inline void set__arg1_4(Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * value)
{
____arg1_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____arg1_4), (void*)value);
}
};
// System.Linq.Expressions.Block3
struct Block3_t284DBA4C7DD6FA79B0983263FF40B6EA4F4AD834 : public BlockExpression_t429D310E740322594C18397DEAE7E17DCFE0E0BB
{
public:
// System.Object System.Linq.Expressions.Block3::_arg0
RuntimeObject * ____arg0_3;
// System.Linq.Expressions.Expression System.Linq.Expressions.Block3::_arg1
Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * ____arg1_4;
// System.Linq.Expressions.Expression System.Linq.Expressions.Block3::_arg2
Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * ____arg2_5;
public:
inline static int32_t get_offset_of__arg0_3() { return static_cast<int32_t>(offsetof(Block3_t284DBA4C7DD6FA79B0983263FF40B6EA4F4AD834, ____arg0_3)); }
inline RuntimeObject * get__arg0_3() const { return ____arg0_3; }
inline RuntimeObject ** get_address_of__arg0_3() { return &____arg0_3; }
inline void set__arg0_3(RuntimeObject * value)
{
____arg0_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____arg0_3), (void*)value);
}
inline static int32_t get_offset_of__arg1_4() { return static_cast<int32_t>(offsetof(Block3_t284DBA4C7DD6FA79B0983263FF40B6EA4F4AD834, ____arg1_4)); }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * get__arg1_4() const { return ____arg1_4; }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 ** get_address_of__arg1_4() { return &____arg1_4; }
inline void set__arg1_4(Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * value)
{
____arg1_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____arg1_4), (void*)value);
}
inline static int32_t get_offset_of__arg2_5() { return static_cast<int32_t>(offsetof(Block3_t284DBA4C7DD6FA79B0983263FF40B6EA4F4AD834, ____arg2_5)); }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * get__arg2_5() const { return ____arg2_5; }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 ** get_address_of__arg2_5() { return &____arg2_5; }
inline void set__arg2_5(Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * value)
{
____arg2_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____arg2_5), (void*)value);
}
};
// System.Linq.Expressions.Block4
struct Block4_t52F5085BA32EDD31381E70CADDAFAC3D6FA67A21 : public BlockExpression_t429D310E740322594C18397DEAE7E17DCFE0E0BB
{
public:
// System.Object System.Linq.Expressions.Block4::_arg0
RuntimeObject * ____arg0_3;
// System.Linq.Expressions.Expression System.Linq.Expressions.Block4::_arg1
Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * ____arg1_4;
// System.Linq.Expressions.Expression System.Linq.Expressions.Block4::_arg2
Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * ____arg2_5;
// System.Linq.Expressions.Expression System.Linq.Expressions.Block4::_arg3
Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * ____arg3_6;
public:
inline static int32_t get_offset_of__arg0_3() { return static_cast<int32_t>(offsetof(Block4_t52F5085BA32EDD31381E70CADDAFAC3D6FA67A21, ____arg0_3)); }
inline RuntimeObject * get__arg0_3() const { return ____arg0_3; }
inline RuntimeObject ** get_address_of__arg0_3() { return &____arg0_3; }
inline void set__arg0_3(RuntimeObject * value)
{
____arg0_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____arg0_3), (void*)value);
}
inline static int32_t get_offset_of__arg1_4() { return static_cast<int32_t>(offsetof(Block4_t52F5085BA32EDD31381E70CADDAFAC3D6FA67A21, ____arg1_4)); }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * get__arg1_4() const { return ____arg1_4; }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 ** get_address_of__arg1_4() { return &____arg1_4; }
inline void set__arg1_4(Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * value)
{
____arg1_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____arg1_4), (void*)value);
}
inline static int32_t get_offset_of__arg2_5() { return static_cast<int32_t>(offsetof(Block4_t52F5085BA32EDD31381E70CADDAFAC3D6FA67A21, ____arg2_5)); }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * get__arg2_5() const { return ____arg2_5; }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 ** get_address_of__arg2_5() { return &____arg2_5; }
inline void set__arg2_5(Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * value)
{
____arg2_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____arg2_5), (void*)value);
}
inline static int32_t get_offset_of__arg3_6() { return static_cast<int32_t>(offsetof(Block4_t52F5085BA32EDD31381E70CADDAFAC3D6FA67A21, ____arg3_6)); }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * get__arg3_6() const { return ____arg3_6; }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 ** get_address_of__arg3_6() { return &____arg3_6; }
inline void set__arg3_6(Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * value)
{
____arg3_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____arg3_6), (void*)value);
}
};
// System.Linq.Expressions.Block5
struct Block5_tDBF9D05DED9100069A2A701184205D60A05D04D8 : public BlockExpression_t429D310E740322594C18397DEAE7E17DCFE0E0BB
{
public:
// System.Object System.Linq.Expressions.Block5::_arg0
RuntimeObject * ____arg0_3;
// System.Linq.Expressions.Expression System.Linq.Expressions.Block5::_arg1
Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * ____arg1_4;
// System.Linq.Expressions.Expression System.Linq.Expressions.Block5::_arg2
Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * ____arg2_5;
// System.Linq.Expressions.Expression System.Linq.Expressions.Block5::_arg3
Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * ____arg3_6;
// System.Linq.Expressions.Expression System.Linq.Expressions.Block5::_arg4
Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * ____arg4_7;
public:
inline static int32_t get_offset_of__arg0_3() { return static_cast<int32_t>(offsetof(Block5_tDBF9D05DED9100069A2A701184205D60A05D04D8, ____arg0_3)); }
inline RuntimeObject * get__arg0_3() const { return ____arg0_3; }
inline RuntimeObject ** get_address_of__arg0_3() { return &____arg0_3; }
inline void set__arg0_3(RuntimeObject * value)
{
____arg0_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____arg0_3), (void*)value);
}
inline static int32_t get_offset_of__arg1_4() { return static_cast<int32_t>(offsetof(Block5_tDBF9D05DED9100069A2A701184205D60A05D04D8, ____arg1_4)); }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * get__arg1_4() const { return ____arg1_4; }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 ** get_address_of__arg1_4() { return &____arg1_4; }
inline void set__arg1_4(Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * value)
{
____arg1_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____arg1_4), (void*)value);
}
inline static int32_t get_offset_of__arg2_5() { return static_cast<int32_t>(offsetof(Block5_tDBF9D05DED9100069A2A701184205D60A05D04D8, ____arg2_5)); }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * get__arg2_5() const { return ____arg2_5; }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 ** get_address_of__arg2_5() { return &____arg2_5; }
inline void set__arg2_5(Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * value)
{
____arg2_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____arg2_5), (void*)value);
}
inline static int32_t get_offset_of__arg3_6() { return static_cast<int32_t>(offsetof(Block5_tDBF9D05DED9100069A2A701184205D60A05D04D8, ____arg3_6)); }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * get__arg3_6() const { return ____arg3_6; }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 ** get_address_of__arg3_6() { return &____arg3_6; }
inline void set__arg3_6(Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * value)
{
____arg3_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____arg3_6), (void*)value);
}
inline static int32_t get_offset_of__arg4_7() { return static_cast<int32_t>(offsetof(Block5_tDBF9D05DED9100069A2A701184205D60A05D04D8, ____arg4_7)); }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * get__arg4_7() const { return ____arg4_7; }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 ** get_address_of__arg4_7() { return &____arg4_7; }
inline void set__arg4_7(Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * value)
{
____arg4_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&____arg4_7), (void*)value);
}
};
// System.Linq.Expressions.BlockN
struct BlockN_tCE84D9AD8634612823520324AC4B0FF602E1902C : public BlockExpression_t429D310E740322594C18397DEAE7E17DCFE0E0BB
{
public:
// System.Collections.Generic.IReadOnlyList`1<System.Linq.Expressions.Expression> System.Linq.Expressions.BlockN::_expressions
RuntimeObject* ____expressions_3;
public:
inline static int32_t get_offset_of__expressions_3() { return static_cast<int32_t>(offsetof(BlockN_tCE84D9AD8634612823520324AC4B0FF602E1902C, ____expressions_3)); }
inline RuntimeObject* get__expressions_3() const { return ____expressions_3; }
inline RuntimeObject** get_address_of__expressions_3() { return &____expressions_3; }
inline void set__expressions_3(RuntimeObject* value)
{
____expressions_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____expressions_3), (void*)value);
}
};
// UnityEngine.BootConfigData
struct BootConfigData_tC95797E21A13F51030D3E184D461226B95B1073C : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.BootConfigData::m_Ptr
intptr_t ___m_Ptr_0;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(BootConfigData_tC95797E21A13F51030D3E184D461226B95B1073C, ___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;
}
};
// UnityEngine.Bounds
struct Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37
{
public:
// UnityEngine.Vector3 UnityEngine.Bounds::m_Center
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Center_0;
// UnityEngine.Vector3 UnityEngine.Bounds::m_Extents
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Extents_1;
public:
inline static int32_t get_offset_of_m_Center_0() { return static_cast<int32_t>(offsetof(Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37, ___m_Center_0)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Center_0() const { return ___m_Center_0; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Center_0() { return &___m_Center_0; }
inline void set_m_Center_0(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Center_0 = value;
}
inline static int32_t get_offset_of_m_Extents_1() { return static_cast<int32_t>(offsetof(Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37, ___m_Extents_1)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Extents_1() const { return ___m_Extents_1; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Extents_1() { return &___m_Extents_1; }
inline void set_m_Extents_1(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Extents_1 = value;
}
};
// UnityEngine.Rendering.BuiltinRenderTextureType
struct BuiltinRenderTextureType_t89FFB8A7C9095150BCA40E573A73664CC37F023A
{
public:
// System.Int32 UnityEngine.Rendering.BuiltinRenderTextureType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(BuiltinRenderTextureType_t89FFB8A7C9095150BCA40E573A73664CC37F023A, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Net.Configuration.BypassElementCollection
struct BypassElementCollection_tEF6F2A241127EE6E50D3C7C47A2A14A028ED5C91 : public ConfigurationElementCollection_t09097ED83C909F1481AEF6E4451CF7595AFA403E
{
public:
public:
};
// System.ByteEnum
struct ByteEnum_t39285A9D8C7F88982FF718C04A9FA1AE64827307
{
public:
// System.Byte System.ByteEnum::value__
uint8_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ByteEnum_t39285A9D8C7F88982FF718C04A9FA1AE64827307, ___value___2)); }
inline uint8_t get_value___2() const { return ___value___2; }
inline uint8_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint8_t value)
{
___value___2 = value;
}
};
// System.Globalization.CalendarId
struct CalendarId_t0C4E88243F644E3AD08A8D7DEB2A731A175B39DE
{
public:
// System.UInt16 System.Globalization.CalendarId::value__
uint16_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CalendarId_t0C4E88243F644E3AD08A8D7DEB2A731A175B39DE, ___value___2)); }
inline uint16_t get_value___2() const { return ___value___2; }
inline uint16_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint16_t value)
{
___value___2 = value;
}
};
// System.Runtime.Remoting.Messaging.CallType
struct CallType_t15DF7BAFAD151752A76BBDA8F4D95AF3B4CA5444
{
public:
// System.Int32 System.Runtime.Remoting.Messaging.CallType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CallType_t15DF7BAFAD151752A76BBDA8F4D95AF3B4CA5444, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.InteropServices.CallingConvention
struct CallingConvention_tCD05DC1A211D9713286784F4DDDE1BA18B839924
{
public:
// System.Int32 System.Runtime.InteropServices.CallingConvention::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CallingConvention_tCD05DC1A211D9713286784F4DDDE1BA18B839924, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Reflection.CallingConventions
struct CallingConventions_t9EE04367ABED67A03DB2971F80F83D3EBA9C04E0
{
public:
// System.Int32 System.Reflection.CallingConventions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CallingConventions_t9EE04367ABED67A03DB2971F80F83D3EBA9C04E0, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.CameraClearFlags
struct CameraClearFlags_t5CCA5C0FD787D780C128B8B0D6ACC80BB41B1DE7
{
public:
// System.Int32 UnityEngine.CameraClearFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CameraClearFlags_t5CCA5C0FD787D780C128B8B0D6ACC80BB41B1DE7, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Rendering.CameraEvent
struct CameraEvent_tFB94407637890549849BC824FA13432BA83CB520
{
public:
// System.Int32 UnityEngine.Rendering.CameraEvent::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CameraEvent_tFB94407637890549849BC824FA13432BA83CB520, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARFoundation.CameraFacingDirection
struct CameraFacingDirection_tBD399103FCCBB7D35472AF597BA12FC26CB9F0A5
{
public:
// System.Int32 UnityEngine.XR.ARFoundation.CameraFacingDirection::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CameraFacingDirection_tBD399103FCCBB7D35472AF597BA12FC26CB9F0A5, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARSubsystems.CameraFocusMode
struct CameraFocusMode_t573CBB96E832D97A59EE6B5EBF79568A5C83042A
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.CameraFocusMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CameraFocusMode_t573CBB96E832D97A59EE6B5EBF79568A5C83042A, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.CancellationTokenRegistration
struct CancellationTokenRegistration_t407059AA0E00ABE74F43C533E7D035C4BA451F6A
{
public:
// System.Threading.CancellationCallbackInfo System.Threading.CancellationTokenRegistration::m_callbackInfo
CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B * ___m_callbackInfo_0;
// System.Threading.SparselyPopulatedArrayAddInfo`1<System.Threading.CancellationCallbackInfo> System.Threading.CancellationTokenRegistration::m_registrationInfo
SparselyPopulatedArrayAddInfo_1_t6EE25E0D720E03DE7A660791DB554CADCD247FC0 ___m_registrationInfo_1;
public:
inline static int32_t get_offset_of_m_callbackInfo_0() { return static_cast<int32_t>(offsetof(CancellationTokenRegistration_t407059AA0E00ABE74F43C533E7D035C4BA451F6A, ___m_callbackInfo_0)); }
inline CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B * get_m_callbackInfo_0() const { return ___m_callbackInfo_0; }
inline CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B ** get_address_of_m_callbackInfo_0() { return &___m_callbackInfo_0; }
inline void set_m_callbackInfo_0(CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B * value)
{
___m_callbackInfo_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_callbackInfo_0), (void*)value);
}
inline static int32_t get_offset_of_m_registrationInfo_1() { return static_cast<int32_t>(offsetof(CancellationTokenRegistration_t407059AA0E00ABE74F43C533E7D035C4BA451F6A, ___m_registrationInfo_1)); }
inline SparselyPopulatedArrayAddInfo_1_t6EE25E0D720E03DE7A660791DB554CADCD247FC0 get_m_registrationInfo_1() const { return ___m_registrationInfo_1; }
inline SparselyPopulatedArrayAddInfo_1_t6EE25E0D720E03DE7A660791DB554CADCD247FC0 * get_address_of_m_registrationInfo_1() { return &___m_registrationInfo_1; }
inline void set_m_registrationInfo_1(SparselyPopulatedArrayAddInfo_1_t6EE25E0D720E03DE7A660791DB554CADCD247FC0 value)
{
___m_registrationInfo_1 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_registrationInfo_1))->___m_source_0), (void*)NULL);
}
};
// Native definition for P/Invoke marshalling of System.Threading.CancellationTokenRegistration
struct CancellationTokenRegistration_t407059AA0E00ABE74F43C533E7D035C4BA451F6A_marshaled_pinvoke
{
CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B * ___m_callbackInfo_0;
SparselyPopulatedArrayAddInfo_1_t6EE25E0D720E03DE7A660791DB554CADCD247FC0 ___m_registrationInfo_1;
};
// Native definition for COM marshalling of System.Threading.CancellationTokenRegistration
struct CancellationTokenRegistration_t407059AA0E00ABE74F43C533E7D035C4BA451F6A_marshaled_com
{
CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B * ___m_callbackInfo_0;
SparselyPopulatedArrayAddInfo_1_t6EE25E0D720E03DE7A660791DB554CADCD247FC0 ___m_registrationInfo_1;
};
// System.Threading.CancellationTokenSource
struct CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 : public RuntimeObject
{
public:
// System.Threading.ManualResetEvent modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.CancellationTokenSource::m_kernelEvent
ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * ___m_kernelEvent_3;
// System.Threading.SparselyPopulatedArray`1<System.Threading.CancellationCallbackInfo>[] modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.CancellationTokenSource::m_registeredCallbacksLists
SparselyPopulatedArray_1U5BU5D_t4D2064CEC206620DC5001D7C857A845833DCB52A* ___m_registeredCallbacksLists_4;
// System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.CancellationTokenSource::m_state
int32_t ___m_state_5;
// System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.CancellationTokenSource::m_threadIDExecutingCallbacks
int32_t ___m_threadIDExecutingCallbacks_6;
// System.Boolean System.Threading.CancellationTokenSource::m_disposed
bool ___m_disposed_7;
// System.Threading.CancellationTokenRegistration[] System.Threading.CancellationTokenSource::m_linkingRegistrations
CancellationTokenRegistrationU5BU5D_t864BA2E1E6485FDC593F17F7C01525F33CCE7910* ___m_linkingRegistrations_8;
// System.Threading.CancellationCallbackInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.CancellationTokenSource::m_executingCallback
CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B * ___m_executingCallback_10;
// System.Threading.Timer modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.CancellationTokenSource::m_timer
Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB * ___m_timer_11;
public:
inline static int32_t get_offset_of_m_kernelEvent_3() { return static_cast<int32_t>(offsetof(CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3, ___m_kernelEvent_3)); }
inline ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * get_m_kernelEvent_3() const { return ___m_kernelEvent_3; }
inline ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA ** get_address_of_m_kernelEvent_3() { return &___m_kernelEvent_3; }
inline void set_m_kernelEvent_3(ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * value)
{
___m_kernelEvent_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_kernelEvent_3), (void*)value);
}
inline static int32_t get_offset_of_m_registeredCallbacksLists_4() { return static_cast<int32_t>(offsetof(CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3, ___m_registeredCallbacksLists_4)); }
inline SparselyPopulatedArray_1U5BU5D_t4D2064CEC206620DC5001D7C857A845833DCB52A* get_m_registeredCallbacksLists_4() const { return ___m_registeredCallbacksLists_4; }
inline SparselyPopulatedArray_1U5BU5D_t4D2064CEC206620DC5001D7C857A845833DCB52A** get_address_of_m_registeredCallbacksLists_4() { return &___m_registeredCallbacksLists_4; }
inline void set_m_registeredCallbacksLists_4(SparselyPopulatedArray_1U5BU5D_t4D2064CEC206620DC5001D7C857A845833DCB52A* value)
{
___m_registeredCallbacksLists_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_registeredCallbacksLists_4), (void*)value);
}
inline static int32_t get_offset_of_m_state_5() { return static_cast<int32_t>(offsetof(CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3, ___m_state_5)); }
inline int32_t get_m_state_5() const { return ___m_state_5; }
inline int32_t* get_address_of_m_state_5() { return &___m_state_5; }
inline void set_m_state_5(int32_t value)
{
___m_state_5 = value;
}
inline static int32_t get_offset_of_m_threadIDExecutingCallbacks_6() { return static_cast<int32_t>(offsetof(CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3, ___m_threadIDExecutingCallbacks_6)); }
inline int32_t get_m_threadIDExecutingCallbacks_6() const { return ___m_threadIDExecutingCallbacks_6; }
inline int32_t* get_address_of_m_threadIDExecutingCallbacks_6() { return &___m_threadIDExecutingCallbacks_6; }
inline void set_m_threadIDExecutingCallbacks_6(int32_t value)
{
___m_threadIDExecutingCallbacks_6 = value;
}
inline static int32_t get_offset_of_m_disposed_7() { return static_cast<int32_t>(offsetof(CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3, ___m_disposed_7)); }
inline bool get_m_disposed_7() const { return ___m_disposed_7; }
inline bool* get_address_of_m_disposed_7() { return &___m_disposed_7; }
inline void set_m_disposed_7(bool value)
{
___m_disposed_7 = value;
}
inline static int32_t get_offset_of_m_linkingRegistrations_8() { return static_cast<int32_t>(offsetof(CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3, ___m_linkingRegistrations_8)); }
inline CancellationTokenRegistrationU5BU5D_t864BA2E1E6485FDC593F17F7C01525F33CCE7910* get_m_linkingRegistrations_8() const { return ___m_linkingRegistrations_8; }
inline CancellationTokenRegistrationU5BU5D_t864BA2E1E6485FDC593F17F7C01525F33CCE7910** get_address_of_m_linkingRegistrations_8() { return &___m_linkingRegistrations_8; }
inline void set_m_linkingRegistrations_8(CancellationTokenRegistrationU5BU5D_t864BA2E1E6485FDC593F17F7C01525F33CCE7910* value)
{
___m_linkingRegistrations_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_linkingRegistrations_8), (void*)value);
}
inline static int32_t get_offset_of_m_executingCallback_10() { return static_cast<int32_t>(offsetof(CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3, ___m_executingCallback_10)); }
inline CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B * get_m_executingCallback_10() const { return ___m_executingCallback_10; }
inline CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B ** get_address_of_m_executingCallback_10() { return &___m_executingCallback_10; }
inline void set_m_executingCallback_10(CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B * value)
{
___m_executingCallback_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_executingCallback_10), (void*)value);
}
inline static int32_t get_offset_of_m_timer_11() { return static_cast<int32_t>(offsetof(CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3, ___m_timer_11)); }
inline Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB * get_m_timer_11() const { return ___m_timer_11; }
inline Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB ** get_address_of_m_timer_11() { return &___m_timer_11; }
inline void set_m_timer_11(Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB * value)
{
___m_timer_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_timer_11), (void*)value);
}
};
struct CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3_StaticFields
{
public:
// System.Threading.CancellationTokenSource System.Threading.CancellationTokenSource::_staticSource_Set
CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 * ____staticSource_Set_0;
// System.Threading.CancellationTokenSource System.Threading.CancellationTokenSource::_staticSource_NotCancelable
CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 * ____staticSource_NotCancelable_1;
// System.Int32 System.Threading.CancellationTokenSource::s_nLists
int32_t ___s_nLists_2;
// System.Action`1<System.Object> System.Threading.CancellationTokenSource::s_LinkedTokenCancelDelegate
Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * ___s_LinkedTokenCancelDelegate_9;
// System.Threading.TimerCallback System.Threading.CancellationTokenSource::s_timerCallback
TimerCallback_tD193CC50BF27E129E6857E1E8A7EAC24BD131814 * ___s_timerCallback_12;
public:
inline static int32_t get_offset_of__staticSource_Set_0() { return static_cast<int32_t>(offsetof(CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3_StaticFields, ____staticSource_Set_0)); }
inline CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 * get__staticSource_Set_0() const { return ____staticSource_Set_0; }
inline CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 ** get_address_of__staticSource_Set_0() { return &____staticSource_Set_0; }
inline void set__staticSource_Set_0(CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 * value)
{
____staticSource_Set_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____staticSource_Set_0), (void*)value);
}
inline static int32_t get_offset_of__staticSource_NotCancelable_1() { return static_cast<int32_t>(offsetof(CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3_StaticFields, ____staticSource_NotCancelable_1)); }
inline CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 * get__staticSource_NotCancelable_1() const { return ____staticSource_NotCancelable_1; }
inline CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 ** get_address_of__staticSource_NotCancelable_1() { return &____staticSource_NotCancelable_1; }
inline void set__staticSource_NotCancelable_1(CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 * value)
{
____staticSource_NotCancelable_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____staticSource_NotCancelable_1), (void*)value);
}
inline static int32_t get_offset_of_s_nLists_2() { return static_cast<int32_t>(offsetof(CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3_StaticFields, ___s_nLists_2)); }
inline int32_t get_s_nLists_2() const { return ___s_nLists_2; }
inline int32_t* get_address_of_s_nLists_2() { return &___s_nLists_2; }
inline void set_s_nLists_2(int32_t value)
{
___s_nLists_2 = value;
}
inline static int32_t get_offset_of_s_LinkedTokenCancelDelegate_9() { return static_cast<int32_t>(offsetof(CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3_StaticFields, ___s_LinkedTokenCancelDelegate_9)); }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * get_s_LinkedTokenCancelDelegate_9() const { return ___s_LinkedTokenCancelDelegate_9; }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC ** get_address_of_s_LinkedTokenCancelDelegate_9() { return &___s_LinkedTokenCancelDelegate_9; }
inline void set_s_LinkedTokenCancelDelegate_9(Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * value)
{
___s_LinkedTokenCancelDelegate_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_LinkedTokenCancelDelegate_9), (void*)value);
}
inline static int32_t get_offset_of_s_timerCallback_12() { return static_cast<int32_t>(offsetof(CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3_StaticFields, ___s_timerCallback_12)); }
inline TimerCallback_tD193CC50BF27E129E6857E1E8A7EAC24BD131814 * get_s_timerCallback_12() const { return ___s_timerCallback_12; }
inline TimerCallback_tD193CC50BF27E129E6857E1E8A7EAC24BD131814 ** get_address_of_s_timerCallback_12() { return &___s_timerCallback_12; }
inline void set_s_timerCallback_12(TimerCallback_tD193CC50BF27E129E6857E1E8A7EAC24BD131814 * value)
{
___s_timerCallback_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_timerCallback_12), (void*)value);
}
};
// UnityEngine.UI.CanvasUpdate
struct CanvasUpdate_tFC4C725F7712606C89DEE6B687AE307B04B428B9
{
public:
// System.Int32 UnityEngine.UI.CanvasUpdate::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CanvasUpdate_tFC4C725F7712606C89DEE6B687AE307B04B428B9, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.CaretPosition
struct CaretPosition_tD29400DB5A98AE9A55B4332E16DB433692C74D70
{
public:
// System.Int32 TMPro.CaretPosition::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CaretPosition_tD29400DB5A98AE9A55B4332E16DB433692C74D70, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Localization.SmartFormat.Core.Settings.CaseSensitivityType
struct CaseSensitivityType_t9A9ADC5998A98C0D9A626F9394F31B7960B18095
{
public:
// System.Int32 UnityEngine.Localization.SmartFormat.Core.Settings.CaseSensitivityType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CaseSensitivityType_t9A9ADC5998A98C0D9A626F9394F31B7960B18095, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.Tasks.CausalityRelation
struct CausalityRelation_t5EFB44045C7D3054B11B2E94CCAE40BE1FFAE63E
{
public:
// System.Int32 System.Threading.Tasks.CausalityRelation::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CausalityRelation_t5EFB44045C7D3054B11B2E94CCAE40BE1FFAE63E, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.Tasks.CausalitySynchronousWork
struct CausalitySynchronousWork_t073D196AFA1546BD5F11370AA4CD54A09650DE53
{
public:
// System.Int32 System.Threading.Tasks.CausalitySynchronousWork::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CausalitySynchronousWork_t073D196AFA1546BD5F11370AA4CD54A09650DE53, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.Tasks.CausalityTraceLevel
struct CausalityTraceLevel_t01DEED18A37C591FB2E53F2ADD89E2145ED8A9CD
{
public:
// System.Int32 System.Threading.Tasks.CausalityTraceLevel::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CausalityTraceLevel_t01DEED18A37C591FB2E53F2ADD89E2145ED8A9CD, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.ConstrainedExecution.Cer
struct Cer_t64C71B0BD34D91BE01771856B7D1444ACFB7C517
{
public:
// System.Int32 System.Runtime.ConstrainedExecution.Cer::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Cer_t64C71B0BD34D91BE01771856B7D1444ACFB7C517, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Networking.CertificateHandler
struct CertificateHandler_tDA66C86D1302CE4266DBB078361F7A363C7B005E : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.Networking.CertificateHandler::m_Ptr
intptr_t ___m_Ptr_0;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(CertificateHandler_tDA66C86D1302CE4266DBB078361F7A363C7B005E, ___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;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Networking.CertificateHandler
struct CertificateHandler_tDA66C86D1302CE4266DBB078361F7A363C7B005E_marshaled_pinvoke
{
intptr_t ___m_Ptr_0;
};
// Native definition for COM marshalling of UnityEngine.Networking.CertificateHandler
struct CertificateHandler_tDA66C86D1302CE4266DBB078361F7A363C7B005E_marshaled_com
{
intptr_t ___m_Ptr_0;
};
// System.Runtime.InteropServices.CharSet
struct CharSet_tF37E3433B83409C49A52A325333BFBC08ACD6E4B
{
public:
// System.Int32 System.Runtime.InteropServices.CharSet::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CharSet_tF37E3433B83409C49A52A325333BFBC08ACD6E4B, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.InteropServices.ClassInterfaceType
struct ClassInterfaceType_t4D1903EA7B9A6DF79A19DEE000B7ED28E476069D
{
public:
// System.Int32 System.Runtime.InteropServices.ClassInterfaceType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ClassInterfaceType_t4D1903EA7B9A6DF79A19DEE000B7ED28E476069D, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.Remoting.ClientActivatedIdentity
struct ClientActivatedIdentity_t15889AD8330630DE5A85C02BD4F07FE7FC72AEC6 : public ServerIdentity_t5689BF0CA0122A8E597C9900D39F11F07D79D3A8
{
public:
// System.MarshalByRefObject System.Runtime.Remoting.ClientActivatedIdentity::_targetThis
MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8 * ____targetThis_12;
public:
inline static int32_t get_offset_of__targetThis_12() { return static_cast<int32_t>(offsetof(ClientActivatedIdentity_t15889AD8330630DE5A85C02BD4F07FE7FC72AEC6, ____targetThis_12)); }
inline MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8 * get__targetThis_12() const { return ____targetThis_12; }
inline MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8 ** get_address_of__targetThis_12() { return &____targetThis_12; }
inline void set__targetThis_12(MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8 * value)
{
____targetThis_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&____targetThis_12), (void*)value);
}
};
// System.Linq.Expressions.CoalesceConversionBinaryExpression
struct CoalesceConversionBinaryExpression_t1BFEFD20D1774BE8420812142E9622F6CBB210C6 : public BinaryExpression_tCD79755962D104E6603B50D89E7F0E41D1D9CA79
{
public:
// System.Linq.Expressions.LambdaExpression System.Linq.Expressions.CoalesceConversionBinaryExpression::_conversion
LambdaExpression_t26BF905E97E6D94F81F17D60F4F4F47F8E93B474 * ____conversion_5;
public:
inline static int32_t get_offset_of__conversion_5() { return static_cast<int32_t>(offsetof(CoalesceConversionBinaryExpression_t1BFEFD20D1774BE8420812142E9622F6CBB210C6, ____conversion_5)); }
inline LambdaExpression_t26BF905E97E6D94F81F17D60F4F4F47F8E93B474 * get__conversion_5() const { return ____conversion_5; }
inline LambdaExpression_t26BF905E97E6D94F81F17D60F4F4F47F8E93B474 ** get_address_of__conversion_5() { return &____conversion_5; }
inline void set__conversion_5(LambdaExpression_t26BF905E97E6D94F81F17D60F4F4F47F8E93B474 * value)
{
____conversion_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____conversion_5), (void*)value);
}
};
// System.Security.Permissions.CodeAccessSecurityAttribute
struct CodeAccessSecurityAttribute_tDFD5754F85D0138CA98EAA383EA7D50B5503C319 : public SecurityAttribute_tB471CCD1C8F5D885AC2FD10483CB9C1BA3C9C922
{
public:
public:
};
// UnityEngine.Bindings.CodegenOptions
struct CodegenOptions_t2D0BDBDCEFA8EC8B714E6F9E84A55557343398FA
{
public:
// System.Int32 UnityEngine.Bindings.CodegenOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CodegenOptions_t2D0BDBDCEFA8EC8B714E6F9E84A55557343398FA, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Collision
struct Collision_tDC11F9B3834FD25DEB8C7DD1C51B635D240BBBF0 : public RuntimeObject
{
public:
// UnityEngine.Vector3 UnityEngine.Collision::m_Impulse
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Impulse_0;
// UnityEngine.Vector3 UnityEngine.Collision::m_RelativeVelocity
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_RelativeVelocity_1;
// UnityEngine.Rigidbody UnityEngine.Collision::m_Rigidbody
Rigidbody_t101F2E2F9F16E765A77429B2DE4527D2047A887A * ___m_Rigidbody_2;
// UnityEngine.Collider UnityEngine.Collision::m_Collider
Collider_t5E81E43C2ECA0209A7C4528E84A632712D192B02 * ___m_Collider_3;
// System.Int32 UnityEngine.Collision::m_ContactCount
int32_t ___m_ContactCount_4;
// UnityEngine.ContactPoint[] UnityEngine.Collision::m_ReusedContacts
ContactPointU5BU5D_t1ACD262B1EA44CD48E2039381DE96847F203E62B* ___m_ReusedContacts_5;
// UnityEngine.ContactPoint[] UnityEngine.Collision::m_LegacyContacts
ContactPointU5BU5D_t1ACD262B1EA44CD48E2039381DE96847F203E62B* ___m_LegacyContacts_6;
public:
inline static int32_t get_offset_of_m_Impulse_0() { return static_cast<int32_t>(offsetof(Collision_tDC11F9B3834FD25DEB8C7DD1C51B635D240BBBF0, ___m_Impulse_0)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Impulse_0() const { return ___m_Impulse_0; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Impulse_0() { return &___m_Impulse_0; }
inline void set_m_Impulse_0(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Impulse_0 = value;
}
inline static int32_t get_offset_of_m_RelativeVelocity_1() { return static_cast<int32_t>(offsetof(Collision_tDC11F9B3834FD25DEB8C7DD1C51B635D240BBBF0, ___m_RelativeVelocity_1)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_RelativeVelocity_1() const { return ___m_RelativeVelocity_1; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_RelativeVelocity_1() { return &___m_RelativeVelocity_1; }
inline void set_m_RelativeVelocity_1(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_RelativeVelocity_1 = value;
}
inline static int32_t get_offset_of_m_Rigidbody_2() { return static_cast<int32_t>(offsetof(Collision_tDC11F9B3834FD25DEB8C7DD1C51B635D240BBBF0, ___m_Rigidbody_2)); }
inline Rigidbody_t101F2E2F9F16E765A77429B2DE4527D2047A887A * get_m_Rigidbody_2() const { return ___m_Rigidbody_2; }
inline Rigidbody_t101F2E2F9F16E765A77429B2DE4527D2047A887A ** get_address_of_m_Rigidbody_2() { return &___m_Rigidbody_2; }
inline void set_m_Rigidbody_2(Rigidbody_t101F2E2F9F16E765A77429B2DE4527D2047A887A * value)
{
___m_Rigidbody_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Rigidbody_2), (void*)value);
}
inline static int32_t get_offset_of_m_Collider_3() { return static_cast<int32_t>(offsetof(Collision_tDC11F9B3834FD25DEB8C7DD1C51B635D240BBBF0, ___m_Collider_3)); }
inline Collider_t5E81E43C2ECA0209A7C4528E84A632712D192B02 * get_m_Collider_3() const { return ___m_Collider_3; }
inline Collider_t5E81E43C2ECA0209A7C4528E84A632712D192B02 ** get_address_of_m_Collider_3() { return &___m_Collider_3; }
inline void set_m_Collider_3(Collider_t5E81E43C2ECA0209A7C4528E84A632712D192B02 * value)
{
___m_Collider_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Collider_3), (void*)value);
}
inline static int32_t get_offset_of_m_ContactCount_4() { return static_cast<int32_t>(offsetof(Collision_tDC11F9B3834FD25DEB8C7DD1C51B635D240BBBF0, ___m_ContactCount_4)); }
inline int32_t get_m_ContactCount_4() const { return ___m_ContactCount_4; }
inline int32_t* get_address_of_m_ContactCount_4() { return &___m_ContactCount_4; }
inline void set_m_ContactCount_4(int32_t value)
{
___m_ContactCount_4 = value;
}
inline static int32_t get_offset_of_m_ReusedContacts_5() { return static_cast<int32_t>(offsetof(Collision_tDC11F9B3834FD25DEB8C7DD1C51B635D240BBBF0, ___m_ReusedContacts_5)); }
inline ContactPointU5BU5D_t1ACD262B1EA44CD48E2039381DE96847F203E62B* get_m_ReusedContacts_5() const { return ___m_ReusedContacts_5; }
inline ContactPointU5BU5D_t1ACD262B1EA44CD48E2039381DE96847F203E62B** get_address_of_m_ReusedContacts_5() { return &___m_ReusedContacts_5; }
inline void set_m_ReusedContacts_5(ContactPointU5BU5D_t1ACD262B1EA44CD48E2039381DE96847F203E62B* value)
{
___m_ReusedContacts_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ReusedContacts_5), (void*)value);
}
inline static int32_t get_offset_of_m_LegacyContacts_6() { return static_cast<int32_t>(offsetof(Collision_tDC11F9B3834FD25DEB8C7DD1C51B635D240BBBF0, ___m_LegacyContacts_6)); }
inline ContactPointU5BU5D_t1ACD262B1EA44CD48E2039381DE96847F203E62B* get_m_LegacyContacts_6() const { return ___m_LegacyContacts_6; }
inline ContactPointU5BU5D_t1ACD262B1EA44CD48E2039381DE96847F203E62B** get_address_of_m_LegacyContacts_6() { return &___m_LegacyContacts_6; }
inline void set_m_LegacyContacts_6(ContactPointU5BU5D_t1ACD262B1EA44CD48E2039381DE96847F203E62B* value)
{
___m_LegacyContacts_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LegacyContacts_6), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Collision
struct Collision_tDC11F9B3834FD25DEB8C7DD1C51B635D240BBBF0_marshaled_pinvoke
{
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Impulse_0;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_RelativeVelocity_1;
Rigidbody_t101F2E2F9F16E765A77429B2DE4527D2047A887A * ___m_Rigidbody_2;
Collider_t5E81E43C2ECA0209A7C4528E84A632712D192B02 * ___m_Collider_3;
int32_t ___m_ContactCount_4;
ContactPoint_tC179732A8E0014F5EFF5977ED1ADF12CF14A9017 * ___m_ReusedContacts_5;
ContactPoint_tC179732A8E0014F5EFF5977ED1ADF12CF14A9017 * ___m_LegacyContacts_6;
};
// Native definition for COM marshalling of UnityEngine.Collision
struct Collision_tDC11F9B3834FD25DEB8C7DD1C51B635D240BBBF0_marshaled_com
{
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Impulse_0;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_RelativeVelocity_1;
Rigidbody_t101F2E2F9F16E765A77429B2DE4527D2047A887A * ___m_Rigidbody_2;
Collider_t5E81E43C2ECA0209A7C4528E84A632712D192B02 * ___m_Collider_3;
int32_t ___m_ContactCount_4;
ContactPoint_tC179732A8E0014F5EFF5977ED1ADF12CF14A9017 * ___m_ReusedContacts_5;
ContactPoint_tC179732A8E0014F5EFF5977ED1ADF12CF14A9017 * ___m_LegacyContacts_6;
};
// UnityEngine.UI.ColorBlock
struct ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955
{
public:
// UnityEngine.Color UnityEngine.UI.ColorBlock::m_NormalColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_NormalColor_0;
// UnityEngine.Color UnityEngine.UI.ColorBlock::m_HighlightedColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_HighlightedColor_1;
// UnityEngine.Color UnityEngine.UI.ColorBlock::m_PressedColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_PressedColor_2;
// UnityEngine.Color UnityEngine.UI.ColorBlock::m_SelectedColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_SelectedColor_3;
// UnityEngine.Color UnityEngine.UI.ColorBlock::m_DisabledColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_DisabledColor_4;
// System.Single UnityEngine.UI.ColorBlock::m_ColorMultiplier
float ___m_ColorMultiplier_5;
// System.Single UnityEngine.UI.ColorBlock::m_FadeDuration
float ___m_FadeDuration_6;
public:
inline static int32_t get_offset_of_m_NormalColor_0() { return static_cast<int32_t>(offsetof(ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955, ___m_NormalColor_0)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_NormalColor_0() const { return ___m_NormalColor_0; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_NormalColor_0() { return &___m_NormalColor_0; }
inline void set_m_NormalColor_0(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_NormalColor_0 = value;
}
inline static int32_t get_offset_of_m_HighlightedColor_1() { return static_cast<int32_t>(offsetof(ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955, ___m_HighlightedColor_1)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_HighlightedColor_1() const { return ___m_HighlightedColor_1; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_HighlightedColor_1() { return &___m_HighlightedColor_1; }
inline void set_m_HighlightedColor_1(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_HighlightedColor_1 = value;
}
inline static int32_t get_offset_of_m_PressedColor_2() { return static_cast<int32_t>(offsetof(ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955, ___m_PressedColor_2)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_PressedColor_2() const { return ___m_PressedColor_2; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_PressedColor_2() { return &___m_PressedColor_2; }
inline void set_m_PressedColor_2(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_PressedColor_2 = value;
}
inline static int32_t get_offset_of_m_SelectedColor_3() { return static_cast<int32_t>(offsetof(ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955, ___m_SelectedColor_3)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_SelectedColor_3() const { return ___m_SelectedColor_3; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_SelectedColor_3() { return &___m_SelectedColor_3; }
inline void set_m_SelectedColor_3(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_SelectedColor_3 = value;
}
inline static int32_t get_offset_of_m_DisabledColor_4() { return static_cast<int32_t>(offsetof(ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955, ___m_DisabledColor_4)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_DisabledColor_4() const { return ___m_DisabledColor_4; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_DisabledColor_4() { return &___m_DisabledColor_4; }
inline void set_m_DisabledColor_4(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_DisabledColor_4 = value;
}
inline static int32_t get_offset_of_m_ColorMultiplier_5() { return static_cast<int32_t>(offsetof(ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955, ___m_ColorMultiplier_5)); }
inline float get_m_ColorMultiplier_5() const { return ___m_ColorMultiplier_5; }
inline float* get_address_of_m_ColorMultiplier_5() { return &___m_ColorMultiplier_5; }
inline void set_m_ColorMultiplier_5(float value)
{
___m_ColorMultiplier_5 = value;
}
inline static int32_t get_offset_of_m_FadeDuration_6() { return static_cast<int32_t>(offsetof(ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955, ___m_FadeDuration_6)); }
inline float get_m_FadeDuration_6() const { return ___m_FadeDuration_6; }
inline float* get_address_of_m_FadeDuration_6() { return &___m_FadeDuration_6; }
inline void set_m_FadeDuration_6(float value)
{
___m_FadeDuration_6 = value;
}
};
struct ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955_StaticFields
{
public:
// UnityEngine.UI.ColorBlock UnityEngine.UI.ColorBlock::defaultColorBlock
ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955 ___defaultColorBlock_7;
public:
inline static int32_t get_offset_of_defaultColorBlock_7() { return static_cast<int32_t>(offsetof(ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955_StaticFields, ___defaultColorBlock_7)); }
inline ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955 get_defaultColorBlock_7() const { return ___defaultColorBlock_7; }
inline ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955 * get_address_of_defaultColorBlock_7() { return &___defaultColorBlock_7; }
inline void set_defaultColorBlock_7(ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955 value)
{
___defaultColorBlock_7 = value;
}
};
// TMPro.ColorMode
struct ColorMode_t2C99ABBE35C08A863709500BFBBD6784D7114C09
{
public:
// System.Int32 TMPro.ColorMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ColorMode_t2C99ABBE35C08A863709500BFBBD6784D7114C09, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.ColorSpace
struct ColorSpace_tAD694F94295170CB332A0F99BBE086F4AC8C15BA
{
public:
// System.Int32 UnityEngine.ColorSpace::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ColorSpace_tAD694F94295170CB332A0F99BBE086F4AC8C15BA, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Rendering.ColorWriteMask
struct ColorWriteMask_t3FA3CB36396FDF33FC5192A387BC3E75232299C0
{
public:
// System.Int32 UnityEngine.Rendering.ColorWriteMask::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ColorWriteMask_t3FA3CB36396FDF33FC5192A387BC3E75232299C0, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.InteropServices.ComInterfaceType
struct ComInterfaceType_tD26C0EE522D88DCACB0EA3257392DD64ACC6155E
{
public:
// System.Int32 System.Runtime.InteropServices.ComInterfaceType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ComInterfaceType_tD26C0EE522D88DCACB0EA3257392DD64ACC6155E, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Rendering.CommandBuffer
struct CommandBuffer_t25CD231BD3E822660339DB7D0E8F8ED6B7DBEA29 : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.Rendering.CommandBuffer::m_Ptr
intptr_t ___m_Ptr_0;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(CommandBuffer_t25CD231BD3E822660339DB7D0E8F8ED6B7DBEA29, ___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;
}
};
// UnityEngine.Rendering.CommandBufferExecutionFlags
struct CommandBufferExecutionFlags_t712F54A486DB6C0AB23E580F950F8E2835B81F40
{
public:
// System.Int32 UnityEngine.Rendering.CommandBufferExecutionFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CommandBufferExecutionFlags_t712F54A486DB6C0AB23E580F950F8E2835B81F40, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.CommonUsages
struct CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A : public RuntimeObject
{
public:
public:
};
struct CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields
{
public:
// UnityEngine.XR.InputFeatureUsage`1<System.Boolean> UnityEngine.XR.CommonUsages::isTracked
InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 ___isTracked_0;
// UnityEngine.XR.InputFeatureUsage`1<System.Boolean> UnityEngine.XR.CommonUsages::primaryButton
InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 ___primaryButton_1;
// UnityEngine.XR.InputFeatureUsage`1<System.Boolean> UnityEngine.XR.CommonUsages::primaryTouch
InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 ___primaryTouch_2;
// UnityEngine.XR.InputFeatureUsage`1<System.Boolean> UnityEngine.XR.CommonUsages::secondaryButton
InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 ___secondaryButton_3;
// UnityEngine.XR.InputFeatureUsage`1<System.Boolean> UnityEngine.XR.CommonUsages::secondaryTouch
InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 ___secondaryTouch_4;
// UnityEngine.XR.InputFeatureUsage`1<System.Boolean> UnityEngine.XR.CommonUsages::gripButton
InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 ___gripButton_5;
// UnityEngine.XR.InputFeatureUsage`1<System.Boolean> UnityEngine.XR.CommonUsages::triggerButton
InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 ___triggerButton_6;
// UnityEngine.XR.InputFeatureUsage`1<System.Boolean> UnityEngine.XR.CommonUsages::menuButton
InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 ___menuButton_7;
// UnityEngine.XR.InputFeatureUsage`1<System.Boolean> UnityEngine.XR.CommonUsages::primary2DAxisClick
InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 ___primary2DAxisClick_8;
// UnityEngine.XR.InputFeatureUsage`1<System.Boolean> UnityEngine.XR.CommonUsages::primary2DAxisTouch
InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 ___primary2DAxisTouch_9;
// UnityEngine.XR.InputFeatureUsage`1<System.Boolean> UnityEngine.XR.CommonUsages::secondary2DAxisClick
InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 ___secondary2DAxisClick_10;
// UnityEngine.XR.InputFeatureUsage`1<System.Boolean> UnityEngine.XR.CommonUsages::secondary2DAxisTouch
InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 ___secondary2DAxisTouch_11;
// UnityEngine.XR.InputFeatureUsage`1<System.Boolean> UnityEngine.XR.CommonUsages::userPresence
InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 ___userPresence_12;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.XR.InputTrackingState> UnityEngine.XR.CommonUsages::trackingState
InputFeatureUsage_1_t6C373EE0FA4FD8646D31410FB0FD222C5C1E9E65 ___trackingState_13;
// UnityEngine.XR.InputFeatureUsage`1<System.Single> UnityEngine.XR.CommonUsages::batteryLevel
InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 ___batteryLevel_14;
// UnityEngine.XR.InputFeatureUsage`1<System.Single> UnityEngine.XR.CommonUsages::trigger
InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 ___trigger_15;
// UnityEngine.XR.InputFeatureUsage`1<System.Single> UnityEngine.XR.CommonUsages::grip
InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 ___grip_16;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector2> UnityEngine.XR.CommonUsages::primary2DAxis
InputFeatureUsage_1_t8BAF53459FF79264F0E3F7F9716191756AFAC625 ___primary2DAxis_17;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector2> UnityEngine.XR.CommonUsages::secondary2DAxis
InputFeatureUsage_1_t8BAF53459FF79264F0E3F7F9716191756AFAC625 ___secondary2DAxis_18;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::devicePosition
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___devicePosition_19;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::leftEyePosition
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___leftEyePosition_20;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::rightEyePosition
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___rightEyePosition_21;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::centerEyePosition
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___centerEyePosition_22;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::colorCameraPosition
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___colorCameraPosition_23;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::deviceVelocity
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___deviceVelocity_24;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::deviceAngularVelocity
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___deviceAngularVelocity_25;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::leftEyeVelocity
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___leftEyeVelocity_26;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::leftEyeAngularVelocity
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___leftEyeAngularVelocity_27;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::rightEyeVelocity
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___rightEyeVelocity_28;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::rightEyeAngularVelocity
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___rightEyeAngularVelocity_29;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::centerEyeVelocity
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___centerEyeVelocity_30;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::centerEyeAngularVelocity
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___centerEyeAngularVelocity_31;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::colorCameraVelocity
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___colorCameraVelocity_32;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::colorCameraAngularVelocity
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___colorCameraAngularVelocity_33;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::deviceAcceleration
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___deviceAcceleration_34;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::deviceAngularAcceleration
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___deviceAngularAcceleration_35;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::leftEyeAcceleration
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___leftEyeAcceleration_36;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::leftEyeAngularAcceleration
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___leftEyeAngularAcceleration_37;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::rightEyeAcceleration
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___rightEyeAcceleration_38;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::rightEyeAngularAcceleration
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___rightEyeAngularAcceleration_39;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::centerEyeAcceleration
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___centerEyeAcceleration_40;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::centerEyeAngularAcceleration
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___centerEyeAngularAcceleration_41;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::colorCameraAcceleration
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___colorCameraAcceleration_42;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector3> UnityEngine.XR.CommonUsages::colorCameraAngularAcceleration
InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 ___colorCameraAngularAcceleration_43;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Quaternion> UnityEngine.XR.CommonUsages::deviceRotation
InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49 ___deviceRotation_44;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Quaternion> UnityEngine.XR.CommonUsages::leftEyeRotation
InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49 ___leftEyeRotation_45;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Quaternion> UnityEngine.XR.CommonUsages::rightEyeRotation
InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49 ___rightEyeRotation_46;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Quaternion> UnityEngine.XR.CommonUsages::centerEyeRotation
InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49 ___centerEyeRotation_47;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Quaternion> UnityEngine.XR.CommonUsages::colorCameraRotation
InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49 ___colorCameraRotation_48;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.XR.Hand> UnityEngine.XR.CommonUsages::handData
InputFeatureUsage_1_tE0761BFB6E30AE61DA99E3B1974C8A2B784A335E ___handData_49;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.XR.Eyes> UnityEngine.XR.CommonUsages::eyesData
InputFeatureUsage_1_tA21EB101B253A2F3BE3AFE58A4EDDB48E61D0EC7 ___eyesData_50;
// UnityEngine.XR.InputFeatureUsage`1<UnityEngine.Vector2> UnityEngine.XR.CommonUsages::dPad
InputFeatureUsage_1_t8BAF53459FF79264F0E3F7F9716191756AFAC625 ___dPad_51;
// UnityEngine.XR.InputFeatureUsage`1<System.Single> UnityEngine.XR.CommonUsages::indexFinger
InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 ___indexFinger_52;
// UnityEngine.XR.InputFeatureUsage`1<System.Single> UnityEngine.XR.CommonUsages::middleFinger
InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 ___middleFinger_53;
// UnityEngine.XR.InputFeatureUsage`1<System.Single> UnityEngine.XR.CommonUsages::ringFinger
InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 ___ringFinger_54;
// UnityEngine.XR.InputFeatureUsage`1<System.Single> UnityEngine.XR.CommonUsages::pinkyFinger
InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 ___pinkyFinger_55;
// UnityEngine.XR.InputFeatureUsage`1<System.Boolean> UnityEngine.XR.CommonUsages::thumbrest
InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 ___thumbrest_56;
// UnityEngine.XR.InputFeatureUsage`1<System.Single> UnityEngine.XR.CommonUsages::indexTouch
InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 ___indexTouch_57;
// UnityEngine.XR.InputFeatureUsage`1<System.Single> UnityEngine.XR.CommonUsages::thumbTouch
InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 ___thumbTouch_58;
public:
inline static int32_t get_offset_of_isTracked_0() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___isTracked_0)); }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 get_isTracked_0() const { return ___isTracked_0; }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 * get_address_of_isTracked_0() { return &___isTracked_0; }
inline void set_isTracked_0(InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 value)
{
___isTracked_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___isTracked_0))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_primaryButton_1() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___primaryButton_1)); }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 get_primaryButton_1() const { return ___primaryButton_1; }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 * get_address_of_primaryButton_1() { return &___primaryButton_1; }
inline void set_primaryButton_1(InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 value)
{
___primaryButton_1 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___primaryButton_1))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_primaryTouch_2() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___primaryTouch_2)); }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 get_primaryTouch_2() const { return ___primaryTouch_2; }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 * get_address_of_primaryTouch_2() { return &___primaryTouch_2; }
inline void set_primaryTouch_2(InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 value)
{
___primaryTouch_2 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___primaryTouch_2))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_secondaryButton_3() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___secondaryButton_3)); }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 get_secondaryButton_3() const { return ___secondaryButton_3; }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 * get_address_of_secondaryButton_3() { return &___secondaryButton_3; }
inline void set_secondaryButton_3(InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 value)
{
___secondaryButton_3 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___secondaryButton_3))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_secondaryTouch_4() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___secondaryTouch_4)); }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 get_secondaryTouch_4() const { return ___secondaryTouch_4; }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 * get_address_of_secondaryTouch_4() { return &___secondaryTouch_4; }
inline void set_secondaryTouch_4(InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 value)
{
___secondaryTouch_4 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___secondaryTouch_4))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_gripButton_5() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___gripButton_5)); }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 get_gripButton_5() const { return ___gripButton_5; }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 * get_address_of_gripButton_5() { return &___gripButton_5; }
inline void set_gripButton_5(InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 value)
{
___gripButton_5 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___gripButton_5))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_triggerButton_6() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___triggerButton_6)); }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 get_triggerButton_6() const { return ___triggerButton_6; }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 * get_address_of_triggerButton_6() { return &___triggerButton_6; }
inline void set_triggerButton_6(InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 value)
{
___triggerButton_6 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___triggerButton_6))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_menuButton_7() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___menuButton_7)); }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 get_menuButton_7() const { return ___menuButton_7; }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 * get_address_of_menuButton_7() { return &___menuButton_7; }
inline void set_menuButton_7(InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 value)
{
___menuButton_7 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___menuButton_7))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_primary2DAxisClick_8() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___primary2DAxisClick_8)); }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 get_primary2DAxisClick_8() const { return ___primary2DAxisClick_8; }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 * get_address_of_primary2DAxisClick_8() { return &___primary2DAxisClick_8; }
inline void set_primary2DAxisClick_8(InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 value)
{
___primary2DAxisClick_8 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___primary2DAxisClick_8))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_primary2DAxisTouch_9() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___primary2DAxisTouch_9)); }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 get_primary2DAxisTouch_9() const { return ___primary2DAxisTouch_9; }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 * get_address_of_primary2DAxisTouch_9() { return &___primary2DAxisTouch_9; }
inline void set_primary2DAxisTouch_9(InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 value)
{
___primary2DAxisTouch_9 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___primary2DAxisTouch_9))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_secondary2DAxisClick_10() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___secondary2DAxisClick_10)); }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 get_secondary2DAxisClick_10() const { return ___secondary2DAxisClick_10; }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 * get_address_of_secondary2DAxisClick_10() { return &___secondary2DAxisClick_10; }
inline void set_secondary2DAxisClick_10(InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 value)
{
___secondary2DAxisClick_10 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___secondary2DAxisClick_10))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_secondary2DAxisTouch_11() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___secondary2DAxisTouch_11)); }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 get_secondary2DAxisTouch_11() const { return ___secondary2DAxisTouch_11; }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 * get_address_of_secondary2DAxisTouch_11() { return &___secondary2DAxisTouch_11; }
inline void set_secondary2DAxisTouch_11(InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 value)
{
___secondary2DAxisTouch_11 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___secondary2DAxisTouch_11))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_userPresence_12() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___userPresence_12)); }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 get_userPresence_12() const { return ___userPresence_12; }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 * get_address_of_userPresence_12() { return &___userPresence_12; }
inline void set_userPresence_12(InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 value)
{
___userPresence_12 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___userPresence_12))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_trackingState_13() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___trackingState_13)); }
inline InputFeatureUsage_1_t6C373EE0FA4FD8646D31410FB0FD222C5C1E9E65 get_trackingState_13() const { return ___trackingState_13; }
inline InputFeatureUsage_1_t6C373EE0FA4FD8646D31410FB0FD222C5C1E9E65 * get_address_of_trackingState_13() { return &___trackingState_13; }
inline void set_trackingState_13(InputFeatureUsage_1_t6C373EE0FA4FD8646D31410FB0FD222C5C1E9E65 value)
{
___trackingState_13 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___trackingState_13))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_batteryLevel_14() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___batteryLevel_14)); }
inline InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 get_batteryLevel_14() const { return ___batteryLevel_14; }
inline InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 * get_address_of_batteryLevel_14() { return &___batteryLevel_14; }
inline void set_batteryLevel_14(InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 value)
{
___batteryLevel_14 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___batteryLevel_14))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_trigger_15() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___trigger_15)); }
inline InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 get_trigger_15() const { return ___trigger_15; }
inline InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 * get_address_of_trigger_15() { return &___trigger_15; }
inline void set_trigger_15(InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 value)
{
___trigger_15 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___trigger_15))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_grip_16() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___grip_16)); }
inline InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 get_grip_16() const { return ___grip_16; }
inline InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 * get_address_of_grip_16() { return &___grip_16; }
inline void set_grip_16(InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 value)
{
___grip_16 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___grip_16))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_primary2DAxis_17() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___primary2DAxis_17)); }
inline InputFeatureUsage_1_t8BAF53459FF79264F0E3F7F9716191756AFAC625 get_primary2DAxis_17() const { return ___primary2DAxis_17; }
inline InputFeatureUsage_1_t8BAF53459FF79264F0E3F7F9716191756AFAC625 * get_address_of_primary2DAxis_17() { return &___primary2DAxis_17; }
inline void set_primary2DAxis_17(InputFeatureUsage_1_t8BAF53459FF79264F0E3F7F9716191756AFAC625 value)
{
___primary2DAxis_17 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___primary2DAxis_17))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_secondary2DAxis_18() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___secondary2DAxis_18)); }
inline InputFeatureUsage_1_t8BAF53459FF79264F0E3F7F9716191756AFAC625 get_secondary2DAxis_18() const { return ___secondary2DAxis_18; }
inline InputFeatureUsage_1_t8BAF53459FF79264F0E3F7F9716191756AFAC625 * get_address_of_secondary2DAxis_18() { return &___secondary2DAxis_18; }
inline void set_secondary2DAxis_18(InputFeatureUsage_1_t8BAF53459FF79264F0E3F7F9716191756AFAC625 value)
{
___secondary2DAxis_18 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___secondary2DAxis_18))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_devicePosition_19() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___devicePosition_19)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_devicePosition_19() const { return ___devicePosition_19; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_devicePosition_19() { return &___devicePosition_19; }
inline void set_devicePosition_19(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___devicePosition_19 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___devicePosition_19))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_leftEyePosition_20() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___leftEyePosition_20)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_leftEyePosition_20() const { return ___leftEyePosition_20; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_leftEyePosition_20() { return &___leftEyePosition_20; }
inline void set_leftEyePosition_20(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___leftEyePosition_20 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___leftEyePosition_20))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_rightEyePosition_21() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___rightEyePosition_21)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_rightEyePosition_21() const { return ___rightEyePosition_21; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_rightEyePosition_21() { return &___rightEyePosition_21; }
inline void set_rightEyePosition_21(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___rightEyePosition_21 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___rightEyePosition_21))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_centerEyePosition_22() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___centerEyePosition_22)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_centerEyePosition_22() const { return ___centerEyePosition_22; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_centerEyePosition_22() { return &___centerEyePosition_22; }
inline void set_centerEyePosition_22(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___centerEyePosition_22 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___centerEyePosition_22))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_colorCameraPosition_23() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___colorCameraPosition_23)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_colorCameraPosition_23() const { return ___colorCameraPosition_23; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_colorCameraPosition_23() { return &___colorCameraPosition_23; }
inline void set_colorCameraPosition_23(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___colorCameraPosition_23 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___colorCameraPosition_23))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_deviceVelocity_24() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___deviceVelocity_24)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_deviceVelocity_24() const { return ___deviceVelocity_24; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_deviceVelocity_24() { return &___deviceVelocity_24; }
inline void set_deviceVelocity_24(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___deviceVelocity_24 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___deviceVelocity_24))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_deviceAngularVelocity_25() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___deviceAngularVelocity_25)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_deviceAngularVelocity_25() const { return ___deviceAngularVelocity_25; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_deviceAngularVelocity_25() { return &___deviceAngularVelocity_25; }
inline void set_deviceAngularVelocity_25(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___deviceAngularVelocity_25 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___deviceAngularVelocity_25))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_leftEyeVelocity_26() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___leftEyeVelocity_26)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_leftEyeVelocity_26() const { return ___leftEyeVelocity_26; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_leftEyeVelocity_26() { return &___leftEyeVelocity_26; }
inline void set_leftEyeVelocity_26(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___leftEyeVelocity_26 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___leftEyeVelocity_26))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_leftEyeAngularVelocity_27() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___leftEyeAngularVelocity_27)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_leftEyeAngularVelocity_27() const { return ___leftEyeAngularVelocity_27; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_leftEyeAngularVelocity_27() { return &___leftEyeAngularVelocity_27; }
inline void set_leftEyeAngularVelocity_27(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___leftEyeAngularVelocity_27 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___leftEyeAngularVelocity_27))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_rightEyeVelocity_28() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___rightEyeVelocity_28)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_rightEyeVelocity_28() const { return ___rightEyeVelocity_28; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_rightEyeVelocity_28() { return &___rightEyeVelocity_28; }
inline void set_rightEyeVelocity_28(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___rightEyeVelocity_28 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___rightEyeVelocity_28))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_rightEyeAngularVelocity_29() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___rightEyeAngularVelocity_29)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_rightEyeAngularVelocity_29() const { return ___rightEyeAngularVelocity_29; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_rightEyeAngularVelocity_29() { return &___rightEyeAngularVelocity_29; }
inline void set_rightEyeAngularVelocity_29(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___rightEyeAngularVelocity_29 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___rightEyeAngularVelocity_29))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_centerEyeVelocity_30() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___centerEyeVelocity_30)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_centerEyeVelocity_30() const { return ___centerEyeVelocity_30; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_centerEyeVelocity_30() { return &___centerEyeVelocity_30; }
inline void set_centerEyeVelocity_30(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___centerEyeVelocity_30 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___centerEyeVelocity_30))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_centerEyeAngularVelocity_31() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___centerEyeAngularVelocity_31)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_centerEyeAngularVelocity_31() const { return ___centerEyeAngularVelocity_31; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_centerEyeAngularVelocity_31() { return &___centerEyeAngularVelocity_31; }
inline void set_centerEyeAngularVelocity_31(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___centerEyeAngularVelocity_31 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___centerEyeAngularVelocity_31))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_colorCameraVelocity_32() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___colorCameraVelocity_32)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_colorCameraVelocity_32() const { return ___colorCameraVelocity_32; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_colorCameraVelocity_32() { return &___colorCameraVelocity_32; }
inline void set_colorCameraVelocity_32(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___colorCameraVelocity_32 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___colorCameraVelocity_32))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_colorCameraAngularVelocity_33() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___colorCameraAngularVelocity_33)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_colorCameraAngularVelocity_33() const { return ___colorCameraAngularVelocity_33; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_colorCameraAngularVelocity_33() { return &___colorCameraAngularVelocity_33; }
inline void set_colorCameraAngularVelocity_33(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___colorCameraAngularVelocity_33 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___colorCameraAngularVelocity_33))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_deviceAcceleration_34() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___deviceAcceleration_34)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_deviceAcceleration_34() const { return ___deviceAcceleration_34; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_deviceAcceleration_34() { return &___deviceAcceleration_34; }
inline void set_deviceAcceleration_34(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___deviceAcceleration_34 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___deviceAcceleration_34))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_deviceAngularAcceleration_35() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___deviceAngularAcceleration_35)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_deviceAngularAcceleration_35() const { return ___deviceAngularAcceleration_35; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_deviceAngularAcceleration_35() { return &___deviceAngularAcceleration_35; }
inline void set_deviceAngularAcceleration_35(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___deviceAngularAcceleration_35 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___deviceAngularAcceleration_35))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_leftEyeAcceleration_36() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___leftEyeAcceleration_36)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_leftEyeAcceleration_36() const { return ___leftEyeAcceleration_36; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_leftEyeAcceleration_36() { return &___leftEyeAcceleration_36; }
inline void set_leftEyeAcceleration_36(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___leftEyeAcceleration_36 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___leftEyeAcceleration_36))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_leftEyeAngularAcceleration_37() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___leftEyeAngularAcceleration_37)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_leftEyeAngularAcceleration_37() const { return ___leftEyeAngularAcceleration_37; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_leftEyeAngularAcceleration_37() { return &___leftEyeAngularAcceleration_37; }
inline void set_leftEyeAngularAcceleration_37(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___leftEyeAngularAcceleration_37 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___leftEyeAngularAcceleration_37))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_rightEyeAcceleration_38() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___rightEyeAcceleration_38)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_rightEyeAcceleration_38() const { return ___rightEyeAcceleration_38; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_rightEyeAcceleration_38() { return &___rightEyeAcceleration_38; }
inline void set_rightEyeAcceleration_38(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___rightEyeAcceleration_38 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___rightEyeAcceleration_38))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_rightEyeAngularAcceleration_39() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___rightEyeAngularAcceleration_39)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_rightEyeAngularAcceleration_39() const { return ___rightEyeAngularAcceleration_39; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_rightEyeAngularAcceleration_39() { return &___rightEyeAngularAcceleration_39; }
inline void set_rightEyeAngularAcceleration_39(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___rightEyeAngularAcceleration_39 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___rightEyeAngularAcceleration_39))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_centerEyeAcceleration_40() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___centerEyeAcceleration_40)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_centerEyeAcceleration_40() const { return ___centerEyeAcceleration_40; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_centerEyeAcceleration_40() { return &___centerEyeAcceleration_40; }
inline void set_centerEyeAcceleration_40(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___centerEyeAcceleration_40 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___centerEyeAcceleration_40))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_centerEyeAngularAcceleration_41() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___centerEyeAngularAcceleration_41)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_centerEyeAngularAcceleration_41() const { return ___centerEyeAngularAcceleration_41; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_centerEyeAngularAcceleration_41() { return &___centerEyeAngularAcceleration_41; }
inline void set_centerEyeAngularAcceleration_41(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___centerEyeAngularAcceleration_41 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___centerEyeAngularAcceleration_41))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_colorCameraAcceleration_42() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___colorCameraAcceleration_42)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_colorCameraAcceleration_42() const { return ___colorCameraAcceleration_42; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_colorCameraAcceleration_42() { return &___colorCameraAcceleration_42; }
inline void set_colorCameraAcceleration_42(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___colorCameraAcceleration_42 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___colorCameraAcceleration_42))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_colorCameraAngularAcceleration_43() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___colorCameraAngularAcceleration_43)); }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 get_colorCameraAngularAcceleration_43() const { return ___colorCameraAngularAcceleration_43; }
inline InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 * get_address_of_colorCameraAngularAcceleration_43() { return &___colorCameraAngularAcceleration_43; }
inline void set_colorCameraAngularAcceleration_43(InputFeatureUsage_1_t2E7E3FD2C721D53BE7A1B809921F9476185C8709 value)
{
___colorCameraAngularAcceleration_43 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___colorCameraAngularAcceleration_43))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_deviceRotation_44() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___deviceRotation_44)); }
inline InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49 get_deviceRotation_44() const { return ___deviceRotation_44; }
inline InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49 * get_address_of_deviceRotation_44() { return &___deviceRotation_44; }
inline void set_deviceRotation_44(InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49 value)
{
___deviceRotation_44 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___deviceRotation_44))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_leftEyeRotation_45() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___leftEyeRotation_45)); }
inline InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49 get_leftEyeRotation_45() const { return ___leftEyeRotation_45; }
inline InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49 * get_address_of_leftEyeRotation_45() { return &___leftEyeRotation_45; }
inline void set_leftEyeRotation_45(InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49 value)
{
___leftEyeRotation_45 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___leftEyeRotation_45))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_rightEyeRotation_46() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___rightEyeRotation_46)); }
inline InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49 get_rightEyeRotation_46() const { return ___rightEyeRotation_46; }
inline InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49 * get_address_of_rightEyeRotation_46() { return &___rightEyeRotation_46; }
inline void set_rightEyeRotation_46(InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49 value)
{
___rightEyeRotation_46 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___rightEyeRotation_46))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_centerEyeRotation_47() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___centerEyeRotation_47)); }
inline InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49 get_centerEyeRotation_47() const { return ___centerEyeRotation_47; }
inline InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49 * get_address_of_centerEyeRotation_47() { return &___centerEyeRotation_47; }
inline void set_centerEyeRotation_47(InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49 value)
{
___centerEyeRotation_47 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___centerEyeRotation_47))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_colorCameraRotation_48() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___colorCameraRotation_48)); }
inline InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49 get_colorCameraRotation_48() const { return ___colorCameraRotation_48; }
inline InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49 * get_address_of_colorCameraRotation_48() { return &___colorCameraRotation_48; }
inline void set_colorCameraRotation_48(InputFeatureUsage_1_t152DE78832E6E5157647309AA0BF7CFC75F44A49 value)
{
___colorCameraRotation_48 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___colorCameraRotation_48))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_handData_49() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___handData_49)); }
inline InputFeatureUsage_1_tE0761BFB6E30AE61DA99E3B1974C8A2B784A335E get_handData_49() const { return ___handData_49; }
inline InputFeatureUsage_1_tE0761BFB6E30AE61DA99E3B1974C8A2B784A335E * get_address_of_handData_49() { return &___handData_49; }
inline void set_handData_49(InputFeatureUsage_1_tE0761BFB6E30AE61DA99E3B1974C8A2B784A335E value)
{
___handData_49 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___handData_49))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_eyesData_50() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___eyesData_50)); }
inline InputFeatureUsage_1_tA21EB101B253A2F3BE3AFE58A4EDDB48E61D0EC7 get_eyesData_50() const { return ___eyesData_50; }
inline InputFeatureUsage_1_tA21EB101B253A2F3BE3AFE58A4EDDB48E61D0EC7 * get_address_of_eyesData_50() { return &___eyesData_50; }
inline void set_eyesData_50(InputFeatureUsage_1_tA21EB101B253A2F3BE3AFE58A4EDDB48E61D0EC7 value)
{
___eyesData_50 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___eyesData_50))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_dPad_51() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___dPad_51)); }
inline InputFeatureUsage_1_t8BAF53459FF79264F0E3F7F9716191756AFAC625 get_dPad_51() const { return ___dPad_51; }
inline InputFeatureUsage_1_t8BAF53459FF79264F0E3F7F9716191756AFAC625 * get_address_of_dPad_51() { return &___dPad_51; }
inline void set_dPad_51(InputFeatureUsage_1_t8BAF53459FF79264F0E3F7F9716191756AFAC625 value)
{
___dPad_51 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___dPad_51))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_indexFinger_52() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___indexFinger_52)); }
inline InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 get_indexFinger_52() const { return ___indexFinger_52; }
inline InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 * get_address_of_indexFinger_52() { return &___indexFinger_52; }
inline void set_indexFinger_52(InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 value)
{
___indexFinger_52 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___indexFinger_52))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_middleFinger_53() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___middleFinger_53)); }
inline InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 get_middleFinger_53() const { return ___middleFinger_53; }
inline InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 * get_address_of_middleFinger_53() { return &___middleFinger_53; }
inline void set_middleFinger_53(InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 value)
{
___middleFinger_53 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___middleFinger_53))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_ringFinger_54() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___ringFinger_54)); }
inline InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 get_ringFinger_54() const { return ___ringFinger_54; }
inline InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 * get_address_of_ringFinger_54() { return &___ringFinger_54; }
inline void set_ringFinger_54(InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 value)
{
___ringFinger_54 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___ringFinger_54))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_pinkyFinger_55() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___pinkyFinger_55)); }
inline InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 get_pinkyFinger_55() const { return ___pinkyFinger_55; }
inline InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 * get_address_of_pinkyFinger_55() { return &___pinkyFinger_55; }
inline void set_pinkyFinger_55(InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 value)
{
___pinkyFinger_55 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___pinkyFinger_55))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_thumbrest_56() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___thumbrest_56)); }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 get_thumbrest_56() const { return ___thumbrest_56; }
inline InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 * get_address_of_thumbrest_56() { return &___thumbrest_56; }
inline void set_thumbrest_56(InputFeatureUsage_1_t28793BE3C4ACB9F1B34C0C392EAAFB16A5FA8E40 value)
{
___thumbrest_56 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___thumbrest_56))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_indexTouch_57() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___indexTouch_57)); }
inline InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 get_indexTouch_57() const { return ___indexTouch_57; }
inline InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 * get_address_of_indexTouch_57() { return &___indexTouch_57; }
inline void set_indexTouch_57(InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 value)
{
___indexTouch_57 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___indexTouch_57))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
inline static int32_t get_offset_of_thumbTouch_58() { return static_cast<int32_t>(offsetof(CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields, ___thumbTouch_58)); }
inline InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 get_thumbTouch_58() const { return ___thumbTouch_58; }
inline InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 * get_address_of_thumbTouch_58() { return &___thumbTouch_58; }
inline void set_thumbTouch_58(InputFeatureUsage_1_t9525982C3C73085CB36503407750B9DE0E598BE1 value)
{
___thumbTouch_58 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___thumbTouch_58))->___U3CnameU3Ek__BackingField_0), (void*)NULL);
}
};
// UnityEngine.Rendering.CompareFunction
struct CompareFunction_tBF5493E8F362C82B59254A3737D21710E0B70075
{
public:
// System.Int32 UnityEngine.Rendering.CompareFunction::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CompareFunction_tBF5493E8F362C82B59254A3737D21710E0B70075, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Globalization.CompareOptions
struct CompareOptions_tD3D7F165240DC4D784A11B1E2F21DC0D6D18E725
{
public:
// System.Int32 System.Globalization.CompareOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CompareOptions_tD3D7F165240DC4D784A11B1E2F21DC0D6D18E725, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.CompilerServices.CompilationRelaxations
struct CompilationRelaxations_t3F4D0C01134AC29212BCFE66E9A9F13A92F888AC
{
public:
// System.Int32 System.Runtime.CompilerServices.CompilationRelaxations::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CompilationRelaxations_t3F4D0C01134AC29212BCFE66E9A9F13A92F888AC, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.Compute_DistanceTransform_EventTypes
struct Compute_DistanceTransform_EventTypes_tD78C17A77AE0EF6649B6EDC29F8C57AE738B3A0C
{
public:
// System.Int32 TMPro.Compute_DistanceTransform_EventTypes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Compute_DistanceTransform_EventTypes_tD78C17A77AE0EF6649B6EDC29F8C57AE738B3A0C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Configuration.ConfigurationSaveMode
struct ConfigurationSaveMode_t098F10C5B94710A69F2D6F1176452DAEB38F46D3
{
public:
// System.Int32 System.Configuration.ConfigurationSaveMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ConfigurationSaveMode_t098F10C5B94710A69F2D6F1176452DAEB38F46D3, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ConnectionChangeType
struct ConnectionChangeType_tDCBB141E97849FA7B1FDA5E3BE878B51A124AD8A
{
public:
// System.UInt32 UnityEngine.XR.ConnectionChangeType::value__
uint32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ConnectionChangeType_tDCBB141E97849FA7B1FDA5E3BE878B51A124AD8A, ___value___2)); }
inline uint32_t get_value___2() const { return ___value___2; }
inline uint32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint32_t value)
{
___value___2 = value;
}
};
// System.Net.Configuration.ConnectionManagementElementCollection
struct ConnectionManagementElementCollection_t6398255FE4916E59AC5841760AC6D8D28EC4728C : public ConfigurationElementCollection_t09097ED83C909F1481AEF6E4451CF7595AFA403E
{
public:
public:
};
// System.Net.Configuration.ConnectionManagementSection
struct ConnectionManagementSection_t3A29EBAF9E3B13F9886D2739ABE4AD89CA007987 : public ConfigurationSection_t0D68AA1EA007506253A4935DB9F357AF9B50C683
{
public:
public:
};
// System.Runtime.ConstrainedExecution.Consistency
struct Consistency_tEE5485CF2F355DF32301D369AC52D1180D5331B3
{
public:
// System.Int32 System.Runtime.ConstrainedExecution.Consistency::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Consistency_tEE5485CF2F355DF32301D369AC52D1180D5331B3, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.ConsoleColor
struct ConsoleColor_t70ABA059B827F2A223299FBC4FD8D878518B2970
{
public:
// System.Int32 System.ConsoleColor::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ConsoleColor_t70ABA059B827F2A223299FBC4FD8D878518B2970, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.ConsoleKey
struct ConsoleKey_t4708A928547D666CF632F6F46340F476155566D4
{
public:
// System.Int32 System.ConsoleKey::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ConsoleKey_t4708A928547D666CF632F6F46340F476155566D4, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.ConsoleModifiers
struct ConsoleModifiers_t8465A8BC80F4BDB8816D80AA7CBE483DC7D01EBE
{
public:
// System.Int32 System.ConsoleModifiers::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ConsoleModifiers_t8465A8BC80F4BDB8816D80AA7CBE483DC7D01EBE, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.ConsoleScreenBufferInfo
struct ConsoleScreenBufferInfo_t0884F260F47C08B473A0E54E153E74C6DC540949
{
public:
// System.Coord System.ConsoleScreenBufferInfo::Size
Coord_tC91F4C76F249B7D08375D2F4066B39D2E5B35766 ___Size_0;
// System.Coord System.ConsoleScreenBufferInfo::CursorPosition
Coord_tC91F4C76F249B7D08375D2F4066B39D2E5B35766 ___CursorPosition_1;
// System.Int16 System.ConsoleScreenBufferInfo::Attribute
int16_t ___Attribute_2;
// System.SmallRect System.ConsoleScreenBufferInfo::Window
SmallRect_t0A4A1C7A4F34C84275DBF802F4DE0264A45EB43F ___Window_3;
// System.Coord System.ConsoleScreenBufferInfo::MaxWindowSize
Coord_tC91F4C76F249B7D08375D2F4066B39D2E5B35766 ___MaxWindowSize_4;
public:
inline static int32_t get_offset_of_Size_0() { return static_cast<int32_t>(offsetof(ConsoleScreenBufferInfo_t0884F260F47C08B473A0E54E153E74C6DC540949, ___Size_0)); }
inline Coord_tC91F4C76F249B7D08375D2F4066B39D2E5B35766 get_Size_0() const { return ___Size_0; }
inline Coord_tC91F4C76F249B7D08375D2F4066B39D2E5B35766 * get_address_of_Size_0() { return &___Size_0; }
inline void set_Size_0(Coord_tC91F4C76F249B7D08375D2F4066B39D2E5B35766 value)
{
___Size_0 = value;
}
inline static int32_t get_offset_of_CursorPosition_1() { return static_cast<int32_t>(offsetof(ConsoleScreenBufferInfo_t0884F260F47C08B473A0E54E153E74C6DC540949, ___CursorPosition_1)); }
inline Coord_tC91F4C76F249B7D08375D2F4066B39D2E5B35766 get_CursorPosition_1() const { return ___CursorPosition_1; }
inline Coord_tC91F4C76F249B7D08375D2F4066B39D2E5B35766 * get_address_of_CursorPosition_1() { return &___CursorPosition_1; }
inline void set_CursorPosition_1(Coord_tC91F4C76F249B7D08375D2F4066B39D2E5B35766 value)
{
___CursorPosition_1 = value;
}
inline static int32_t get_offset_of_Attribute_2() { return static_cast<int32_t>(offsetof(ConsoleScreenBufferInfo_t0884F260F47C08B473A0E54E153E74C6DC540949, ___Attribute_2)); }
inline int16_t get_Attribute_2() const { return ___Attribute_2; }
inline int16_t* get_address_of_Attribute_2() { return &___Attribute_2; }
inline void set_Attribute_2(int16_t value)
{
___Attribute_2 = value;
}
inline static int32_t get_offset_of_Window_3() { return static_cast<int32_t>(offsetof(ConsoleScreenBufferInfo_t0884F260F47C08B473A0E54E153E74C6DC540949, ___Window_3)); }
inline SmallRect_t0A4A1C7A4F34C84275DBF802F4DE0264A45EB43F get_Window_3() const { return ___Window_3; }
inline SmallRect_t0A4A1C7A4F34C84275DBF802F4DE0264A45EB43F * get_address_of_Window_3() { return &___Window_3; }
inline void set_Window_3(SmallRect_t0A4A1C7A4F34C84275DBF802F4DE0264A45EB43F value)
{
___Window_3 = value;
}
inline static int32_t get_offset_of_MaxWindowSize_4() { return static_cast<int32_t>(offsetof(ConsoleScreenBufferInfo_t0884F260F47C08B473A0E54E153E74C6DC540949, ___MaxWindowSize_4)); }
inline Coord_tC91F4C76F249B7D08375D2F4066B39D2E5B35766 get_MaxWindowSize_4() const { return ___MaxWindowSize_4; }
inline Coord_tC91F4C76F249B7D08375D2F4066B39D2E5B35766 * get_address_of_MaxWindowSize_4() { return &___MaxWindowSize_4; }
inline void set_MaxWindowSize_4(Coord_tC91F4C76F249B7D08375D2F4066B39D2E5B35766 value)
{
___MaxWindowSize_4 = value;
}
};
// System.ConsoleSpecialKey
struct ConsoleSpecialKey_t8A289581D03BD70CA7DD22E29E0CE5CFAF3FBD5C
{
public:
// System.Int32 System.ConsoleSpecialKey::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ConsoleSpecialKey_t8A289581D03BD70CA7DD22E29E0CE5CFAF3FBD5C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Reflection.ConstructorInfo
struct ConstructorInfo_t449AEC508DCA508EE46784C4F2716545488ACD5B : public MethodBase_t
{
public:
public:
};
struct ConstructorInfo_t449AEC508DCA508EE46784C4F2716545488ACD5B_StaticFields
{
public:
// System.String System.Reflection.ConstructorInfo::ConstructorName
String_t* ___ConstructorName_0;
// System.String System.Reflection.ConstructorInfo::TypeConstructorName
String_t* ___TypeConstructorName_1;
public:
inline static int32_t get_offset_of_ConstructorName_0() { return static_cast<int32_t>(offsetof(ConstructorInfo_t449AEC508DCA508EE46784C4F2716545488ACD5B_StaticFields, ___ConstructorName_0)); }
inline String_t* get_ConstructorName_0() const { return ___ConstructorName_0; }
inline String_t** get_address_of_ConstructorName_0() { return &___ConstructorName_0; }
inline void set_ConstructorName_0(String_t* value)
{
___ConstructorName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ConstructorName_0), (void*)value);
}
inline static int32_t get_offset_of_TypeConstructorName_1() { return static_cast<int32_t>(offsetof(ConstructorInfo_t449AEC508DCA508EE46784C4F2716545488ACD5B_StaticFields, ___TypeConstructorName_1)); }
inline String_t* get_TypeConstructorName_1() const { return ___TypeConstructorName_1; }
inline String_t** get_address_of_TypeConstructorName_1() { return &___TypeConstructorName_1; }
inline void set_TypeConstructorName_1(String_t* value)
{
___TypeConstructorName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___TypeConstructorName_1), (void*)value);
}
};
// UnityEngine.ContactPoint
struct ContactPoint_tC179732A8E0014F5EFF5977ED1ADF12CF14A9017
{
public:
// UnityEngine.Vector3 UnityEngine.ContactPoint::m_Point
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Point_0;
// UnityEngine.Vector3 UnityEngine.ContactPoint::m_Normal
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Normal_1;
// System.Int32 UnityEngine.ContactPoint::m_ThisColliderInstanceID
int32_t ___m_ThisColliderInstanceID_2;
// System.Int32 UnityEngine.ContactPoint::m_OtherColliderInstanceID
int32_t ___m_OtherColliderInstanceID_3;
// System.Single UnityEngine.ContactPoint::m_Separation
float ___m_Separation_4;
public:
inline static int32_t get_offset_of_m_Point_0() { return static_cast<int32_t>(offsetof(ContactPoint_tC179732A8E0014F5EFF5977ED1ADF12CF14A9017, ___m_Point_0)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Point_0() const { return ___m_Point_0; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Point_0() { return &___m_Point_0; }
inline void set_m_Point_0(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Point_0 = value;
}
inline static int32_t get_offset_of_m_Normal_1() { return static_cast<int32_t>(offsetof(ContactPoint_tC179732A8E0014F5EFF5977ED1ADF12CF14A9017, ___m_Normal_1)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Normal_1() const { return ___m_Normal_1; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Normal_1() { return &___m_Normal_1; }
inline void set_m_Normal_1(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Normal_1 = value;
}
inline static int32_t get_offset_of_m_ThisColliderInstanceID_2() { return static_cast<int32_t>(offsetof(ContactPoint_tC179732A8E0014F5EFF5977ED1ADF12CF14A9017, ___m_ThisColliderInstanceID_2)); }
inline int32_t get_m_ThisColliderInstanceID_2() const { return ___m_ThisColliderInstanceID_2; }
inline int32_t* get_address_of_m_ThisColliderInstanceID_2() { return &___m_ThisColliderInstanceID_2; }
inline void set_m_ThisColliderInstanceID_2(int32_t value)
{
___m_ThisColliderInstanceID_2 = value;
}
inline static int32_t get_offset_of_m_OtherColliderInstanceID_3() { return static_cast<int32_t>(offsetof(ContactPoint_tC179732A8E0014F5EFF5977ED1ADF12CF14A9017, ___m_OtherColliderInstanceID_3)); }
inline int32_t get_m_OtherColliderInstanceID_3() const { return ___m_OtherColliderInstanceID_3; }
inline int32_t* get_address_of_m_OtherColliderInstanceID_3() { return &___m_OtherColliderInstanceID_3; }
inline void set_m_OtherColliderInstanceID_3(int32_t value)
{
___m_OtherColliderInstanceID_3 = value;
}
inline static int32_t get_offset_of_m_Separation_4() { return static_cast<int32_t>(offsetof(ContactPoint_tC179732A8E0014F5EFF5977ED1ADF12CF14A9017, ___m_Separation_4)); }
inline float get_m_Separation_4() const { return ___m_Separation_4; }
inline float* get_address_of_m_Separation_4() { return &___m_Separation_4; }
inline void set_m_Separation_4(float value)
{
___m_Separation_4 = value;
}
};
// System.Runtime.Remoting.Contexts.Context
struct Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678 : public RuntimeObject
{
public:
// System.Int32 System.Runtime.Remoting.Contexts.Context::domain_id
int32_t ___domain_id_0;
// System.Int32 System.Runtime.Remoting.Contexts.Context::context_id
int32_t ___context_id_1;
// System.UIntPtr System.Runtime.Remoting.Contexts.Context::static_data
uintptr_t ___static_data_2;
// System.UIntPtr System.Runtime.Remoting.Contexts.Context::data
uintptr_t ___data_3;
// System.Runtime.Remoting.Messaging.IMessageSink System.Runtime.Remoting.Contexts.Context::server_context_sink_chain
RuntimeObject* ___server_context_sink_chain_6;
// System.Runtime.Remoting.Messaging.IMessageSink System.Runtime.Remoting.Contexts.Context::client_context_sink_chain
RuntimeObject* ___client_context_sink_chain_7;
// System.Collections.Generic.List`1<System.Runtime.Remoting.Contexts.IContextProperty> System.Runtime.Remoting.Contexts.Context::context_properties
List_1_t6C44C0357D6C8D5FA8F1019C5D37D11A0AEC8544 * ___context_properties_8;
// System.LocalDataStoreHolder modreq(System.Runtime.CompilerServices.IsVolatile) System.Runtime.Remoting.Contexts.Context::_localDataStore
LocalDataStoreHolder_tF51C9DD735A89132114AE47E3EB51C11D0FED146 * ____localDataStore_10;
// System.Runtime.Remoting.Contexts.DynamicPropertyCollection System.Runtime.Remoting.Contexts.Context::context_dynamic_properties
DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B * ___context_dynamic_properties_13;
// System.Runtime.Remoting.Contexts.ContextCallbackObject System.Runtime.Remoting.Contexts.Context::callback_object
ContextCallbackObject_t0E2D94904CEC51006BE71AE154A7E7D9CD4AFA4B * ___callback_object_14;
public:
inline static int32_t get_offset_of_domain_id_0() { return static_cast<int32_t>(offsetof(Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678, ___domain_id_0)); }
inline int32_t get_domain_id_0() const { return ___domain_id_0; }
inline int32_t* get_address_of_domain_id_0() { return &___domain_id_0; }
inline void set_domain_id_0(int32_t value)
{
___domain_id_0 = value;
}
inline static int32_t get_offset_of_context_id_1() { return static_cast<int32_t>(offsetof(Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678, ___context_id_1)); }
inline int32_t get_context_id_1() const { return ___context_id_1; }
inline int32_t* get_address_of_context_id_1() { return &___context_id_1; }
inline void set_context_id_1(int32_t value)
{
___context_id_1 = value;
}
inline static int32_t get_offset_of_static_data_2() { return static_cast<int32_t>(offsetof(Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678, ___static_data_2)); }
inline uintptr_t get_static_data_2() const { return ___static_data_2; }
inline uintptr_t* get_address_of_static_data_2() { return &___static_data_2; }
inline void set_static_data_2(uintptr_t value)
{
___static_data_2 = value;
}
inline static int32_t get_offset_of_data_3() { return static_cast<int32_t>(offsetof(Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678, ___data_3)); }
inline uintptr_t get_data_3() const { return ___data_3; }
inline uintptr_t* get_address_of_data_3() { return &___data_3; }
inline void set_data_3(uintptr_t value)
{
___data_3 = value;
}
inline static int32_t get_offset_of_server_context_sink_chain_6() { return static_cast<int32_t>(offsetof(Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678, ___server_context_sink_chain_6)); }
inline RuntimeObject* get_server_context_sink_chain_6() const { return ___server_context_sink_chain_6; }
inline RuntimeObject** get_address_of_server_context_sink_chain_6() { return &___server_context_sink_chain_6; }
inline void set_server_context_sink_chain_6(RuntimeObject* value)
{
___server_context_sink_chain_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___server_context_sink_chain_6), (void*)value);
}
inline static int32_t get_offset_of_client_context_sink_chain_7() { return static_cast<int32_t>(offsetof(Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678, ___client_context_sink_chain_7)); }
inline RuntimeObject* get_client_context_sink_chain_7() const { return ___client_context_sink_chain_7; }
inline RuntimeObject** get_address_of_client_context_sink_chain_7() { return &___client_context_sink_chain_7; }
inline void set_client_context_sink_chain_7(RuntimeObject* value)
{
___client_context_sink_chain_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___client_context_sink_chain_7), (void*)value);
}
inline static int32_t get_offset_of_context_properties_8() { return static_cast<int32_t>(offsetof(Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678, ___context_properties_8)); }
inline List_1_t6C44C0357D6C8D5FA8F1019C5D37D11A0AEC8544 * get_context_properties_8() const { return ___context_properties_8; }
inline List_1_t6C44C0357D6C8D5FA8F1019C5D37D11A0AEC8544 ** get_address_of_context_properties_8() { return &___context_properties_8; }
inline void set_context_properties_8(List_1_t6C44C0357D6C8D5FA8F1019C5D37D11A0AEC8544 * value)
{
___context_properties_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___context_properties_8), (void*)value);
}
inline static int32_t get_offset_of__localDataStore_10() { return static_cast<int32_t>(offsetof(Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678, ____localDataStore_10)); }
inline LocalDataStoreHolder_tF51C9DD735A89132114AE47E3EB51C11D0FED146 * get__localDataStore_10() const { return ____localDataStore_10; }
inline LocalDataStoreHolder_tF51C9DD735A89132114AE47E3EB51C11D0FED146 ** get_address_of__localDataStore_10() { return &____localDataStore_10; }
inline void set__localDataStore_10(LocalDataStoreHolder_tF51C9DD735A89132114AE47E3EB51C11D0FED146 * value)
{
____localDataStore_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&____localDataStore_10), (void*)value);
}
inline static int32_t get_offset_of_context_dynamic_properties_13() { return static_cast<int32_t>(offsetof(Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678, ___context_dynamic_properties_13)); }
inline DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B * get_context_dynamic_properties_13() const { return ___context_dynamic_properties_13; }
inline DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B ** get_address_of_context_dynamic_properties_13() { return &___context_dynamic_properties_13; }
inline void set_context_dynamic_properties_13(DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B * value)
{
___context_dynamic_properties_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___context_dynamic_properties_13), (void*)value);
}
inline static int32_t get_offset_of_callback_object_14() { return static_cast<int32_t>(offsetof(Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678, ___callback_object_14)); }
inline ContextCallbackObject_t0E2D94904CEC51006BE71AE154A7E7D9CD4AFA4B * get_callback_object_14() const { return ___callback_object_14; }
inline ContextCallbackObject_t0E2D94904CEC51006BE71AE154A7E7D9CD4AFA4B ** get_address_of_callback_object_14() { return &___callback_object_14; }
inline void set_callback_object_14(ContextCallbackObject_t0E2D94904CEC51006BE71AE154A7E7D9CD4AFA4B * value)
{
___callback_object_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___callback_object_14), (void*)value);
}
};
struct Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678_StaticFields
{
public:
// System.Object[] System.Runtime.Remoting.Contexts.Context::local_slots
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___local_slots_4;
// System.Runtime.Remoting.Messaging.IMessageSink System.Runtime.Remoting.Contexts.Context::default_server_context_sink
RuntimeObject* ___default_server_context_sink_5;
// System.Int32 System.Runtime.Remoting.Contexts.Context::global_count
int32_t ___global_count_9;
// System.LocalDataStoreMgr System.Runtime.Remoting.Contexts.Context::_localDataStoreMgr
LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A * ____localDataStoreMgr_11;
// System.Runtime.Remoting.Contexts.DynamicPropertyCollection System.Runtime.Remoting.Contexts.Context::global_dynamic_properties
DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B * ___global_dynamic_properties_12;
public:
inline static int32_t get_offset_of_local_slots_4() { return static_cast<int32_t>(offsetof(Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678_StaticFields, ___local_slots_4)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_local_slots_4() const { return ___local_slots_4; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_local_slots_4() { return &___local_slots_4; }
inline void set_local_slots_4(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___local_slots_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___local_slots_4), (void*)value);
}
inline static int32_t get_offset_of_default_server_context_sink_5() { return static_cast<int32_t>(offsetof(Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678_StaticFields, ___default_server_context_sink_5)); }
inline RuntimeObject* get_default_server_context_sink_5() const { return ___default_server_context_sink_5; }
inline RuntimeObject** get_address_of_default_server_context_sink_5() { return &___default_server_context_sink_5; }
inline void set_default_server_context_sink_5(RuntimeObject* value)
{
___default_server_context_sink_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___default_server_context_sink_5), (void*)value);
}
inline static int32_t get_offset_of_global_count_9() { return static_cast<int32_t>(offsetof(Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678_StaticFields, ___global_count_9)); }
inline int32_t get_global_count_9() const { return ___global_count_9; }
inline int32_t* get_address_of_global_count_9() { return &___global_count_9; }
inline void set_global_count_9(int32_t value)
{
___global_count_9 = value;
}
inline static int32_t get_offset_of__localDataStoreMgr_11() { return static_cast<int32_t>(offsetof(Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678_StaticFields, ____localDataStoreMgr_11)); }
inline LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A * get__localDataStoreMgr_11() const { return ____localDataStoreMgr_11; }
inline LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A ** get_address_of__localDataStoreMgr_11() { return &____localDataStoreMgr_11; }
inline void set__localDataStoreMgr_11(LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A * value)
{
____localDataStoreMgr_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&____localDataStoreMgr_11), (void*)value);
}
inline static int32_t get_offset_of_global_dynamic_properties_12() { return static_cast<int32_t>(offsetof(Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678_StaticFields, ___global_dynamic_properties_12)); }
inline DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B * get_global_dynamic_properties_12() const { return ___global_dynamic_properties_12; }
inline DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B ** get_address_of_global_dynamic_properties_12() { return &___global_dynamic_properties_12; }
inline void set_global_dynamic_properties_12(DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B * value)
{
___global_dynamic_properties_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___global_dynamic_properties_12), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Runtime.Remoting.Contexts.Context
struct Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678_marshaled_pinvoke
{
int32_t ___domain_id_0;
int32_t ___context_id_1;
uintptr_t ___static_data_2;
uintptr_t ___data_3;
RuntimeObject* ___server_context_sink_chain_6;
RuntimeObject* ___client_context_sink_chain_7;
List_1_t6C44C0357D6C8D5FA8F1019C5D37D11A0AEC8544 * ___context_properties_8;
LocalDataStoreHolder_tF51C9DD735A89132114AE47E3EB51C11D0FED146 * ____localDataStore_10;
DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B * ___context_dynamic_properties_13;
ContextCallbackObject_t0E2D94904CEC51006BE71AE154A7E7D9CD4AFA4B * ___callback_object_14;
};
// Native definition for COM marshalling of System.Runtime.Remoting.Contexts.Context
struct Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678_marshaled_com
{
int32_t ___domain_id_0;
int32_t ___context_id_1;
uintptr_t ___static_data_2;
uintptr_t ___data_3;
RuntimeObject* ___server_context_sink_chain_6;
RuntimeObject* ___client_context_sink_chain_7;
List_1_t6C44C0357D6C8D5FA8F1019C5D37D11A0AEC8544 * ___context_properties_8;
LocalDataStoreHolder_tF51C9DD735A89132114AE47E3EB51C11D0FED146 * ____localDataStore_10;
DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B * ___context_dynamic_properties_13;
ContextCallbackObject_t0E2D94904CEC51006BE71AE154A7E7D9CD4AFA4B * ___callback_object_14;
};
// System.Runtime.Remoting.Contexts.ContextCallbackObject
struct ContextCallbackObject_t0E2D94904CEC51006BE71AE154A7E7D9CD4AFA4B : public ContextBoundObject_tBB875F915633B46F9364AAFC4129DC6DDC05753B
{
public:
public:
};
// UnityEngine.ControllerColliderHit
struct ControllerColliderHit_t483E787AA2D92263EC1F899BCF1FFC3F2B96D550 : public RuntimeObject
{
public:
// UnityEngine.CharacterController UnityEngine.ControllerColliderHit::m_Controller
CharacterController_tCCF68621C784CCB3391E0C66FE134F6F93DD6C2E * ___m_Controller_0;
// UnityEngine.Collider UnityEngine.ControllerColliderHit::m_Collider
Collider_t5E81E43C2ECA0209A7C4528E84A632712D192B02 * ___m_Collider_1;
// UnityEngine.Vector3 UnityEngine.ControllerColliderHit::m_Point
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Point_2;
// UnityEngine.Vector3 UnityEngine.ControllerColliderHit::m_Normal
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Normal_3;
// UnityEngine.Vector3 UnityEngine.ControllerColliderHit::m_MoveDirection
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_MoveDirection_4;
// System.Single UnityEngine.ControllerColliderHit::m_MoveLength
float ___m_MoveLength_5;
// System.Int32 UnityEngine.ControllerColliderHit::m_Push
int32_t ___m_Push_6;
public:
inline static int32_t get_offset_of_m_Controller_0() { return static_cast<int32_t>(offsetof(ControllerColliderHit_t483E787AA2D92263EC1F899BCF1FFC3F2B96D550, ___m_Controller_0)); }
inline CharacterController_tCCF68621C784CCB3391E0C66FE134F6F93DD6C2E * get_m_Controller_0() const { return ___m_Controller_0; }
inline CharacterController_tCCF68621C784CCB3391E0C66FE134F6F93DD6C2E ** get_address_of_m_Controller_0() { return &___m_Controller_0; }
inline void set_m_Controller_0(CharacterController_tCCF68621C784CCB3391E0C66FE134F6F93DD6C2E * value)
{
___m_Controller_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Controller_0), (void*)value);
}
inline static int32_t get_offset_of_m_Collider_1() { return static_cast<int32_t>(offsetof(ControllerColliderHit_t483E787AA2D92263EC1F899BCF1FFC3F2B96D550, ___m_Collider_1)); }
inline Collider_t5E81E43C2ECA0209A7C4528E84A632712D192B02 * get_m_Collider_1() const { return ___m_Collider_1; }
inline Collider_t5E81E43C2ECA0209A7C4528E84A632712D192B02 ** get_address_of_m_Collider_1() { return &___m_Collider_1; }
inline void set_m_Collider_1(Collider_t5E81E43C2ECA0209A7C4528E84A632712D192B02 * value)
{
___m_Collider_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Collider_1), (void*)value);
}
inline static int32_t get_offset_of_m_Point_2() { return static_cast<int32_t>(offsetof(ControllerColliderHit_t483E787AA2D92263EC1F899BCF1FFC3F2B96D550, ___m_Point_2)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Point_2() const { return ___m_Point_2; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Point_2() { return &___m_Point_2; }
inline void set_m_Point_2(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Point_2 = value;
}
inline static int32_t get_offset_of_m_Normal_3() { return static_cast<int32_t>(offsetof(ControllerColliderHit_t483E787AA2D92263EC1F899BCF1FFC3F2B96D550, ___m_Normal_3)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Normal_3() const { return ___m_Normal_3; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Normal_3() { return &___m_Normal_3; }
inline void set_m_Normal_3(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Normal_3 = value;
}
inline static int32_t get_offset_of_m_MoveDirection_4() { return static_cast<int32_t>(offsetof(ControllerColliderHit_t483E787AA2D92263EC1F899BCF1FFC3F2B96D550, ___m_MoveDirection_4)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_MoveDirection_4() const { return ___m_MoveDirection_4; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_MoveDirection_4() { return &___m_MoveDirection_4; }
inline void set_m_MoveDirection_4(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_MoveDirection_4 = value;
}
inline static int32_t get_offset_of_m_MoveLength_5() { return static_cast<int32_t>(offsetof(ControllerColliderHit_t483E787AA2D92263EC1F899BCF1FFC3F2B96D550, ___m_MoveLength_5)); }
inline float get_m_MoveLength_5() const { return ___m_MoveLength_5; }
inline float* get_address_of_m_MoveLength_5() { return &___m_MoveLength_5; }
inline void set_m_MoveLength_5(float value)
{
___m_MoveLength_5 = value;
}
inline static int32_t get_offset_of_m_Push_6() { return static_cast<int32_t>(offsetof(ControllerColliderHit_t483E787AA2D92263EC1F899BCF1FFC3F2B96D550, ___m_Push_6)); }
inline int32_t get_m_Push_6() const { return ___m_Push_6; }
inline int32_t* get_address_of_m_Push_6() { return &___m_Push_6; }
inline void set_m_Push_6(int32_t value)
{
___m_Push_6 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.ControllerColliderHit
struct ControllerColliderHit_t483E787AA2D92263EC1F899BCF1FFC3F2B96D550_marshaled_pinvoke
{
CharacterController_tCCF68621C784CCB3391E0C66FE134F6F93DD6C2E * ___m_Controller_0;
Collider_t5E81E43C2ECA0209A7C4528E84A632712D192B02 * ___m_Collider_1;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Point_2;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Normal_3;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_MoveDirection_4;
float ___m_MoveLength_5;
int32_t ___m_Push_6;
};
// Native definition for COM marshalling of UnityEngine.ControllerColliderHit
struct ControllerColliderHit_t483E787AA2D92263EC1F899BCF1FFC3F2B96D550_marshaled_com
{
CharacterController_tCCF68621C784CCB3391E0C66FE134F6F93DD6C2E * ___m_Controller_0;
Collider_t5E81E43C2ECA0209A7C4528E84A632712D192B02 * ___m_Collider_1;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Point_2;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Normal_3;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_MoveDirection_4;
float ___m_MoveLength_5;
int32_t ___m_Push_6;
};
// UnityEngine.Experimental.GlobalIllumination.Cookie
struct Cookie_tEC43B52DA6FD8E9BFF0B54D063671606E01E039B
{
public:
// System.Int32 UnityEngine.Experimental.GlobalIllumination.Cookie::instanceID
int32_t ___instanceID_0;
// System.Single UnityEngine.Experimental.GlobalIllumination.Cookie::scale
float ___scale_1;
// UnityEngine.Vector2 UnityEngine.Experimental.GlobalIllumination.Cookie::sizes
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___sizes_2;
public:
inline static int32_t get_offset_of_instanceID_0() { return static_cast<int32_t>(offsetof(Cookie_tEC43B52DA6FD8E9BFF0B54D063671606E01E039B, ___instanceID_0)); }
inline int32_t get_instanceID_0() const { return ___instanceID_0; }
inline int32_t* get_address_of_instanceID_0() { return &___instanceID_0; }
inline void set_instanceID_0(int32_t value)
{
___instanceID_0 = value;
}
inline static int32_t get_offset_of_scale_1() { return static_cast<int32_t>(offsetof(Cookie_tEC43B52DA6FD8E9BFF0B54D063671606E01E039B, ___scale_1)); }
inline float get_scale_1() const { return ___scale_1; }
inline float* get_address_of_scale_1() { return &___scale_1; }
inline void set_scale_1(float value)
{
___scale_1 = value;
}
inline static int32_t get_offset_of_sizes_2() { return static_cast<int32_t>(offsetof(Cookie_tEC43B52DA6FD8E9BFF0B54D063671606E01E039B, ___sizes_2)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_sizes_2() const { return ___sizes_2; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_sizes_2() { return &___sizes_2; }
inline void set_sizes_2(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___sizes_2 = value;
}
};
// UnityEngine.Coroutine
struct Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 : public YieldInstruction_tB0B4E05316710E51ECCC1E57174C27FE6DEBBEAF
{
public:
// System.IntPtr UnityEngine.Coroutine::m_Ptr
intptr_t ___m_Ptr_0;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7, ___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;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Coroutine
struct Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7_marshaled_pinvoke : public YieldInstruction_tB0B4E05316710E51ECCC1E57174C27FE6DEBBEAF_marshaled_pinvoke
{
intptr_t ___m_Ptr_0;
};
// Native definition for COM marshalling of UnityEngine.Coroutine
struct Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7_marshaled_com : public YieldInstruction_tB0B4E05316710E51ECCC1E57174C27FE6DEBBEAF_marshaled_com
{
intptr_t ___m_Ptr_0;
};
// UnityEngine.CubemapFace
struct CubemapFace_t74FBCA71A21252C2E10E256E61FE0B1E09D7B9E5
{
public:
// System.Int32 UnityEngine.CubemapFace::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CubemapFace_t74FBCA71A21252C2E10E256E61FE0B1E09D7B9E5, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.CullingGroup
struct CullingGroup_t63379D76B9825516F762DDEDD594814B981DB307 : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.CullingGroup::m_Ptr
intptr_t ___m_Ptr_0;
// UnityEngine.CullingGroup/StateChanged UnityEngine.CullingGroup::m_OnStateChanged
StateChanged_tAE96F0A8860BFCD704179F6C1F376A6FAE3E25E0 * ___m_OnStateChanged_1;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(CullingGroup_t63379D76B9825516F762DDEDD594814B981DB307, ___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_OnStateChanged_1() { return static_cast<int32_t>(offsetof(CullingGroup_t63379D76B9825516F762DDEDD594814B981DB307, ___m_OnStateChanged_1)); }
inline StateChanged_tAE96F0A8860BFCD704179F6C1F376A6FAE3E25E0 * get_m_OnStateChanged_1() const { return ___m_OnStateChanged_1; }
inline StateChanged_tAE96F0A8860BFCD704179F6C1F376A6FAE3E25E0 ** get_address_of_m_OnStateChanged_1() { return &___m_OnStateChanged_1; }
inline void set_m_OnStateChanged_1(StateChanged_tAE96F0A8860BFCD704179F6C1F376A6FAE3E25E0 * value)
{
___m_OnStateChanged_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnStateChanged_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.CullingGroup
struct CullingGroup_t63379D76B9825516F762DDEDD594814B981DB307_marshaled_pinvoke
{
intptr_t ___m_Ptr_0;
Il2CppMethodPointer ___m_OnStateChanged_1;
};
// Native definition for COM marshalling of UnityEngine.CullingGroup
struct CullingGroup_t63379D76B9825516F762DDEDD594814B981DB307_marshaled_com
{
intptr_t ___m_Ptr_0;
Il2CppMethodPointer ___m_OnStateChanged_1;
};
// UnityEngine.CursorLockMode
struct CursorLockMode_t247B41EE9632E4AD759EDADDB351AE0075162D04
{
public:
// System.Int32 UnityEngine.CursorLockMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CursorLockMode_t247B41EE9632E4AD759EDADDB351AE0075162D04, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Reflection.CustomAttributeNamedArgument
struct CustomAttributeNamedArgument_t618778691CF7F5B44F7177210A817A29D3DAEDDA
{
public:
// System.Reflection.CustomAttributeTypedArgument System.Reflection.CustomAttributeNamedArgument::typedArgument
CustomAttributeTypedArgument_tE7152E8FACDD29A8E0040E151C86F436FA8E6910 ___typedArgument_0;
// System.Reflection.MemberInfo System.Reflection.CustomAttributeNamedArgument::memberInfo
MemberInfo_t * ___memberInfo_1;
public:
inline static int32_t get_offset_of_typedArgument_0() { return static_cast<int32_t>(offsetof(CustomAttributeNamedArgument_t618778691CF7F5B44F7177210A817A29D3DAEDDA, ___typedArgument_0)); }
inline CustomAttributeTypedArgument_tE7152E8FACDD29A8E0040E151C86F436FA8E6910 get_typedArgument_0() const { return ___typedArgument_0; }
inline CustomAttributeTypedArgument_tE7152E8FACDD29A8E0040E151C86F436FA8E6910 * get_address_of_typedArgument_0() { return &___typedArgument_0; }
inline void set_typedArgument_0(CustomAttributeTypedArgument_tE7152E8FACDD29A8E0040E151C86F436FA8E6910 value)
{
___typedArgument_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___typedArgument_0))->___argumentType_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___typedArgument_0))->___value_1), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_memberInfo_1() { return static_cast<int32_t>(offsetof(CustomAttributeNamedArgument_t618778691CF7F5B44F7177210A817A29D3DAEDDA, ___memberInfo_1)); }
inline MemberInfo_t * get_memberInfo_1() const { return ___memberInfo_1; }
inline MemberInfo_t ** get_address_of_memberInfo_1() { return &___memberInfo_1; }
inline void set_memberInfo_1(MemberInfo_t * value)
{
___memberInfo_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberInfo_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Reflection.CustomAttributeNamedArgument
struct CustomAttributeNamedArgument_t618778691CF7F5B44F7177210A817A29D3DAEDDA_marshaled_pinvoke
{
CustomAttributeTypedArgument_tE7152E8FACDD29A8E0040E151C86F436FA8E6910_marshaled_pinvoke ___typedArgument_0;
MemberInfo_t * ___memberInfo_1;
};
// Native definition for COM marshalling of System.Reflection.CustomAttributeNamedArgument
struct CustomAttributeNamedArgument_t618778691CF7F5B44F7177210A817A29D3DAEDDA_marshaled_com
{
CustomAttributeTypedArgument_tE7152E8FACDD29A8E0040E151C86F436FA8E6910_marshaled_com ___typedArgument_0;
MemberInfo_t * ___memberInfo_1;
};
// System.DTSubStringType
struct DTSubStringType_t1EDFE671440A047DB9FC47F0A33A9A53CD4E3708
{
public:
// System.Int32 System.DTSubStringType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DTSubStringType_t1EDFE671440A047DB9FC47F0A33A9A53CD4E3708, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.CompilerServices.DateTimeConstantAttribute
struct DateTimeConstantAttribute_t546AFFD33ADD9C6F4C41B0E7B47B627932D92EEE : public CustomConstantAttribute_t1088F47FE1E92C116114FB811293DBCCC9B6C580
{
public:
// System.DateTime System.Runtime.CompilerServices.DateTimeConstantAttribute::date
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 ___date_0;
public:
inline static int32_t get_offset_of_date_0() { return static_cast<int32_t>(offsetof(DateTimeConstantAttribute_t546AFFD33ADD9C6F4C41B0E7B47B627932D92EEE, ___date_0)); }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 get_date_0() const { return ___date_0; }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 * get_address_of_date_0() { return &___date_0; }
inline void set_date_0(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 value)
{
___date_0 = value;
}
};
// System.Globalization.DateTimeFormatFlags
struct DateTimeFormatFlags_tDB584B32BB07C708469EE8DEF8A903A105B4B4B7
{
public:
// System.Int32 System.Globalization.DateTimeFormatFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DateTimeFormatFlags_tDB584B32BB07C708469EE8DEF8A903A105B4B4B7, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.DateTimeKind
struct DateTimeKind_tA0B5F3F88991AC3B7F24393E15B54062722571D0
{
public:
// System.Int32 System.DateTimeKind::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DateTimeKind_tA0B5F3F88991AC3B7F24393E15B54062722571D0, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.DateTimeOffset
struct DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5
{
public:
// System.DateTime System.DateTimeOffset::m_dateTime
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 ___m_dateTime_2;
// System.Int16 System.DateTimeOffset::m_offsetMinutes
int16_t ___m_offsetMinutes_3;
public:
inline static int32_t get_offset_of_m_dateTime_2() { return static_cast<int32_t>(offsetof(DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5, ___m_dateTime_2)); }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 get_m_dateTime_2() const { return ___m_dateTime_2; }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 * get_address_of_m_dateTime_2() { return &___m_dateTime_2; }
inline void set_m_dateTime_2(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 value)
{
___m_dateTime_2 = value;
}
inline static int32_t get_offset_of_m_offsetMinutes_3() { return static_cast<int32_t>(offsetof(DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5, ___m_offsetMinutes_3)); }
inline int16_t get_m_offsetMinutes_3() const { return ___m_offsetMinutes_3; }
inline int16_t* get_address_of_m_offsetMinutes_3() { return &___m_offsetMinutes_3; }
inline void set_m_offsetMinutes_3(int16_t value)
{
___m_offsetMinutes_3 = value;
}
};
struct DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5_StaticFields
{
public:
// System.DateTimeOffset System.DateTimeOffset::MinValue
DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5 ___MinValue_0;
// System.DateTimeOffset System.DateTimeOffset::MaxValue
DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5 ___MaxValue_1;
public:
inline static int32_t get_offset_of_MinValue_0() { return static_cast<int32_t>(offsetof(DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5_StaticFields, ___MinValue_0)); }
inline DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5 get_MinValue_0() const { return ___MinValue_0; }
inline DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5 * get_address_of_MinValue_0() { return &___MinValue_0; }
inline void set_MinValue_0(DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5 value)
{
___MinValue_0 = value;
}
inline static int32_t get_offset_of_MaxValue_1() { return static_cast<int32_t>(offsetof(DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5_StaticFields, ___MaxValue_1)); }
inline DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5 get_MaxValue_1() const { return ___MaxValue_1; }
inline DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5 * get_address_of_MaxValue_1() { return &___MaxValue_1; }
inline void set_MaxValue_1(DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5 value)
{
___MaxValue_1 = value;
}
};
// System.Globalization.DateTimeStyles
struct DateTimeStyles_t2E18E2817B83F518AD684A16EB44A96EE6E765D4
{
public:
// System.Int32 System.Globalization.DateTimeStyles::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DateTimeStyles_t2E18E2817B83F518AD684A16EB44A96EE6E765D4, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.DayOfWeek
struct DayOfWeek_t9E9D87E7A85C119F741167E9F8C613ABFB0A4AC7
{
public:
// System.Int32 System.DayOfWeek::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DayOfWeek_t9E9D87E7A85C119F741167E9F8C613ABFB0A4AC7, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Diagnostics.DebuggerBrowsableState
struct DebuggerBrowsableState_t2A824ECEB650CFABB239FD0918FCC88A09B45091
{
public:
// System.Int32 System.Diagnostics.DebuggerBrowsableState::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DebuggerBrowsableState_t2A824ECEB650CFABB239FD0918FCC88A09B45091, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.CompilerServices.DecimalConstantAttribute
struct DecimalConstantAttribute_tF4B61B0EA3536DECB9DF2A991AFBBE44EF33D06A : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Decimal System.Runtime.CompilerServices.DecimalConstantAttribute::dec
Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 ___dec_0;
public:
inline static int32_t get_offset_of_dec_0() { return static_cast<int32_t>(offsetof(DecimalConstantAttribute_tF4B61B0EA3536DECB9DF2A991AFBBE44EF33D06A, ___dec_0)); }
inline Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 get_dec_0() const { return ___dec_0; }
inline Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 * get_address_of_dec_0() { return &___dec_0; }
inline void set_dec_0(Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7 value)
{
___dec_0 = value;
}
};
// UnityEngine.UI.DefaultControls
struct DefaultControls_tFF6EBE691F18364C4BC2323C4293DBA094461F3C : public RuntimeObject
{
public:
public:
};
struct DefaultControls_tFF6EBE691F18364C4BC2323C4293DBA094461F3C_StaticFields
{
public:
// UnityEngine.UI.DefaultControls/IFactoryControls UnityEngine.UI.DefaultControls::m_CurrentFactory
RuntimeObject* ___m_CurrentFactory_0;
// UnityEngine.Vector2 UnityEngine.UI.DefaultControls::s_ThickElementSize
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___s_ThickElementSize_4;
// UnityEngine.Vector2 UnityEngine.UI.DefaultControls::s_ThinElementSize
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___s_ThinElementSize_5;
// UnityEngine.Vector2 UnityEngine.UI.DefaultControls::s_ImageElementSize
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___s_ImageElementSize_6;
// UnityEngine.Color UnityEngine.UI.DefaultControls::s_DefaultSelectableColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___s_DefaultSelectableColor_7;
// UnityEngine.Color UnityEngine.UI.DefaultControls::s_PanelColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___s_PanelColor_8;
// UnityEngine.Color UnityEngine.UI.DefaultControls::s_TextColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___s_TextColor_9;
public:
inline static int32_t get_offset_of_m_CurrentFactory_0() { return static_cast<int32_t>(offsetof(DefaultControls_tFF6EBE691F18364C4BC2323C4293DBA094461F3C_StaticFields, ___m_CurrentFactory_0)); }
inline RuntimeObject* get_m_CurrentFactory_0() const { return ___m_CurrentFactory_0; }
inline RuntimeObject** get_address_of_m_CurrentFactory_0() { return &___m_CurrentFactory_0; }
inline void set_m_CurrentFactory_0(RuntimeObject* value)
{
___m_CurrentFactory_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CurrentFactory_0), (void*)value);
}
inline static int32_t get_offset_of_s_ThickElementSize_4() { return static_cast<int32_t>(offsetof(DefaultControls_tFF6EBE691F18364C4BC2323C4293DBA094461F3C_StaticFields, ___s_ThickElementSize_4)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_s_ThickElementSize_4() const { return ___s_ThickElementSize_4; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_s_ThickElementSize_4() { return &___s_ThickElementSize_4; }
inline void set_s_ThickElementSize_4(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___s_ThickElementSize_4 = value;
}
inline static int32_t get_offset_of_s_ThinElementSize_5() { return static_cast<int32_t>(offsetof(DefaultControls_tFF6EBE691F18364C4BC2323C4293DBA094461F3C_StaticFields, ___s_ThinElementSize_5)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_s_ThinElementSize_5() const { return ___s_ThinElementSize_5; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_s_ThinElementSize_5() { return &___s_ThinElementSize_5; }
inline void set_s_ThinElementSize_5(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___s_ThinElementSize_5 = value;
}
inline static int32_t get_offset_of_s_ImageElementSize_6() { return static_cast<int32_t>(offsetof(DefaultControls_tFF6EBE691F18364C4BC2323C4293DBA094461F3C_StaticFields, ___s_ImageElementSize_6)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_s_ImageElementSize_6() const { return ___s_ImageElementSize_6; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_s_ImageElementSize_6() { return &___s_ImageElementSize_6; }
inline void set_s_ImageElementSize_6(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___s_ImageElementSize_6 = value;
}
inline static int32_t get_offset_of_s_DefaultSelectableColor_7() { return static_cast<int32_t>(offsetof(DefaultControls_tFF6EBE691F18364C4BC2323C4293DBA094461F3C_StaticFields, ___s_DefaultSelectableColor_7)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_s_DefaultSelectableColor_7() const { return ___s_DefaultSelectableColor_7; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_s_DefaultSelectableColor_7() { return &___s_DefaultSelectableColor_7; }
inline void set_s_DefaultSelectableColor_7(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___s_DefaultSelectableColor_7 = value;
}
inline static int32_t get_offset_of_s_PanelColor_8() { return static_cast<int32_t>(offsetof(DefaultControls_tFF6EBE691F18364C4BC2323C4293DBA094461F3C_StaticFields, ___s_PanelColor_8)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_s_PanelColor_8() const { return ___s_PanelColor_8; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_s_PanelColor_8() { return &___s_PanelColor_8; }
inline void set_s_PanelColor_8(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___s_PanelColor_8 = value;
}
inline static int32_t get_offset_of_s_TextColor_9() { return static_cast<int32_t>(offsetof(DefaultControls_tFF6EBE691F18364C4BC2323C4293DBA094461F3C_StaticFields, ___s_TextColor_9)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_s_TextColor_9() const { return ___s_TextColor_9; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_s_TextColor_9() { return &___s_TextColor_9; }
inline void set_s_TextColor_9(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___s_TextColor_9 = value;
}
};
// UnityEngine.Experimental.Rendering.DefaultFormat
struct DefaultFormat_t07516FEBB0F52BA4FD627E19343F4B765D5B5E5D
{
public:
// System.Int32 UnityEngine.Experimental.Rendering.DefaultFormat::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DefaultFormat_t07516FEBB0F52BA4FD627E19343F4B765D5B5E5D, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Net.Configuration.DefaultProxySection
struct DefaultProxySection_t3253AD6FC82F5374C16B845A65819B4C33F94A20 : public ConfigurationSection_t0D68AA1EA007506253A4935DB9F357AF9B50C683
{
public:
public:
};
// System.Delegate
struct Delegate_t : public RuntimeObject
{
public:
// System.IntPtr System.Delegate::method_ptr
Il2CppMethodPointer ___method_ptr_0;
// System.IntPtr System.Delegate::invoke_impl
intptr_t ___invoke_impl_1;
// System.Object System.Delegate::m_target
RuntimeObject * ___m_target_2;
// System.IntPtr System.Delegate::method
intptr_t ___method_3;
// System.IntPtr System.Delegate::delegate_trampoline
intptr_t ___delegate_trampoline_4;
// System.IntPtr System.Delegate::extra_arg
intptr_t ___extra_arg_5;
// System.IntPtr System.Delegate::method_code
intptr_t ___method_code_6;
// System.Reflection.MethodInfo System.Delegate::method_info
MethodInfo_t * ___method_info_7;
// System.Reflection.MethodInfo System.Delegate::original_method_info
MethodInfo_t * ___original_method_info_8;
// System.DelegateData System.Delegate::data
DelegateData_t17DD30660E330C49381DAA99F934BE75CB11F288 * ___data_9;
// System.Boolean System.Delegate::method_is_virtual
bool ___method_is_virtual_10;
public:
inline static int32_t get_offset_of_method_ptr_0() { return static_cast<int32_t>(offsetof(Delegate_t, ___method_ptr_0)); }
inline Il2CppMethodPointer get_method_ptr_0() const { return ___method_ptr_0; }
inline Il2CppMethodPointer* get_address_of_method_ptr_0() { return &___method_ptr_0; }
inline void set_method_ptr_0(Il2CppMethodPointer value)
{
___method_ptr_0 = value;
}
inline static int32_t get_offset_of_invoke_impl_1() { return static_cast<int32_t>(offsetof(Delegate_t, ___invoke_impl_1)); }
inline intptr_t get_invoke_impl_1() const { return ___invoke_impl_1; }
inline intptr_t* get_address_of_invoke_impl_1() { return &___invoke_impl_1; }
inline void set_invoke_impl_1(intptr_t value)
{
___invoke_impl_1 = value;
}
inline static int32_t get_offset_of_m_target_2() { return static_cast<int32_t>(offsetof(Delegate_t, ___m_target_2)); }
inline RuntimeObject * get_m_target_2() const { return ___m_target_2; }
inline RuntimeObject ** get_address_of_m_target_2() { return &___m_target_2; }
inline void set_m_target_2(RuntimeObject * value)
{
___m_target_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_target_2), (void*)value);
}
inline static int32_t get_offset_of_method_3() { return static_cast<int32_t>(offsetof(Delegate_t, ___method_3)); }
inline intptr_t get_method_3() const { return ___method_3; }
inline intptr_t* get_address_of_method_3() { return &___method_3; }
inline void set_method_3(intptr_t value)
{
___method_3 = value;
}
inline static int32_t get_offset_of_delegate_trampoline_4() { return static_cast<int32_t>(offsetof(Delegate_t, ___delegate_trampoline_4)); }
inline intptr_t get_delegate_trampoline_4() const { return ___delegate_trampoline_4; }
inline intptr_t* get_address_of_delegate_trampoline_4() { return &___delegate_trampoline_4; }
inline void set_delegate_trampoline_4(intptr_t value)
{
___delegate_trampoline_4 = value;
}
inline static int32_t get_offset_of_extra_arg_5() { return static_cast<int32_t>(offsetof(Delegate_t, ___extra_arg_5)); }
inline intptr_t get_extra_arg_5() const { return ___extra_arg_5; }
inline intptr_t* get_address_of_extra_arg_5() { return &___extra_arg_5; }
inline void set_extra_arg_5(intptr_t value)
{
___extra_arg_5 = value;
}
inline static int32_t get_offset_of_method_code_6() { return static_cast<int32_t>(offsetof(Delegate_t, ___method_code_6)); }
inline intptr_t get_method_code_6() const { return ___method_code_6; }
inline intptr_t* get_address_of_method_code_6() { return &___method_code_6; }
inline void set_method_code_6(intptr_t value)
{
___method_code_6 = value;
}
inline static int32_t get_offset_of_method_info_7() { return static_cast<int32_t>(offsetof(Delegate_t, ___method_info_7)); }
inline MethodInfo_t * get_method_info_7() const { return ___method_info_7; }
inline MethodInfo_t ** get_address_of_method_info_7() { return &___method_info_7; }
inline void set_method_info_7(MethodInfo_t * value)
{
___method_info_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___method_info_7), (void*)value);
}
inline static int32_t get_offset_of_original_method_info_8() { return static_cast<int32_t>(offsetof(Delegate_t, ___original_method_info_8)); }
inline MethodInfo_t * get_original_method_info_8() const { return ___original_method_info_8; }
inline MethodInfo_t ** get_address_of_original_method_info_8() { return &___original_method_info_8; }
inline void set_original_method_info_8(MethodInfo_t * value)
{
___original_method_info_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___original_method_info_8), (void*)value);
}
inline static int32_t get_offset_of_data_9() { return static_cast<int32_t>(offsetof(Delegate_t, ___data_9)); }
inline DelegateData_t17DD30660E330C49381DAA99F934BE75CB11F288 * get_data_9() const { return ___data_9; }
inline DelegateData_t17DD30660E330C49381DAA99F934BE75CB11F288 ** get_address_of_data_9() { return &___data_9; }
inline void set_data_9(DelegateData_t17DD30660E330C49381DAA99F934BE75CB11F288 * value)
{
___data_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___data_9), (void*)value);
}
inline static int32_t get_offset_of_method_is_virtual_10() { return static_cast<int32_t>(offsetof(Delegate_t, ___method_is_virtual_10)); }
inline bool get_method_is_virtual_10() const { return ___method_is_virtual_10; }
inline bool* get_address_of_method_is_virtual_10() { return &___method_is_virtual_10; }
inline void set_method_is_virtual_10(bool value)
{
___method_is_virtual_10 = value;
}
};
// Native definition for P/Invoke marshalling of System.Delegate
struct Delegate_t_marshaled_pinvoke
{
intptr_t ___method_ptr_0;
intptr_t ___invoke_impl_1;
Il2CppIUnknown* ___m_target_2;
intptr_t ___method_3;
intptr_t ___delegate_trampoline_4;
intptr_t ___extra_arg_5;
intptr_t ___method_code_6;
MethodInfo_t * ___method_info_7;
MethodInfo_t * ___original_method_info_8;
DelegateData_t17DD30660E330C49381DAA99F934BE75CB11F288 * ___data_9;
int32_t ___method_is_virtual_10;
};
// Native definition for COM marshalling of System.Delegate
struct Delegate_t_marshaled_com
{
intptr_t ___method_ptr_0;
intptr_t ___invoke_impl_1;
Il2CppIUnknown* ___m_target_2;
intptr_t ___method_3;
intptr_t ___delegate_trampoline_4;
intptr_t ___extra_arg_5;
intptr_t ___method_code_6;
MethodInfo_t * ___method_info_7;
MethodInfo_t * ___original_method_info_8;
DelegateData_t17DD30660E330C49381DAA99F934BE75CB11F288 * ___data_9;
int32_t ___method_is_virtual_10;
};
// UnityEngine.Display
struct Display_t0A5D09F1F2EB8025FE40EE0F81E0D01BB47A9B44 : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.Display::nativeDisplay
intptr_t ___nativeDisplay_0;
public:
inline static int32_t get_offset_of_nativeDisplay_0() { return static_cast<int32_t>(offsetof(Display_t0A5D09F1F2EB8025FE40EE0F81E0D01BB47A9B44, ___nativeDisplay_0)); }
inline intptr_t get_nativeDisplay_0() const { return ___nativeDisplay_0; }
inline intptr_t* get_address_of_nativeDisplay_0() { return &___nativeDisplay_0; }
inline void set_nativeDisplay_0(intptr_t value)
{
___nativeDisplay_0 = value;
}
};
struct Display_t0A5D09F1F2EB8025FE40EE0F81E0D01BB47A9B44_StaticFields
{
public:
// UnityEngine.Display[] UnityEngine.Display::displays
DisplayU5BU5D_t3330058639C7A70B7B1FE7B4325E2B5D600CF4A6* ___displays_1;
// UnityEngine.Display UnityEngine.Display::_mainDisplay
Display_t0A5D09F1F2EB8025FE40EE0F81E0D01BB47A9B44 * ____mainDisplay_2;
// UnityEngine.Display/DisplaysUpdatedDelegate UnityEngine.Display::onDisplaysUpdated
DisplaysUpdatedDelegate_tC6A6AD44FAD98C9E28479FFF4BD3D9932458A6A1 * ___onDisplaysUpdated_3;
public:
inline static int32_t get_offset_of_displays_1() { return static_cast<int32_t>(offsetof(Display_t0A5D09F1F2EB8025FE40EE0F81E0D01BB47A9B44_StaticFields, ___displays_1)); }
inline DisplayU5BU5D_t3330058639C7A70B7B1FE7B4325E2B5D600CF4A6* get_displays_1() const { return ___displays_1; }
inline DisplayU5BU5D_t3330058639C7A70B7B1FE7B4325E2B5D600CF4A6** get_address_of_displays_1() { return &___displays_1; }
inline void set_displays_1(DisplayU5BU5D_t3330058639C7A70B7B1FE7B4325E2B5D600CF4A6* value)
{
___displays_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___displays_1), (void*)value);
}
inline static int32_t get_offset_of__mainDisplay_2() { return static_cast<int32_t>(offsetof(Display_t0A5D09F1F2EB8025FE40EE0F81E0D01BB47A9B44_StaticFields, ____mainDisplay_2)); }
inline Display_t0A5D09F1F2EB8025FE40EE0F81E0D01BB47A9B44 * get__mainDisplay_2() const { return ____mainDisplay_2; }
inline Display_t0A5D09F1F2EB8025FE40EE0F81E0D01BB47A9B44 ** get_address_of__mainDisplay_2() { return &____mainDisplay_2; }
inline void set__mainDisplay_2(Display_t0A5D09F1F2EB8025FE40EE0F81E0D01BB47A9B44 * value)
{
____mainDisplay_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____mainDisplay_2), (void*)value);
}
inline static int32_t get_offset_of_onDisplaysUpdated_3() { return static_cast<int32_t>(offsetof(Display_t0A5D09F1F2EB8025FE40EE0F81E0D01BB47A9B44_StaticFields, ___onDisplaysUpdated_3)); }
inline DisplaysUpdatedDelegate_tC6A6AD44FAD98C9E28479FFF4BD3D9932458A6A1 * get_onDisplaysUpdated_3() const { return ___onDisplaysUpdated_3; }
inline DisplaysUpdatedDelegate_tC6A6AD44FAD98C9E28479FFF4BD3D9932458A6A1 ** get_address_of_onDisplaysUpdated_3() { return &___onDisplaysUpdated_3; }
inline void set_onDisplaysUpdated_3(DisplaysUpdatedDelegate_tC6A6AD44FAD98C9E28479FFF4BD3D9932458A6A1 * value)
{
___onDisplaysUpdated_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___onDisplaysUpdated_3), (void*)value);
}
};
// System.Runtime.InteropServices.DllImportSearchPath
struct DllImportSearchPath_t0DCA43A0B5753BD73767C7A1B85AB9272669BB8A
{
public:
// System.Int32 System.Runtime.InteropServices.DllImportSearchPath::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DllImportSearchPath_t0DCA43A0B5753BD73767C7A1B85AB9272669BB8A, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Networking.DownloadHandler
struct DownloadHandler_tEEAE0DD53DB497C8A491C4F7B7A14C3CA027B1DB : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.Networking.DownloadHandler::m_Ptr
intptr_t ___m_Ptr_0;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(DownloadHandler_tEEAE0DD53DB497C8A491C4F7B7A14C3CA027B1DB, ___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;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Networking.DownloadHandler
struct DownloadHandler_tEEAE0DD53DB497C8A491C4F7B7A14C3CA027B1DB_marshaled_pinvoke
{
intptr_t ___m_Ptr_0;
};
// Native definition for COM marshalling of UnityEngine.Networking.DownloadHandler
struct DownloadHandler_tEEAE0DD53DB497C8A491C4F7B7A14C3CA027B1DB_marshaled_com
{
intptr_t ___m_Ptr_0;
};
// UnityEngine.DrivenTransformProperties
struct DrivenTransformProperties_t3AD3E95057A9FBFD9600C7C8F2F446D93250DF62
{
public:
// System.Int32 UnityEngine.DrivenTransformProperties::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DrivenTransformProperties_t3AD3E95057A9FBFD9600C7C8F2F446D93250DF62, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.ComponentModel.EditorBrowsableState
struct EditorBrowsableState_t5212E3E4B6F8B3190040444A9D6FBCA975F02BA1
{
public:
// System.Int32 System.ComponentModel.EditorBrowsableState::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(EditorBrowsableState_t5212E3E4B6F8B3190040444A9D6FBCA975F02BA1, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Localization.Metadata.EntryOverrideType
struct EntryOverrideType_tE73A6769FA338EBC3C12F2E926188E830E496E98
{
public:
// System.Int32 UnityEngine.Localization.Metadata.EntryOverrideType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(EntryOverrideType_tE73A6769FA338EBC3C12F2E926188E830E496E98, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARSubsystems.EnvironmentDepthMode
struct EnvironmentDepthMode_t3510F9A630A7170A2481D60487384089E64D84C7
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.EnvironmentDepthMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(EnvironmentDepthMode_t3510F9A630A7170A2481D60487384089E64D84C7, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Localization.SmartFormat.Core.Settings.ErrorAction
struct ErrorAction_tC9C54A79FB8B5C7DAAA6130842F01AD1249A38BF
{
public:
// System.Int32 UnityEngine.Localization.SmartFormat.Core.Settings.ErrorAction::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ErrorAction_tC9C54A79FB8B5C7DAAA6130842F01AD1249A38BF, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Event
struct Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.Event::m_Ptr
intptr_t ___m_Ptr_0;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E, ___m_Ptr_0)); }
inline intptr_t get_m_Ptr_0() const { return ___m_Ptr_0; }
inline intptr_t* get_address_of_m_Ptr_0() { return &___m_Ptr_0; }
inline void set_m_Ptr_0(intptr_t value)
{
___m_Ptr_0 = value;
}
};
struct Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E_StaticFields
{
public:
// UnityEngine.Event UnityEngine.Event::s_Current
Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E * ___s_Current_1;
// UnityEngine.Event UnityEngine.Event::s_MasterEvent
Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E * ___s_MasterEvent_2;
public:
inline static int32_t get_offset_of_s_Current_1() { return static_cast<int32_t>(offsetof(Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E_StaticFields, ___s_Current_1)); }
inline Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E * get_s_Current_1() const { return ___s_Current_1; }
inline Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E ** get_address_of_s_Current_1() { return &___s_Current_1; }
inline void set_s_Current_1(Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E * value)
{
___s_Current_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Current_1), (void*)value);
}
inline static int32_t get_offset_of_s_MasterEvent_2() { return static_cast<int32_t>(offsetof(Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E_StaticFields, ___s_MasterEvent_2)); }
inline Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E * get_s_MasterEvent_2() const { return ___s_MasterEvent_2; }
inline Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E ** get_address_of_s_MasterEvent_2() { return &___s_MasterEvent_2; }
inline void set_s_MasterEvent_2(Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E * value)
{
___s_MasterEvent_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_MasterEvent_2), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Event
struct Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E_marshaled_pinvoke
{
intptr_t ___m_Ptr_0;
};
// Native definition for COM marshalling of UnityEngine.Event
struct Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E_marshaled_com
{
intptr_t ___m_Ptr_0;
};
// System.Reflection.EventAttributes
struct EventAttributes_tB9D0F1AFC5F87943B08F651B84B33029A69ACF23
{
public:
// System.Int32 System.Reflection.EventAttributes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(EventAttributes_tB9D0F1AFC5F87943B08F651B84B33029A69ACF23, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.EventSystems.EventHandle
struct EventHandle_t2A81C886C0708BC766E39686BBB54121A310F554
{
public:
// System.Int32 UnityEngine.EventSystems.EventHandle::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(EventHandle_t2A81C886C0708BC766E39686BBB54121A310F554, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.EventModifiers
struct EventModifiers_t74E579DA08774C9BED20643F03DA610285143BFA
{
public:
// System.Int32 UnityEngine.EventModifiers::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(EventModifiers_t74E579DA08774C9BED20643F03DA610285143BFA, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.EventResetMode
struct EventResetMode_tB7B112299A76E5476A66C3EBCBACC1870EB342A8
{
public:
// System.Int32 System.Threading.EventResetMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(EventResetMode_tB7B112299A76E5476A66C3EBCBACC1870EB342A8, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Diagnostics.Tracing.EventSource
struct EventSource_t02B6E43167F06B74646A32A3BBC58988BFC3EA6A : public RuntimeObject
{
public:
public:
};
struct EventSource_t02B6E43167F06B74646A32A3BBC58988BFC3EA6A_StaticFields
{
public:
// System.Byte[] System.Diagnostics.Tracing.EventSource::namespaceBytes
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___namespaceBytes_1;
// System.Guid System.Diagnostics.Tracing.EventSource::AspNetEventSourceGuid
Guid_t ___AspNetEventSourceGuid_2;
public:
inline static int32_t get_offset_of_namespaceBytes_1() { return static_cast<int32_t>(offsetof(EventSource_t02B6E43167F06B74646A32A3BBC58988BFC3EA6A_StaticFields, ___namespaceBytes_1)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_namespaceBytes_1() const { return ___namespaceBytes_1; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_namespaceBytes_1() { return &___namespaceBytes_1; }
inline void set_namespaceBytes_1(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___namespaceBytes_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___namespaceBytes_1), (void*)value);
}
inline static int32_t get_offset_of_AspNetEventSourceGuid_2() { return static_cast<int32_t>(offsetof(EventSource_t02B6E43167F06B74646A32A3BBC58988BFC3EA6A_StaticFields, ___AspNetEventSourceGuid_2)); }
inline Guid_t get_AspNetEventSourceGuid_2() const { return ___AspNetEventSourceGuid_2; }
inline Guid_t * get_address_of_AspNetEventSourceGuid_2() { return &___AspNetEventSourceGuid_2; }
inline void set_AspNetEventSourceGuid_2(Guid_t value)
{
___AspNetEventSourceGuid_2 = value;
}
};
struct EventSource_t02B6E43167F06B74646A32A3BBC58988BFC3EA6A_ThreadStaticFields
{
public:
// System.Byte System.Diagnostics.Tracing.EventSource::m_EventSourceExceptionRecurenceCount
uint8_t ___m_EventSourceExceptionRecurenceCount_0;
public:
inline static int32_t get_offset_of_m_EventSourceExceptionRecurenceCount_0() { return static_cast<int32_t>(offsetof(EventSource_t02B6E43167F06B74646A32A3BBC58988BFC3EA6A_ThreadStaticFields, ___m_EventSourceExceptionRecurenceCount_0)); }
inline uint8_t get_m_EventSourceExceptionRecurenceCount_0() const { return ___m_EventSourceExceptionRecurenceCount_0; }
inline uint8_t* get_address_of_m_EventSourceExceptionRecurenceCount_0() { return &___m_EventSourceExceptionRecurenceCount_0; }
inline void set_m_EventSourceExceptionRecurenceCount_0(uint8_t value)
{
___m_EventSourceExceptionRecurenceCount_0 = value;
}
};
// UnityEngine.EventSystems.EventTriggerType
struct EventTriggerType_tED9176836ED486B7FEE926108C027C4E2954B9CE
{
public:
// System.Int32 UnityEngine.EventSystems.EventTriggerType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(EventTriggerType_tED9176836ED486B7FEE926108C027C4E2954B9CE, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.EventType
struct EventType_t7441C817FAEEF7090BC0D9084E6DB3E7F635815F
{
public:
// System.Int32 UnityEngine.EventType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(EventType_t7441C817FAEEF7090BC0D9084E6DB3E7F635815F, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Exception
struct Exception_t : public RuntimeObject
{
public:
// System.String System.Exception::_className
String_t* ____className_1;
// System.String System.Exception::_message
String_t* ____message_2;
// System.Collections.IDictionary System.Exception::_data
RuntimeObject* ____data_3;
// System.Exception System.Exception::_innerException
Exception_t * ____innerException_4;
// System.String System.Exception::_helpURL
String_t* ____helpURL_5;
// System.Object System.Exception::_stackTrace
RuntimeObject * ____stackTrace_6;
// System.String System.Exception::_stackTraceString
String_t* ____stackTraceString_7;
// System.String System.Exception::_remoteStackTraceString
String_t* ____remoteStackTraceString_8;
// System.Int32 System.Exception::_remoteStackIndex
int32_t ____remoteStackIndex_9;
// System.Object System.Exception::_dynamicMethods
RuntimeObject * ____dynamicMethods_10;
// System.Int32 System.Exception::_HResult
int32_t ____HResult_11;
// System.String System.Exception::_source
String_t* ____source_12;
// System.Runtime.Serialization.SafeSerializationManager System.Exception::_safeSerializationManager
SafeSerializationManager_tDE44F029589A028F8A3053C5C06153FAB4AAE29F * ____safeSerializationManager_13;
// System.Diagnostics.StackTrace[] System.Exception::captured_traces
StackTraceU5BU5D_t4AD999C288CB6D1F38A299D12B1598D606588971* ___captured_traces_14;
// System.IntPtr[] System.Exception::native_trace_ips
IntPtrU5BU5D_t27FC72B0409D75AAF33EC42498E8094E95FEE9A6* ___native_trace_ips_15;
public:
inline static int32_t get_offset_of__className_1() { return static_cast<int32_t>(offsetof(Exception_t, ____className_1)); }
inline String_t* get__className_1() const { return ____className_1; }
inline String_t** get_address_of__className_1() { return &____className_1; }
inline void set__className_1(String_t* value)
{
____className_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____className_1), (void*)value);
}
inline static int32_t get_offset_of__message_2() { return static_cast<int32_t>(offsetof(Exception_t, ____message_2)); }
inline String_t* get__message_2() const { return ____message_2; }
inline String_t** get_address_of__message_2() { return &____message_2; }
inline void set__message_2(String_t* value)
{
____message_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____message_2), (void*)value);
}
inline static int32_t get_offset_of__data_3() { return static_cast<int32_t>(offsetof(Exception_t, ____data_3)); }
inline RuntimeObject* get__data_3() const { return ____data_3; }
inline RuntimeObject** get_address_of__data_3() { return &____data_3; }
inline void set__data_3(RuntimeObject* value)
{
____data_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____data_3), (void*)value);
}
inline static int32_t get_offset_of__innerException_4() { return static_cast<int32_t>(offsetof(Exception_t, ____innerException_4)); }
inline Exception_t * get__innerException_4() const { return ____innerException_4; }
inline Exception_t ** get_address_of__innerException_4() { return &____innerException_4; }
inline void set__innerException_4(Exception_t * value)
{
____innerException_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____innerException_4), (void*)value);
}
inline static int32_t get_offset_of__helpURL_5() { return static_cast<int32_t>(offsetof(Exception_t, ____helpURL_5)); }
inline String_t* get__helpURL_5() const { return ____helpURL_5; }
inline String_t** get_address_of__helpURL_5() { return &____helpURL_5; }
inline void set__helpURL_5(String_t* value)
{
____helpURL_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____helpURL_5), (void*)value);
}
inline static int32_t get_offset_of__stackTrace_6() { return static_cast<int32_t>(offsetof(Exception_t, ____stackTrace_6)); }
inline RuntimeObject * get__stackTrace_6() const { return ____stackTrace_6; }
inline RuntimeObject ** get_address_of__stackTrace_6() { return &____stackTrace_6; }
inline void set__stackTrace_6(RuntimeObject * value)
{
____stackTrace_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____stackTrace_6), (void*)value);
}
inline static int32_t get_offset_of__stackTraceString_7() { return static_cast<int32_t>(offsetof(Exception_t, ____stackTraceString_7)); }
inline String_t* get__stackTraceString_7() const { return ____stackTraceString_7; }
inline String_t** get_address_of__stackTraceString_7() { return &____stackTraceString_7; }
inline void set__stackTraceString_7(String_t* value)
{
____stackTraceString_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&____stackTraceString_7), (void*)value);
}
inline static int32_t get_offset_of__remoteStackTraceString_8() { return static_cast<int32_t>(offsetof(Exception_t, ____remoteStackTraceString_8)); }
inline String_t* get__remoteStackTraceString_8() const { return ____remoteStackTraceString_8; }
inline String_t** get_address_of__remoteStackTraceString_8() { return &____remoteStackTraceString_8; }
inline void set__remoteStackTraceString_8(String_t* value)
{
____remoteStackTraceString_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&____remoteStackTraceString_8), (void*)value);
}
inline static int32_t get_offset_of__remoteStackIndex_9() { return static_cast<int32_t>(offsetof(Exception_t, ____remoteStackIndex_9)); }
inline int32_t get__remoteStackIndex_9() const { return ____remoteStackIndex_9; }
inline int32_t* get_address_of__remoteStackIndex_9() { return &____remoteStackIndex_9; }
inline void set__remoteStackIndex_9(int32_t value)
{
____remoteStackIndex_9 = value;
}
inline static int32_t get_offset_of__dynamicMethods_10() { return static_cast<int32_t>(offsetof(Exception_t, ____dynamicMethods_10)); }
inline RuntimeObject * get__dynamicMethods_10() const { return ____dynamicMethods_10; }
inline RuntimeObject ** get_address_of__dynamicMethods_10() { return &____dynamicMethods_10; }
inline void set__dynamicMethods_10(RuntimeObject * value)
{
____dynamicMethods_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&____dynamicMethods_10), (void*)value);
}
inline static int32_t get_offset_of__HResult_11() { return static_cast<int32_t>(offsetof(Exception_t, ____HResult_11)); }
inline int32_t get__HResult_11() const { return ____HResult_11; }
inline int32_t* get_address_of__HResult_11() { return &____HResult_11; }
inline void set__HResult_11(int32_t value)
{
____HResult_11 = value;
}
inline static int32_t get_offset_of__source_12() { return static_cast<int32_t>(offsetof(Exception_t, ____source_12)); }
inline String_t* get__source_12() const { return ____source_12; }
inline String_t** get_address_of__source_12() { return &____source_12; }
inline void set__source_12(String_t* value)
{
____source_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&____source_12), (void*)value);
}
inline static int32_t get_offset_of__safeSerializationManager_13() { return static_cast<int32_t>(offsetof(Exception_t, ____safeSerializationManager_13)); }
inline SafeSerializationManager_tDE44F029589A028F8A3053C5C06153FAB4AAE29F * get__safeSerializationManager_13() const { return ____safeSerializationManager_13; }
inline SafeSerializationManager_tDE44F029589A028F8A3053C5C06153FAB4AAE29F ** get_address_of__safeSerializationManager_13() { return &____safeSerializationManager_13; }
inline void set__safeSerializationManager_13(SafeSerializationManager_tDE44F029589A028F8A3053C5C06153FAB4AAE29F * value)
{
____safeSerializationManager_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&____safeSerializationManager_13), (void*)value);
}
inline static int32_t get_offset_of_captured_traces_14() { return static_cast<int32_t>(offsetof(Exception_t, ___captured_traces_14)); }
inline StackTraceU5BU5D_t4AD999C288CB6D1F38A299D12B1598D606588971* get_captured_traces_14() const { return ___captured_traces_14; }
inline StackTraceU5BU5D_t4AD999C288CB6D1F38A299D12B1598D606588971** get_address_of_captured_traces_14() { return &___captured_traces_14; }
inline void set_captured_traces_14(StackTraceU5BU5D_t4AD999C288CB6D1F38A299D12B1598D606588971* value)
{
___captured_traces_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___captured_traces_14), (void*)value);
}
inline static int32_t get_offset_of_native_trace_ips_15() { return static_cast<int32_t>(offsetof(Exception_t, ___native_trace_ips_15)); }
inline IntPtrU5BU5D_t27FC72B0409D75AAF33EC42498E8094E95FEE9A6* get_native_trace_ips_15() const { return ___native_trace_ips_15; }
inline IntPtrU5BU5D_t27FC72B0409D75AAF33EC42498E8094E95FEE9A6** get_address_of_native_trace_ips_15() { return &___native_trace_ips_15; }
inline void set_native_trace_ips_15(IntPtrU5BU5D_t27FC72B0409D75AAF33EC42498E8094E95FEE9A6* value)
{
___native_trace_ips_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___native_trace_ips_15), (void*)value);
}
};
struct Exception_t_StaticFields
{
public:
// System.Object System.Exception::s_EDILock
RuntimeObject * ___s_EDILock_0;
public:
inline static int32_t get_offset_of_s_EDILock_0() { return static_cast<int32_t>(offsetof(Exception_t_StaticFields, ___s_EDILock_0)); }
inline RuntimeObject * get_s_EDILock_0() const { return ___s_EDILock_0; }
inline RuntimeObject ** get_address_of_s_EDILock_0() { return &___s_EDILock_0; }
inline void set_s_EDILock_0(RuntimeObject * value)
{
___s_EDILock_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_EDILock_0), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Exception
struct Exception_t_marshaled_pinvoke
{
char* ____className_1;
char* ____message_2;
RuntimeObject* ____data_3;
Exception_t_marshaled_pinvoke* ____innerException_4;
char* ____helpURL_5;
Il2CppIUnknown* ____stackTrace_6;
char* ____stackTraceString_7;
char* ____remoteStackTraceString_8;
int32_t ____remoteStackIndex_9;
Il2CppIUnknown* ____dynamicMethods_10;
int32_t ____HResult_11;
char* ____source_12;
SafeSerializationManager_tDE44F029589A028F8A3053C5C06153FAB4AAE29F * ____safeSerializationManager_13;
StackTraceU5BU5D_t4AD999C288CB6D1F38A299D12B1598D606588971* ___captured_traces_14;
Il2CppSafeArray/*NONE*/* ___native_trace_ips_15;
};
// Native definition for COM marshalling of System.Exception
struct Exception_t_marshaled_com
{
Il2CppChar* ____className_1;
Il2CppChar* ____message_2;
RuntimeObject* ____data_3;
Exception_t_marshaled_com* ____innerException_4;
Il2CppChar* ____helpURL_5;
Il2CppIUnknown* ____stackTrace_6;
Il2CppChar* ____stackTraceString_7;
Il2CppChar* ____remoteStackTraceString_8;
int32_t ____remoteStackIndex_9;
Il2CppIUnknown* ____dynamicMethods_10;
int32_t ____HResult_11;
Il2CppChar* ____source_12;
SafeSerializationManager_tDE44F029589A028F8A3053C5C06153FAB4AAE29F * ____safeSerializationManager_13;
StackTraceU5BU5D_t4AD999C288CB6D1F38A299D12B1598D606588971* ___captured_traces_14;
Il2CppSafeArray/*NONE*/* ___native_trace_ips_15;
};
// System.ExceptionArgument
struct ExceptionArgument_t750CCD4C657BCB2C185560CC68330BC0313B8737
{
public:
// System.Int32 System.ExceptionArgument::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ExceptionArgument_t750CCD4C657BCB2C185560CC68330BC0313B8737, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Reflection.ExceptionHandlingClauseOptions
struct ExceptionHandlingClauseOptions_tFDAF45D6BDAD055E7F90C79FDFB16DC7DF9259ED
{
public:
// System.Int32 System.Reflection.ExceptionHandlingClauseOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ExceptionHandlingClauseOptions_tFDAF45D6BDAD055E7F90C79FDFB16DC7DF9259ED, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.ExceptionResource
struct ExceptionResource_tD29FDAA391137C7766FB63B5F13FA0F12AF6C3FA
{
public:
// System.Int32 System.ExceptionResource::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ExceptionResource_tD29FDAA391137C7766FB63B5F13FA0F12AF6C3FA, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Xml.ExceptionType
struct ExceptionType_t7FE8075D25307AFE6AA02C34899023BC4C9B7B23
{
public:
// System.Int32 System.Xml.ExceptionType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ExceptionType_t7FE8075D25307AFE6AA02C34899023BC4C9B7B23, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.ExecutionContextSwitcher
struct ExecutionContextSwitcher_t11B7DEE83408478EE3D5E29C988E5385AA9D7277
{
public:
// System.Threading.ExecutionContext/Reader System.Threading.ExecutionContextSwitcher::outerEC
Reader_t6C70587C0F5A8CE8367A0407E3109E196764848C ___outerEC_0;
// System.Boolean System.Threading.ExecutionContextSwitcher::outerECBelongsToScope
bool ___outerECBelongsToScope_1;
// System.Object System.Threading.ExecutionContextSwitcher::hecsw
RuntimeObject * ___hecsw_2;
// System.Threading.Thread System.Threading.ExecutionContextSwitcher::thread
Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414 * ___thread_3;
public:
inline static int32_t get_offset_of_outerEC_0() { return static_cast<int32_t>(offsetof(ExecutionContextSwitcher_t11B7DEE83408478EE3D5E29C988E5385AA9D7277, ___outerEC_0)); }
inline Reader_t6C70587C0F5A8CE8367A0407E3109E196764848C get_outerEC_0() const { return ___outerEC_0; }
inline Reader_t6C70587C0F5A8CE8367A0407E3109E196764848C * get_address_of_outerEC_0() { return &___outerEC_0; }
inline void set_outerEC_0(Reader_t6C70587C0F5A8CE8367A0407E3109E196764848C value)
{
___outerEC_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___outerEC_0))->___m_ec_0), (void*)NULL);
}
inline static int32_t get_offset_of_outerECBelongsToScope_1() { return static_cast<int32_t>(offsetof(ExecutionContextSwitcher_t11B7DEE83408478EE3D5E29C988E5385AA9D7277, ___outerECBelongsToScope_1)); }
inline bool get_outerECBelongsToScope_1() const { return ___outerECBelongsToScope_1; }
inline bool* get_address_of_outerECBelongsToScope_1() { return &___outerECBelongsToScope_1; }
inline void set_outerECBelongsToScope_1(bool value)
{
___outerECBelongsToScope_1 = value;
}
inline static int32_t get_offset_of_hecsw_2() { return static_cast<int32_t>(offsetof(ExecutionContextSwitcher_t11B7DEE83408478EE3D5E29C988E5385AA9D7277, ___hecsw_2)); }
inline RuntimeObject * get_hecsw_2() const { return ___hecsw_2; }
inline RuntimeObject ** get_address_of_hecsw_2() { return &___hecsw_2; }
inline void set_hecsw_2(RuntimeObject * value)
{
___hecsw_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___hecsw_2), (void*)value);
}
inline static int32_t get_offset_of_thread_3() { return static_cast<int32_t>(offsetof(ExecutionContextSwitcher_t11B7DEE83408478EE3D5E29C988E5385AA9D7277, ___thread_3)); }
inline Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414 * get_thread_3() const { return ___thread_3; }
inline Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414 ** get_address_of_thread_3() { return &___thread_3; }
inline void set_thread_3(Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414 * value)
{
___thread_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___thread_3), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Threading.ExecutionContextSwitcher
struct ExecutionContextSwitcher_t11B7DEE83408478EE3D5E29C988E5385AA9D7277_marshaled_pinvoke
{
Reader_t6C70587C0F5A8CE8367A0407E3109E196764848C_marshaled_pinvoke ___outerEC_0;
int32_t ___outerECBelongsToScope_1;
Il2CppIUnknown* ___hecsw_2;
Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414 * ___thread_3;
};
// Native definition for COM marshalling of System.Threading.ExecutionContextSwitcher
struct ExecutionContextSwitcher_t11B7DEE83408478EE3D5E29C988E5385AA9D7277_marshaled_com
{
Reader_t6C70587C0F5A8CE8367A0407E3109E196764848C_marshaled_com ___outerEC_0;
int32_t ___outerECBelongsToScope_1;
Il2CppIUnknown* ___hecsw_2;
Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414 * ___thread_3;
};
// System.Linq.Expressions.ExpressionType
struct ExpressionType_t5DFF595F84E155FA27FA8929A81459546074CE51
{
public:
// System.Int32 System.Linq.Expressions.ExpressionType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ExpressionType_t5DFF595F84E155FA27FA8929A81459546074CE51, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.Extents
struct Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA
{
public:
// UnityEngine.Vector2 TMPro.Extents::min
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___min_2;
// UnityEngine.Vector2 TMPro.Extents::max
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___max_3;
public:
inline static int32_t get_offset_of_min_2() { return static_cast<int32_t>(offsetof(Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA, ___min_2)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_min_2() const { return ___min_2; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_min_2() { return &___min_2; }
inline void set_min_2(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___min_2 = value;
}
inline static int32_t get_offset_of_max_3() { return static_cast<int32_t>(offsetof(Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA, ___max_3)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_max_3() const { return ___max_3; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_max_3() { return &___max_3; }
inline void set_max_3(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___max_3 = value;
}
};
struct Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA_StaticFields
{
public:
// TMPro.Extents TMPro.Extents::zero
Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA ___zero_0;
// TMPro.Extents TMPro.Extents::uninitialized
Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA ___uninitialized_1;
public:
inline static int32_t get_offset_of_zero_0() { return static_cast<int32_t>(offsetof(Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA_StaticFields, ___zero_0)); }
inline Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA get_zero_0() const { return ___zero_0; }
inline Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA * get_address_of_zero_0() { return &___zero_0; }
inline void set_zero_0(Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA value)
{
___zero_0 = value;
}
inline static int32_t get_offset_of_uninitialized_1() { return static_cast<int32_t>(offsetof(Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA_StaticFields, ___uninitialized_1)); }
inline Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA get_uninitialized_1() const { return ___uninitialized_1; }
inline Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA * get_address_of_uninitialized_1() { return &___uninitialized_1; }
inline void set_uninitialized_1(Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA value)
{
___uninitialized_1 = value;
}
};
// System.Globalization.FORMATFLAGS
struct FORMATFLAGS_t7085FFE4DB9BD9B7A0EB0F0B47925B87AF1BB289
{
public:
// System.Int32 System.Globalization.FORMATFLAGS::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FORMATFLAGS_t7085FFE4DB9BD9B7A0EB0F0B47925B87AF1BB289, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARSubsystems.FaceSubsystemCapabilities
struct FaceSubsystemCapabilities_t84A18B266F89BCEE6ADA3FB05E21935877632057
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.FaceSubsystemCapabilities::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FaceSubsystemCapabilities_t84A18B266F89BCEE6ADA3FB05E21935877632057, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Localization.Settings.FallbackBehavior
struct FallbackBehavior_t06A7780FDD0577725A81DB636DCC4C2E53C7010D
{
public:
// System.Int32 UnityEngine.Localization.Settings.FallbackBehavior::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FallbackBehavior_t06A7780FDD0577725A81DB636DCC4C2E53C7010D, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Experimental.GlobalIllumination.FalloffType
struct FalloffType_t983DA2C11C909629E51BD1D4CF088C689C9863CB
{
public:
// System.Byte UnityEngine.Experimental.GlobalIllumination.FalloffType::value__
uint8_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FalloffType_t983DA2C11C909629E51BD1D4CF088C689C9863CB, ___value___2)); }
inline uint8_t get_value___2() const { return ___value___2; }
inline uint8_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint8_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARSubsystems.Feature
struct Feature_t079F5923A4893A9E07B968C27F44AC5FCAC87C83
{
public:
// System.UInt64 UnityEngine.XR.ARSubsystems.Feature::value__
uint64_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Feature_t079F5923A4893A9E07B968C27F44AC5FCAC87C83, ___value___2)); }
inline uint64_t get_value___2() const { return ___value___2; }
inline uint64_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint64_t value)
{
___value___2 = value;
}
};
// System.Reflection.FieldAttributes
struct FieldAttributes_tEB0BC525FE67F2A6591D21D668E1564C91ADD52B
{
public:
// System.Int32 System.Reflection.FieldAttributes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FieldAttributes_tEB0BC525FE67F2A6591D21D668E1564C91ADD52B, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Reflection.Emit.FieldBuilder
struct FieldBuilder_tF3DEC8D3BF03F72504FD9A0BEE7E32DAF25A9743 : public FieldInfo_t
{
public:
public:
};
// System.Linq.Expressions.FieldExpression
struct FieldExpression_tBB79EEFC99702246D1683C8409459E7BC83E6C32 : public MemberExpression_t9F4B2A7A517DFE6F72C956A3ED868D8C043C6622
{
public:
// System.Reflection.FieldInfo System.Linq.Expressions.FieldExpression::_field
FieldInfo_t * ____field_4;
public:
inline static int32_t get_offset_of__field_4() { return static_cast<int32_t>(offsetof(FieldExpression_tBB79EEFC99702246D1683C8409459E7BC83E6C32, ____field_4)); }
inline FieldInfo_t * get__field_4() const { return ____field_4; }
inline FieldInfo_t ** get_address_of__field_4() { return &____field_4; }
inline void set__field_4(FieldInfo_t * value)
{
____field_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____field_4), (void*)value);
}
};
// System.IO.FileAccess
struct FileAccess_t09E176678AB8520C44024354E0DB2F01D40A2F5B
{
public:
// System.Int32 System.IO.FileAccess::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FileAccess_t09E176678AB8520C44024354E0DB2F01D40A2F5B, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.IO.FileAttributes
struct FileAttributes_t47DBB9A73CF80C7CA21C9AAB8D5336C92D32C1AE
{
public:
// System.Int32 System.IO.FileAttributes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FileAttributes_t47DBB9A73CF80C7CA21C9AAB8D5336C92D32C1AE, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.IO.FileMode
struct FileMode_t7AB84351F909CC2A0F99B798E50C6E8610994336
{
public:
// System.Int32 System.IO.FileMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FileMode_t7AB84351F909CC2A0F99B798E50C6E8610994336, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.IO.FileOptions
struct FileOptions_t83C5A0A606E5184DF8E5720503CA94E559A61330
{
public:
// System.Int32 System.IO.FileOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FileOptions_t83C5A0A606E5184DF8E5720503CA94E559A61330, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// Unity.IO.LowLevel.Unsafe.FileReadType
struct FileReadType_t31F7D6CEFACE99CAE5A065B892E0EDE478E2CB1D
{
public:
// System.Int32 Unity.IO.LowLevel.Unsafe.FileReadType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FileReadType_t31F7D6CEFACE99CAE5A065B892E0EDE478E2CB1D, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.IO.FileShare
struct FileShare_t335C3032B91F35BECF45855A61AF9FA5BB9C07BB
{
public:
// System.Int32 System.IO.FileShare::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FileShare_t335C3032B91F35BECF45855A61AF9FA5BB9C07BB, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.FilterMode
struct FilterMode_tE90A08FD96A142C761463D65E524BCDBFEEE3D19
{
public:
// System.Int32 UnityEngine.FilterMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FilterMode_tE90A08FD96A142C761463D65E524BCDBFEEE3D19, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.TextCore.LowLevel.FontEngineError
struct FontEngineError_t2202C4EC984B214495C9B7742BF13626DA63AE43
{
public:
// System.Int32 UnityEngine.TextCore.LowLevel.FontEngineError::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FontEngineError_t2202C4EC984B214495C9B7742BF13626DA63AE43, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.FontFeatureLookupFlags
struct FontFeatureLookupFlags_tE7216065FB6761767313ECAF3EE6A1565CAE0A37
{
public:
// System.Int32 TMPro.FontFeatureLookupFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FontFeatureLookupFlags_tE7216065FB6761767313ECAF3EE6A1565CAE0A37, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.TextCore.LowLevel.FontFeatureLookupFlags
struct FontFeatureLookupFlags_t37E41419FC68819F0CA4BD748675CE571DEA2781
{
public:
// System.Int32 UnityEngine.TextCore.LowLevel.FontFeatureLookupFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FontFeatureLookupFlags_t37E41419FC68819F0CA4BD748675CE571DEA2781, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.FontStyle
struct FontStyle_t98609253DA79E5B3198BD60AD3518C5B6A2DCF96
{
public:
// System.Int32 UnityEngine.FontStyle::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FontStyle_t98609253DA79E5B3198BD60AD3518C5B6A2DCF96, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.FontStyles
struct FontStyles_tAB9AC2C8316219AE73612ED4DD60417C14B5B74C
{
public:
// System.Int32 TMPro.FontStyles::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FontStyles_tAB9AC2C8316219AE73612ED4DD60417C14B5B74C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.FontWeight
struct FontWeight_tBF8B23C3A4F63D5602FEC93BE775C93CA4DDDC26
{
public:
// System.Int32 TMPro.FontWeight::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FontWeight_tBF8B23C3A4F63D5602FEC93BE775C93CA4DDDC26, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Experimental.Rendering.FormatUsage
struct FormatUsage_t98D974BA17DF860A91D96AEBF446A2E9BF914336
{
public:
// System.Int32 UnityEngine.Experimental.Rendering.FormatUsage::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FormatUsage_t98D974BA17DF860A91D96AEBF446A2E9BF914336, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.Serialization.Formatters.FormatterAssemblyStyle
struct FormatterAssemblyStyle_t176037936039C0AEAEDFF283CD0E53E721D4CEF2
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.FormatterAssemblyStyle::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FormatterAssemblyStyle_t176037936039C0AEAEDFF283CD0E53E721D4CEF2, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.Serialization.FormatterServices
struct FormatterServices_t346CDF3874B4B34E7FFFCA2288D9AB1492F6A21C : public RuntimeObject
{
public:
public:
};
struct FormatterServices_t346CDF3874B4B34E7FFFCA2288D9AB1492F6A21C_StaticFields
{
public:
// System.Collections.Concurrent.ConcurrentDictionary`2<System.Runtime.Serialization.MemberHolder,System.Reflection.MemberInfo[]> System.Runtime.Serialization.FormatterServices::m_MemberInfoTable
ConcurrentDictionary_2_tCDD3E713B9FAC2A37A5798DD000C2A440AAA5165 * ___m_MemberInfoTable_0;
// System.Boolean System.Runtime.Serialization.FormatterServices::unsafeTypeForwardersIsEnabled
bool ___unsafeTypeForwardersIsEnabled_1;
// System.Boolean modreq(System.Runtime.CompilerServices.IsVolatile) System.Runtime.Serialization.FormatterServices::unsafeTypeForwardersIsEnabledInitialized
bool ___unsafeTypeForwardersIsEnabledInitialized_2;
// System.Type[] System.Runtime.Serialization.FormatterServices::advancedTypes
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ___advancedTypes_3;
// System.Reflection.Binder System.Runtime.Serialization.FormatterServices::s_binder
Binder_t2BEE27FD84737D1E79BC47FD67F6D3DD2F2DDA30 * ___s_binder_4;
public:
inline static int32_t get_offset_of_m_MemberInfoTable_0() { return static_cast<int32_t>(offsetof(FormatterServices_t346CDF3874B4B34E7FFFCA2288D9AB1492F6A21C_StaticFields, ___m_MemberInfoTable_0)); }
inline ConcurrentDictionary_2_tCDD3E713B9FAC2A37A5798DD000C2A440AAA5165 * get_m_MemberInfoTable_0() const { return ___m_MemberInfoTable_0; }
inline ConcurrentDictionary_2_tCDD3E713B9FAC2A37A5798DD000C2A440AAA5165 ** get_address_of_m_MemberInfoTable_0() { return &___m_MemberInfoTable_0; }
inline void set_m_MemberInfoTable_0(ConcurrentDictionary_2_tCDD3E713B9FAC2A37A5798DD000C2A440AAA5165 * value)
{
___m_MemberInfoTable_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_MemberInfoTable_0), (void*)value);
}
inline static int32_t get_offset_of_unsafeTypeForwardersIsEnabled_1() { return static_cast<int32_t>(offsetof(FormatterServices_t346CDF3874B4B34E7FFFCA2288D9AB1492F6A21C_StaticFields, ___unsafeTypeForwardersIsEnabled_1)); }
inline bool get_unsafeTypeForwardersIsEnabled_1() const { return ___unsafeTypeForwardersIsEnabled_1; }
inline bool* get_address_of_unsafeTypeForwardersIsEnabled_1() { return &___unsafeTypeForwardersIsEnabled_1; }
inline void set_unsafeTypeForwardersIsEnabled_1(bool value)
{
___unsafeTypeForwardersIsEnabled_1 = value;
}
inline static int32_t get_offset_of_unsafeTypeForwardersIsEnabledInitialized_2() { return static_cast<int32_t>(offsetof(FormatterServices_t346CDF3874B4B34E7FFFCA2288D9AB1492F6A21C_StaticFields, ___unsafeTypeForwardersIsEnabledInitialized_2)); }
inline bool get_unsafeTypeForwardersIsEnabledInitialized_2() const { return ___unsafeTypeForwardersIsEnabledInitialized_2; }
inline bool* get_address_of_unsafeTypeForwardersIsEnabledInitialized_2() { return &___unsafeTypeForwardersIsEnabledInitialized_2; }
inline void set_unsafeTypeForwardersIsEnabledInitialized_2(bool value)
{
___unsafeTypeForwardersIsEnabledInitialized_2 = value;
}
inline static int32_t get_offset_of_advancedTypes_3() { return static_cast<int32_t>(offsetof(FormatterServices_t346CDF3874B4B34E7FFFCA2288D9AB1492F6A21C_StaticFields, ___advancedTypes_3)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get_advancedTypes_3() const { return ___advancedTypes_3; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of_advancedTypes_3() { return &___advancedTypes_3; }
inline void set_advancedTypes_3(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
___advancedTypes_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___advancedTypes_3), (void*)value);
}
inline static int32_t get_offset_of_s_binder_4() { return static_cast<int32_t>(offsetof(FormatterServices_t346CDF3874B4B34E7FFFCA2288D9AB1492F6A21C_StaticFields, ___s_binder_4)); }
inline Binder_t2BEE27FD84737D1E79BC47FD67F6D3DD2F2DDA30 * get_s_binder_4() const { return ___s_binder_4; }
inline Binder_t2BEE27FD84737D1E79BC47FD67F6D3DD2F2DDA30 ** get_address_of_s_binder_4() { return &___s_binder_4; }
inline void set_s_binder_4(Binder_t2BEE27FD84737D1E79BC47FD67F6D3DD2F2DDA30 * value)
{
___s_binder_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_binder_4), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.FormatterTypeStyle
struct FormatterTypeStyle_tE84DD5CF7A3D4E07A4881B66CE1AE112677A4E6A
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.FormatterTypeStyle::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FormatterTypeStyle_tE84DD5CF7A3D4E07A4881B66CE1AE112677A4E6A, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Bindings.FreeFunctionAttribute
struct FreeFunctionAttribute_tBB3B939D760190FEC84762F1BA94B99672613D03 : public NativeMethodAttribute_t57F61ACA17BEC1260A06658ACD971B0009CC1866
{
public:
public:
};
// UnityEngine.FullScreenMode
struct FullScreenMode_tF28B3C9888B26FFE135A67B592A50B50230FEE85
{
public:
// System.Int32 UnityEngine.FullScreenMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FullScreenMode_tF28B3C9888B26FFE135A67B592A50B50230FEE85, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.InteropServices.GCHandleType
struct GCHandleType_t5D58978165671EDEFCCAE1E2B237BD5AE4E8BC38
{
public:
// System.Int32 System.Runtime.InteropServices.GCHandleType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(GCHandleType_t5D58978165671EDEFCCAE1E2B237BD5AE4E8BC38, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.GUI
struct GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1 : public RuntimeObject
{
public:
public:
};
struct GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields
{
public:
// System.Int32 UnityEngine.GUI::s_HotTextField
int32_t ___s_HotTextField_0;
// System.Int32 UnityEngine.GUI::s_BoxHash
int32_t ___s_BoxHash_1;
// System.Int32 UnityEngine.GUI::s_ButonHash
int32_t ___s_ButonHash_2;
// System.Int32 UnityEngine.GUI::s_RepeatButtonHash
int32_t ___s_RepeatButtonHash_3;
// System.Int32 UnityEngine.GUI::s_ToggleHash
int32_t ___s_ToggleHash_4;
// System.Int32 UnityEngine.GUI::s_ButtonGridHash
int32_t ___s_ButtonGridHash_5;
// System.Int32 UnityEngine.GUI::s_SliderHash
int32_t ___s_SliderHash_6;
// System.Int32 UnityEngine.GUI::s_BeginGroupHash
int32_t ___s_BeginGroupHash_7;
// System.Int32 UnityEngine.GUI::s_ScrollviewHash
int32_t ___s_ScrollviewHash_8;
// System.DateTime UnityEngine.GUI::<nextScrollStepTime>k__BackingField
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 ___U3CnextScrollStepTimeU3Ek__BackingField_9;
// UnityEngine.GUISkin UnityEngine.GUI::s_Skin
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6 * ___s_Skin_10;
// UnityEngineInternal.GenericStack UnityEngine.GUI::<scrollViewStates>k__BackingField
GenericStack_tFE88EF4FAC2E3519951AC2A4D721C3BD1A02E24C * ___U3CscrollViewStatesU3Ek__BackingField_11;
public:
inline static int32_t get_offset_of_s_HotTextField_0() { return static_cast<int32_t>(offsetof(GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields, ___s_HotTextField_0)); }
inline int32_t get_s_HotTextField_0() const { return ___s_HotTextField_0; }
inline int32_t* get_address_of_s_HotTextField_0() { return &___s_HotTextField_0; }
inline void set_s_HotTextField_0(int32_t value)
{
___s_HotTextField_0 = value;
}
inline static int32_t get_offset_of_s_BoxHash_1() { return static_cast<int32_t>(offsetof(GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields, ___s_BoxHash_1)); }
inline int32_t get_s_BoxHash_1() const { return ___s_BoxHash_1; }
inline int32_t* get_address_of_s_BoxHash_1() { return &___s_BoxHash_1; }
inline void set_s_BoxHash_1(int32_t value)
{
___s_BoxHash_1 = value;
}
inline static int32_t get_offset_of_s_ButonHash_2() { return static_cast<int32_t>(offsetof(GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields, ___s_ButonHash_2)); }
inline int32_t get_s_ButonHash_2() const { return ___s_ButonHash_2; }
inline int32_t* get_address_of_s_ButonHash_2() { return &___s_ButonHash_2; }
inline void set_s_ButonHash_2(int32_t value)
{
___s_ButonHash_2 = value;
}
inline static int32_t get_offset_of_s_RepeatButtonHash_3() { return static_cast<int32_t>(offsetof(GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields, ___s_RepeatButtonHash_3)); }
inline int32_t get_s_RepeatButtonHash_3() const { return ___s_RepeatButtonHash_3; }
inline int32_t* get_address_of_s_RepeatButtonHash_3() { return &___s_RepeatButtonHash_3; }
inline void set_s_RepeatButtonHash_3(int32_t value)
{
___s_RepeatButtonHash_3 = value;
}
inline static int32_t get_offset_of_s_ToggleHash_4() { return static_cast<int32_t>(offsetof(GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields, ___s_ToggleHash_4)); }
inline int32_t get_s_ToggleHash_4() const { return ___s_ToggleHash_4; }
inline int32_t* get_address_of_s_ToggleHash_4() { return &___s_ToggleHash_4; }
inline void set_s_ToggleHash_4(int32_t value)
{
___s_ToggleHash_4 = value;
}
inline static int32_t get_offset_of_s_ButtonGridHash_5() { return static_cast<int32_t>(offsetof(GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields, ___s_ButtonGridHash_5)); }
inline int32_t get_s_ButtonGridHash_5() const { return ___s_ButtonGridHash_5; }
inline int32_t* get_address_of_s_ButtonGridHash_5() { return &___s_ButtonGridHash_5; }
inline void set_s_ButtonGridHash_5(int32_t value)
{
___s_ButtonGridHash_5 = value;
}
inline static int32_t get_offset_of_s_SliderHash_6() { return static_cast<int32_t>(offsetof(GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields, ___s_SliderHash_6)); }
inline int32_t get_s_SliderHash_6() const { return ___s_SliderHash_6; }
inline int32_t* get_address_of_s_SliderHash_6() { return &___s_SliderHash_6; }
inline void set_s_SliderHash_6(int32_t value)
{
___s_SliderHash_6 = value;
}
inline static int32_t get_offset_of_s_BeginGroupHash_7() { return static_cast<int32_t>(offsetof(GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields, ___s_BeginGroupHash_7)); }
inline int32_t get_s_BeginGroupHash_7() const { return ___s_BeginGroupHash_7; }
inline int32_t* get_address_of_s_BeginGroupHash_7() { return &___s_BeginGroupHash_7; }
inline void set_s_BeginGroupHash_7(int32_t value)
{
___s_BeginGroupHash_7 = value;
}
inline static int32_t get_offset_of_s_ScrollviewHash_8() { return static_cast<int32_t>(offsetof(GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields, ___s_ScrollviewHash_8)); }
inline int32_t get_s_ScrollviewHash_8() const { return ___s_ScrollviewHash_8; }
inline int32_t* get_address_of_s_ScrollviewHash_8() { return &___s_ScrollviewHash_8; }
inline void set_s_ScrollviewHash_8(int32_t value)
{
___s_ScrollviewHash_8 = value;
}
inline static int32_t get_offset_of_U3CnextScrollStepTimeU3Ek__BackingField_9() { return static_cast<int32_t>(offsetof(GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields, ___U3CnextScrollStepTimeU3Ek__BackingField_9)); }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 get_U3CnextScrollStepTimeU3Ek__BackingField_9() const { return ___U3CnextScrollStepTimeU3Ek__BackingField_9; }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 * get_address_of_U3CnextScrollStepTimeU3Ek__BackingField_9() { return &___U3CnextScrollStepTimeU3Ek__BackingField_9; }
inline void set_U3CnextScrollStepTimeU3Ek__BackingField_9(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 value)
{
___U3CnextScrollStepTimeU3Ek__BackingField_9 = value;
}
inline static int32_t get_offset_of_s_Skin_10() { return static_cast<int32_t>(offsetof(GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields, ___s_Skin_10)); }
inline GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6 * get_s_Skin_10() const { return ___s_Skin_10; }
inline GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6 ** get_address_of_s_Skin_10() { return &___s_Skin_10; }
inline void set_s_Skin_10(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6 * value)
{
___s_Skin_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Skin_10), (void*)value);
}
inline static int32_t get_offset_of_U3CscrollViewStatesU3Ek__BackingField_11() { return static_cast<int32_t>(offsetof(GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields, ___U3CscrollViewStatesU3Ek__BackingField_11)); }
inline GenericStack_tFE88EF4FAC2E3519951AC2A4D721C3BD1A02E24C * get_U3CscrollViewStatesU3Ek__BackingField_11() const { return ___U3CscrollViewStatesU3Ek__BackingField_11; }
inline GenericStack_tFE88EF4FAC2E3519951AC2A4D721C3BD1A02E24C ** get_address_of_U3CscrollViewStatesU3Ek__BackingField_11() { return &___U3CscrollViewStatesU3Ek__BackingField_11; }
inline void set_U3CscrollViewStatesU3Ek__BackingField_11(GenericStack_tFE88EF4FAC2E3519951AC2A4D721C3BD1A02E24C * value)
{
___U3CscrollViewStatesU3Ek__BackingField_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CscrollViewStatesU3Ek__BackingField_11), (void*)value);
}
};
// UnityEngine.GUILayoutEntry
struct GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE : public RuntimeObject
{
public:
// System.Single UnityEngine.GUILayoutEntry::minWidth
float ___minWidth_0;
// System.Single UnityEngine.GUILayoutEntry::maxWidth
float ___maxWidth_1;
// System.Single UnityEngine.GUILayoutEntry::minHeight
float ___minHeight_2;
// System.Single UnityEngine.GUILayoutEntry::maxHeight
float ___maxHeight_3;
// UnityEngine.Rect UnityEngine.GUILayoutEntry::rect
Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 ___rect_4;
// System.Int32 UnityEngine.GUILayoutEntry::stretchWidth
int32_t ___stretchWidth_5;
// System.Int32 UnityEngine.GUILayoutEntry::stretchHeight
int32_t ___stretchHeight_6;
// System.Boolean UnityEngine.GUILayoutEntry::consideredForMargin
bool ___consideredForMargin_7;
// UnityEngine.GUIStyle UnityEngine.GUILayoutEntry::m_Style
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_Style_8;
public:
inline static int32_t get_offset_of_minWidth_0() { return static_cast<int32_t>(offsetof(GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE, ___minWidth_0)); }
inline float get_minWidth_0() const { return ___minWidth_0; }
inline float* get_address_of_minWidth_0() { return &___minWidth_0; }
inline void set_minWidth_0(float value)
{
___minWidth_0 = value;
}
inline static int32_t get_offset_of_maxWidth_1() { return static_cast<int32_t>(offsetof(GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE, ___maxWidth_1)); }
inline float get_maxWidth_1() const { return ___maxWidth_1; }
inline float* get_address_of_maxWidth_1() { return &___maxWidth_1; }
inline void set_maxWidth_1(float value)
{
___maxWidth_1 = value;
}
inline static int32_t get_offset_of_minHeight_2() { return static_cast<int32_t>(offsetof(GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE, ___minHeight_2)); }
inline float get_minHeight_2() const { return ___minHeight_2; }
inline float* get_address_of_minHeight_2() { return &___minHeight_2; }
inline void set_minHeight_2(float value)
{
___minHeight_2 = value;
}
inline static int32_t get_offset_of_maxHeight_3() { return static_cast<int32_t>(offsetof(GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE, ___maxHeight_3)); }
inline float get_maxHeight_3() const { return ___maxHeight_3; }
inline float* get_address_of_maxHeight_3() { return &___maxHeight_3; }
inline void set_maxHeight_3(float value)
{
___maxHeight_3 = value;
}
inline static int32_t get_offset_of_rect_4() { return static_cast<int32_t>(offsetof(GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE, ___rect_4)); }
inline Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 get_rect_4() const { return ___rect_4; }
inline Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 * get_address_of_rect_4() { return &___rect_4; }
inline void set_rect_4(Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 value)
{
___rect_4 = value;
}
inline static int32_t get_offset_of_stretchWidth_5() { return static_cast<int32_t>(offsetof(GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE, ___stretchWidth_5)); }
inline int32_t get_stretchWidth_5() const { return ___stretchWidth_5; }
inline int32_t* get_address_of_stretchWidth_5() { return &___stretchWidth_5; }
inline void set_stretchWidth_5(int32_t value)
{
___stretchWidth_5 = value;
}
inline static int32_t get_offset_of_stretchHeight_6() { return static_cast<int32_t>(offsetof(GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE, ___stretchHeight_6)); }
inline int32_t get_stretchHeight_6() const { return ___stretchHeight_6; }
inline int32_t* get_address_of_stretchHeight_6() { return &___stretchHeight_6; }
inline void set_stretchHeight_6(int32_t value)
{
___stretchHeight_6 = value;
}
inline static int32_t get_offset_of_consideredForMargin_7() { return static_cast<int32_t>(offsetof(GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE, ___consideredForMargin_7)); }
inline bool get_consideredForMargin_7() const { return ___consideredForMargin_7; }
inline bool* get_address_of_consideredForMargin_7() { return &___consideredForMargin_7; }
inline void set_consideredForMargin_7(bool value)
{
___consideredForMargin_7 = value;
}
inline static int32_t get_offset_of_m_Style_8() { return static_cast<int32_t>(offsetof(GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE, ___m_Style_8)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_Style_8() const { return ___m_Style_8; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_Style_8() { return &___m_Style_8; }
inline void set_m_Style_8(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_Style_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Style_8), (void*)value);
}
};
struct GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE_StaticFields
{
public:
// UnityEngine.Rect UnityEngine.GUILayoutEntry::kDummyRect
Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 ___kDummyRect_9;
// System.Int32 UnityEngine.GUILayoutEntry::indent
int32_t ___indent_10;
public:
inline static int32_t get_offset_of_kDummyRect_9() { return static_cast<int32_t>(offsetof(GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE_StaticFields, ___kDummyRect_9)); }
inline Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 get_kDummyRect_9() const { return ___kDummyRect_9; }
inline Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 * get_address_of_kDummyRect_9() { return &___kDummyRect_9; }
inline void set_kDummyRect_9(Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 value)
{
___kDummyRect_9 = value;
}
inline static int32_t get_offset_of_indent_10() { return static_cast<int32_t>(offsetof(GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE_StaticFields, ___indent_10)); }
inline int32_t get_indent_10() const { return ___indent_10; }
inline int32_t* get_address_of_indent_10() { return &___indent_10; }
inline void set_indent_10(int32_t value)
{
___indent_10 = value;
}
};
// UnityEngine.GUILayoutUtility
struct GUILayoutUtility_tC8DDF719E399EA119E2889EFB47816B34CA58F5A : public RuntimeObject
{
public:
public:
};
struct GUILayoutUtility_tC8DDF719E399EA119E2889EFB47816B34CA58F5A_StaticFields
{
public:
// System.Collections.Generic.Dictionary`2<System.Int32,UnityEngine.GUILayoutUtility/LayoutCache> UnityEngine.GUILayoutUtility::s_StoredLayouts
Dictionary_2_t3FDB6C5EC702844ACB5B417679E01D7C1DCBA4D4 * ___s_StoredLayouts_0;
// System.Collections.Generic.Dictionary`2<System.Int32,UnityEngine.GUILayoutUtility/LayoutCache> UnityEngine.GUILayoutUtility::s_StoredWindows
Dictionary_2_t3FDB6C5EC702844ACB5B417679E01D7C1DCBA4D4 * ___s_StoredWindows_1;
// UnityEngine.GUILayoutUtility/LayoutCache UnityEngine.GUILayoutUtility::current
LayoutCache_t4C0528EE626F95B53EFE2AB59B8D56CB70BBDFE8 * ___current_2;
// UnityEngine.Rect UnityEngine.GUILayoutUtility::kDummyRect
Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 ___kDummyRect_3;
public:
inline static int32_t get_offset_of_s_StoredLayouts_0() { return static_cast<int32_t>(offsetof(GUILayoutUtility_tC8DDF719E399EA119E2889EFB47816B34CA58F5A_StaticFields, ___s_StoredLayouts_0)); }
inline Dictionary_2_t3FDB6C5EC702844ACB5B417679E01D7C1DCBA4D4 * get_s_StoredLayouts_0() const { return ___s_StoredLayouts_0; }
inline Dictionary_2_t3FDB6C5EC702844ACB5B417679E01D7C1DCBA4D4 ** get_address_of_s_StoredLayouts_0() { return &___s_StoredLayouts_0; }
inline void set_s_StoredLayouts_0(Dictionary_2_t3FDB6C5EC702844ACB5B417679E01D7C1DCBA4D4 * value)
{
___s_StoredLayouts_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_StoredLayouts_0), (void*)value);
}
inline static int32_t get_offset_of_s_StoredWindows_1() { return static_cast<int32_t>(offsetof(GUILayoutUtility_tC8DDF719E399EA119E2889EFB47816B34CA58F5A_StaticFields, ___s_StoredWindows_1)); }
inline Dictionary_2_t3FDB6C5EC702844ACB5B417679E01D7C1DCBA4D4 * get_s_StoredWindows_1() const { return ___s_StoredWindows_1; }
inline Dictionary_2_t3FDB6C5EC702844ACB5B417679E01D7C1DCBA4D4 ** get_address_of_s_StoredWindows_1() { return &___s_StoredWindows_1; }
inline void set_s_StoredWindows_1(Dictionary_2_t3FDB6C5EC702844ACB5B417679E01D7C1DCBA4D4 * value)
{
___s_StoredWindows_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_StoredWindows_1), (void*)value);
}
inline static int32_t get_offset_of_current_2() { return static_cast<int32_t>(offsetof(GUILayoutUtility_tC8DDF719E399EA119E2889EFB47816B34CA58F5A_StaticFields, ___current_2)); }
inline LayoutCache_t4C0528EE626F95B53EFE2AB59B8D56CB70BBDFE8 * get_current_2() const { return ___current_2; }
inline LayoutCache_t4C0528EE626F95B53EFE2AB59B8D56CB70BBDFE8 ** get_address_of_current_2() { return &___current_2; }
inline void set_current_2(LayoutCache_t4C0528EE626F95B53EFE2AB59B8D56CB70BBDFE8 * value)
{
___current_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___current_2), (void*)value);
}
inline static int32_t get_offset_of_kDummyRect_3() { return static_cast<int32_t>(offsetof(GUILayoutUtility_tC8DDF719E399EA119E2889EFB47816B34CA58F5A_StaticFields, ___kDummyRect_3)); }
inline Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 get_kDummyRect_3() const { return ___kDummyRect_3; }
inline Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 * get_address_of_kDummyRect_3() { return &___kDummyRect_3; }
inline void set_kDummyRect_3(Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 value)
{
___kDummyRect_3 = value;
}
};
// UnityEngine.GUISettings
struct GUISettings_tB85473DFD6EF025A06EAD867197A4478A41008D0 : public RuntimeObject
{
public:
// System.Boolean UnityEngine.GUISettings::m_DoubleClickSelectsWord
bool ___m_DoubleClickSelectsWord_0;
// System.Boolean UnityEngine.GUISettings::m_TripleClickSelectsLine
bool ___m_TripleClickSelectsLine_1;
// UnityEngine.Color UnityEngine.GUISettings::m_CursorColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_CursorColor_2;
// System.Single UnityEngine.GUISettings::m_CursorFlashSpeed
float ___m_CursorFlashSpeed_3;
// UnityEngine.Color UnityEngine.GUISettings::m_SelectionColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_SelectionColor_4;
public:
inline static int32_t get_offset_of_m_DoubleClickSelectsWord_0() { return static_cast<int32_t>(offsetof(GUISettings_tB85473DFD6EF025A06EAD867197A4478A41008D0, ___m_DoubleClickSelectsWord_0)); }
inline bool get_m_DoubleClickSelectsWord_0() const { return ___m_DoubleClickSelectsWord_0; }
inline bool* get_address_of_m_DoubleClickSelectsWord_0() { return &___m_DoubleClickSelectsWord_0; }
inline void set_m_DoubleClickSelectsWord_0(bool value)
{
___m_DoubleClickSelectsWord_0 = value;
}
inline static int32_t get_offset_of_m_TripleClickSelectsLine_1() { return static_cast<int32_t>(offsetof(GUISettings_tB85473DFD6EF025A06EAD867197A4478A41008D0, ___m_TripleClickSelectsLine_1)); }
inline bool get_m_TripleClickSelectsLine_1() const { return ___m_TripleClickSelectsLine_1; }
inline bool* get_address_of_m_TripleClickSelectsLine_1() { return &___m_TripleClickSelectsLine_1; }
inline void set_m_TripleClickSelectsLine_1(bool value)
{
___m_TripleClickSelectsLine_1 = value;
}
inline static int32_t get_offset_of_m_CursorColor_2() { return static_cast<int32_t>(offsetof(GUISettings_tB85473DFD6EF025A06EAD867197A4478A41008D0, ___m_CursorColor_2)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_CursorColor_2() const { return ___m_CursorColor_2; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_CursorColor_2() { return &___m_CursorColor_2; }
inline void set_m_CursorColor_2(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_CursorColor_2 = value;
}
inline static int32_t get_offset_of_m_CursorFlashSpeed_3() { return static_cast<int32_t>(offsetof(GUISettings_tB85473DFD6EF025A06EAD867197A4478A41008D0, ___m_CursorFlashSpeed_3)); }
inline float get_m_CursorFlashSpeed_3() const { return ___m_CursorFlashSpeed_3; }
inline float* get_address_of_m_CursorFlashSpeed_3() { return &___m_CursorFlashSpeed_3; }
inline void set_m_CursorFlashSpeed_3(float value)
{
___m_CursorFlashSpeed_3 = value;
}
inline static int32_t get_offset_of_m_SelectionColor_4() { return static_cast<int32_t>(offsetof(GUISettings_tB85473DFD6EF025A06EAD867197A4478A41008D0, ___m_SelectionColor_4)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_SelectionColor_4() const { return ___m_SelectionColor_4; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_SelectionColor_4() { return &___m_SelectionColor_4; }
inline void set_m_SelectionColor_4(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_SelectionColor_4 = value;
}
};
// UnityEngine.GUIStyleState
struct GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.GUIStyleState::m_Ptr
intptr_t ___m_Ptr_0;
// UnityEngine.GUIStyle UnityEngine.GUIStyleState::m_SourceStyle
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_SourceStyle_1;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9, ___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(GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9, ___m_SourceStyle_1)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_SourceStyle_1() const { return ___m_SourceStyle_1; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_SourceStyle_1() { return &___m_SourceStyle_1; }
inline void set_m_SourceStyle_1(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_SourceStyle_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SourceStyle_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.GUIStyleState
struct GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9_marshaled_pinvoke
{
intptr_t ___m_Ptr_0;
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726_marshaled_pinvoke* ___m_SourceStyle_1;
};
// Native definition for COM marshalling of UnityEngine.GUIStyleState
struct GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9_marshaled_com
{
intptr_t ___m_Ptr_0;
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726_marshaled_com* ___m_SourceStyle_1;
};
// UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard
struct GcLeaderboard_t65BC1BB657B2E25E7BB1FBBB70ACDE29A3A64B72 : 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_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D * ___m_GenericLeaderboard_1;
public:
inline static int32_t get_offset_of_m_InternalLeaderboard_0() { return static_cast<int32_t>(offsetof(GcLeaderboard_t65BC1BB657B2E25E7BB1FBBB70ACDE29A3A64B72, ___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_t65BC1BB657B2E25E7BB1FBBB70ACDE29A3A64B72, ___m_GenericLeaderboard_1)); }
inline Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D * get_m_GenericLeaderboard_1() const { return ___m_GenericLeaderboard_1; }
inline Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D ** get_address_of_m_GenericLeaderboard_1() { return &___m_GenericLeaderboard_1; }
inline void set_m_GenericLeaderboard_1(Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D * value)
{
___m_GenericLeaderboard_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GenericLeaderboard_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard
struct GcLeaderboard_t65BC1BB657B2E25E7BB1FBBB70ACDE29A3A64B72_marshaled_pinvoke
{
intptr_t ___m_InternalLeaderboard_0;
Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D * ___m_GenericLeaderboard_1;
};
// Native definition for COM marshalling of UnityEngine.SocialPlatforms.GameCenter.GcLeaderboard
struct GcLeaderboard_t65BC1BB657B2E25E7BB1FBBB70ACDE29A3A64B72_marshaled_com
{
intptr_t ___m_InternalLeaderboard_0;
Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D * ___m_GenericLeaderboard_1;
};
// System.Reflection.GenericParameterAttributes
struct GenericParameterAttributes_t9B99651DEB2A0F5909E135A8A1011237D3DF50CB
{
public:
// System.Int32 System.Reflection.GenericParameterAttributes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(GenericParameterAttributes_t9B99651DEB2A0F5909E135A8A1011237D3DF50CB, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.TextCore.Glyph
struct Glyph_tC58ED6BC718B82A55B7E1A3690A289FFA8EBEFD1 : public RuntimeObject
{
public:
// System.UInt32 UnityEngine.TextCore.Glyph::m_Index
uint32_t ___m_Index_0;
// UnityEngine.TextCore.GlyphMetrics UnityEngine.TextCore.Glyph::m_Metrics
GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B ___m_Metrics_1;
// UnityEngine.TextCore.GlyphRect UnityEngine.TextCore.Glyph::m_GlyphRect
GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D ___m_GlyphRect_2;
// System.Single UnityEngine.TextCore.Glyph::m_Scale
float ___m_Scale_3;
// System.Int32 UnityEngine.TextCore.Glyph::m_AtlasIndex
int32_t ___m_AtlasIndex_4;
public:
inline static int32_t get_offset_of_m_Index_0() { return static_cast<int32_t>(offsetof(Glyph_tC58ED6BC718B82A55B7E1A3690A289FFA8EBEFD1, ___m_Index_0)); }
inline uint32_t get_m_Index_0() const { return ___m_Index_0; }
inline uint32_t* get_address_of_m_Index_0() { return &___m_Index_0; }
inline void set_m_Index_0(uint32_t value)
{
___m_Index_0 = value;
}
inline static int32_t get_offset_of_m_Metrics_1() { return static_cast<int32_t>(offsetof(Glyph_tC58ED6BC718B82A55B7E1A3690A289FFA8EBEFD1, ___m_Metrics_1)); }
inline GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B get_m_Metrics_1() const { return ___m_Metrics_1; }
inline GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B * get_address_of_m_Metrics_1() { return &___m_Metrics_1; }
inline void set_m_Metrics_1(GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B value)
{
___m_Metrics_1 = value;
}
inline static int32_t get_offset_of_m_GlyphRect_2() { return static_cast<int32_t>(offsetof(Glyph_tC58ED6BC718B82A55B7E1A3690A289FFA8EBEFD1, ___m_GlyphRect_2)); }
inline GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D get_m_GlyphRect_2() const { return ___m_GlyphRect_2; }
inline GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D * get_address_of_m_GlyphRect_2() { return &___m_GlyphRect_2; }
inline void set_m_GlyphRect_2(GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D value)
{
___m_GlyphRect_2 = value;
}
inline static int32_t get_offset_of_m_Scale_3() { return static_cast<int32_t>(offsetof(Glyph_tC58ED6BC718B82A55B7E1A3690A289FFA8EBEFD1, ___m_Scale_3)); }
inline float get_m_Scale_3() const { return ___m_Scale_3; }
inline float* get_address_of_m_Scale_3() { return &___m_Scale_3; }
inline void set_m_Scale_3(float value)
{
___m_Scale_3 = value;
}
inline static int32_t get_offset_of_m_AtlasIndex_4() { return static_cast<int32_t>(offsetof(Glyph_tC58ED6BC718B82A55B7E1A3690A289FFA8EBEFD1, ___m_AtlasIndex_4)); }
inline int32_t get_m_AtlasIndex_4() const { return ___m_AtlasIndex_4; }
inline int32_t* get_address_of_m_AtlasIndex_4() { return &___m_AtlasIndex_4; }
inline void set_m_AtlasIndex_4(int32_t value)
{
___m_AtlasIndex_4 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.TextCore.Glyph
struct Glyph_tC58ED6BC718B82A55B7E1A3690A289FFA8EBEFD1_marshaled_pinvoke
{
uint32_t ___m_Index_0;
GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B ___m_Metrics_1;
GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D ___m_GlyphRect_2;
float ___m_Scale_3;
int32_t ___m_AtlasIndex_4;
};
// Native definition for COM marshalling of UnityEngine.TextCore.Glyph
struct Glyph_tC58ED6BC718B82A55B7E1A3690A289FFA8EBEFD1_marshaled_com
{
uint32_t ___m_Index_0;
GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B ___m_Metrics_1;
GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D ___m_GlyphRect_2;
float ___m_Scale_3;
int32_t ___m_AtlasIndex_4;
};
// UnityEngine.TextCore.LowLevel.GlyphAdjustmentRecord
struct GlyphAdjustmentRecord_tF7DD4F1F660B62990292705F25D43A7EF3ED35EA
{
public:
// System.UInt32 UnityEngine.TextCore.LowLevel.GlyphAdjustmentRecord::m_GlyphIndex
uint32_t ___m_GlyphIndex_0;
// UnityEngine.TextCore.LowLevel.GlyphValueRecord UnityEngine.TextCore.LowLevel.GlyphAdjustmentRecord::m_GlyphValueRecord
GlyphValueRecord_tC3EE2C6CB47827CE4BD352D84B3E9E540567DAB3 ___m_GlyphValueRecord_1;
public:
inline static int32_t get_offset_of_m_GlyphIndex_0() { return static_cast<int32_t>(offsetof(GlyphAdjustmentRecord_tF7DD4F1F660B62990292705F25D43A7EF3ED35EA, ___m_GlyphIndex_0)); }
inline uint32_t get_m_GlyphIndex_0() const { return ___m_GlyphIndex_0; }
inline uint32_t* get_address_of_m_GlyphIndex_0() { return &___m_GlyphIndex_0; }
inline void set_m_GlyphIndex_0(uint32_t value)
{
___m_GlyphIndex_0 = value;
}
inline static int32_t get_offset_of_m_GlyphValueRecord_1() { return static_cast<int32_t>(offsetof(GlyphAdjustmentRecord_tF7DD4F1F660B62990292705F25D43A7EF3ED35EA, ___m_GlyphValueRecord_1)); }
inline GlyphValueRecord_tC3EE2C6CB47827CE4BD352D84B3E9E540567DAB3 get_m_GlyphValueRecord_1() const { return ___m_GlyphValueRecord_1; }
inline GlyphValueRecord_tC3EE2C6CB47827CE4BD352D84B3E9E540567DAB3 * get_address_of_m_GlyphValueRecord_1() { return &___m_GlyphValueRecord_1; }
inline void set_m_GlyphValueRecord_1(GlyphValueRecord_tC3EE2C6CB47827CE4BD352D84B3E9E540567DAB3 value)
{
___m_GlyphValueRecord_1 = value;
}
};
// UnityEngine.TextCore.LowLevel.GlyphLoadFlags
struct GlyphLoadFlags_t4F6D16E7D35F02D6D5F6A61CC1FE6F2D37BA52E1
{
public:
// System.Int32 UnityEngine.TextCore.LowLevel.GlyphLoadFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(GlyphLoadFlags_t4F6D16E7D35F02D6D5F6A61CC1FE6F2D37BA52E1, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.TextCore.LowLevel.GlyphMarshallingStruct
struct GlyphMarshallingStruct_t6944FAFBC02A2747B49417BF23EBA14EB5FE7A19
{
public:
// System.UInt32 UnityEngine.TextCore.LowLevel.GlyphMarshallingStruct::index
uint32_t ___index_0;
// UnityEngine.TextCore.GlyphMetrics UnityEngine.TextCore.LowLevel.GlyphMarshallingStruct::metrics
GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B ___metrics_1;
// UnityEngine.TextCore.GlyphRect UnityEngine.TextCore.LowLevel.GlyphMarshallingStruct::glyphRect
GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D ___glyphRect_2;
// System.Single UnityEngine.TextCore.LowLevel.GlyphMarshallingStruct::scale
float ___scale_3;
// System.Int32 UnityEngine.TextCore.LowLevel.GlyphMarshallingStruct::atlasIndex
int32_t ___atlasIndex_4;
public:
inline static int32_t get_offset_of_index_0() { return static_cast<int32_t>(offsetof(GlyphMarshallingStruct_t6944FAFBC02A2747B49417BF23EBA14EB5FE7A19, ___index_0)); }
inline uint32_t get_index_0() const { return ___index_0; }
inline uint32_t* get_address_of_index_0() { return &___index_0; }
inline void set_index_0(uint32_t value)
{
___index_0 = value;
}
inline static int32_t get_offset_of_metrics_1() { return static_cast<int32_t>(offsetof(GlyphMarshallingStruct_t6944FAFBC02A2747B49417BF23EBA14EB5FE7A19, ___metrics_1)); }
inline GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B get_metrics_1() const { return ___metrics_1; }
inline GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B * get_address_of_metrics_1() { return &___metrics_1; }
inline void set_metrics_1(GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B value)
{
___metrics_1 = value;
}
inline static int32_t get_offset_of_glyphRect_2() { return static_cast<int32_t>(offsetof(GlyphMarshallingStruct_t6944FAFBC02A2747B49417BF23EBA14EB5FE7A19, ___glyphRect_2)); }
inline GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D get_glyphRect_2() const { return ___glyphRect_2; }
inline GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D * get_address_of_glyphRect_2() { return &___glyphRect_2; }
inline void set_glyphRect_2(GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D value)
{
___glyphRect_2 = value;
}
inline static int32_t get_offset_of_scale_3() { return static_cast<int32_t>(offsetof(GlyphMarshallingStruct_t6944FAFBC02A2747B49417BF23EBA14EB5FE7A19, ___scale_3)); }
inline float get_scale_3() const { return ___scale_3; }
inline float* get_address_of_scale_3() { return &___scale_3; }
inline void set_scale_3(float value)
{
___scale_3 = value;
}
inline static int32_t get_offset_of_atlasIndex_4() { return static_cast<int32_t>(offsetof(GlyphMarshallingStruct_t6944FAFBC02A2747B49417BF23EBA14EB5FE7A19, ___atlasIndex_4)); }
inline int32_t get_atlasIndex_4() const { return ___atlasIndex_4; }
inline int32_t* get_address_of_atlasIndex_4() { return &___atlasIndex_4; }
inline void set_atlasIndex_4(int32_t value)
{
___atlasIndex_4 = value;
}
};
// UnityEngine.TextCore.LowLevel.GlyphPackingMode
struct GlyphPackingMode_tA3FDD5F4AE57836F61A43B17443DCE931CE6B292
{
public:
// System.Int32 UnityEngine.TextCore.LowLevel.GlyphPackingMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(GlyphPackingMode_tA3FDD5F4AE57836F61A43B17443DCE931CE6B292, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.TextCore.LowLevel.GlyphRenderMode
struct GlyphRenderMode_t43D8B1ECDEC4836D7689CB73D0D6C1EF346F973C
{
public:
// System.Int32 UnityEngine.TextCore.LowLevel.GlyphRenderMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(GlyphRenderMode_t43D8B1ECDEC4836D7689CB73D0D6C1EF346F973C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Gradient
struct Gradient_t297BAC6722F67728862AE2FBE760A400DA8902F2 : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.Gradient::m_Ptr
intptr_t ___m_Ptr_0;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(Gradient_t297BAC6722F67728862AE2FBE760A400DA8902F2, ___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;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Gradient
struct Gradient_t297BAC6722F67728862AE2FBE760A400DA8902F2_marshaled_pinvoke
{
intptr_t ___m_Ptr_0;
};
// Native definition for COM marshalling of UnityEngine.Gradient
struct Gradient_t297BAC6722F67728862AE2FBE760A400DA8902F2_marshaled_com
{
intptr_t ___m_Ptr_0;
};
// UnityEngine.Rendering.GraphicsDeviceType
struct GraphicsDeviceType_t531071CD9311C868D1279D2550F83670D18FB779
{
public:
// System.Int32 UnityEngine.Rendering.GraphicsDeviceType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(GraphicsDeviceType_t531071CD9311C868D1279D2550F83670D18FB779, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Experimental.Rendering.GraphicsFormat
struct GraphicsFormat_t07A3C024BC77B843C53A369D6FC02ABD27D2AB1D
{
public:
// System.Int32 UnityEngine.Experimental.Rendering.GraphicsFormat::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(GraphicsFormat_t07A3C024BC77B843C53A369D6FC02ABD27D2AB1D, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Globalization.GregorianCalendarHelper
struct GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85 : public RuntimeObject
{
public:
// System.Int32 System.Globalization.GregorianCalendarHelper::m_maxYear
int32_t ___m_maxYear_2;
// System.Int32 System.Globalization.GregorianCalendarHelper::m_minYear
int32_t ___m_minYear_3;
// System.Globalization.Calendar System.Globalization.GregorianCalendarHelper::m_Cal
Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * ___m_Cal_4;
// System.Globalization.EraInfo[] System.Globalization.GregorianCalendarHelper::m_EraInfo
EraInfoU5BU5D_t10A6B77B46980FAB77489DFE9A287CFA907F099A* ___m_EraInfo_5;
// System.Int32[] System.Globalization.GregorianCalendarHelper::m_eras
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___m_eras_6;
// System.DateTime System.Globalization.GregorianCalendarHelper::m_minDate
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 ___m_minDate_7;
public:
inline static int32_t get_offset_of_m_maxYear_2() { return static_cast<int32_t>(offsetof(GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85, ___m_maxYear_2)); }
inline int32_t get_m_maxYear_2() const { return ___m_maxYear_2; }
inline int32_t* get_address_of_m_maxYear_2() { return &___m_maxYear_2; }
inline void set_m_maxYear_2(int32_t value)
{
___m_maxYear_2 = value;
}
inline static int32_t get_offset_of_m_minYear_3() { return static_cast<int32_t>(offsetof(GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85, ___m_minYear_3)); }
inline int32_t get_m_minYear_3() const { return ___m_minYear_3; }
inline int32_t* get_address_of_m_minYear_3() { return &___m_minYear_3; }
inline void set_m_minYear_3(int32_t value)
{
___m_minYear_3 = value;
}
inline static int32_t get_offset_of_m_Cal_4() { return static_cast<int32_t>(offsetof(GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85, ___m_Cal_4)); }
inline Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * get_m_Cal_4() const { return ___m_Cal_4; }
inline Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A ** get_address_of_m_Cal_4() { return &___m_Cal_4; }
inline void set_m_Cal_4(Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * value)
{
___m_Cal_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Cal_4), (void*)value);
}
inline static int32_t get_offset_of_m_EraInfo_5() { return static_cast<int32_t>(offsetof(GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85, ___m_EraInfo_5)); }
inline EraInfoU5BU5D_t10A6B77B46980FAB77489DFE9A287CFA907F099A* get_m_EraInfo_5() const { return ___m_EraInfo_5; }
inline EraInfoU5BU5D_t10A6B77B46980FAB77489DFE9A287CFA907F099A** get_address_of_m_EraInfo_5() { return &___m_EraInfo_5; }
inline void set_m_EraInfo_5(EraInfoU5BU5D_t10A6B77B46980FAB77489DFE9A287CFA907F099A* value)
{
___m_EraInfo_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_EraInfo_5), (void*)value);
}
inline static int32_t get_offset_of_m_eras_6() { return static_cast<int32_t>(offsetof(GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85, ___m_eras_6)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_m_eras_6() const { return ___m_eras_6; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_m_eras_6() { return &___m_eras_6; }
inline void set_m_eras_6(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___m_eras_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_eras_6), (void*)value);
}
inline static int32_t get_offset_of_m_minDate_7() { return static_cast<int32_t>(offsetof(GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85, ___m_minDate_7)); }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 get_m_minDate_7() const { return ___m_minDate_7; }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 * get_address_of_m_minDate_7() { return &___m_minDate_7; }
inline void set_m_minDate_7(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 value)
{
___m_minDate_7 = value;
}
};
struct GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85_StaticFields
{
public:
// System.Int32[] System.Globalization.GregorianCalendarHelper::DaysToMonth365
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___DaysToMonth365_0;
// System.Int32[] System.Globalization.GregorianCalendarHelper::DaysToMonth366
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___DaysToMonth366_1;
public:
inline static int32_t get_offset_of_DaysToMonth365_0() { return static_cast<int32_t>(offsetof(GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85_StaticFields, ___DaysToMonth365_0)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_DaysToMonth365_0() const { return ___DaysToMonth365_0; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_DaysToMonth365_0() { return &___DaysToMonth365_0; }
inline void set_DaysToMonth365_0(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___DaysToMonth365_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DaysToMonth365_0), (void*)value);
}
inline static int32_t get_offset_of_DaysToMonth366_1() { return static_cast<int32_t>(offsetof(GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85_StaticFields, ___DaysToMonth366_1)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_DaysToMonth366_1() const { return ___DaysToMonth366_1; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_DaysToMonth366_1() { return &___DaysToMonth366_1; }
inline void set_DaysToMonth366_1(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___DaysToMonth366_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DaysToMonth366_1), (void*)value);
}
};
// System.Globalization.GregorianCalendarTypes
struct GregorianCalendarTypes_tAC1C99C90A14D63647E2E16F9E26EA2B04673FA2
{
public:
// System.Int32 System.Globalization.GregorianCalendarTypes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(GregorianCalendarTypes_tAC1C99C90A14D63647E2E16F9E26EA2B04673FA2, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Handles
struct Handles_t69351434B4566A7EC1ADA622BA26B44D3005E336
{
public:
// System.Int32 System.Handles::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Handles_t69351434B4566A7EC1ADA622BA26B44D3005E336, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Collections.Hashtable
struct Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC : public RuntimeObject
{
public:
// System.Collections.Hashtable/bucket[] System.Collections.Hashtable::buckets
bucketU5BU5D_tFE956DAEFB1D1C86A13EF247D7367BF60B55E190* ___buckets_10;
// System.Int32 System.Collections.Hashtable::count
int32_t ___count_11;
// System.Int32 System.Collections.Hashtable::occupancy
int32_t ___occupancy_12;
// System.Int32 System.Collections.Hashtable::loadsize
int32_t ___loadsize_13;
// System.Single System.Collections.Hashtable::loadFactor
float ___loadFactor_14;
// System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Hashtable::version
int32_t ___version_15;
// System.Boolean modreq(System.Runtime.CompilerServices.IsVolatile) System.Collections.Hashtable::isWriterInProgress
bool ___isWriterInProgress_16;
// System.Collections.ICollection System.Collections.Hashtable::keys
RuntimeObject* ___keys_17;
// System.Collections.ICollection System.Collections.Hashtable::values
RuntimeObject* ___values_18;
// System.Collections.IEqualityComparer System.Collections.Hashtable::_keycomparer
RuntimeObject* ____keycomparer_19;
// System.Object System.Collections.Hashtable::_syncRoot
RuntimeObject * ____syncRoot_20;
public:
inline static int32_t get_offset_of_buckets_10() { return static_cast<int32_t>(offsetof(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC, ___buckets_10)); }
inline bucketU5BU5D_tFE956DAEFB1D1C86A13EF247D7367BF60B55E190* get_buckets_10() const { return ___buckets_10; }
inline bucketU5BU5D_tFE956DAEFB1D1C86A13EF247D7367BF60B55E190** get_address_of_buckets_10() { return &___buckets_10; }
inline void set_buckets_10(bucketU5BU5D_tFE956DAEFB1D1C86A13EF247D7367BF60B55E190* value)
{
___buckets_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___buckets_10), (void*)value);
}
inline static int32_t get_offset_of_count_11() { return static_cast<int32_t>(offsetof(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC, ___count_11)); }
inline int32_t get_count_11() const { return ___count_11; }
inline int32_t* get_address_of_count_11() { return &___count_11; }
inline void set_count_11(int32_t value)
{
___count_11 = value;
}
inline static int32_t get_offset_of_occupancy_12() { return static_cast<int32_t>(offsetof(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC, ___occupancy_12)); }
inline int32_t get_occupancy_12() const { return ___occupancy_12; }
inline int32_t* get_address_of_occupancy_12() { return &___occupancy_12; }
inline void set_occupancy_12(int32_t value)
{
___occupancy_12 = value;
}
inline static int32_t get_offset_of_loadsize_13() { return static_cast<int32_t>(offsetof(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC, ___loadsize_13)); }
inline int32_t get_loadsize_13() const { return ___loadsize_13; }
inline int32_t* get_address_of_loadsize_13() { return &___loadsize_13; }
inline void set_loadsize_13(int32_t value)
{
___loadsize_13 = value;
}
inline static int32_t get_offset_of_loadFactor_14() { return static_cast<int32_t>(offsetof(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC, ___loadFactor_14)); }
inline float get_loadFactor_14() const { return ___loadFactor_14; }
inline float* get_address_of_loadFactor_14() { return &___loadFactor_14; }
inline void set_loadFactor_14(float value)
{
___loadFactor_14 = value;
}
inline static int32_t get_offset_of_version_15() { return static_cast<int32_t>(offsetof(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC, ___version_15)); }
inline int32_t get_version_15() const { return ___version_15; }
inline int32_t* get_address_of_version_15() { return &___version_15; }
inline void set_version_15(int32_t value)
{
___version_15 = value;
}
inline static int32_t get_offset_of_isWriterInProgress_16() { return static_cast<int32_t>(offsetof(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC, ___isWriterInProgress_16)); }
inline bool get_isWriterInProgress_16() const { return ___isWriterInProgress_16; }
inline bool* get_address_of_isWriterInProgress_16() { return &___isWriterInProgress_16; }
inline void set_isWriterInProgress_16(bool value)
{
___isWriterInProgress_16 = value;
}
inline static int32_t get_offset_of_keys_17() { return static_cast<int32_t>(offsetof(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC, ___keys_17)); }
inline RuntimeObject* get_keys_17() const { return ___keys_17; }
inline RuntimeObject** get_address_of_keys_17() { return &___keys_17; }
inline void set_keys_17(RuntimeObject* value)
{
___keys_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___keys_17), (void*)value);
}
inline static int32_t get_offset_of_values_18() { return static_cast<int32_t>(offsetof(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC, ___values_18)); }
inline RuntimeObject* get_values_18() const { return ___values_18; }
inline RuntimeObject** get_address_of_values_18() { return &___values_18; }
inline void set_values_18(RuntimeObject* value)
{
___values_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___values_18), (void*)value);
}
inline static int32_t get_offset_of__keycomparer_19() { return static_cast<int32_t>(offsetof(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC, ____keycomparer_19)); }
inline RuntimeObject* get__keycomparer_19() const { return ____keycomparer_19; }
inline RuntimeObject** get_address_of__keycomparer_19() { return &____keycomparer_19; }
inline void set__keycomparer_19(RuntimeObject* value)
{
____keycomparer_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&____keycomparer_19), (void*)value);
}
inline static int32_t get_offset_of__syncRoot_20() { return static_cast<int32_t>(offsetof(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC, ____syncRoot_20)); }
inline RuntimeObject * get__syncRoot_20() const { return ____syncRoot_20; }
inline RuntimeObject ** get_address_of__syncRoot_20() { return &____syncRoot_20; }
inline void set__syncRoot_20(RuntimeObject * value)
{
____syncRoot_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&____syncRoot_20), (void*)value);
}
};
// UnityEngine.HeaderAttribute
struct HeaderAttribute_t9B431E6BA0524D46406D9C413D6A71CB5F2DD1AB : public PropertyAttribute_t4A352471DF625C56C811E27AC86B7E1CE6444052
{
public:
// System.String UnityEngine.HeaderAttribute::header
String_t* ___header_0;
public:
inline static int32_t get_offset_of_header_0() { return static_cast<int32_t>(offsetof(HeaderAttribute_t9B431E6BA0524D46406D9C413D6A71CB5F2DD1AB, ___header_0)); }
inline String_t* get_header_0() const { return ___header_0; }
inline String_t** get_address_of_header_0() { return &___header_0; }
inline void set_header_0(String_t* value)
{
___header_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___header_0), (void*)value);
}
};
// System.Globalization.HebrewNumberParsingState
struct HebrewNumberParsingState_tCC5AD57E627BB5707BC54BCADD4BD1836E7A2B84
{
public:
// System.Int32 System.Globalization.HebrewNumberParsingState::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(HebrewNumberParsingState_tCC5AD57E627BB5707BC54BCADD4BD1836E7A2B84, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.HideFlags
struct HideFlags_tDC64149E37544FF83B2B4222D3E9DC8188766A12
{
public:
// System.Int32 UnityEngine.HideFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(HideFlags_tDC64149E37544FF83B2B4222D3E9DC8188766A12, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.HighlightState
struct HighlightState_t52CE27A1187034A1037ABC13A70BAEE4AC3B5759
{
public:
// UnityEngine.Color32 TMPro.HighlightState::color
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___color_0;
// TMPro.TMP_Offset TMPro.HighlightState::padding
TMP_Offset_tFD2420EE03933F6A720EB5B66ED6B4FB67AE2117 ___padding_1;
public:
inline static int32_t get_offset_of_color_0() { return static_cast<int32_t>(offsetof(HighlightState_t52CE27A1187034A1037ABC13A70BAEE4AC3B5759, ___color_0)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_color_0() const { return ___color_0; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_color_0() { return &___color_0; }
inline void set_color_0(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___color_0 = value;
}
inline static int32_t get_offset_of_padding_1() { return static_cast<int32_t>(offsetof(HighlightState_t52CE27A1187034A1037ABC13A70BAEE4AC3B5759, ___padding_1)); }
inline TMP_Offset_tFD2420EE03933F6A720EB5B66ED6B4FB67AE2117 get_padding_1() const { return ___padding_1; }
inline TMP_Offset_tFD2420EE03933F6A720EB5B66ED6B4FB67AE2117 * get_address_of_padding_1() { return &___padding_1; }
inline void set_padding_1(TMP_Offset_tFD2420EE03933F6A720EB5B66ED6B4FB67AE2117 value)
{
___padding_1 = value;
}
};
// TMPro.HorizontalAlignmentOptions
struct HorizontalAlignmentOptions_tCBBC74167BDEF6B5B510DDC43B5136F793A05193
{
public:
// System.Int32 TMPro.HorizontalAlignmentOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(HorizontalAlignmentOptions_tCBBC74167BDEF6B5B510DDC43B5136F793A05193, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.HorizontalWrapMode
struct HorizontalWrapMode_tB8F0D84DB114FFAF047F10A58ADB759DEFF2AC63
{
public:
// System.Int32 UnityEngine.HorizontalWrapMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(HorizontalWrapMode_tB8F0D84DB114FFAF047F10A58ADB759DEFF2AC63, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.HumanLimit
struct HumanLimit_t8F488DD21062BE1259B0F4C77E4EB24FB931E8D8
{
public:
// UnityEngine.Vector3 UnityEngine.HumanLimit::m_Min
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Min_0;
// UnityEngine.Vector3 UnityEngine.HumanLimit::m_Max
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Max_1;
// UnityEngine.Vector3 UnityEngine.HumanLimit::m_Center
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Center_2;
// System.Single UnityEngine.HumanLimit::m_AxisLength
float ___m_AxisLength_3;
// System.Int32 UnityEngine.HumanLimit::m_UseDefaultValues
int32_t ___m_UseDefaultValues_4;
public:
inline static int32_t get_offset_of_m_Min_0() { return static_cast<int32_t>(offsetof(HumanLimit_t8F488DD21062BE1259B0F4C77E4EB24FB931E8D8, ___m_Min_0)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Min_0() const { return ___m_Min_0; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Min_0() { return &___m_Min_0; }
inline void set_m_Min_0(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Min_0 = value;
}
inline static int32_t get_offset_of_m_Max_1() { return static_cast<int32_t>(offsetof(HumanLimit_t8F488DD21062BE1259B0F4C77E4EB24FB931E8D8, ___m_Max_1)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Max_1() const { return ___m_Max_1; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Max_1() { return &___m_Max_1; }
inline void set_m_Max_1(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Max_1 = value;
}
inline static int32_t get_offset_of_m_Center_2() { return static_cast<int32_t>(offsetof(HumanLimit_t8F488DD21062BE1259B0F4C77E4EB24FB931E8D8, ___m_Center_2)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Center_2() const { return ___m_Center_2; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Center_2() { return &___m_Center_2; }
inline void set_m_Center_2(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Center_2 = value;
}
inline static int32_t get_offset_of_m_AxisLength_3() { return static_cast<int32_t>(offsetof(HumanLimit_t8F488DD21062BE1259B0F4C77E4EB24FB931E8D8, ___m_AxisLength_3)); }
inline float get_m_AxisLength_3() const { return ___m_AxisLength_3; }
inline float* get_address_of_m_AxisLength_3() { return &___m_AxisLength_3; }
inline void set_m_AxisLength_3(float value)
{
___m_AxisLength_3 = value;
}
inline static int32_t get_offset_of_m_UseDefaultValues_4() { return static_cast<int32_t>(offsetof(HumanLimit_t8F488DD21062BE1259B0F4C77E4EB24FB931E8D8, ___m_UseDefaultValues_4)); }
inline int32_t get_m_UseDefaultValues_4() const { return ___m_UseDefaultValues_4; }
inline int32_t* get_address_of_m_UseDefaultValues_4() { return &___m_UseDefaultValues_4; }
inline void set_m_UseDefaultValues_4(int32_t value)
{
___m_UseDefaultValues_4 = value;
}
};
// UnityEngine.XR.ARSubsystems.HumanSegmentationDepthMode
struct HumanSegmentationDepthMode_tFF8EE69372C0D9890D3F0566DC0D2781CE584028
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.HumanSegmentationDepthMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(HumanSegmentationDepthMode_tFF8EE69372C0D9890D3F0566DC0D2781CE584028, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARSubsystems.HumanSegmentationStencilMode
struct HumanSegmentationStencilMode_tB151C7AE42CB87D7EB7A0A12C759BD0BA03AC9DB
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.HumanSegmentationStencilMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(HumanSegmentationStencilMode_tB151C7AE42CB87D7EB7A0A12C759BD0BA03AC9DB, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.IMECompositionMode
struct IMECompositionMode_t8755B1BD5D22F5DE23A46F79403A234844D7A5C8
{
public:
// System.Int32 UnityEngine.IMECompositionMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(IMECompositionMode_t8755B1BD5D22F5DE23A46F79403A234844D7A5C8, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.IOOperation
struct IOOperation_tAEE43CD34C62AC0D25378E0BCB8A9E9CAEF5A1B0
{
public:
// System.Int32 System.IOOperation::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(IOOperation_tAEE43CD34C62AC0D25378E0BCB8A9E9CAEF5A1B0, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Configuration.IgnoreSection
struct IgnoreSection_t3A4A3C7B43334B7AC2E1E345001B3E38690E7F9F : public ConfigurationSection_t0D68AA1EA007506253A4935DB9F357AF9B50C683
{
public:
public:
};
// UnityEngine.Rendering.IndexFormat
struct IndexFormat_tDB840806BBDDDE721BF45EFE55CFB3EF3038DB20
{
public:
// System.Int32 UnityEngine.Rendering.IndexFormat::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(IndexFormat_tDB840806BBDDDE721BF45EFE55CFB3EF3038DB20, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.InputDeviceCharacteristics
struct InputDeviceCharacteristics_t0C34BAC0C6F661161E2DA1677CD590273F1C9C64
{
public:
// System.UInt32 UnityEngine.XR.InputDeviceCharacteristics::value__
uint32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(InputDeviceCharacteristics_t0C34BAC0C6F661161E2DA1677CD590273F1C9C64, ___value___2)); }
inline uint32_t get_value___2() const { return ___value___2; }
inline uint32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.InputFeatureType
struct InputFeatureType_t3581EE01C178BF1CC9BAFE6443BEF6B0C0B2609C
{
public:
// System.UInt32 UnityEngine.XR.InputFeatureType::value__
uint32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(InputFeatureType_t3581EE01C178BF1CC9BAFE6443BEF6B0C0B2609C, ___value___2)); }
inline uint32_t get_value___2() const { return ___value___2; }
inline uint32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.InputTrackingState
struct InputTrackingState_t787D19F40F78D57D589D01C27945FD614A426DA9
{
public:
// System.UInt32 UnityEngine.XR.InputTrackingState::value__
uint32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(InputTrackingState_t787D19F40F78D57D589D01C27945FD614A426DA9, ___value___2)); }
inline uint32_t get_value___2() const { return ___value___2; }
inline uint32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint32_t value)
{
___value___2 = value;
}
};
// System.Collections.Generic.InsertionBehavior
struct InsertionBehavior_tA826DE0CFD956DDC36E5D9F590B8D2431459CE3B
{
public:
// System.Byte System.Collections.Generic.InsertionBehavior::value__
uint8_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(InsertionBehavior_tA826DE0CFD956DDC36E5D9F590B8D2431459CE3B, ___value___2)); }
inline uint8_t get_value___2() const { return ___value___2; }
inline uint8_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint8_t value)
{
___value___2 = value;
}
};
// UnityEngine.ResourceManagement.ResourceProviders.InstantiationParameters
struct InstantiationParameters_t059119899D621F0CC9B6B4BB2DF3E8336E1F1647
{
public:
// UnityEngine.Vector3 UnityEngine.ResourceManagement.ResourceProviders.InstantiationParameters::m_Position
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Position_0;
// UnityEngine.Quaternion UnityEngine.ResourceManagement.ResourceProviders.InstantiationParameters::m_Rotation
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___m_Rotation_1;
// UnityEngine.Transform UnityEngine.ResourceManagement.ResourceProviders.InstantiationParameters::m_Parent
Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * ___m_Parent_2;
// System.Boolean UnityEngine.ResourceManagement.ResourceProviders.InstantiationParameters::m_InstantiateInWorldPosition
bool ___m_InstantiateInWorldPosition_3;
// System.Boolean UnityEngine.ResourceManagement.ResourceProviders.InstantiationParameters::m_SetPositionRotation
bool ___m_SetPositionRotation_4;
public:
inline static int32_t get_offset_of_m_Position_0() { return static_cast<int32_t>(offsetof(InstantiationParameters_t059119899D621F0CC9B6B4BB2DF3E8336E1F1647, ___m_Position_0)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Position_0() const { return ___m_Position_0; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Position_0() { return &___m_Position_0; }
inline void set_m_Position_0(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Position_0 = value;
}
inline static int32_t get_offset_of_m_Rotation_1() { return static_cast<int32_t>(offsetof(InstantiationParameters_t059119899D621F0CC9B6B4BB2DF3E8336E1F1647, ___m_Rotation_1)); }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 get_m_Rotation_1() const { return ___m_Rotation_1; }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 * get_address_of_m_Rotation_1() { return &___m_Rotation_1; }
inline void set_m_Rotation_1(Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 value)
{
___m_Rotation_1 = value;
}
inline static int32_t get_offset_of_m_Parent_2() { return static_cast<int32_t>(offsetof(InstantiationParameters_t059119899D621F0CC9B6B4BB2DF3E8336E1F1647, ___m_Parent_2)); }
inline Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * get_m_Parent_2() const { return ___m_Parent_2; }
inline Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 ** get_address_of_m_Parent_2() { return &___m_Parent_2; }
inline void set_m_Parent_2(Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * value)
{
___m_Parent_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Parent_2), (void*)value);
}
inline static int32_t get_offset_of_m_InstantiateInWorldPosition_3() { return static_cast<int32_t>(offsetof(InstantiationParameters_t059119899D621F0CC9B6B4BB2DF3E8336E1F1647, ___m_InstantiateInWorldPosition_3)); }
inline bool get_m_InstantiateInWorldPosition_3() const { return ___m_InstantiateInWorldPosition_3; }
inline bool* get_address_of_m_InstantiateInWorldPosition_3() { return &___m_InstantiateInWorldPosition_3; }
inline void set_m_InstantiateInWorldPosition_3(bool value)
{
___m_InstantiateInWorldPosition_3 = value;
}
inline static int32_t get_offset_of_m_SetPositionRotation_4() { return static_cast<int32_t>(offsetof(InstantiationParameters_t059119899D621F0CC9B6B4BB2DF3E8336E1F1647, ___m_SetPositionRotation_4)); }
inline bool get_m_SetPositionRotation_4() const { return ___m_SetPositionRotation_4; }
inline bool* get_address_of_m_SetPositionRotation_4() { return &___m_SetPositionRotation_4; }
inline void set_m_SetPositionRotation_4(bool value)
{
___m_SetPositionRotation_4 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.ResourceManagement.ResourceProviders.InstantiationParameters
struct InstantiationParameters_t059119899D621F0CC9B6B4BB2DF3E8336E1F1647_marshaled_pinvoke
{
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Position_0;
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___m_Rotation_1;
Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * ___m_Parent_2;
int32_t ___m_InstantiateInWorldPosition_3;
int32_t ___m_SetPositionRotation_4;
};
// Native definition for COM marshalling of UnityEngine.ResourceManagement.ResourceProviders.InstantiationParameters
struct InstantiationParameters_t059119899D621F0CC9B6B4BB2DF3E8336E1F1647_marshaled_com
{
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Position_0;
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___m_Rotation_1;
Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * ___m_Parent_2;
int32_t ___m_InstantiateInWorldPosition_3;
int32_t ___m_SetPositionRotation_4;
};
// System.Int16Enum
struct Int16Enum_t8F38DD869202FA95A59D0B6F6DAEAD2C20DF2D59
{
public:
// System.Int16 System.Int16Enum::value__
int16_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Int16Enum_t8F38DD869202FA95A59D0B6F6DAEAD2C20DF2D59, ___value___2)); }
inline int16_t get_value___2() const { return ___value___2; }
inline int16_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int16_t value)
{
___value___2 = value;
}
};
// System.Int32Enum
struct Int32Enum_t9B63F771913F2B6D586F1173B44A41FBE26F6B5C
{
public:
// System.Int32 System.Int32Enum::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Int32Enum_t9B63F771913F2B6D586F1173B44A41FBE26F6B5C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Int64Enum
struct Int64Enum_t2CE791037BDB61851CB6BA3FBEBAB94E8E873253
{
public:
// System.Int64 System.Int64Enum::value__
int64_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Int64Enum_t2CE791037BDB61851CB6BA3FBEBAB94E8E873253, ___value___2)); }
inline int64_t get_value___2() const { return ___value___2; }
inline int64_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int64_t value)
{
___value___2 = value;
}
};
// UnityEngine.IntegratedSubsystem
struct IntegratedSubsystem_t8FB3A371F812CF9521903AC016C64E95C7412002 : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.IntegratedSubsystem::m_Ptr
intptr_t ___m_Ptr_0;
// UnityEngine.ISubsystemDescriptor UnityEngine.IntegratedSubsystem::m_SubsystemDescriptor
RuntimeObject* ___m_SubsystemDescriptor_1;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(IntegratedSubsystem_t8FB3A371F812CF9521903AC016C64E95C7412002, ___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_SubsystemDescriptor_1() { return static_cast<int32_t>(offsetof(IntegratedSubsystem_t8FB3A371F812CF9521903AC016C64E95C7412002, ___m_SubsystemDescriptor_1)); }
inline RuntimeObject* get_m_SubsystemDescriptor_1() const { return ___m_SubsystemDescriptor_1; }
inline RuntimeObject** get_address_of_m_SubsystemDescriptor_1() { return &___m_SubsystemDescriptor_1; }
inline void set_m_SubsystemDescriptor_1(RuntimeObject* value)
{
___m_SubsystemDescriptor_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SubsystemDescriptor_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.IntegratedSubsystem
struct IntegratedSubsystem_t8FB3A371F812CF9521903AC016C64E95C7412002_marshaled_pinvoke
{
intptr_t ___m_Ptr_0;
RuntimeObject* ___m_SubsystemDescriptor_1;
};
// Native definition for COM marshalling of UnityEngine.IntegratedSubsystem
struct IntegratedSubsystem_t8FB3A371F812CF9521903AC016C64E95C7412002_marshaled_com
{
intptr_t ___m_Ptr_0;
RuntimeObject* ___m_SubsystemDescriptor_1;
};
// UnityEngine.IntegratedSubsystemDescriptor
struct IntegratedSubsystemDescriptor_tDC8AF8E5B67B983E4492D784A419F01693926D7A : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.IntegratedSubsystemDescriptor::m_Ptr
intptr_t ___m_Ptr_0;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(IntegratedSubsystemDescriptor_tDC8AF8E5B67B983E4492D784A419F01693926D7A, ___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;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.IntegratedSubsystemDescriptor
struct IntegratedSubsystemDescriptor_tDC8AF8E5B67B983E4492D784A419F01693926D7A_marshaled_pinvoke
{
intptr_t ___m_Ptr_0;
};
// Native definition for COM marshalling of UnityEngine.IntegratedSubsystemDescriptor
struct IntegratedSubsystemDescriptor_tDC8AF8E5B67B983E4492D784A419F01693926D7A_marshaled_com
{
intptr_t ___m_Ptr_0;
};
// System.Runtime.Serialization.Formatters.Binary.InternalArrayTypeE
struct InternalArrayTypeE_tC80F538779E7340C02E117C7053B3FE78D5D5AB0
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.InternalArrayTypeE::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(InternalArrayTypeE_tC80F538779E7340C02E117C7053B3FE78D5D5AB0, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.InternalMemberTypeE
struct InternalMemberTypeE_t03641C77ACC7FE5D947022BC01640F78E746E44C
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.InternalMemberTypeE::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(InternalMemberTypeE_t03641C77ACC7FE5D947022BC01640F78E746E44C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.InternalMemberValueE
struct InternalMemberValueE_tDA8F1C439912F5AEA83D550D559B061A07D6842D
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.InternalMemberValueE::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(InternalMemberValueE_tDA8F1C439912F5AEA83D550D559B061A07D6842D, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.InternalObjectPositionE
struct InternalObjectPositionE_tCFF1304BA98FBBC072AD7C33F256E5E272323F2A
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.InternalObjectPositionE::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(InternalObjectPositionE_tCFF1304BA98FBBC072AD7C33F256E5E272323F2A, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.InternalObjectTypeE
struct InternalObjectTypeE_t94A0E20132EEE44B14D7E5A2AE73210284EA724E
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.InternalObjectTypeE::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(InternalObjectTypeE_t94A0E20132EEE44B14D7E5A2AE73210284EA724E, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.InternalParseTypeE
struct InternalParseTypeE_t88A4E310E7634F2A9B4BF0B27096EFE93C5C097E
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.InternalParseTypeE::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(InternalParseTypeE_t88A4E310E7634F2A9B4BF0B27096EFE93C5C097E, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.InternalPrimitiveTypeE
struct InternalPrimitiveTypeE_t1E87BEE5075029E52AA901E3E961F91A98DB78B5
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.InternalPrimitiveTypeE::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(InternalPrimitiveTypeE_t1E87BEE5075029E52AA901E3E961F91A98DB78B5, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.InternalSerializerTypeE
struct InternalSerializerTypeE_tFF860582261D0F8AD228F9FF03C8C8F711C7B2E8
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.InternalSerializerTypeE::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(InternalSerializerTypeE_tFF860582261D0F8AD228F9FF03C8C8F711C7B2E8, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.Tasks.InternalTaskOptions
struct InternalTaskOptions_tE9869E444962B12AAF216CDE276D379BD57D5EEF
{
public:
// System.Int32 System.Threading.Tasks.InternalTaskOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(InternalTaskOptions_tE9869E444962B12AAF216CDE276D379BD57D5EEF, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Linq.Expressions.InvocationExpression1
struct InvocationExpression1_tDD76D4333394ACC4713955BDAEE4726A03FFD29D : public InvocationExpression_tF2FBF805F35CA740983A7D613B5BB86ABA9D9A29
{
public:
// System.Object System.Linq.Expressions.InvocationExpression1::_arg0
RuntimeObject * ____arg0_5;
public:
inline static int32_t get_offset_of__arg0_5() { return static_cast<int32_t>(offsetof(InvocationExpression1_tDD76D4333394ACC4713955BDAEE4726A03FFD29D, ____arg0_5)); }
inline RuntimeObject * get__arg0_5() const { return ____arg0_5; }
inline RuntimeObject ** get_address_of__arg0_5() { return &____arg0_5; }
inline void set__arg0_5(RuntimeObject * value)
{
____arg0_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____arg0_5), (void*)value);
}
};
// System.Runtime.CompilerServices.IteratorStateMachineAttribute
struct IteratorStateMachineAttribute_t6C72F3EC15FB34D08D47727AA7A86AB7FEA27830 : public StateMachineAttribute_tA6E77C77F821508E405473BA1C4C08A69FDA0AC3
{
public:
public:
};
// System.Globalization.JapaneseCalendar
struct JapaneseCalendar_t9B3E6C121CD0B742AC6413D33DE394DE3E3C6360 : public Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A
{
public:
// System.Globalization.GregorianCalendarHelper System.Globalization.JapaneseCalendar::helper
GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85 * ___helper_45;
public:
inline static int32_t get_offset_of_helper_45() { return static_cast<int32_t>(offsetof(JapaneseCalendar_t9B3E6C121CD0B742AC6413D33DE394DE3E3C6360, ___helper_45)); }
inline GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85 * get_helper_45() const { return ___helper_45; }
inline GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85 ** get_address_of_helper_45() { return &___helper_45; }
inline void set_helper_45(GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85 * value)
{
___helper_45 = value;
Il2CppCodeGenWriteBarrier((void**)(&___helper_45), (void*)value);
}
};
struct JapaneseCalendar_t9B3E6C121CD0B742AC6413D33DE394DE3E3C6360_StaticFields
{
public:
// System.DateTime System.Globalization.JapaneseCalendar::calendarMinValue
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 ___calendarMinValue_42;
// System.Globalization.EraInfo[] modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.JapaneseCalendar::japaneseEraInfo
EraInfoU5BU5D_t10A6B77B46980FAB77489DFE9A287CFA907F099A* ___japaneseEraInfo_43;
// System.Globalization.Calendar modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.JapaneseCalendar::s_defaultInstance
Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * ___s_defaultInstance_44;
public:
inline static int32_t get_offset_of_calendarMinValue_42() { return static_cast<int32_t>(offsetof(JapaneseCalendar_t9B3E6C121CD0B742AC6413D33DE394DE3E3C6360_StaticFields, ___calendarMinValue_42)); }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 get_calendarMinValue_42() const { return ___calendarMinValue_42; }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 * get_address_of_calendarMinValue_42() { return &___calendarMinValue_42; }
inline void set_calendarMinValue_42(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 value)
{
___calendarMinValue_42 = value;
}
inline static int32_t get_offset_of_japaneseEraInfo_43() { return static_cast<int32_t>(offsetof(JapaneseCalendar_t9B3E6C121CD0B742AC6413D33DE394DE3E3C6360_StaticFields, ___japaneseEraInfo_43)); }
inline EraInfoU5BU5D_t10A6B77B46980FAB77489DFE9A287CFA907F099A* get_japaneseEraInfo_43() const { return ___japaneseEraInfo_43; }
inline EraInfoU5BU5D_t10A6B77B46980FAB77489DFE9A287CFA907F099A** get_address_of_japaneseEraInfo_43() { return &___japaneseEraInfo_43; }
inline void set_japaneseEraInfo_43(EraInfoU5BU5D_t10A6B77B46980FAB77489DFE9A287CFA907F099A* value)
{
___japaneseEraInfo_43 = value;
Il2CppCodeGenWriteBarrier((void**)(&___japaneseEraInfo_43), (void*)value);
}
inline static int32_t get_offset_of_s_defaultInstance_44() { return static_cast<int32_t>(offsetof(JapaneseCalendar_t9B3E6C121CD0B742AC6413D33DE394DE3E3C6360_StaticFields, ___s_defaultInstance_44)); }
inline Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * get_s_defaultInstance_44() const { return ___s_defaultInstance_44; }
inline Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A ** get_address_of_s_defaultInstance_44() { return &___s_defaultInstance_44; }
inline void set_s_defaultInstance_44(Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * value)
{
___s_defaultInstance_44 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_defaultInstance_44), (void*)value);
}
};
// Unity.Jobs.JobHandle
struct JobHandle_t8AEB8D31C25D7774C71D62B0C662525E6E36D847
{
public:
// System.IntPtr Unity.Jobs.JobHandle::jobGroup
intptr_t ___jobGroup_0;
// System.Int32 Unity.Jobs.JobHandle::version
int32_t ___version_1;
public:
inline static int32_t get_offset_of_jobGroup_0() { return static_cast<int32_t>(offsetof(JobHandle_t8AEB8D31C25D7774C71D62B0C662525E6E36D847, ___jobGroup_0)); }
inline intptr_t get_jobGroup_0() const { return ___jobGroup_0; }
inline intptr_t* get_address_of_jobGroup_0() { return &___jobGroup_0; }
inline void set_jobGroup_0(intptr_t value)
{
___jobGroup_0 = value;
}
inline static int32_t get_offset_of_version_1() { return static_cast<int32_t>(offsetof(JobHandle_t8AEB8D31C25D7774C71D62B0C662525E6E36D847, ___version_1)); }
inline int32_t get_version_1() const { return ___version_1; }
inline int32_t* get_address_of_version_1() { return &___version_1; }
inline void set_version_1(int32_t value)
{
___version_1 = value;
}
};
// Unity.Jobs.LowLevel.Unsafe.JobRanges
struct JobRanges_tC73669D80CD008ABB5B2F5D58B28FF369DB3855E
{
public:
// System.Int32 Unity.Jobs.LowLevel.Unsafe.JobRanges::BatchSize
int32_t ___BatchSize_0;
// System.Int32 Unity.Jobs.LowLevel.Unsafe.JobRanges::NumJobs
int32_t ___NumJobs_1;
// System.Int32 Unity.Jobs.LowLevel.Unsafe.JobRanges::TotalIterationCount
int32_t ___TotalIterationCount_2;
// System.Int32 Unity.Jobs.LowLevel.Unsafe.JobRanges::NumPhases
int32_t ___NumPhases_3;
// System.IntPtr Unity.Jobs.LowLevel.Unsafe.JobRanges::StartEndIndex
intptr_t ___StartEndIndex_4;
// System.IntPtr Unity.Jobs.LowLevel.Unsafe.JobRanges::PhaseData
intptr_t ___PhaseData_5;
public:
inline static int32_t get_offset_of_BatchSize_0() { return static_cast<int32_t>(offsetof(JobRanges_tC73669D80CD008ABB5B2F5D58B28FF369DB3855E, ___BatchSize_0)); }
inline int32_t get_BatchSize_0() const { return ___BatchSize_0; }
inline int32_t* get_address_of_BatchSize_0() { return &___BatchSize_0; }
inline void set_BatchSize_0(int32_t value)
{
___BatchSize_0 = value;
}
inline static int32_t get_offset_of_NumJobs_1() { return static_cast<int32_t>(offsetof(JobRanges_tC73669D80CD008ABB5B2F5D58B28FF369DB3855E, ___NumJobs_1)); }
inline int32_t get_NumJobs_1() const { return ___NumJobs_1; }
inline int32_t* get_address_of_NumJobs_1() { return &___NumJobs_1; }
inline void set_NumJobs_1(int32_t value)
{
___NumJobs_1 = value;
}
inline static int32_t get_offset_of_TotalIterationCount_2() { return static_cast<int32_t>(offsetof(JobRanges_tC73669D80CD008ABB5B2F5D58B28FF369DB3855E, ___TotalIterationCount_2)); }
inline int32_t get_TotalIterationCount_2() const { return ___TotalIterationCount_2; }
inline int32_t* get_address_of_TotalIterationCount_2() { return &___TotalIterationCount_2; }
inline void set_TotalIterationCount_2(int32_t value)
{
___TotalIterationCount_2 = value;
}
inline static int32_t get_offset_of_NumPhases_3() { return static_cast<int32_t>(offsetof(JobRanges_tC73669D80CD008ABB5B2F5D58B28FF369DB3855E, ___NumPhases_3)); }
inline int32_t get_NumPhases_3() const { return ___NumPhases_3; }
inline int32_t* get_address_of_NumPhases_3() { return &___NumPhases_3; }
inline void set_NumPhases_3(int32_t value)
{
___NumPhases_3 = value;
}
inline static int32_t get_offset_of_StartEndIndex_4() { return static_cast<int32_t>(offsetof(JobRanges_tC73669D80CD008ABB5B2F5D58B28FF369DB3855E, ___StartEndIndex_4)); }
inline intptr_t get_StartEndIndex_4() const { return ___StartEndIndex_4; }
inline intptr_t* get_address_of_StartEndIndex_4() { return &___StartEndIndex_4; }
inline void set_StartEndIndex_4(intptr_t value)
{
___StartEndIndex_4 = value;
}
inline static int32_t get_offset_of_PhaseData_5() { return static_cast<int32_t>(offsetof(JobRanges_tC73669D80CD008ABB5B2F5D58B28FF369DB3855E, ___PhaseData_5)); }
inline intptr_t get_PhaseData_5() const { return ___PhaseData_5; }
inline intptr_t* get_address_of_PhaseData_5() { return &___PhaseData_5; }
inline void set_PhaseData_5(intptr_t value)
{
___PhaseData_5 = value;
}
};
// TMPro.KerningPair
struct KerningPair_t86851B62BD57903968C233D4A2504AD606853408 : public RuntimeObject
{
public:
// System.UInt32 TMPro.KerningPair::m_FirstGlyph
uint32_t ___m_FirstGlyph_0;
// TMPro.GlyphValueRecord_Legacy TMPro.KerningPair::m_FirstGlyphAdjustments
GlyphValueRecord_Legacy_t5C73495CD377A665A6AAD41DBC2F73E6091E1907 ___m_FirstGlyphAdjustments_1;
// System.UInt32 TMPro.KerningPair::m_SecondGlyph
uint32_t ___m_SecondGlyph_2;
// TMPro.GlyphValueRecord_Legacy TMPro.KerningPair::m_SecondGlyphAdjustments
GlyphValueRecord_Legacy_t5C73495CD377A665A6AAD41DBC2F73E6091E1907 ___m_SecondGlyphAdjustments_3;
// System.Single TMPro.KerningPair::xOffset
float ___xOffset_4;
// System.Boolean TMPro.KerningPair::m_IgnoreSpacingAdjustments
bool ___m_IgnoreSpacingAdjustments_6;
public:
inline static int32_t get_offset_of_m_FirstGlyph_0() { return static_cast<int32_t>(offsetof(KerningPair_t86851B62BD57903968C233D4A2504AD606853408, ___m_FirstGlyph_0)); }
inline uint32_t get_m_FirstGlyph_0() const { return ___m_FirstGlyph_0; }
inline uint32_t* get_address_of_m_FirstGlyph_0() { return &___m_FirstGlyph_0; }
inline void set_m_FirstGlyph_0(uint32_t value)
{
___m_FirstGlyph_0 = value;
}
inline static int32_t get_offset_of_m_FirstGlyphAdjustments_1() { return static_cast<int32_t>(offsetof(KerningPair_t86851B62BD57903968C233D4A2504AD606853408, ___m_FirstGlyphAdjustments_1)); }
inline GlyphValueRecord_Legacy_t5C73495CD377A665A6AAD41DBC2F73E6091E1907 get_m_FirstGlyphAdjustments_1() const { return ___m_FirstGlyphAdjustments_1; }
inline GlyphValueRecord_Legacy_t5C73495CD377A665A6AAD41DBC2F73E6091E1907 * get_address_of_m_FirstGlyphAdjustments_1() { return &___m_FirstGlyphAdjustments_1; }
inline void set_m_FirstGlyphAdjustments_1(GlyphValueRecord_Legacy_t5C73495CD377A665A6AAD41DBC2F73E6091E1907 value)
{
___m_FirstGlyphAdjustments_1 = value;
}
inline static int32_t get_offset_of_m_SecondGlyph_2() { return static_cast<int32_t>(offsetof(KerningPair_t86851B62BD57903968C233D4A2504AD606853408, ___m_SecondGlyph_2)); }
inline uint32_t get_m_SecondGlyph_2() const { return ___m_SecondGlyph_2; }
inline uint32_t* get_address_of_m_SecondGlyph_2() { return &___m_SecondGlyph_2; }
inline void set_m_SecondGlyph_2(uint32_t value)
{
___m_SecondGlyph_2 = value;
}
inline static int32_t get_offset_of_m_SecondGlyphAdjustments_3() { return static_cast<int32_t>(offsetof(KerningPair_t86851B62BD57903968C233D4A2504AD606853408, ___m_SecondGlyphAdjustments_3)); }
inline GlyphValueRecord_Legacy_t5C73495CD377A665A6AAD41DBC2F73E6091E1907 get_m_SecondGlyphAdjustments_3() const { return ___m_SecondGlyphAdjustments_3; }
inline GlyphValueRecord_Legacy_t5C73495CD377A665A6AAD41DBC2F73E6091E1907 * get_address_of_m_SecondGlyphAdjustments_3() { return &___m_SecondGlyphAdjustments_3; }
inline void set_m_SecondGlyphAdjustments_3(GlyphValueRecord_Legacy_t5C73495CD377A665A6AAD41DBC2F73E6091E1907 value)
{
___m_SecondGlyphAdjustments_3 = value;
}
inline static int32_t get_offset_of_xOffset_4() { return static_cast<int32_t>(offsetof(KerningPair_t86851B62BD57903968C233D4A2504AD606853408, ___xOffset_4)); }
inline float get_xOffset_4() const { return ___xOffset_4; }
inline float* get_address_of_xOffset_4() { return &___xOffset_4; }
inline void set_xOffset_4(float value)
{
___xOffset_4 = value;
}
inline static int32_t get_offset_of_m_IgnoreSpacingAdjustments_6() { return static_cast<int32_t>(offsetof(KerningPair_t86851B62BD57903968C233D4A2504AD606853408, ___m_IgnoreSpacingAdjustments_6)); }
inline bool get_m_IgnoreSpacingAdjustments_6() const { return ___m_IgnoreSpacingAdjustments_6; }
inline bool* get_address_of_m_IgnoreSpacingAdjustments_6() { return &___m_IgnoreSpacingAdjustments_6; }
inline void set_m_IgnoreSpacingAdjustments_6(bool value)
{
___m_IgnoreSpacingAdjustments_6 = value;
}
};
struct KerningPair_t86851B62BD57903968C233D4A2504AD606853408_StaticFields
{
public:
// TMPro.KerningPair TMPro.KerningPair::empty
KerningPair_t86851B62BD57903968C233D4A2504AD606853408 * ___empty_5;
public:
inline static int32_t get_offset_of_empty_5() { return static_cast<int32_t>(offsetof(KerningPair_t86851B62BD57903968C233D4A2504AD606853408_StaticFields, ___empty_5)); }
inline KerningPair_t86851B62BD57903968C233D4A2504AD606853408 * get_empty_5() const { return ___empty_5; }
inline KerningPair_t86851B62BD57903968C233D4A2504AD606853408 ** get_address_of_empty_5() { return &___empty_5; }
inline void set_empty_5(KerningPair_t86851B62BD57903968C233D4A2504AD606853408 * value)
{
___empty_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___empty_5), (void*)value);
}
};
// UnityEngine.KeyCode
struct KeyCode_t1D303F7D061BF4429872E9F109ADDBCB431671F4
{
public:
// System.Int32 UnityEngine.KeyCode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(KeyCode_t1D303F7D061BF4429872E9F109ADDBCB431671F4, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Rendering.LODParameters
struct LODParameters_tA41D06C4BDB03138144BE9DCC4BC6B37963DC5CD
{
public:
// System.Int32 UnityEngine.Rendering.LODParameters::m_IsOrthographic
int32_t ___m_IsOrthographic_0;
// UnityEngine.Vector3 UnityEngine.Rendering.LODParameters::m_CameraPosition
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_CameraPosition_1;
// System.Single UnityEngine.Rendering.LODParameters::m_FieldOfView
float ___m_FieldOfView_2;
// System.Single UnityEngine.Rendering.LODParameters::m_OrthoSize
float ___m_OrthoSize_3;
// System.Int32 UnityEngine.Rendering.LODParameters::m_CameraPixelHeight
int32_t ___m_CameraPixelHeight_4;
public:
inline static int32_t get_offset_of_m_IsOrthographic_0() { return static_cast<int32_t>(offsetof(LODParameters_tA41D06C4BDB03138144BE9DCC4BC6B37963DC5CD, ___m_IsOrthographic_0)); }
inline int32_t get_m_IsOrthographic_0() const { return ___m_IsOrthographic_0; }
inline int32_t* get_address_of_m_IsOrthographic_0() { return &___m_IsOrthographic_0; }
inline void set_m_IsOrthographic_0(int32_t value)
{
___m_IsOrthographic_0 = value;
}
inline static int32_t get_offset_of_m_CameraPosition_1() { return static_cast<int32_t>(offsetof(LODParameters_tA41D06C4BDB03138144BE9DCC4BC6B37963DC5CD, ___m_CameraPosition_1)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_CameraPosition_1() const { return ___m_CameraPosition_1; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_CameraPosition_1() { return &___m_CameraPosition_1; }
inline void set_m_CameraPosition_1(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_CameraPosition_1 = value;
}
inline static int32_t get_offset_of_m_FieldOfView_2() { return static_cast<int32_t>(offsetof(LODParameters_tA41D06C4BDB03138144BE9DCC4BC6B37963DC5CD, ___m_FieldOfView_2)); }
inline float get_m_FieldOfView_2() const { return ___m_FieldOfView_2; }
inline float* get_address_of_m_FieldOfView_2() { return &___m_FieldOfView_2; }
inline void set_m_FieldOfView_2(float value)
{
___m_FieldOfView_2 = value;
}
inline static int32_t get_offset_of_m_OrthoSize_3() { return static_cast<int32_t>(offsetof(LODParameters_tA41D06C4BDB03138144BE9DCC4BC6B37963DC5CD, ___m_OrthoSize_3)); }
inline float get_m_OrthoSize_3() const { return ___m_OrthoSize_3; }
inline float* get_address_of_m_OrthoSize_3() { return &___m_OrthoSize_3; }
inline void set_m_OrthoSize_3(float value)
{
___m_OrthoSize_3 = value;
}
inline static int32_t get_offset_of_m_CameraPixelHeight_4() { return static_cast<int32_t>(offsetof(LODParameters_tA41D06C4BDB03138144BE9DCC4BC6B37963DC5CD, ___m_CameraPixelHeight_4)); }
inline int32_t get_m_CameraPixelHeight_4() const { return ___m_CameraPixelHeight_4; }
inline int32_t* get_address_of_m_CameraPixelHeight_4() { return &___m_CameraPixelHeight_4; }
inline void set_m_CameraPixelHeight_4(int32_t value)
{
___m_CameraPixelHeight_4 = value;
}
};
// System.Text.Latin1Encoding
struct Latin1Encoding_t4AD383342243272698FF8CC4E6CF093B105DA016 : public EncodingNLS_t6F875E5EF171A3E07D8CC7F36D51FD52797E43EE
{
public:
public:
};
struct Latin1Encoding_t4AD383342243272698FF8CC4E6CF093B105DA016_StaticFields
{
public:
// System.Char[] System.Text.Latin1Encoding::arrayCharBestFit
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___arrayCharBestFit_16;
public:
inline static int32_t get_offset_of_arrayCharBestFit_16() { return static_cast<int32_t>(offsetof(Latin1Encoding_t4AD383342243272698FF8CC4E6CF093B105DA016_StaticFields, ___arrayCharBestFit_16)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_arrayCharBestFit_16() const { return ___arrayCharBestFit_16; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_arrayCharBestFit_16() { return &___arrayCharBestFit_16; }
inline void set_arrayCharBestFit_16(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___arrayCharBestFit_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___arrayCharBestFit_16), (void*)value);
}
};
// System.Runtime.Remoting.Lifetime.LeaseState
struct LeaseState_tB93D422C38A317EBB25A5288A2229882FE1E8491
{
public:
// System.Int32 System.Runtime.Remoting.Lifetime.LeaseState::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(LeaseState_tB93D422C38A317EBB25A5288A2229882FE1E8491, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARFoundation.LightEstimation
struct LightEstimation_tD66BC916A1BD1A48133EAA6F2DFD3F2F45909B93
{
public:
// System.Int32 UnityEngine.XR.ARFoundation.LightEstimation::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(LightEstimation_tD66BC916A1BD1A48133EAA6F2DFD3F2F45909B93, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARSubsystems.LightEstimationMode
struct LightEstimationMode_tE07D0ADA96C21197E44E8E906DF0FCECB7DAEC56
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.LightEstimationMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(LightEstimationMode_tE07D0ADA96C21197E44E8E906DF0FCECB7DAEC56, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Experimental.GlobalIllumination.LightMode
struct LightMode_t9D89979F39C1DBB9CD1E275BDD77C7EA1B506491
{
public:
// System.Byte UnityEngine.Experimental.GlobalIllumination.LightMode::value__
uint8_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(LightMode_t9D89979F39C1DBB9CD1E275BDD77C7EA1B506491, ___value___2)); }
inline uint8_t get_value___2() const { return ___value___2; }
inline uint8_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint8_t value)
{
___value___2 = value;
}
};
// UnityEngine.LightShadows
struct LightShadows_t8AC632778179F556C3A091B93FC24F92375DCD67
{
public:
// System.Int32 UnityEngine.LightShadows::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(LightShadows_t8AC632778179F556C3A091B93FC24F92375DCD67, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.LightType
struct LightType_tAD5FBE55DEE7A9C38A42323701B0BDD716761B14
{
public:
// System.Int32 UnityEngine.LightType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(LightType_tAD5FBE55DEE7A9C38A42323701B0BDD716761B14, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Experimental.GlobalIllumination.LightType
struct LightType_t4205DE4BEF130CE507C87172DAB60E5B1EB05552
{
public:
// System.Byte UnityEngine.Experimental.GlobalIllumination.LightType::value__
uint8_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(LightType_t4205DE4BEF130CE507C87172DAB60E5B1EB05552, ___value___2)); }
inline uint8_t get_value___2() const { return ___value___2; }
inline uint8_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint8_t value)
{
___value___2 = value;
}
};
// UnityEngine.LightmapBakeType
struct LightmapBakeType_t6C5A20612951F0BFB370705B7132297E1F193AC0
{
public:
// System.Int32 UnityEngine.LightmapBakeType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(LightmapBakeType_t6C5A20612951F0BFB370705B7132297E1F193AC0, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.LightmapsMode
struct LightmapsMode_t819A0A8C0EBF854ABBDE79973EAEF5F6348C17CD
{
public:
// System.Int32 UnityEngine.LightmapsMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(LightmapsMode_t819A0A8C0EBF854ABBDE79973EAEF5F6348C17CD, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.CompilerServices.LoadHint
struct LoadHint_tFC9A0F3EDCF16D049F9996529BD480F333CAD53A
{
public:
// System.Int32 System.Runtime.CompilerServices.LoadHint::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(LoadHint_tFC9A0F3EDCF16D049F9996529BD480F333CAD53A, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.SceneManagement.LoadSceneMode
struct LoadSceneMode_tF5060E18B71D524860ECBF7B9B56193B1907E5CC
{
public:
// System.Int32 UnityEngine.SceneManagement.LoadSceneMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(LoadSceneMode_tF5060E18B71D524860ECBF7B9B56193B1907E5CC, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.iOS.LocalNotification
struct LocalNotification_tF63CD15C31F280A87050E897835E3542BE164BEB : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.iOS.LocalNotification::m_Ptr
intptr_t ___m_Ptr_0;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(LocalNotification_tF63CD15C31F280A87050E897835E3542BE164BEB, ___m_Ptr_0)); }
inline intptr_t get_m_Ptr_0() const { return ___m_Ptr_0; }
inline intptr_t* get_address_of_m_Ptr_0() { return &___m_Ptr_0; }
inline void set_m_Ptr_0(intptr_t value)
{
___m_Ptr_0 = value;
}
};
struct LocalNotification_tF63CD15C31F280A87050E897835E3542BE164BEB_StaticFields
{
public:
// System.Int64 UnityEngine.iOS.LocalNotification::m_NSReferenceDateTicks
int64_t ___m_NSReferenceDateTicks_1;
public:
inline static int32_t get_offset_of_m_NSReferenceDateTicks_1() { return static_cast<int32_t>(offsetof(LocalNotification_tF63CD15C31F280A87050E897835E3542BE164BEB_StaticFields, ___m_NSReferenceDateTicks_1)); }
inline int64_t get_m_NSReferenceDateTicks_1() const { return ___m_NSReferenceDateTicks_1; }
inline int64_t* get_address_of_m_NSReferenceDateTicks_1() { return &___m_NSReferenceDateTicks_1; }
inline void set_m_NSReferenceDateTicks_1(int64_t value)
{
___m_NSReferenceDateTicks_1 = value;
}
};
// UnityEngine.SceneManagement.LocalPhysicsMode
struct LocalPhysicsMode_t0BC6949E496E4E126141A944F9B5A26939798BE6
{
public:
// System.Int32 UnityEngine.SceneManagement.LocalPhysicsMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(LocalPhysicsMode_t0BC6949E496E4E126141A944F9B5A26939798BE6, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.LogOption
struct LogOption_t51E8F1B430A667101ABEAD997CDA50BDBEE65A57
{
public:
// System.Int32 UnityEngine.LogOption::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(LogOption_t51E8F1B430A667101ABEAD997CDA50BDBEE65A57, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.LogType
struct LogType_tF490DBF8368BD4EBA703B2824CB76A853820F773
{
public:
// System.Int32 UnityEngine.LogType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(LogType_tF490DBF8368BD4EBA703B2824CB76A853820F773, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.ManualResetEventSlim
struct ManualResetEventSlim_tDEDF52539E364C425BA581F3AAF42843AFAD366E : public RuntimeObject
{
public:
// System.Object modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.ManualResetEventSlim::m_lock
RuntimeObject * ___m_lock_0;
// System.Threading.ManualResetEvent modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.ManualResetEventSlim::m_eventObj
ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * ___m_eventObj_1;
// System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.ManualResetEventSlim::m_combinedState
int32_t ___m_combinedState_2;
public:
inline static int32_t get_offset_of_m_lock_0() { return static_cast<int32_t>(offsetof(ManualResetEventSlim_tDEDF52539E364C425BA581F3AAF42843AFAD366E, ___m_lock_0)); }
inline RuntimeObject * get_m_lock_0() const { return ___m_lock_0; }
inline RuntimeObject ** get_address_of_m_lock_0() { return &___m_lock_0; }
inline void set_m_lock_0(RuntimeObject * value)
{
___m_lock_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_lock_0), (void*)value);
}
inline static int32_t get_offset_of_m_eventObj_1() { return static_cast<int32_t>(offsetof(ManualResetEventSlim_tDEDF52539E364C425BA581F3AAF42843AFAD366E, ___m_eventObj_1)); }
inline ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * get_m_eventObj_1() const { return ___m_eventObj_1; }
inline ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA ** get_address_of_m_eventObj_1() { return &___m_eventObj_1; }
inline void set_m_eventObj_1(ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * value)
{
___m_eventObj_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_eventObj_1), (void*)value);
}
inline static int32_t get_offset_of_m_combinedState_2() { return static_cast<int32_t>(offsetof(ManualResetEventSlim_tDEDF52539E364C425BA581F3AAF42843AFAD366E, ___m_combinedState_2)); }
inline int32_t get_m_combinedState_2() const { return ___m_combinedState_2; }
inline int32_t* get_address_of_m_combinedState_2() { return &___m_combinedState_2; }
inline void set_m_combinedState_2(int32_t value)
{
___m_combinedState_2 = value;
}
};
struct ManualResetEventSlim_tDEDF52539E364C425BA581F3AAF42843AFAD366E_StaticFields
{
public:
// System.Action`1<System.Object> System.Threading.ManualResetEventSlim::s_cancellationTokenCallback
Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * ___s_cancellationTokenCallback_3;
public:
inline static int32_t get_offset_of_s_cancellationTokenCallback_3() { return static_cast<int32_t>(offsetof(ManualResetEventSlim_tDEDF52539E364C425BA581F3AAF42843AFAD366E_StaticFields, ___s_cancellationTokenCallback_3)); }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * get_s_cancellationTokenCallback_3() const { return ___s_cancellationTokenCallback_3; }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC ** get_address_of_s_cancellationTokenCallback_3() { return &___s_cancellationTokenCallback_3; }
inline void set_s_cancellationTokenCallback_3(Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * value)
{
___s_cancellationTokenCallback_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_cancellationTokenCallback_3), (void*)value);
}
};
// Unity.Profiling.LowLevel.MarkerFlags
struct MarkerFlags_t4A8B5185BAD24803CE9A57187867CB93451AA9E8
{
public:
// System.UInt16 Unity.Profiling.LowLevel.MarkerFlags::value__
uint16_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MarkerFlags_t4A8B5185BAD24803CE9A57187867CB93451AA9E8, ___value___2)); }
inline uint16_t get_value___2() const { return ___value___2; }
inline uint16_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint16_t value)
{
___value___2 = value;
}
};
// TMPro.MarkupTag
struct MarkupTag_tF77960F5CD044C369E911BC4CB4C44F9487AB14F
{
public:
// System.Int32 TMPro.MarkupTag::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MarkupTag_tF77960F5CD044C369E911BC4CB4C44F9487AB14F, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.MaskingOffsetMode
struct MaskingOffsetMode_t30F23674FFB22EED1657C10E7314D083591392EF
{
public:
// System.Int32 TMPro.MaskingOffsetMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MaskingOffsetMode_t30F23674FFB22EED1657C10E7314D083591392EF, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.MaskingTypes
struct MaskingTypes_t0CDA999B819C7FDED898736492CA0E70E4163477
{
public:
// System.Int32 TMPro.MaskingTypes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MaskingTypes_t0CDA999B819C7FDED898736492CA0E70E4163477, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Text.RegularExpressions.Match
struct Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B : public Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883
{
public:
// System.Text.RegularExpressions.GroupCollection System.Text.RegularExpressions.Match::_groupcoll
GroupCollection_tAA9CA4E93B1A9D6B7199EE25AEB32922E72AA556 * ____groupcoll_9;
// System.Text.RegularExpressions.Regex System.Text.RegularExpressions.Match::_regex
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * ____regex_10;
// System.Int32 System.Text.RegularExpressions.Match::_textbeg
int32_t ____textbeg_11;
// System.Int32 System.Text.RegularExpressions.Match::_textpos
int32_t ____textpos_12;
// System.Int32 System.Text.RegularExpressions.Match::_textend
int32_t ____textend_13;
// System.Int32 System.Text.RegularExpressions.Match::_textstart
int32_t ____textstart_14;
// System.Int32[][] System.Text.RegularExpressions.Match::_matches
Int32U5BU5DU5BU5D_t104DBF1B996084AA19567FD32B02EDF88D044FAF* ____matches_15;
// System.Int32[] System.Text.RegularExpressions.Match::_matchcount
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ____matchcount_16;
// System.Boolean System.Text.RegularExpressions.Match::_balancing
bool ____balancing_17;
public:
inline static int32_t get_offset_of__groupcoll_9() { return static_cast<int32_t>(offsetof(Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B, ____groupcoll_9)); }
inline GroupCollection_tAA9CA4E93B1A9D6B7199EE25AEB32922E72AA556 * get__groupcoll_9() const { return ____groupcoll_9; }
inline GroupCollection_tAA9CA4E93B1A9D6B7199EE25AEB32922E72AA556 ** get_address_of__groupcoll_9() { return &____groupcoll_9; }
inline void set__groupcoll_9(GroupCollection_tAA9CA4E93B1A9D6B7199EE25AEB32922E72AA556 * value)
{
____groupcoll_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&____groupcoll_9), (void*)value);
}
inline static int32_t get_offset_of__regex_10() { return static_cast<int32_t>(offsetof(Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B, ____regex_10)); }
inline Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * get__regex_10() const { return ____regex_10; }
inline Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F ** get_address_of__regex_10() { return &____regex_10; }
inline void set__regex_10(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F * value)
{
____regex_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&____regex_10), (void*)value);
}
inline static int32_t get_offset_of__textbeg_11() { return static_cast<int32_t>(offsetof(Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B, ____textbeg_11)); }
inline int32_t get__textbeg_11() const { return ____textbeg_11; }
inline int32_t* get_address_of__textbeg_11() { return &____textbeg_11; }
inline void set__textbeg_11(int32_t value)
{
____textbeg_11 = value;
}
inline static int32_t get_offset_of__textpos_12() { return static_cast<int32_t>(offsetof(Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B, ____textpos_12)); }
inline int32_t get__textpos_12() const { return ____textpos_12; }
inline int32_t* get_address_of__textpos_12() { return &____textpos_12; }
inline void set__textpos_12(int32_t value)
{
____textpos_12 = value;
}
inline static int32_t get_offset_of__textend_13() { return static_cast<int32_t>(offsetof(Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B, ____textend_13)); }
inline int32_t get__textend_13() const { return ____textend_13; }
inline int32_t* get_address_of__textend_13() { return &____textend_13; }
inline void set__textend_13(int32_t value)
{
____textend_13 = value;
}
inline static int32_t get_offset_of__textstart_14() { return static_cast<int32_t>(offsetof(Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B, ____textstart_14)); }
inline int32_t get__textstart_14() const { return ____textstart_14; }
inline int32_t* get_address_of__textstart_14() { return &____textstart_14; }
inline void set__textstart_14(int32_t value)
{
____textstart_14 = value;
}
inline static int32_t get_offset_of__matches_15() { return static_cast<int32_t>(offsetof(Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B, ____matches_15)); }
inline Int32U5BU5DU5BU5D_t104DBF1B996084AA19567FD32B02EDF88D044FAF* get__matches_15() const { return ____matches_15; }
inline Int32U5BU5DU5BU5D_t104DBF1B996084AA19567FD32B02EDF88D044FAF** get_address_of__matches_15() { return &____matches_15; }
inline void set__matches_15(Int32U5BU5DU5BU5D_t104DBF1B996084AA19567FD32B02EDF88D044FAF* value)
{
____matches_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&____matches_15), (void*)value);
}
inline static int32_t get_offset_of__matchcount_16() { return static_cast<int32_t>(offsetof(Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B, ____matchcount_16)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get__matchcount_16() const { return ____matchcount_16; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of__matchcount_16() { return &____matchcount_16; }
inline void set__matchcount_16(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
____matchcount_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&____matchcount_16), (void*)value);
}
inline static int32_t get_offset_of__balancing_17() { return static_cast<int32_t>(offsetof(Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B, ____balancing_17)); }
inline bool get__balancing_17() const { return ____balancing_17; }
inline bool* get_address_of__balancing_17() { return &____balancing_17; }
inline void set__balancing_17(bool value)
{
____balancing_17 = value;
}
};
struct Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B_StaticFields
{
public:
// System.Text.RegularExpressions.Match System.Text.RegularExpressions.Match::_empty
Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B * ____empty_8;
public:
inline static int32_t get_offset_of__empty_8() { return static_cast<int32_t>(offsetof(Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B_StaticFields, ____empty_8)); }
inline Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B * get__empty_8() const { return ____empty_8; }
inline Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B ** get_address_of__empty_8() { return &____empty_8; }
inline void set__empty_8(Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B * value)
{
____empty_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&____empty_8), (void*)value);
}
};
// UnityEngineInternal.MathfInternal
struct MathfInternal_t1B6B8ECF3C719D8DEE6DF2876619A350C2AB23AD
{
public:
union
{
struct
{
};
uint8_t MathfInternal_t1B6B8ECF3C719D8DEE6DF2876619A350C2AB23AD__padding[1];
};
public:
};
struct MathfInternal_t1B6B8ECF3C719D8DEE6DF2876619A350C2AB23AD_StaticFields
{
public:
// System.Single modreq(System.Runtime.CompilerServices.IsVolatile) UnityEngineInternal.MathfInternal::FloatMinNormal
float ___FloatMinNormal_0;
// System.Single modreq(System.Runtime.CompilerServices.IsVolatile) UnityEngineInternal.MathfInternal::FloatMinDenormal
float ___FloatMinDenormal_1;
// System.Boolean UnityEngineInternal.MathfInternal::IsFlushToZeroEnabled
bool ___IsFlushToZeroEnabled_2;
public:
inline static int32_t get_offset_of_FloatMinNormal_0() { return static_cast<int32_t>(offsetof(MathfInternal_t1B6B8ECF3C719D8DEE6DF2876619A350C2AB23AD_StaticFields, ___FloatMinNormal_0)); }
inline float get_FloatMinNormal_0() const { return ___FloatMinNormal_0; }
inline float* get_address_of_FloatMinNormal_0() { return &___FloatMinNormal_0; }
inline void set_FloatMinNormal_0(float value)
{
___FloatMinNormal_0 = value;
}
inline static int32_t get_offset_of_FloatMinDenormal_1() { return static_cast<int32_t>(offsetof(MathfInternal_t1B6B8ECF3C719D8DEE6DF2876619A350C2AB23AD_StaticFields, ___FloatMinDenormal_1)); }
inline float get_FloatMinDenormal_1() const { return ___FloatMinDenormal_1; }
inline float* get_address_of_FloatMinDenormal_1() { return &___FloatMinDenormal_1; }
inline void set_FloatMinDenormal_1(float value)
{
___FloatMinDenormal_1 = value;
}
inline static int32_t get_offset_of_IsFlushToZeroEnabled_2() { return static_cast<int32_t>(offsetof(MathfInternal_t1B6B8ECF3C719D8DEE6DF2876619A350C2AB23AD_StaticFields, ___IsFlushToZeroEnabled_2)); }
inline bool get_IsFlushToZeroEnabled_2() const { return ___IsFlushToZeroEnabled_2; }
inline bool* get_address_of_IsFlushToZeroEnabled_2() { return &___IsFlushToZeroEnabled_2; }
inline void set_IsFlushToZeroEnabled_2(bool value)
{
___IsFlushToZeroEnabled_2 = value;
}
};
// System.Reflection.MemberTypes
struct MemberTypes_tA4C0F24E8DE2439AA9E716F96FF8D394F26A5EDE
{
public:
// System.Int32 System.Reflection.MemberTypes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MemberTypes_tA4C0F24E8DE2439AA9E716F96FF8D394F26A5EDE, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.IO.MemoryStream
struct MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C : public Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB
{
public:
// System.Byte[] System.IO.MemoryStream::_buffer
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ____buffer_4;
// System.Int32 System.IO.MemoryStream::_origin
int32_t ____origin_5;
// System.Int32 System.IO.MemoryStream::_position
int32_t ____position_6;
// System.Int32 System.IO.MemoryStream::_length
int32_t ____length_7;
// System.Int32 System.IO.MemoryStream::_capacity
int32_t ____capacity_8;
// System.Boolean System.IO.MemoryStream::_expandable
bool ____expandable_9;
// System.Boolean System.IO.MemoryStream::_writable
bool ____writable_10;
// System.Boolean System.IO.MemoryStream::_exposable
bool ____exposable_11;
// System.Boolean System.IO.MemoryStream::_isOpen
bool ____isOpen_12;
// System.Threading.Tasks.Task`1<System.Int32> System.IO.MemoryStream::_lastReadTask
Task_1_tEF253D967DB628A9F8A389A9F2E4516871FD3725 * ____lastReadTask_13;
public:
inline static int32_t get_offset_of__buffer_4() { return static_cast<int32_t>(offsetof(MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C, ____buffer_4)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get__buffer_4() const { return ____buffer_4; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of__buffer_4() { return &____buffer_4; }
inline void set__buffer_4(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
____buffer_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____buffer_4), (void*)value);
}
inline static int32_t get_offset_of__origin_5() { return static_cast<int32_t>(offsetof(MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C, ____origin_5)); }
inline int32_t get__origin_5() const { return ____origin_5; }
inline int32_t* get_address_of__origin_5() { return &____origin_5; }
inline void set__origin_5(int32_t value)
{
____origin_5 = value;
}
inline static int32_t get_offset_of__position_6() { return static_cast<int32_t>(offsetof(MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C, ____position_6)); }
inline int32_t get__position_6() const { return ____position_6; }
inline int32_t* get_address_of__position_6() { return &____position_6; }
inline void set__position_6(int32_t value)
{
____position_6 = value;
}
inline static int32_t get_offset_of__length_7() { return static_cast<int32_t>(offsetof(MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C, ____length_7)); }
inline int32_t get__length_7() const { return ____length_7; }
inline int32_t* get_address_of__length_7() { return &____length_7; }
inline void set__length_7(int32_t value)
{
____length_7 = value;
}
inline static int32_t get_offset_of__capacity_8() { return static_cast<int32_t>(offsetof(MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C, ____capacity_8)); }
inline int32_t get__capacity_8() const { return ____capacity_8; }
inline int32_t* get_address_of__capacity_8() { return &____capacity_8; }
inline void set__capacity_8(int32_t value)
{
____capacity_8 = value;
}
inline static int32_t get_offset_of__expandable_9() { return static_cast<int32_t>(offsetof(MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C, ____expandable_9)); }
inline bool get__expandable_9() const { return ____expandable_9; }
inline bool* get_address_of__expandable_9() { return &____expandable_9; }
inline void set__expandable_9(bool value)
{
____expandable_9 = value;
}
inline static int32_t get_offset_of__writable_10() { return static_cast<int32_t>(offsetof(MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C, ____writable_10)); }
inline bool get__writable_10() const { return ____writable_10; }
inline bool* get_address_of__writable_10() { return &____writable_10; }
inline void set__writable_10(bool value)
{
____writable_10 = value;
}
inline static int32_t get_offset_of__exposable_11() { return static_cast<int32_t>(offsetof(MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C, ____exposable_11)); }
inline bool get__exposable_11() const { return ____exposable_11; }
inline bool* get_address_of__exposable_11() { return &____exposable_11; }
inline void set__exposable_11(bool value)
{
____exposable_11 = value;
}
inline static int32_t get_offset_of__isOpen_12() { return static_cast<int32_t>(offsetof(MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C, ____isOpen_12)); }
inline bool get__isOpen_12() const { return ____isOpen_12; }
inline bool* get_address_of__isOpen_12() { return &____isOpen_12; }
inline void set__isOpen_12(bool value)
{
____isOpen_12 = value;
}
inline static int32_t get_offset_of__lastReadTask_13() { return static_cast<int32_t>(offsetof(MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C, ____lastReadTask_13)); }
inline Task_1_tEF253D967DB628A9F8A389A9F2E4516871FD3725 * get__lastReadTask_13() const { return ____lastReadTask_13; }
inline Task_1_tEF253D967DB628A9F8A389A9F2E4516871FD3725 ** get_address_of__lastReadTask_13() { return &____lastReadTask_13; }
inline void set__lastReadTask_13(Task_1_tEF253D967DB628A9F8A389A9F2E4516871FD3725 * value)
{
____lastReadTask_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&____lastReadTask_13), (void*)value);
}
};
// UnityEngine.XR.MeshChangeState
struct MeshChangeState_t577B449627A869D7B8E062F9D9C218418790E046
{
public:
// System.Int32 UnityEngine.XR.MeshChangeState::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MeshChangeState_t577B449627A869D7B8E062F9D9C218418790E046, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.MeshGenerationStatus
struct MeshGenerationStatus_t25EB712EAD94A279AD7D5A00E0CB6EDC8AB1FE79
{
public:
// System.Int32 UnityEngine.XR.MeshGenerationStatus::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MeshGenerationStatus_t25EB712EAD94A279AD7D5A00E0CB6EDC8AB1FE79, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.MeshTopology
struct MeshTopology_tF37D1A0C174D5906B715580E7318A21B4263C1A6
{
public:
// System.Int32 UnityEngine.MeshTopology::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MeshTopology_tF37D1A0C174D5906B715580E7318A21B4263C1A6, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Rendering.MeshUpdateFlags
struct MeshUpdateFlags_t6CC8A3E19F8A286528978810AB6FFAEEB6A125B5
{
public:
// System.Int32 UnityEngine.Rendering.MeshUpdateFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MeshUpdateFlags_t6CC8A3E19F8A286528978810AB6FFAEEB6A125B5, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.MeshVertexAttributes
struct MeshVertexAttributes_t7CCF6BE6BB4E908E1ECF9F9AF76968FA38A672CE
{
public:
// System.Int32 UnityEngine.XR.MeshVertexAttributes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MeshVertexAttributes_t7CCF6BE6BB4E908E1ECF9F9AF76968FA38A672CE, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.Mesh_Extents
struct Mesh_Extents_t20EA631E658D52CEB1F7199707A4E95FD2702F94
{
public:
// UnityEngine.Vector2 TMPro.Mesh_Extents::min
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___min_0;
// UnityEngine.Vector2 TMPro.Mesh_Extents::max
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___max_1;
public:
inline static int32_t get_offset_of_min_0() { return static_cast<int32_t>(offsetof(Mesh_Extents_t20EA631E658D52CEB1F7199707A4E95FD2702F94, ___min_0)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_min_0() const { return ___min_0; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_min_0() { return &___min_0; }
inline void set_min_0(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___min_0 = value;
}
inline static int32_t get_offset_of_max_1() { return static_cast<int32_t>(offsetof(Mesh_Extents_t20EA631E658D52CEB1F7199707A4E95FD2702F94, ___max_1)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_max_1() const { return ___max_1; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_max_1() { return &___max_1; }
inline void set_max_1(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___max_1 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.MessageEnum
struct MessageEnum_t2CFD70C2D90F1CCE06755D360DC14603733DCCBC
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.MessageEnum::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MessageEnum_t2CFD70C2D90F1CCE06755D360DC14603733DCCBC, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Localization.Metadata.MetadataType
struct MetadataType_t588991910633FE91AD2A66ABA36F6B5D3059756C
{
public:
// System.Int32 UnityEngine.Localization.Metadata.MetadataType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MetadataType_t588991910633FE91AD2A66ABA36F6B5D3059756C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Reflection.MethodAttributes
struct MethodAttributes_t1978E962D7528E48D6BCFCECE50B014A91AAAB85
{
public:
// System.Int32 System.Reflection.MethodAttributes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MethodAttributes_t1978E962D7528E48D6BCFCECE50B014A91AAAB85, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Reflection.MethodImplAttributes
struct MethodImplAttributes_t01BE592D8A1DFBF4C959509F244B5B53F8235C15
{
public:
// System.Int32 System.Reflection.MethodImplAttributes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MethodImplAttributes_t01BE592D8A1DFBF4C959509F244B5B53F8235C15, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Reflection.MethodInfo
struct MethodInfo_t : public MethodBase_t
{
public:
public:
};
// UnityEngine.Localization.Tables.MissingEntryAction
struct MissingEntryAction_t8D6A116336D30D315968442ABE62F8387B7846E6
{
public:
// System.Int32 UnityEngine.Localization.Tables.MissingEntryAction::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MissingEntryAction_t8D6A116336D30D315968442ABE62F8387B7846E6, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Localization.Settings.MissingTranslationBehavior
struct MissingTranslationBehavior_t011AACFD6009AC0B883A6BB8E3297C28BA0C95F0
{
public:
// System.Int32 UnityEngine.Localization.Settings.MissingTranslationBehavior::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MissingTranslationBehavior_t011AACFD6009AC0B883A6BB8E3297C28BA0C95F0, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.MixedLightingMode
struct MixedLightingMode_tFB2A5273DD1129DA639FE8E3312D54AEB363DCA9
{
public:
// System.Int32 UnityEngine.MixedLightingMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MixedLightingMode_tFB2A5273DD1129DA639FE8E3312D54AEB363DCA9, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// Mono.MonoAssemblyName
struct MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6
{
public:
// System.IntPtr Mono.MonoAssemblyName::name
intptr_t ___name_0;
// System.IntPtr Mono.MonoAssemblyName::culture
intptr_t ___culture_1;
// System.IntPtr Mono.MonoAssemblyName::hash_value
intptr_t ___hash_value_2;
// System.IntPtr Mono.MonoAssemblyName::public_key
intptr_t ___public_key_3;
// Mono.MonoAssemblyName/<public_key_token>e__FixedBuffer Mono.MonoAssemblyName::public_key_token
U3Cpublic_key_tokenU3Ee__FixedBuffer_tB14A2D5EC9933696DC9FA36ED40856172409A82E ___public_key_token_4;
// System.UInt32 Mono.MonoAssemblyName::hash_alg
uint32_t ___hash_alg_5;
// System.UInt32 Mono.MonoAssemblyName::hash_len
uint32_t ___hash_len_6;
// System.UInt32 Mono.MonoAssemblyName::flags
uint32_t ___flags_7;
// System.UInt16 Mono.MonoAssemblyName::major
uint16_t ___major_8;
// System.UInt16 Mono.MonoAssemblyName::minor
uint16_t ___minor_9;
// System.UInt16 Mono.MonoAssemblyName::build
uint16_t ___build_10;
// System.UInt16 Mono.MonoAssemblyName::revision
uint16_t ___revision_11;
// System.UInt16 Mono.MonoAssemblyName::arch
uint16_t ___arch_12;
public:
inline static int32_t get_offset_of_name_0() { return static_cast<int32_t>(offsetof(MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6, ___name_0)); }
inline intptr_t get_name_0() const { return ___name_0; }
inline intptr_t* get_address_of_name_0() { return &___name_0; }
inline void set_name_0(intptr_t value)
{
___name_0 = value;
}
inline static int32_t get_offset_of_culture_1() { return static_cast<int32_t>(offsetof(MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6, ___culture_1)); }
inline intptr_t get_culture_1() const { return ___culture_1; }
inline intptr_t* get_address_of_culture_1() { return &___culture_1; }
inline void set_culture_1(intptr_t value)
{
___culture_1 = value;
}
inline static int32_t get_offset_of_hash_value_2() { return static_cast<int32_t>(offsetof(MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6, ___hash_value_2)); }
inline intptr_t get_hash_value_2() const { return ___hash_value_2; }
inline intptr_t* get_address_of_hash_value_2() { return &___hash_value_2; }
inline void set_hash_value_2(intptr_t value)
{
___hash_value_2 = value;
}
inline static int32_t get_offset_of_public_key_3() { return static_cast<int32_t>(offsetof(MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6, ___public_key_3)); }
inline intptr_t get_public_key_3() const { return ___public_key_3; }
inline intptr_t* get_address_of_public_key_3() { return &___public_key_3; }
inline void set_public_key_3(intptr_t value)
{
___public_key_3 = value;
}
inline static int32_t get_offset_of_public_key_token_4() { return static_cast<int32_t>(offsetof(MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6, ___public_key_token_4)); }
inline U3Cpublic_key_tokenU3Ee__FixedBuffer_tB14A2D5EC9933696DC9FA36ED40856172409A82E get_public_key_token_4() const { return ___public_key_token_4; }
inline U3Cpublic_key_tokenU3Ee__FixedBuffer_tB14A2D5EC9933696DC9FA36ED40856172409A82E * get_address_of_public_key_token_4() { return &___public_key_token_4; }
inline void set_public_key_token_4(U3Cpublic_key_tokenU3Ee__FixedBuffer_tB14A2D5EC9933696DC9FA36ED40856172409A82E value)
{
___public_key_token_4 = value;
}
inline static int32_t get_offset_of_hash_alg_5() { return static_cast<int32_t>(offsetof(MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6, ___hash_alg_5)); }
inline uint32_t get_hash_alg_5() const { return ___hash_alg_5; }
inline uint32_t* get_address_of_hash_alg_5() { return &___hash_alg_5; }
inline void set_hash_alg_5(uint32_t value)
{
___hash_alg_5 = value;
}
inline static int32_t get_offset_of_hash_len_6() { return static_cast<int32_t>(offsetof(MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6, ___hash_len_6)); }
inline uint32_t get_hash_len_6() const { return ___hash_len_6; }
inline uint32_t* get_address_of_hash_len_6() { return &___hash_len_6; }
inline void set_hash_len_6(uint32_t value)
{
___hash_len_6 = value;
}
inline static int32_t get_offset_of_flags_7() { return static_cast<int32_t>(offsetof(MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6, ___flags_7)); }
inline uint32_t get_flags_7() const { return ___flags_7; }
inline uint32_t* get_address_of_flags_7() { return &___flags_7; }
inline void set_flags_7(uint32_t value)
{
___flags_7 = value;
}
inline static int32_t get_offset_of_major_8() { return static_cast<int32_t>(offsetof(MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6, ___major_8)); }
inline uint16_t get_major_8() const { return ___major_8; }
inline uint16_t* get_address_of_major_8() { return &___major_8; }
inline void set_major_8(uint16_t value)
{
___major_8 = value;
}
inline static int32_t get_offset_of_minor_9() { return static_cast<int32_t>(offsetof(MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6, ___minor_9)); }
inline uint16_t get_minor_9() const { return ___minor_9; }
inline uint16_t* get_address_of_minor_9() { return &___minor_9; }
inline void set_minor_9(uint16_t value)
{
___minor_9 = value;
}
inline static int32_t get_offset_of_build_10() { return static_cast<int32_t>(offsetof(MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6, ___build_10)); }
inline uint16_t get_build_10() const { return ___build_10; }
inline uint16_t* get_address_of_build_10() { return &___build_10; }
inline void set_build_10(uint16_t value)
{
___build_10 = value;
}
inline static int32_t get_offset_of_revision_11() { return static_cast<int32_t>(offsetof(MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6, ___revision_11)); }
inline uint16_t get_revision_11() const { return ___revision_11; }
inline uint16_t* get_address_of_revision_11() { return &___revision_11; }
inline void set_revision_11(uint16_t value)
{
___revision_11 = value;
}
inline static int32_t get_offset_of_arch_12() { return static_cast<int32_t>(offsetof(MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6, ___arch_12)); }
inline uint16_t get_arch_12() const { return ___arch_12; }
inline uint16_t* get_address_of_arch_12() { return &___arch_12; }
inline void set_arch_12(uint16_t value)
{
___arch_12 = value;
}
};
// System.MonoAsyncCall
struct MonoAsyncCall_t4BAF695CDD88BF675F1E67C0CF12E3115D3F158E : public RuntimeObject
{
public:
// System.Object System.MonoAsyncCall::msg
RuntimeObject * ___msg_0;
// System.IntPtr System.MonoAsyncCall::cb_method
intptr_t ___cb_method_1;
// System.Object System.MonoAsyncCall::cb_target
RuntimeObject * ___cb_target_2;
// System.Object System.MonoAsyncCall::state
RuntimeObject * ___state_3;
// System.Object System.MonoAsyncCall::res
RuntimeObject * ___res_4;
// System.Object System.MonoAsyncCall::out_args
RuntimeObject * ___out_args_5;
public:
inline static int32_t get_offset_of_msg_0() { return static_cast<int32_t>(offsetof(MonoAsyncCall_t4BAF695CDD88BF675F1E67C0CF12E3115D3F158E, ___msg_0)); }
inline RuntimeObject * get_msg_0() const { return ___msg_0; }
inline RuntimeObject ** get_address_of_msg_0() { return &___msg_0; }
inline void set_msg_0(RuntimeObject * value)
{
___msg_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___msg_0), (void*)value);
}
inline static int32_t get_offset_of_cb_method_1() { return static_cast<int32_t>(offsetof(MonoAsyncCall_t4BAF695CDD88BF675F1E67C0CF12E3115D3F158E, ___cb_method_1)); }
inline intptr_t get_cb_method_1() const { return ___cb_method_1; }
inline intptr_t* get_address_of_cb_method_1() { return &___cb_method_1; }
inline void set_cb_method_1(intptr_t value)
{
___cb_method_1 = value;
}
inline static int32_t get_offset_of_cb_target_2() { return static_cast<int32_t>(offsetof(MonoAsyncCall_t4BAF695CDD88BF675F1E67C0CF12E3115D3F158E, ___cb_target_2)); }
inline RuntimeObject * get_cb_target_2() const { return ___cb_target_2; }
inline RuntimeObject ** get_address_of_cb_target_2() { return &___cb_target_2; }
inline void set_cb_target_2(RuntimeObject * value)
{
___cb_target_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___cb_target_2), (void*)value);
}
inline static int32_t get_offset_of_state_3() { return static_cast<int32_t>(offsetof(MonoAsyncCall_t4BAF695CDD88BF675F1E67C0CF12E3115D3F158E, ___state_3)); }
inline RuntimeObject * get_state_3() const { return ___state_3; }
inline RuntimeObject ** get_address_of_state_3() { return &___state_3; }
inline void set_state_3(RuntimeObject * value)
{
___state_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___state_3), (void*)value);
}
inline static int32_t get_offset_of_res_4() { return static_cast<int32_t>(offsetof(MonoAsyncCall_t4BAF695CDD88BF675F1E67C0CF12E3115D3F158E, ___res_4)); }
inline RuntimeObject * get_res_4() const { return ___res_4; }
inline RuntimeObject ** get_address_of_res_4() { return &___res_4; }
inline void set_res_4(RuntimeObject * value)
{
___res_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___res_4), (void*)value);
}
inline static int32_t get_offset_of_out_args_5() { return static_cast<int32_t>(offsetof(MonoAsyncCall_t4BAF695CDD88BF675F1E67C0CF12E3115D3F158E, ___out_args_5)); }
inline RuntimeObject * get_out_args_5() const { return ___out_args_5; }
inline RuntimeObject ** get_address_of_out_args_5() { return &___out_args_5; }
inline void set_out_args_5(RuntimeObject * value)
{
___out_args_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___out_args_5), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.MonoAsyncCall
struct MonoAsyncCall_t4BAF695CDD88BF675F1E67C0CF12E3115D3F158E_marshaled_pinvoke
{
Il2CppIUnknown* ___msg_0;
intptr_t ___cb_method_1;
Il2CppIUnknown* ___cb_target_2;
Il2CppIUnknown* ___state_3;
Il2CppIUnknown* ___res_4;
Il2CppIUnknown* ___out_args_5;
};
// Native definition for COM marshalling of System.MonoAsyncCall
struct MonoAsyncCall_t4BAF695CDD88BF675F1E67C0CF12E3115D3F158E_marshaled_com
{
Il2CppIUnknown* ___msg_0;
intptr_t ___cb_method_1;
Il2CppIUnknown* ___cb_target_2;
Il2CppIUnknown* ___state_3;
Il2CppIUnknown* ___res_4;
Il2CppIUnknown* ___out_args_5;
};
// System.IO.MonoFileType
struct MonoFileType_t8D82EB0622157BB364384F3B1A3746AA2CD0A810
{
public:
// System.Int32 System.IO.MonoFileType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MonoFileType_t8D82EB0622157BB364384F3B1A3746AA2CD0A810, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.IO.MonoIO
struct MonoIO_t0C62EC04843C9D276C9DFB8B12D9D1FD8F81B24B : public RuntimeObject
{
public:
public:
};
struct MonoIO_t0C62EC04843C9D276C9DFB8B12D9D1FD8F81B24B_StaticFields
{
public:
// System.IntPtr System.IO.MonoIO::InvalidHandle
intptr_t ___InvalidHandle_0;
// System.Boolean System.IO.MonoIO::dump_handles
bool ___dump_handles_1;
public:
inline static int32_t get_offset_of_InvalidHandle_0() { return static_cast<int32_t>(offsetof(MonoIO_t0C62EC04843C9D276C9DFB8B12D9D1FD8F81B24B_StaticFields, ___InvalidHandle_0)); }
inline intptr_t get_InvalidHandle_0() const { return ___InvalidHandle_0; }
inline intptr_t* get_address_of_InvalidHandle_0() { return &___InvalidHandle_0; }
inline void set_InvalidHandle_0(intptr_t value)
{
___InvalidHandle_0 = value;
}
inline static int32_t get_offset_of_dump_handles_1() { return static_cast<int32_t>(offsetof(MonoIO_t0C62EC04843C9D276C9DFB8B12D9D1FD8F81B24B_StaticFields, ___dump_handles_1)); }
inline bool get_dump_handles_1() const { return ___dump_handles_1; }
inline bool* get_address_of_dump_handles_1() { return &___dump_handles_1; }
inline void set_dump_handles_1(bool value)
{
___dump_handles_1 = value;
}
};
// System.IO.MonoIOError
struct MonoIOError_tE69AD4B8D16952BC0D765CB0BC7D4CB627E90CC8
{
public:
// System.Int32 System.IO.MonoIOError::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MonoIOError_tE69AD4B8D16952BC0D765CB0BC7D4CB627E90CC8, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Globalization.MonthNameStyles
struct MonthNameStyles_tF770578825A9E416BD1D6CEE2BB06A9C58EB391C
{
public:
// System.Int32 System.Globalization.MonthNameStyles::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MonthNameStyles_tF770578825A9E416BD1D6CEE2BB06A9C58EB391C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.EventSystems.MoveDirection
struct MoveDirection_t740623362F85DF2963BE20C702F7B8EF44E91645
{
public:
// System.Int32 UnityEngine.EventSystems.MoveDirection::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MoveDirection_t740623362F85DF2963BE20C702F7B8EF44E91645, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Scripting.APIUpdating.MovedFromAttribute
struct MovedFromAttribute_t7DFA9E51FA9540D9D5EB8D41E363D2BC51F43BC8 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// UnityEngine.Scripting.APIUpdating.MovedFromAttributeData UnityEngine.Scripting.APIUpdating.MovedFromAttribute::data
MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C ___data_0;
public:
inline static int32_t get_offset_of_data_0() { return static_cast<int32_t>(offsetof(MovedFromAttribute_t7DFA9E51FA9540D9D5EB8D41E363D2BC51F43BC8, ___data_0)); }
inline MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C get_data_0() const { return ___data_0; }
inline MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C * get_address_of_data_0() { return &___data_0; }
inline void set_data_0(MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C value)
{
___data_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___data_0))->___className_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___data_0))->___nameSpace_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___data_0))->___assembly_2), (void*)NULL);
#endif
}
};
// Unity.Collections.NativeArrayOptions
struct NativeArrayOptions_t181E2A9B49F6D62868DE6428E4CDF148AEF558E3
{
public:
// System.Int32 Unity.Collections.NativeArrayOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(NativeArrayOptions_t181E2A9B49F6D62868DE6428E4CDF148AEF558E3, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngineInternal.Input.NativeInputUpdateType
struct NativeInputUpdateType_t4225BE835D53F0F56168B34BEF726468058A5C94
{
public:
// System.Int32 UnityEngineInternal.Input.NativeInputUpdateType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(NativeInputUpdateType_t4225BE835D53F0F56168B34BEF726468058A5C94, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.NativeOverlapped
struct NativeOverlapped_tB6D94AD9790B308106B309C7927F913972874A3B
{
public:
// System.IntPtr System.Threading.NativeOverlapped::InternalLow
intptr_t ___InternalLow_0;
// System.IntPtr System.Threading.NativeOverlapped::InternalHigh
intptr_t ___InternalHigh_1;
// System.Int32 System.Threading.NativeOverlapped::OffsetLow
int32_t ___OffsetLow_2;
// System.Int32 System.Threading.NativeOverlapped::OffsetHigh
int32_t ___OffsetHigh_3;
// System.IntPtr System.Threading.NativeOverlapped::EventHandle
intptr_t ___EventHandle_4;
public:
inline static int32_t get_offset_of_InternalLow_0() { return static_cast<int32_t>(offsetof(NativeOverlapped_tB6D94AD9790B308106B309C7927F913972874A3B, ___InternalLow_0)); }
inline intptr_t get_InternalLow_0() const { return ___InternalLow_0; }
inline intptr_t* get_address_of_InternalLow_0() { return &___InternalLow_0; }
inline void set_InternalLow_0(intptr_t value)
{
___InternalLow_0 = value;
}
inline static int32_t get_offset_of_InternalHigh_1() { return static_cast<int32_t>(offsetof(NativeOverlapped_tB6D94AD9790B308106B309C7927F913972874A3B, ___InternalHigh_1)); }
inline intptr_t get_InternalHigh_1() const { return ___InternalHigh_1; }
inline intptr_t* get_address_of_InternalHigh_1() { return &___InternalHigh_1; }
inline void set_InternalHigh_1(intptr_t value)
{
___InternalHigh_1 = value;
}
inline static int32_t get_offset_of_OffsetLow_2() { return static_cast<int32_t>(offsetof(NativeOverlapped_tB6D94AD9790B308106B309C7927F913972874A3B, ___OffsetLow_2)); }
inline int32_t get_OffsetLow_2() const { return ___OffsetLow_2; }
inline int32_t* get_address_of_OffsetLow_2() { return &___OffsetLow_2; }
inline void set_OffsetLow_2(int32_t value)
{
___OffsetLow_2 = value;
}
inline static int32_t get_offset_of_OffsetHigh_3() { return static_cast<int32_t>(offsetof(NativeOverlapped_tB6D94AD9790B308106B309C7927F913972874A3B, ___OffsetHigh_3)); }
inline int32_t get_OffsetHigh_3() const { return ___OffsetHigh_3; }
inline int32_t* get_address_of_OffsetHigh_3() { return &___OffsetHigh_3; }
inline void set_OffsetHigh_3(int32_t value)
{
___OffsetHigh_3 = value;
}
inline static int32_t get_offset_of_EventHandle_4() { return static_cast<int32_t>(offsetof(NativeOverlapped_tB6D94AD9790B308106B309C7927F913972874A3B, ___EventHandle_4)); }
inline intptr_t get_EventHandle_4() const { return ___EventHandle_4; }
inline intptr_t* get_address_of_EventHandle_4() { return &___EventHandle_4; }
inline void set_EventHandle_4(intptr_t value)
{
___EventHandle_4 = value;
}
};
// System.Text.NormalizationCheck
struct NormalizationCheck_tE9DFCAFD6FED76B46276F7B228B3E6684EF248DA
{
public:
// System.Int32 System.Text.NormalizationCheck::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(NormalizationCheck_tE9DFCAFD6FED76B46276F7B228B3E6684EF248DA, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Text.NormalizationForm
struct NormalizationForm_tCCA9D5E33FA919BB4CA5AC071CE95B428F1BC91E
{
public:
// System.Int32 System.Text.NormalizationForm::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(NormalizationForm_tCCA9D5E33FA919BB4CA5AC071CE95B428F1BC91E, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARSubsystems.NotTrackingReason
struct NotTrackingReason_t853CA5527FA4E156B45DD1BD3E3E978C78BC49A9
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.NotTrackingReason::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(NotTrackingReason_t853CA5527FA4E156B45DD1BD3E3E978C78BC49A9, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Globalization.NumberStyles
struct NumberStyles_t379EFBF2535E1C950DEC8042704BB663BF636594
{
public:
// System.Int32 System.Globalization.NumberStyles::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(NumberStyles_t379EFBF2535E1C950DEC8042704BB663BF636594, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Object
struct Object_tF2F3778131EFF286AF62B7B013A170F95A91571A : 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_tF2F3778131EFF286AF62B7B013A170F95A91571A, ___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_tF2F3778131EFF286AF62B7B013A170F95A91571A_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_tF2F3778131EFF286AF62B7B013A170F95A91571A_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;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Object
struct Object_tF2F3778131EFF286AF62B7B013A170F95A91571A_marshaled_pinvoke
{
intptr_t ___m_CachedPtr_0;
};
// Native definition for COM marshalling of UnityEngine.Object
struct Object_tF2F3778131EFF286AF62B7B013A170F95A91571A_marshaled_com
{
intptr_t ___m_CachedPtr_0;
};
// UnityEngine.ResourceManagement.Util.ObjectInitializationData
struct ObjectInitializationData_t4552E1504B7D6894C22177D7F4CEC1B2EE8F9BB3
{
public:
// System.String UnityEngine.ResourceManagement.Util.ObjectInitializationData::m_Id
String_t* ___m_Id_0;
// UnityEngine.ResourceManagement.Util.SerializedType UnityEngine.ResourceManagement.Util.ObjectInitializationData::m_ObjectType
SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B ___m_ObjectType_1;
// System.String UnityEngine.ResourceManagement.Util.ObjectInitializationData::m_Data
String_t* ___m_Data_2;
public:
inline static int32_t get_offset_of_m_Id_0() { return static_cast<int32_t>(offsetof(ObjectInitializationData_t4552E1504B7D6894C22177D7F4CEC1B2EE8F9BB3, ___m_Id_0)); }
inline String_t* get_m_Id_0() const { return ___m_Id_0; }
inline String_t** get_address_of_m_Id_0() { return &___m_Id_0; }
inline void set_m_Id_0(String_t* value)
{
___m_Id_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Id_0), (void*)value);
}
inline static int32_t get_offset_of_m_ObjectType_1() { return static_cast<int32_t>(offsetof(ObjectInitializationData_t4552E1504B7D6894C22177D7F4CEC1B2EE8F9BB3, ___m_ObjectType_1)); }
inline SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B get_m_ObjectType_1() const { return ___m_ObjectType_1; }
inline SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B * get_address_of_m_ObjectType_1() { return &___m_ObjectType_1; }
inline void set_m_ObjectType_1(SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B value)
{
___m_ObjectType_1 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_ObjectType_1))->___m_AssemblyName_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_ObjectType_1))->___m_ClassName_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_ObjectType_1))->___m_CachedType_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_Data_2() { return static_cast<int32_t>(offsetof(ObjectInitializationData_t4552E1504B7D6894C22177D7F4CEC1B2EE8F9BB3, ___m_Data_2)); }
inline String_t* get_m_Data_2() const { return ___m_Data_2; }
inline String_t** get_address_of_m_Data_2() { return &___m_Data_2; }
inline void set_m_Data_2(String_t* value)
{
___m_Data_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Data_2), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.ResourceManagement.Util.ObjectInitializationData
struct ObjectInitializationData_t4552E1504B7D6894C22177D7F4CEC1B2EE8F9BB3_marshaled_pinvoke
{
char* ___m_Id_0;
SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B_marshaled_pinvoke ___m_ObjectType_1;
char* ___m_Data_2;
};
// Native definition for COM marshalling of UnityEngine.ResourceManagement.Util.ObjectInitializationData
struct ObjectInitializationData_t4552E1504B7D6894C22177D7F4CEC1B2EE8F9BB3_marshaled_com
{
Il2CppChar* ___m_Id_0;
SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B_marshaled_com ___m_ObjectType_1;
Il2CppChar* ___m_Data_2;
};
// UnityEngine.XR.ARSubsystems.OcclusionPreferenceMode
struct OcclusionPreferenceMode_tB85530C1AF1BD2CD83770B19A90C6D3F781EADC1
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.OcclusionPreferenceMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(OcclusionPreferenceMode_tB85530C1AF1BD2CD83770B19A90C6D3F781EADC1, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Security.Cryptography.OidGroup
struct OidGroup_tA8D8DA27353F8D70638E08569F65A34BCA3D5EB4
{
public:
// System.Int32 System.Security.Cryptography.OidGroup::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(OidGroup_tA8D8DA27353F8D70638E08569F65A34BCA3D5EB4, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.OperatingSystemFamily
struct OperatingSystemFamily_tA0F8964A9E51797792B4FCD070B5501858BEFC33
{
public:
// System.Int32 UnityEngine.OperatingSystemFamily::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(OperatingSystemFamily_tA0F8964A9E51797792B4FCD070B5501858BEFC33, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Reflection.PInfo
struct PInfo_tA2A7DDE9FEBB5094D5B84BD73638EDAFC2689635
{
public:
// System.Int32 System.Reflection.PInfo::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(PInfo_tA2A7DDE9FEBB5094D5B84BD73638EDAFC2689635, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Reflection.PInvokeAttributes
struct PInvokeAttributes_tEB10F99146CE38810C489B1CA3BF7225568EDD15
{
public:
// System.Int32 System.Reflection.PInvokeAttributes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(PInvokeAttributes_tEB10F99146CE38810C489B1CA3BF7225568EDD15, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Reflection.ParameterAttributes
struct ParameterAttributes_t79BD378DEC3F187D9773B9A4EDE573866E930218
{
public:
// System.Int32 System.Reflection.ParameterAttributes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ParameterAttributes_t79BD378DEC3F187D9773B9A4EDE573866E930218, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.ParseFailureKind
struct ParseFailureKind_t40447F7993B949EF7D44052DBD89ACDEBEE4B7C9
{
public:
// System.Int32 System.ParseFailureKind::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ParseFailureKind_t40447F7993B949EF7D44052DBD89ACDEBEE4B7C9, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.ParseFlags
struct ParseFlags_tAA2AAC09BAF2AFD8A8432E97F3F57BAF7794B011
{
public:
// System.Int32 System.ParseFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ParseFlags_tAA2AAC09BAF2AFD8A8432E97F3F57BAF7794B011, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.ParsingError
struct ParsingError_t206602C537093ABC8FD300E67B6B1A67115D24BA
{
public:
// System.Int32 System.ParsingError::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ParsingError_t206602C537093ABC8FD300E67B6B1A67115D24BA, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.ParticleSystemCurveMode
struct ParticleSystemCurveMode_t1B9D50590BC22BDD142A21664B8E2F9475409342
{
public:
// System.Int32 UnityEngine.ParticleSystemCurveMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ParticleSystemCurveMode_t1B9D50590BC22BDD142A21664B8E2F9475409342, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.ParticleSystemGradientMode
struct ParticleSystemGradientMode_tCF15644F35B8D166D1A9C073E758D24794895497
{
public:
// System.Int32 UnityEngine.ParticleSystemGradientMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ParticleSystemGradientMode_tCF15644F35B8D166D1A9C073E758D24794895497, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Events.PersistentListenerMode
struct PersistentListenerMode_t8C14676A2C0B75B241D48EDF3BEC3956E768DEED
{
public:
// System.Int32 UnityEngine.Events.PersistentListenerMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(PersistentListenerMode_t8C14676A2C0B75B241D48EDF3BEC3956E768DEED, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Plane
struct Plane_t80844BF2332EAFC1DDEDD616A950242031A115C7
{
public:
// UnityEngine.Vector3 UnityEngine.Plane::m_Normal
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___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_t80844BF2332EAFC1DDEDD616A950242031A115C7, ___m_Normal_0)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Normal_0() const { return ___m_Normal_0; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Normal_0() { return &___m_Normal_0; }
inline void set_m_Normal_0(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Normal_0 = value;
}
inline static int32_t get_offset_of_m_Distance_1() { return static_cast<int32_t>(offsetof(Plane_t80844BF2332EAFC1DDEDD616A950242031A115C7, ___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;
}
};
// UnityEngine.XR.ARSubsystems.PlaneAlignment
struct PlaneAlignment_t1BB7048E3969913434FB1B3BCBCA2E81D4E71ADA
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.PlaneAlignment::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(PlaneAlignment_t1BB7048E3969913434FB1B3BCBCA2E81D4E71ADA, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARSubsystems.PlaneClassification
struct PlaneClassification_tAC2E2E9609D4396BC311E2987CA3EFA5115EDD10
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.PlaneClassification::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(PlaneClassification_tAC2E2E9609D4396BC311E2987CA3EFA5115EDD10, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARSubsystems.PlaneDetectionMode
struct PlaneDetectionMode_t22DC72CB3F42DDC9A2472A66F8119475357B48CD
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.PlaneDetectionMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(PlaneDetectionMode_t22DC72CB3F42DDC9A2472A66F8119475357B48CD, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.PlatformHelper
struct PlatformHelper_tF07DADE72B13BC22B013B744AD253732AE626811 : public RuntimeObject
{
public:
public:
};
struct PlatformHelper_tF07DADE72B13BC22B013B744AD253732AE626811_StaticFields
{
public:
// System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.PlatformHelper::s_processorCount
int32_t ___s_processorCount_0;
// System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.PlatformHelper::s_lastProcessorCountRefreshTicks
int32_t ___s_lastProcessorCountRefreshTicks_1;
public:
inline static int32_t get_offset_of_s_processorCount_0() { return static_cast<int32_t>(offsetof(PlatformHelper_tF07DADE72B13BC22B013B744AD253732AE626811_StaticFields, ___s_processorCount_0)); }
inline int32_t get_s_processorCount_0() const { return ___s_processorCount_0; }
inline int32_t* get_address_of_s_processorCount_0() { return &___s_processorCount_0; }
inline void set_s_processorCount_0(int32_t value)
{
___s_processorCount_0 = value;
}
inline static int32_t get_offset_of_s_lastProcessorCountRefreshTicks_1() { return static_cast<int32_t>(offsetof(PlatformHelper_tF07DADE72B13BC22B013B744AD253732AE626811_StaticFields, ___s_lastProcessorCountRefreshTicks_1)); }
inline int32_t get_s_lastProcessorCountRefreshTicks_1() const { return ___s_lastProcessorCountRefreshTicks_1; }
inline int32_t* get_address_of_s_lastProcessorCountRefreshTicks_1() { return &___s_lastProcessorCountRefreshTicks_1; }
inline void set_s_lastProcessorCountRefreshTicks_1(int32_t value)
{
___s_lastProcessorCountRefreshTicks_1 = value;
}
};
// System.PlatformID
struct PlatformID_tAE7D984C08AF0DB2E5398AAE4842B704DBDDE159
{
public:
// System.Int32 System.PlatformID::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(PlatformID_tAE7D984C08AF0DB2E5398AAE4842B704DBDDE159, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Playables.PlayableGraph
struct PlayableGraph_t2D5083CFACB413FA1BB13FF054BE09A5A55A205A
{
public:
// System.IntPtr UnityEngine.Playables.PlayableGraph::m_Handle
intptr_t ___m_Handle_0;
// System.UInt32 UnityEngine.Playables.PlayableGraph::m_Version
uint32_t ___m_Version_1;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(PlayableGraph_t2D5083CFACB413FA1BB13FF054BE09A5A55A205A, ___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(PlayableGraph_t2D5083CFACB413FA1BB13FF054BE09A5A55A205A, ___m_Version_1)); }
inline uint32_t get_m_Version_1() const { return ___m_Version_1; }
inline uint32_t* get_address_of_m_Version_1() { return &___m_Version_1; }
inline void set_m_Version_1(uint32_t value)
{
___m_Version_1 = value;
}
};
// UnityEngine.Playables.PlayableHandle
struct PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A
{
public:
// System.IntPtr UnityEngine.Playables.PlayableHandle::m_Handle
intptr_t ___m_Handle_0;
// System.UInt32 UnityEngine.Playables.PlayableHandle::m_Version
uint32_t ___m_Version_1;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A, ___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_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A, ___m_Version_1)); }
inline uint32_t get_m_Version_1() const { return ___m_Version_1; }
inline uint32_t* get_address_of_m_Version_1() { return &___m_Version_1; }
inline void set_m_Version_1(uint32_t value)
{
___m_Version_1 = value;
}
};
struct PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A_StaticFields
{
public:
// UnityEngine.Playables.PlayableHandle UnityEngine.Playables.PlayableHandle::m_Null
PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A ___m_Null_2;
public:
inline static int32_t get_offset_of_m_Null_2() { return static_cast<int32_t>(offsetof(PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A_StaticFields, ___m_Null_2)); }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A get_m_Null_2() const { return ___m_Null_2; }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A * get_address_of_m_Null_2() { return &___m_Null_2; }
inline void set_m_Null_2(PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A value)
{
___m_Null_2 = value;
}
};
// UnityEngine.Playables.PlayableOutputHandle
struct PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1
{
public:
// System.IntPtr UnityEngine.Playables.PlayableOutputHandle::m_Handle
intptr_t ___m_Handle_0;
// System.UInt32 UnityEngine.Playables.PlayableOutputHandle::m_Version
uint32_t ___m_Version_1;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1, ___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(PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1, ___m_Version_1)); }
inline uint32_t get_m_Version_1() const { return ___m_Version_1; }
inline uint32_t* get_address_of_m_Version_1() { return &___m_Version_1; }
inline void set_m_Version_1(uint32_t value)
{
___m_Version_1 = value;
}
};
struct PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1_StaticFields
{
public:
// UnityEngine.Playables.PlayableOutputHandle UnityEngine.Playables.PlayableOutputHandle::m_Null
PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 ___m_Null_2;
public:
inline static int32_t get_offset_of_m_Null_2() { return static_cast<int32_t>(offsetof(PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1_StaticFields, ___m_Null_2)); }
inline PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 get_m_Null_2() const { return ___m_Null_2; }
inline PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 * get_address_of_m_Null_2() { return &___m_Null_2; }
inline void set_m_Null_2(PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 value)
{
___m_Null_2 = value;
}
};
// UnityEngine.LowLevel.PlayerLoopSystem
struct PlayerLoopSystem_t3C4FAE5D2149A8DBB8BED0C2AE9B957B7830E54C
{
public:
// System.Type UnityEngine.LowLevel.PlayerLoopSystem::type
Type_t * ___type_0;
// UnityEngine.LowLevel.PlayerLoopSystem[] UnityEngine.LowLevel.PlayerLoopSystem::subSystemList
PlayerLoopSystemU5BU5D_t3BA4C765F5D8A6C384A54624258E9A167CA8CD17* ___subSystemList_1;
// UnityEngine.LowLevel.PlayerLoopSystem/UpdateFunction UnityEngine.LowLevel.PlayerLoopSystem::updateDelegate
UpdateFunction_tEDC2A88F61F179480CAA9443E6ADDA3F126B8AEA * ___updateDelegate_2;
// System.IntPtr UnityEngine.LowLevel.PlayerLoopSystem::updateFunction
intptr_t ___updateFunction_3;
// System.IntPtr UnityEngine.LowLevel.PlayerLoopSystem::loopConditionFunction
intptr_t ___loopConditionFunction_4;
public:
inline static int32_t get_offset_of_type_0() { return static_cast<int32_t>(offsetof(PlayerLoopSystem_t3C4FAE5D2149A8DBB8BED0C2AE9B957B7830E54C, ___type_0)); }
inline Type_t * get_type_0() const { return ___type_0; }
inline Type_t ** get_address_of_type_0() { return &___type_0; }
inline void set_type_0(Type_t * value)
{
___type_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___type_0), (void*)value);
}
inline static int32_t get_offset_of_subSystemList_1() { return static_cast<int32_t>(offsetof(PlayerLoopSystem_t3C4FAE5D2149A8DBB8BED0C2AE9B957B7830E54C, ___subSystemList_1)); }
inline PlayerLoopSystemU5BU5D_t3BA4C765F5D8A6C384A54624258E9A167CA8CD17* get_subSystemList_1() const { return ___subSystemList_1; }
inline PlayerLoopSystemU5BU5D_t3BA4C765F5D8A6C384A54624258E9A167CA8CD17** get_address_of_subSystemList_1() { return &___subSystemList_1; }
inline void set_subSystemList_1(PlayerLoopSystemU5BU5D_t3BA4C765F5D8A6C384A54624258E9A167CA8CD17* value)
{
___subSystemList_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___subSystemList_1), (void*)value);
}
inline static int32_t get_offset_of_updateDelegate_2() { return static_cast<int32_t>(offsetof(PlayerLoopSystem_t3C4FAE5D2149A8DBB8BED0C2AE9B957B7830E54C, ___updateDelegate_2)); }
inline UpdateFunction_tEDC2A88F61F179480CAA9443E6ADDA3F126B8AEA * get_updateDelegate_2() const { return ___updateDelegate_2; }
inline UpdateFunction_tEDC2A88F61F179480CAA9443E6ADDA3F126B8AEA ** get_address_of_updateDelegate_2() { return &___updateDelegate_2; }
inline void set_updateDelegate_2(UpdateFunction_tEDC2A88F61F179480CAA9443E6ADDA3F126B8AEA * value)
{
___updateDelegate_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___updateDelegate_2), (void*)value);
}
inline static int32_t get_offset_of_updateFunction_3() { return static_cast<int32_t>(offsetof(PlayerLoopSystem_t3C4FAE5D2149A8DBB8BED0C2AE9B957B7830E54C, ___updateFunction_3)); }
inline intptr_t get_updateFunction_3() const { return ___updateFunction_3; }
inline intptr_t* get_address_of_updateFunction_3() { return &___updateFunction_3; }
inline void set_updateFunction_3(intptr_t value)
{
___updateFunction_3 = value;
}
inline static int32_t get_offset_of_loopConditionFunction_4() { return static_cast<int32_t>(offsetof(PlayerLoopSystem_t3C4FAE5D2149A8DBB8BED0C2AE9B957B7830E54C, ___loopConditionFunction_4)); }
inline intptr_t get_loopConditionFunction_4() const { return ___loopConditionFunction_4; }
inline intptr_t* get_address_of_loopConditionFunction_4() { return &___loopConditionFunction_4; }
inline void set_loopConditionFunction_4(intptr_t value)
{
___loopConditionFunction_4 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.LowLevel.PlayerLoopSystem
struct PlayerLoopSystem_t3C4FAE5D2149A8DBB8BED0C2AE9B957B7830E54C_marshaled_pinvoke
{
Type_t * ___type_0;
PlayerLoopSystem_t3C4FAE5D2149A8DBB8BED0C2AE9B957B7830E54C_marshaled_pinvoke* ___subSystemList_1;
Il2CppMethodPointer ___updateDelegate_2;
intptr_t ___updateFunction_3;
intptr_t ___loopConditionFunction_4;
};
// Native definition for COM marshalling of UnityEngine.LowLevel.PlayerLoopSystem
struct PlayerLoopSystem_t3C4FAE5D2149A8DBB8BED0C2AE9B957B7830E54C_marshaled_com
{
Type_t * ___type_0;
PlayerLoopSystem_t3C4FAE5D2149A8DBB8BED0C2AE9B957B7830E54C_marshaled_com* ___subSystemList_1;
Il2CppMethodPointer ___updateDelegate_2;
intptr_t ___updateFunction_3;
intptr_t ___loopConditionFunction_4;
};
// UnityEngine.LowLevel.PlayerLoopSystemInternal
struct PlayerLoopSystemInternal_t47326D2B668596299A94B36D0A20A874FBED781B
{
public:
// System.Type UnityEngine.LowLevel.PlayerLoopSystemInternal::type
Type_t * ___type_0;
// UnityEngine.LowLevel.PlayerLoopSystem/UpdateFunction UnityEngine.LowLevel.PlayerLoopSystemInternal::updateDelegate
UpdateFunction_tEDC2A88F61F179480CAA9443E6ADDA3F126B8AEA * ___updateDelegate_1;
// System.IntPtr UnityEngine.LowLevel.PlayerLoopSystemInternal::updateFunction
intptr_t ___updateFunction_2;
// System.IntPtr UnityEngine.LowLevel.PlayerLoopSystemInternal::loopConditionFunction
intptr_t ___loopConditionFunction_3;
// System.Int32 UnityEngine.LowLevel.PlayerLoopSystemInternal::numSubSystems
int32_t ___numSubSystems_4;
public:
inline static int32_t get_offset_of_type_0() { return static_cast<int32_t>(offsetof(PlayerLoopSystemInternal_t47326D2B668596299A94B36D0A20A874FBED781B, ___type_0)); }
inline Type_t * get_type_0() const { return ___type_0; }
inline Type_t ** get_address_of_type_0() { return &___type_0; }
inline void set_type_0(Type_t * value)
{
___type_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___type_0), (void*)value);
}
inline static int32_t get_offset_of_updateDelegate_1() { return static_cast<int32_t>(offsetof(PlayerLoopSystemInternal_t47326D2B668596299A94B36D0A20A874FBED781B, ___updateDelegate_1)); }
inline UpdateFunction_tEDC2A88F61F179480CAA9443E6ADDA3F126B8AEA * get_updateDelegate_1() const { return ___updateDelegate_1; }
inline UpdateFunction_tEDC2A88F61F179480CAA9443E6ADDA3F126B8AEA ** get_address_of_updateDelegate_1() { return &___updateDelegate_1; }
inline void set_updateDelegate_1(UpdateFunction_tEDC2A88F61F179480CAA9443E6ADDA3F126B8AEA * value)
{
___updateDelegate_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___updateDelegate_1), (void*)value);
}
inline static int32_t get_offset_of_updateFunction_2() { return static_cast<int32_t>(offsetof(PlayerLoopSystemInternal_t47326D2B668596299A94B36D0A20A874FBED781B, ___updateFunction_2)); }
inline intptr_t get_updateFunction_2() const { return ___updateFunction_2; }
inline intptr_t* get_address_of_updateFunction_2() { return &___updateFunction_2; }
inline void set_updateFunction_2(intptr_t value)
{
___updateFunction_2 = value;
}
inline static int32_t get_offset_of_loopConditionFunction_3() { return static_cast<int32_t>(offsetof(PlayerLoopSystemInternal_t47326D2B668596299A94B36D0A20A874FBED781B, ___loopConditionFunction_3)); }
inline intptr_t get_loopConditionFunction_3() const { return ___loopConditionFunction_3; }
inline intptr_t* get_address_of_loopConditionFunction_3() { return &___loopConditionFunction_3; }
inline void set_loopConditionFunction_3(intptr_t value)
{
___loopConditionFunction_3 = value;
}
inline static int32_t get_offset_of_numSubSystems_4() { return static_cast<int32_t>(offsetof(PlayerLoopSystemInternal_t47326D2B668596299A94B36D0A20A874FBED781B, ___numSubSystems_4)); }
inline int32_t get_numSubSystems_4() const { return ___numSubSystems_4; }
inline int32_t* get_address_of_numSubSystems_4() { return &___numSubSystems_4; }
inline void set_numSubSystems_4(int32_t value)
{
___numSubSystems_4 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.LowLevel.PlayerLoopSystemInternal
struct PlayerLoopSystemInternal_t47326D2B668596299A94B36D0A20A874FBED781B_marshaled_pinvoke
{
Type_t * ___type_0;
Il2CppMethodPointer ___updateDelegate_1;
intptr_t ___updateFunction_2;
intptr_t ___loopConditionFunction_3;
int32_t ___numSubSystems_4;
};
// Native definition for COM marshalling of UnityEngine.LowLevel.PlayerLoopSystemInternal
struct PlayerLoopSystemInternal_t47326D2B668596299A94B36D0A20A874FBED781B_marshaled_com
{
Type_t * ___type_0;
Il2CppMethodPointer ___updateDelegate_1;
intptr_t ___updateFunction_2;
intptr_t ___loopConditionFunction_3;
int32_t ___numSubSystems_4;
};
// UnityEngine.Pose
struct Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A
{
public:
// UnityEngine.Vector3 UnityEngine.Pose::position
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_0;
// UnityEngine.Quaternion UnityEngine.Pose::rotation
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___rotation_1;
public:
inline static int32_t get_offset_of_position_0() { return static_cast<int32_t>(offsetof(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A, ___position_0)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_position_0() const { return ___position_0; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_position_0() { return &___position_0; }
inline void set_position_0(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___position_0 = value;
}
inline static int32_t get_offset_of_rotation_1() { return static_cast<int32_t>(offsetof(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A, ___rotation_1)); }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 get_rotation_1() const { return ___rotation_1; }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 * get_address_of_rotation_1() { return &___rotation_1; }
inline void set_rotation_1(Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 value)
{
___rotation_1 = value;
}
};
struct Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A_StaticFields
{
public:
// UnityEngine.Pose UnityEngine.Pose::k_Identity
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A ___k_Identity_2;
public:
inline static int32_t get_offset_of_k_Identity_2() { return static_cast<int32_t>(offsetof(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A_StaticFields, ___k_Identity_2)); }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A get_k_Identity_2() const { return ___k_Identity_2; }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A * get_address_of_k_Identity_2() { return &___k_Identity_2; }
inline void set_k_Identity_2(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A value)
{
___k_Identity_2 = value;
}
};
// UnityEngine.SpatialTracking.PoseDataFlags
struct PoseDataFlags_tB6A466AA30BE06A3F9ABA4C63BC7E4912FB8C6D7
{
public:
// System.Int32 UnityEngine.SpatialTracking.PoseDataFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(PoseDataFlags_tB6A466AA30BE06A3F9ABA4C63BC7E4912FB8C6D7, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.Tango.PoseStatus
struct PoseStatus_tE2709BBA5C636A8485BD0FB152CD936CACA9336C
{
public:
// System.Int32 UnityEngine.XR.Tango.PoseStatus::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(PoseStatus_tE2709BBA5C636A8485BD0FB152CD936CACA9336C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// Unity.IO.LowLevel.Unsafe.Priority
struct Priority_t3664CAF65DE8CBFC2BB453BB20D0489E2126E0A2
{
public:
// System.Int32 Unity.IO.LowLevel.Unsafe.Priority::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Priority_t3664CAF65DE8CBFC2BB453BB20D0489E2126E0A2, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// Unity.IO.LowLevel.Unsafe.ProcessingState
struct ProcessingState_t6D0622359E4EDB21B0EFA52E2493FD51137CBD50
{
public:
// System.Int32 Unity.IO.LowLevel.Unsafe.ProcessingState::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ProcessingState_t6D0622359E4EDB21B0EFA52E2493FD51137CBD50, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Reflection.ProcessorArchitecture
struct ProcessorArchitecture_t80DDC787E34DBB9769E1CA90689FDB0131D60AAB
{
public:
// System.Int32 System.Reflection.ProcessorArchitecture::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ProcessorArchitecture_t80DDC787E34DBB9769E1CA90689FDB0131D60AAB, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// Unity.Profiling.ProfilerMarker
struct ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1
{
public:
// System.IntPtr Unity.Profiling.ProfilerMarker::m_Ptr
intptr_t ___m_Ptr_0;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1, ___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;
}
};
// System.Reflection.PropertyAttributes
struct PropertyAttributes_tD4697434E7DA092DDE18E7D5863B2BC2EA5CD3C1
{
public:
// System.Int32 System.Reflection.PropertyAttributes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(PropertyAttributes_tD4697434E7DA092DDE18E7D5863B2BC2EA5CD3C1, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Reflection.Emit.PropertyBuilder
struct PropertyBuilder_tC6C9AA166B85748AE7E01EED48443244EB95CC7F : public PropertyInfo_t
{
public:
public:
};
// System.Linq.Expressions.PropertyExpression
struct PropertyExpression_t5E160F0B0537135FFDD6B63177957423E4A158A2 : public MemberExpression_t9F4B2A7A517DFE6F72C956A3ED868D8C043C6622
{
public:
// System.Reflection.PropertyInfo System.Linq.Expressions.PropertyExpression::_property
PropertyInfo_t * ____property_4;
public:
inline static int32_t get_offset_of__property_4() { return static_cast<int32_t>(offsetof(PropertyExpression_t5E160F0B0537135FFDD6B63177957423E4A158A2, ____property_4)); }
inline PropertyInfo_t * get__property_4() const { return ____property_4; }
inline PropertyInfo_t ** get_address_of__property_4() { return &____property_4; }
inline void set__property_4(PropertyInfo_t * value)
{
____property_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____property_4), (void*)value);
}
};
// UnityEngine.ResourceManagement.ResourceProviders.ProviderBehaviourFlags
struct ProviderBehaviourFlags_t8A63C552F616ED8CC3784D6E7A3EC720479E0FB6
{
public:
// System.Int32 UnityEngine.ResourceManagement.ResourceProviders.ProviderBehaviourFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ProviderBehaviourFlags_t8A63C552F616ED8CC3784D6E7A3EC720479E0FB6, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.QueryTriggerInteraction
struct QueryTriggerInteraction_t9B82FB8CCAF559F47B6B8C0ECE197515ABFA96B0
{
public:
// System.Int32 UnityEngine.QueryTriggerInteraction::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(QueryTriggerInteraction_t9B82FB8CCAF559F47B6B8C0ECE197515ABFA96B0, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Security.Cryptography.RNGCryptoServiceProvider
struct RNGCryptoServiceProvider_t696D1B0DFED446BE4718F7E18ABFFBB6E5A8A5A1 : public RandomNumberGenerator_t2CB5440F189986116A2FA9F907AE52644047AC50
{
public:
// System.IntPtr System.Security.Cryptography.RNGCryptoServiceProvider::_handle
intptr_t ____handle_1;
public:
inline static int32_t get_offset_of__handle_1() { return static_cast<int32_t>(offsetof(RNGCryptoServiceProvider_t696D1B0DFED446BE4718F7E18ABFFBB6E5A8A5A1, ____handle_1)); }
inline intptr_t get__handle_1() const { return ____handle_1; }
inline intptr_t* get_address_of__handle_1() { return &____handle_1; }
inline void set__handle_1(intptr_t value)
{
____handle_1 = value;
}
};
struct RNGCryptoServiceProvider_t696D1B0DFED446BE4718F7E18ABFFBB6E5A8A5A1_StaticFields
{
public:
// System.Object System.Security.Cryptography.RNGCryptoServiceProvider::_lock
RuntimeObject * ____lock_0;
public:
inline static int32_t get_offset_of__lock_0() { return static_cast<int32_t>(offsetof(RNGCryptoServiceProvider_t696D1B0DFED446BE4718F7E18ABFFBB6E5A8A5A1_StaticFields, ____lock_0)); }
inline RuntimeObject * get__lock_0() const { return ____lock_0; }
inline RuntimeObject ** get_address_of__lock_0() { return &____lock_0; }
inline void set__lock_0(RuntimeObject * value)
{
____lock_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____lock_0), (void*)value);
}
};
// UnityEngine.RangeAttribute
struct RangeAttribute_t14A6532D68168764C15E7CF1FDABCD99CB32D0C5 : public PropertyAttribute_t4A352471DF625C56C811E27AC86B7E1CE6444052
{
public:
// System.Single UnityEngine.RangeAttribute::min
float ___min_0;
// System.Single UnityEngine.RangeAttribute::max
float ___max_1;
public:
inline static int32_t get_offset_of_min_0() { return static_cast<int32_t>(offsetof(RangeAttribute_t14A6532D68168764C15E7CF1FDABCD99CB32D0C5, ___min_0)); }
inline float get_min_0() const { return ___min_0; }
inline float* get_address_of_min_0() { return &___min_0; }
inline void set_min_0(float value)
{
___min_0 = value;
}
inline static int32_t get_offset_of_max_1() { return static_cast<int32_t>(offsetof(RangeAttribute_t14A6532D68168764C15E7CF1FDABCD99CB32D0C5, ___max_1)); }
inline float get_max_1() const { return ___max_1; }
inline float* get_address_of_max_1() { return &___max_1; }
inline void set_max_1(float value)
{
___max_1 = value;
}
};
// UnityEngine.Ray
struct Ray_t2E9E67CC8B03EE6ED2BBF3D2C9C96DDF70E1D5E6
{
public:
// UnityEngine.Vector3 UnityEngine.Ray::m_Origin
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Origin_0;
// UnityEngine.Vector3 UnityEngine.Ray::m_Direction
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Direction_1;
public:
inline static int32_t get_offset_of_m_Origin_0() { return static_cast<int32_t>(offsetof(Ray_t2E9E67CC8B03EE6ED2BBF3D2C9C96DDF70E1D5E6, ___m_Origin_0)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Origin_0() const { return ___m_Origin_0; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Origin_0() { return &___m_Origin_0; }
inline void set_m_Origin_0(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Origin_0 = value;
}
inline static int32_t get_offset_of_m_Direction_1() { return static_cast<int32_t>(offsetof(Ray_t2E9E67CC8B03EE6ED2BBF3D2C9C96DDF70E1D5E6, ___m_Direction_1)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Direction_1() const { return ___m_Direction_1; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Direction_1() { return &___m_Direction_1; }
inline void set_m_Direction_1(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Direction_1 = value;
}
};
// UnityEngine.RaycastHit
struct RaycastHit_t59E5AEC8FE13BFA2ACBB6FFBDB7585FFB7288F89
{
public:
// UnityEngine.Vector3 UnityEngine.RaycastHit::m_Point
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Point_0;
// UnityEngine.Vector3 UnityEngine.RaycastHit::m_Normal
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Normal_1;
// System.UInt32 UnityEngine.RaycastHit::m_FaceID
uint32_t ___m_FaceID_2;
// System.Single UnityEngine.RaycastHit::m_Distance
float ___m_Distance_3;
// UnityEngine.Vector2 UnityEngine.RaycastHit::m_UV
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_UV_4;
// System.Int32 UnityEngine.RaycastHit::m_Collider
int32_t ___m_Collider_5;
public:
inline static int32_t get_offset_of_m_Point_0() { return static_cast<int32_t>(offsetof(RaycastHit_t59E5AEC8FE13BFA2ACBB6FFBDB7585FFB7288F89, ___m_Point_0)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Point_0() const { return ___m_Point_0; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Point_0() { return &___m_Point_0; }
inline void set_m_Point_0(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Point_0 = value;
}
inline static int32_t get_offset_of_m_Normal_1() { return static_cast<int32_t>(offsetof(RaycastHit_t59E5AEC8FE13BFA2ACBB6FFBDB7585FFB7288F89, ___m_Normal_1)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Normal_1() const { return ___m_Normal_1; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Normal_1() { return &___m_Normal_1; }
inline void set_m_Normal_1(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Normal_1 = value;
}
inline static int32_t get_offset_of_m_FaceID_2() { return static_cast<int32_t>(offsetof(RaycastHit_t59E5AEC8FE13BFA2ACBB6FFBDB7585FFB7288F89, ___m_FaceID_2)); }
inline uint32_t get_m_FaceID_2() const { return ___m_FaceID_2; }
inline uint32_t* get_address_of_m_FaceID_2() { return &___m_FaceID_2; }
inline void set_m_FaceID_2(uint32_t value)
{
___m_FaceID_2 = value;
}
inline static int32_t get_offset_of_m_Distance_3() { return static_cast<int32_t>(offsetof(RaycastHit_t59E5AEC8FE13BFA2ACBB6FFBDB7585FFB7288F89, ___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_UV_4() { return static_cast<int32_t>(offsetof(RaycastHit_t59E5AEC8FE13BFA2ACBB6FFBDB7585FFB7288F89, ___m_UV_4)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_UV_4() const { return ___m_UV_4; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_UV_4() { return &___m_UV_4; }
inline void set_m_UV_4(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_UV_4 = value;
}
inline static int32_t get_offset_of_m_Collider_5() { return static_cast<int32_t>(offsetof(RaycastHit_t59E5AEC8FE13BFA2ACBB6FFBDB7585FFB7288F89, ___m_Collider_5)); }
inline int32_t get_m_Collider_5() const { return ___m_Collider_5; }
inline int32_t* get_address_of_m_Collider_5() { return &___m_Collider_5; }
inline void set_m_Collider_5(int32_t value)
{
___m_Collider_5 = value;
}
};
// UnityEngine.RaycastHit2D
struct RaycastHit2D_t210878DAEBC96C1F69DF9883C454758724A106A4
{
public:
// UnityEngine.Vector2 UnityEngine.RaycastHit2D::m_Centroid
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_Centroid_0;
// UnityEngine.Vector2 UnityEngine.RaycastHit2D::m_Point
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_Point_1;
// UnityEngine.Vector2 UnityEngine.RaycastHit2D::m_Normal
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_Normal_2;
// System.Single UnityEngine.RaycastHit2D::m_Distance
float ___m_Distance_3;
// System.Single UnityEngine.RaycastHit2D::m_Fraction
float ___m_Fraction_4;
// System.Int32 UnityEngine.RaycastHit2D::m_Collider
int32_t ___m_Collider_5;
public:
inline static int32_t get_offset_of_m_Centroid_0() { return static_cast<int32_t>(offsetof(RaycastHit2D_t210878DAEBC96C1F69DF9883C454758724A106A4, ___m_Centroid_0)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_Centroid_0() const { return ___m_Centroid_0; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_Centroid_0() { return &___m_Centroid_0; }
inline void set_m_Centroid_0(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_Centroid_0 = value;
}
inline static int32_t get_offset_of_m_Point_1() { return static_cast<int32_t>(offsetof(RaycastHit2D_t210878DAEBC96C1F69DF9883C454758724A106A4, ___m_Point_1)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_Point_1() const { return ___m_Point_1; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_Point_1() { return &___m_Point_1; }
inline void set_m_Point_1(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_Point_1 = value;
}
inline static int32_t get_offset_of_m_Normal_2() { return static_cast<int32_t>(offsetof(RaycastHit2D_t210878DAEBC96C1F69DF9883C454758724A106A4, ___m_Normal_2)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_Normal_2() const { return ___m_Normal_2; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_Normal_2() { return &___m_Normal_2; }
inline void set_m_Normal_2(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_Normal_2 = value;
}
inline static int32_t get_offset_of_m_Distance_3() { return static_cast<int32_t>(offsetof(RaycastHit2D_t210878DAEBC96C1F69DF9883C454758724A106A4, ___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_t210878DAEBC96C1F69DF9883C454758724A106A4, ___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_t210878DAEBC96C1F69DF9883C454758724A106A4, ___m_Collider_5)); }
inline int32_t get_m_Collider_5() const { return ___m_Collider_5; }
inline int32_t* get_address_of_m_Collider_5() { return &___m_Collider_5; }
inline void set_m_Collider_5(int32_t value)
{
___m_Collider_5 = value;
}
};
// UnityEngine.EventSystems.RaycastResult
struct RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE
{
public:
// UnityEngine.GameObject UnityEngine.EventSystems.RaycastResult::m_GameObject
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_GameObject_0;
// UnityEngine.EventSystems.BaseRaycaster UnityEngine.EventSystems.RaycastResult::module
BaseRaycaster_tBC0FB2CBE6D3D40991EC20F689C43F76AD82A876 * ___module_1;
// System.Single UnityEngine.EventSystems.RaycastResult::distance
float ___distance_2;
// System.Single UnityEngine.EventSystems.RaycastResult::index
float ___index_3;
// System.Int32 UnityEngine.EventSystems.RaycastResult::depth
int32_t ___depth_4;
// System.Int32 UnityEngine.EventSystems.RaycastResult::sortingLayer
int32_t ___sortingLayer_5;
// System.Int32 UnityEngine.EventSystems.RaycastResult::sortingOrder
int32_t ___sortingOrder_6;
// UnityEngine.Vector3 UnityEngine.EventSystems.RaycastResult::worldPosition
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___worldPosition_7;
// UnityEngine.Vector3 UnityEngine.EventSystems.RaycastResult::worldNormal
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___worldNormal_8;
// UnityEngine.Vector2 UnityEngine.EventSystems.RaycastResult::screenPosition
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___screenPosition_9;
// System.Int32 UnityEngine.EventSystems.RaycastResult::displayIndex
int32_t ___displayIndex_10;
public:
inline static int32_t get_offset_of_m_GameObject_0() { return static_cast<int32_t>(offsetof(RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE, ___m_GameObject_0)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_m_GameObject_0() const { return ___m_GameObject_0; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_m_GameObject_0() { return &___m_GameObject_0; }
inline void set_m_GameObject_0(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___m_GameObject_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GameObject_0), (void*)value);
}
inline static int32_t get_offset_of_module_1() { return static_cast<int32_t>(offsetof(RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE, ___module_1)); }
inline BaseRaycaster_tBC0FB2CBE6D3D40991EC20F689C43F76AD82A876 * get_module_1() const { return ___module_1; }
inline BaseRaycaster_tBC0FB2CBE6D3D40991EC20F689C43F76AD82A876 ** get_address_of_module_1() { return &___module_1; }
inline void set_module_1(BaseRaycaster_tBC0FB2CBE6D3D40991EC20F689C43F76AD82A876 * value)
{
___module_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___module_1), (void*)value);
}
inline static int32_t get_offset_of_distance_2() { return static_cast<int32_t>(offsetof(RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE, ___distance_2)); }
inline float get_distance_2() const { return ___distance_2; }
inline float* get_address_of_distance_2() { return &___distance_2; }
inline void set_distance_2(float value)
{
___distance_2 = value;
}
inline static int32_t get_offset_of_index_3() { return static_cast<int32_t>(offsetof(RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE, ___index_3)); }
inline float get_index_3() const { return ___index_3; }
inline float* get_address_of_index_3() { return &___index_3; }
inline void set_index_3(float value)
{
___index_3 = value;
}
inline static int32_t get_offset_of_depth_4() { return static_cast<int32_t>(offsetof(RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE, ___depth_4)); }
inline int32_t get_depth_4() const { return ___depth_4; }
inline int32_t* get_address_of_depth_4() { return &___depth_4; }
inline void set_depth_4(int32_t value)
{
___depth_4 = value;
}
inline static int32_t get_offset_of_sortingLayer_5() { return static_cast<int32_t>(offsetof(RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE, ___sortingLayer_5)); }
inline int32_t get_sortingLayer_5() const { return ___sortingLayer_5; }
inline int32_t* get_address_of_sortingLayer_5() { return &___sortingLayer_5; }
inline void set_sortingLayer_5(int32_t value)
{
___sortingLayer_5 = value;
}
inline static int32_t get_offset_of_sortingOrder_6() { return static_cast<int32_t>(offsetof(RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE, ___sortingOrder_6)); }
inline int32_t get_sortingOrder_6() const { return ___sortingOrder_6; }
inline int32_t* get_address_of_sortingOrder_6() { return &___sortingOrder_6; }
inline void set_sortingOrder_6(int32_t value)
{
___sortingOrder_6 = value;
}
inline static int32_t get_offset_of_worldPosition_7() { return static_cast<int32_t>(offsetof(RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE, ___worldPosition_7)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_worldPosition_7() const { return ___worldPosition_7; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_worldPosition_7() { return &___worldPosition_7; }
inline void set_worldPosition_7(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___worldPosition_7 = value;
}
inline static int32_t get_offset_of_worldNormal_8() { return static_cast<int32_t>(offsetof(RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE, ___worldNormal_8)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_worldNormal_8() const { return ___worldNormal_8; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_worldNormal_8() { return &___worldNormal_8; }
inline void set_worldNormal_8(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___worldNormal_8 = value;
}
inline static int32_t get_offset_of_screenPosition_9() { return static_cast<int32_t>(offsetof(RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE, ___screenPosition_9)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_screenPosition_9() const { return ___screenPosition_9; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_screenPosition_9() { return &___screenPosition_9; }
inline void set_screenPosition_9(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___screenPosition_9 = value;
}
inline static int32_t get_offset_of_displayIndex_10() { return static_cast<int32_t>(offsetof(RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE, ___displayIndex_10)); }
inline int32_t get_displayIndex_10() const { return ___displayIndex_10; }
inline int32_t* get_address_of_displayIndex_10() { return &___displayIndex_10; }
inline void set_displayIndex_10(int32_t value)
{
___displayIndex_10 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.EventSystems.RaycastResult
struct RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE_marshaled_pinvoke
{
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_GameObject_0;
BaseRaycaster_tBC0FB2CBE6D3D40991EC20F689C43F76AD82A876 * ___module_1;
float ___distance_2;
float ___index_3;
int32_t ___depth_4;
int32_t ___sortingLayer_5;
int32_t ___sortingOrder_6;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___worldPosition_7;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___worldNormal_8;
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___screenPosition_9;
int32_t ___displayIndex_10;
};
// Native definition for COM marshalling of UnityEngine.EventSystems.RaycastResult
struct RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE_marshaled_com
{
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_GameObject_0;
BaseRaycaster_tBC0FB2CBE6D3D40991EC20F689C43F76AD82A876 * ___module_1;
float ___distance_2;
float ___index_3;
int32_t ___depth_4;
int32_t ___sortingLayer_5;
int32_t ___sortingOrder_6;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___worldPosition_7;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___worldNormal_8;
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___screenPosition_9;
int32_t ___displayIndex_10;
};
// UnityEngine.RectOffset
struct RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 : 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_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70, ___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_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70, ___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((void**)(&___m_SourceStyle_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.RectOffset
struct RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70_marshaled_pinvoke
{
intptr_t ___m_Ptr_0;
Il2CppIUnknown* ___m_SourceStyle_1;
};
// Native definition for COM marshalling of UnityEngine.RectOffset
struct RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70_marshaled_com
{
intptr_t ___m_Ptr_0;
Il2CppIUnknown* ___m_SourceStyle_1;
};
// UnityEngine.Rendering.ReflectionProbeMode
struct ReflectionProbeMode_t0D281CDE68B54177FC1D6710372AC97613796FC7
{
public:
// System.Int32 UnityEngine.Rendering.ReflectionProbeMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ReflectionProbeMode_t0D281CDE68B54177FC1D6710372AC97613796FC7, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Text.RegularExpressions.RegexOptions
struct RegexOptions_t8F8CD5BC6C55FC2B657722FD09ABDFDF5BA6F6A4
{
public:
// System.Int32 System.Text.RegularExpressions.RegexOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RegexOptions_t8F8CD5BC6C55FC2B657722FD09ABDFDF5BA6F6A4, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// Microsoft.Win32.RegistryHive
struct RegistryHive_t2461D8203373439CACCA8D08A989BA8EC1675709
{
public:
// System.Int32 Microsoft.Win32.RegistryHive::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RegistryHive_t2461D8203373439CACCA8D08A989BA8EC1675709, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// Microsoft.Win32.RegistryValueKind
struct RegistryValueKind_t94542CBA8F614FB3998DA5975ACBA30B36FA1FF9
{
public:
// System.Int32 Microsoft.Win32.RegistryValueKind::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RegistryValueKind_t94542CBA8F614FB3998DA5975ACBA30B36FA1FF9, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// Microsoft.Win32.RegistryValueOptions
struct RegistryValueOptions_t0A732A887823EDB29FA7A9D644C00B483210C4EA
{
public:
// System.Int32 Microsoft.Win32.RegistryValueOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RegistryValueOptions_t0A732A887823EDB29FA7A9D644C00B483210C4EA, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.iOS.RemoteNotification
struct RemoteNotification_t7904FBF1FA0EDBB5A149DBD1A0D4462873E70616 : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.iOS.RemoteNotification::m_Ptr
intptr_t ___m_Ptr_0;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(RemoteNotification_t7904FBF1FA0EDBB5A149DBD1A0D4462873E70616, ___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;
}
};
// System.Runtime.Remoting.Proxies.RemotingProxy
struct RemotingProxy_t98432727E564B2B45BB25C0AAE02F29ABDE70F63 : public RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744
{
public:
// System.Runtime.Remoting.Messaging.IMessageSink System.Runtime.Remoting.Proxies.RemotingProxy::_sink
RuntimeObject* ____sink_10;
// System.Boolean System.Runtime.Remoting.Proxies.RemotingProxy::_hasEnvoySink
bool ____hasEnvoySink_11;
// System.Runtime.Remoting.Messaging.ConstructionCall System.Runtime.Remoting.Proxies.RemotingProxy::_ctorCall
ConstructionCall_tFB3D22905098A82A4E9D61E6E555818CB2E1104C * ____ctorCall_12;
public:
inline static int32_t get_offset_of__sink_10() { return static_cast<int32_t>(offsetof(RemotingProxy_t98432727E564B2B45BB25C0AAE02F29ABDE70F63, ____sink_10)); }
inline RuntimeObject* get__sink_10() const { return ____sink_10; }
inline RuntimeObject** get_address_of__sink_10() { return &____sink_10; }
inline void set__sink_10(RuntimeObject* value)
{
____sink_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&____sink_10), (void*)value);
}
inline static int32_t get_offset_of__hasEnvoySink_11() { return static_cast<int32_t>(offsetof(RemotingProxy_t98432727E564B2B45BB25C0AAE02F29ABDE70F63, ____hasEnvoySink_11)); }
inline bool get__hasEnvoySink_11() const { return ____hasEnvoySink_11; }
inline bool* get_address_of__hasEnvoySink_11() { return &____hasEnvoySink_11; }
inline void set__hasEnvoySink_11(bool value)
{
____hasEnvoySink_11 = value;
}
inline static int32_t get_offset_of__ctorCall_12() { return static_cast<int32_t>(offsetof(RemotingProxy_t98432727E564B2B45BB25C0AAE02F29ABDE70F63, ____ctorCall_12)); }
inline ConstructionCall_tFB3D22905098A82A4E9D61E6E555818CB2E1104C * get__ctorCall_12() const { return ____ctorCall_12; }
inline ConstructionCall_tFB3D22905098A82A4E9D61E6E555818CB2E1104C ** get_address_of__ctorCall_12() { return &____ctorCall_12; }
inline void set__ctorCall_12(ConstructionCall_tFB3D22905098A82A4E9D61E6E555818CB2E1104C * value)
{
____ctorCall_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&____ctorCall_12), (void*)value);
}
};
struct RemotingProxy_t98432727E564B2B45BB25C0AAE02F29ABDE70F63_StaticFields
{
public:
// System.Reflection.MethodInfo System.Runtime.Remoting.Proxies.RemotingProxy::_cache_GetTypeMethod
MethodInfo_t * ____cache_GetTypeMethod_8;
// System.Reflection.MethodInfo System.Runtime.Remoting.Proxies.RemotingProxy::_cache_GetHashCodeMethod
MethodInfo_t * ____cache_GetHashCodeMethod_9;
public:
inline static int32_t get_offset_of__cache_GetTypeMethod_8() { return static_cast<int32_t>(offsetof(RemotingProxy_t98432727E564B2B45BB25C0AAE02F29ABDE70F63_StaticFields, ____cache_GetTypeMethod_8)); }
inline MethodInfo_t * get__cache_GetTypeMethod_8() const { return ____cache_GetTypeMethod_8; }
inline MethodInfo_t ** get_address_of__cache_GetTypeMethod_8() { return &____cache_GetTypeMethod_8; }
inline void set__cache_GetTypeMethod_8(MethodInfo_t * value)
{
____cache_GetTypeMethod_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&____cache_GetTypeMethod_8), (void*)value);
}
inline static int32_t get_offset_of__cache_GetHashCodeMethod_9() { return static_cast<int32_t>(offsetof(RemotingProxy_t98432727E564B2B45BB25C0AAE02F29ABDE70F63_StaticFields, ____cache_GetHashCodeMethod_9)); }
inline MethodInfo_t * get__cache_GetHashCodeMethod_9() const { return ____cache_GetHashCodeMethod_9; }
inline MethodInfo_t ** get_address_of__cache_GetHashCodeMethod_9() { return &____cache_GetHashCodeMethod_9; }
inline void set__cache_GetHashCodeMethod_9(MethodInfo_t * value)
{
____cache_GetHashCodeMethod_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&____cache_GetHashCodeMethod_9), (void*)value);
}
};
// UnityEngine.RenderMode
struct RenderMode_tFF8E9ABC771ACEBD5ACC2D9DFB02264E0EA6CDBF
{
public:
// System.Int32 UnityEngine.RenderMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RenderMode_tFF8E9ABC771ACEBD5ACC2D9DFB02264E0EA6CDBF, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.RenderTextureCreationFlags
struct RenderTextureCreationFlags_t24A9C99A84202C1F13828D9F5693BE46CFBD61F3
{
public:
// System.Int32 UnityEngine.RenderTextureCreationFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RenderTextureCreationFlags_t24A9C99A84202C1F13828D9F5693BE46CFBD61F3, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.RenderTextureFormat
struct RenderTextureFormat_t8371287102ED67772EF78229CF4AB9D38C2CD626
{
public:
// System.Int32 UnityEngine.RenderTextureFormat::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RenderTextureFormat_t8371287102ED67772EF78229CF4AB9D38C2CD626, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.RenderTextureMemoryless
struct RenderTextureMemoryless_t37547D68C2186D2650440F719302CDA4A3BB7F67
{
public:
// System.Int32 UnityEngine.RenderTextureMemoryless::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RenderTextureMemoryless_t37547D68C2186D2650440F719302CDA4A3BB7F67, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.RenderTextureReadWrite
struct RenderTextureReadWrite_t4F64C0CC7097707282602ADD52760C1A86552580
{
public:
// System.Int32 UnityEngine.RenderTextureReadWrite::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RenderTextureReadWrite_t4F64C0CC7097707282602ADD52760C1A86552580, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.AddressableAssets.ResourceLocators.ResourceLocationData
struct ResourceLocationData_tDE44E4FB8CCDB61F532FCA1140616ED8D31A2FE4 : public RuntimeObject
{
public:
// System.String[] UnityEngine.AddressableAssets.ResourceLocators.ResourceLocationData::m_Keys
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___m_Keys_0;
// System.String UnityEngine.AddressableAssets.ResourceLocators.ResourceLocationData::m_InternalId
String_t* ___m_InternalId_1;
// System.String UnityEngine.AddressableAssets.ResourceLocators.ResourceLocationData::m_Provider
String_t* ___m_Provider_2;
// System.String[] UnityEngine.AddressableAssets.ResourceLocators.ResourceLocationData::m_Dependencies
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___m_Dependencies_3;
// UnityEngine.ResourceManagement.Util.SerializedType UnityEngine.AddressableAssets.ResourceLocators.ResourceLocationData::m_ResourceType
SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B ___m_ResourceType_4;
// System.Byte[] UnityEngine.AddressableAssets.ResourceLocators.ResourceLocationData::SerializedData
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___SerializedData_5;
// System.Object UnityEngine.AddressableAssets.ResourceLocators.ResourceLocationData::_Data
RuntimeObject * ____Data_6;
public:
inline static int32_t get_offset_of_m_Keys_0() { return static_cast<int32_t>(offsetof(ResourceLocationData_tDE44E4FB8CCDB61F532FCA1140616ED8D31A2FE4, ___m_Keys_0)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_m_Keys_0() const { return ___m_Keys_0; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_m_Keys_0() { return &___m_Keys_0; }
inline void set_m_Keys_0(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___m_Keys_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Keys_0), (void*)value);
}
inline static int32_t get_offset_of_m_InternalId_1() { return static_cast<int32_t>(offsetof(ResourceLocationData_tDE44E4FB8CCDB61F532FCA1140616ED8D31A2FE4, ___m_InternalId_1)); }
inline String_t* get_m_InternalId_1() const { return ___m_InternalId_1; }
inline String_t** get_address_of_m_InternalId_1() { return &___m_InternalId_1; }
inline void set_m_InternalId_1(String_t* value)
{
___m_InternalId_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalId_1), (void*)value);
}
inline static int32_t get_offset_of_m_Provider_2() { return static_cast<int32_t>(offsetof(ResourceLocationData_tDE44E4FB8CCDB61F532FCA1140616ED8D31A2FE4, ___m_Provider_2)); }
inline String_t* get_m_Provider_2() const { return ___m_Provider_2; }
inline String_t** get_address_of_m_Provider_2() { return &___m_Provider_2; }
inline void set_m_Provider_2(String_t* value)
{
___m_Provider_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Provider_2), (void*)value);
}
inline static int32_t get_offset_of_m_Dependencies_3() { return static_cast<int32_t>(offsetof(ResourceLocationData_tDE44E4FB8CCDB61F532FCA1140616ED8D31A2FE4, ___m_Dependencies_3)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_m_Dependencies_3() const { return ___m_Dependencies_3; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_m_Dependencies_3() { return &___m_Dependencies_3; }
inline void set_m_Dependencies_3(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___m_Dependencies_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Dependencies_3), (void*)value);
}
inline static int32_t get_offset_of_m_ResourceType_4() { return static_cast<int32_t>(offsetof(ResourceLocationData_tDE44E4FB8CCDB61F532FCA1140616ED8D31A2FE4, ___m_ResourceType_4)); }
inline SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B get_m_ResourceType_4() const { return ___m_ResourceType_4; }
inline SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B * get_address_of_m_ResourceType_4() { return &___m_ResourceType_4; }
inline void set_m_ResourceType_4(SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B value)
{
___m_ResourceType_4 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_ResourceType_4))->___m_AssemblyName_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_ResourceType_4))->___m_ClassName_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_ResourceType_4))->___m_CachedType_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_SerializedData_5() { return static_cast<int32_t>(offsetof(ResourceLocationData_tDE44E4FB8CCDB61F532FCA1140616ED8D31A2FE4, ___SerializedData_5)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_SerializedData_5() const { return ___SerializedData_5; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_SerializedData_5() { return &___SerializedData_5; }
inline void set_SerializedData_5(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___SerializedData_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___SerializedData_5), (void*)value);
}
inline static int32_t get_offset_of__Data_6() { return static_cast<int32_t>(offsetof(ResourceLocationData_tDE44E4FB8CCDB61F532FCA1140616ED8D31A2FE4, ____Data_6)); }
inline RuntimeObject * get__Data_6() const { return ____Data_6; }
inline RuntimeObject ** get_address_of__Data_6() { return &____Data_6; }
inline void set__Data_6(RuntimeObject * value)
{
____Data_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____Data_6), (void*)value);
}
};
// UnityEngine.AddressableAssets.Initialization.ResourceManagerRuntimeData
struct ResourceManagerRuntimeData_t6233F52CDD54494E807FBA048385B560546E1F01 : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<UnityEngine.AddressableAssets.ResourceLocators.ResourceLocationData> UnityEngine.AddressableAssets.Initialization.ResourceManagerRuntimeData::m_CatalogLocations
List_1_tBDF311CB6BA8AF1C9046A9DAC3502AC9DF88EF55 * ___m_CatalogLocations_0;
// System.Boolean UnityEngine.AddressableAssets.Initialization.ResourceManagerRuntimeData::m_ProfileEvents
bool ___m_ProfileEvents_1;
// System.Boolean UnityEngine.AddressableAssets.Initialization.ResourceManagerRuntimeData::m_LogResourceManagerExceptions
bool ___m_LogResourceManagerExceptions_2;
// System.Collections.Generic.List`1<UnityEngine.ResourceManagement.Util.ObjectInitializationData> UnityEngine.AddressableAssets.Initialization.ResourceManagerRuntimeData::m_ExtraInitializationData
List_1_t0DF9D498983B77B207A7E6FC612A1E79C607F026 * ___m_ExtraInitializationData_3;
// System.Boolean UnityEngine.AddressableAssets.Initialization.ResourceManagerRuntimeData::m_DisableCatalogUpdateOnStart
bool ___m_DisableCatalogUpdateOnStart_4;
// System.Boolean UnityEngine.AddressableAssets.Initialization.ResourceManagerRuntimeData::m_IsLocalCatalogInBundle
bool ___m_IsLocalCatalogInBundle_5;
// UnityEngine.ResourceManagement.Util.SerializedType UnityEngine.AddressableAssets.Initialization.ResourceManagerRuntimeData::m_CertificateHandlerType
SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B ___m_CertificateHandlerType_6;
// System.Int32 UnityEngine.AddressableAssets.Initialization.ResourceManagerRuntimeData::m_maxConcurrentWebRequests
int32_t ___m_maxConcurrentWebRequests_7;
// System.Int32 UnityEngine.AddressableAssets.Initialization.ResourceManagerRuntimeData::m_CatalogRequestsTimeout
int32_t ___m_CatalogRequestsTimeout_8;
public:
inline static int32_t get_offset_of_m_CatalogLocations_0() { return static_cast<int32_t>(offsetof(ResourceManagerRuntimeData_t6233F52CDD54494E807FBA048385B560546E1F01, ___m_CatalogLocations_0)); }
inline List_1_tBDF311CB6BA8AF1C9046A9DAC3502AC9DF88EF55 * get_m_CatalogLocations_0() const { return ___m_CatalogLocations_0; }
inline List_1_tBDF311CB6BA8AF1C9046A9DAC3502AC9DF88EF55 ** get_address_of_m_CatalogLocations_0() { return &___m_CatalogLocations_0; }
inline void set_m_CatalogLocations_0(List_1_tBDF311CB6BA8AF1C9046A9DAC3502AC9DF88EF55 * value)
{
___m_CatalogLocations_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CatalogLocations_0), (void*)value);
}
inline static int32_t get_offset_of_m_ProfileEvents_1() { return static_cast<int32_t>(offsetof(ResourceManagerRuntimeData_t6233F52CDD54494E807FBA048385B560546E1F01, ___m_ProfileEvents_1)); }
inline bool get_m_ProfileEvents_1() const { return ___m_ProfileEvents_1; }
inline bool* get_address_of_m_ProfileEvents_1() { return &___m_ProfileEvents_1; }
inline void set_m_ProfileEvents_1(bool value)
{
___m_ProfileEvents_1 = value;
}
inline static int32_t get_offset_of_m_LogResourceManagerExceptions_2() { return static_cast<int32_t>(offsetof(ResourceManagerRuntimeData_t6233F52CDD54494E807FBA048385B560546E1F01, ___m_LogResourceManagerExceptions_2)); }
inline bool get_m_LogResourceManagerExceptions_2() const { return ___m_LogResourceManagerExceptions_2; }
inline bool* get_address_of_m_LogResourceManagerExceptions_2() { return &___m_LogResourceManagerExceptions_2; }
inline void set_m_LogResourceManagerExceptions_2(bool value)
{
___m_LogResourceManagerExceptions_2 = value;
}
inline static int32_t get_offset_of_m_ExtraInitializationData_3() { return static_cast<int32_t>(offsetof(ResourceManagerRuntimeData_t6233F52CDD54494E807FBA048385B560546E1F01, ___m_ExtraInitializationData_3)); }
inline List_1_t0DF9D498983B77B207A7E6FC612A1E79C607F026 * get_m_ExtraInitializationData_3() const { return ___m_ExtraInitializationData_3; }
inline List_1_t0DF9D498983B77B207A7E6FC612A1E79C607F026 ** get_address_of_m_ExtraInitializationData_3() { return &___m_ExtraInitializationData_3; }
inline void set_m_ExtraInitializationData_3(List_1_t0DF9D498983B77B207A7E6FC612A1E79C607F026 * value)
{
___m_ExtraInitializationData_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ExtraInitializationData_3), (void*)value);
}
inline static int32_t get_offset_of_m_DisableCatalogUpdateOnStart_4() { return static_cast<int32_t>(offsetof(ResourceManagerRuntimeData_t6233F52CDD54494E807FBA048385B560546E1F01, ___m_DisableCatalogUpdateOnStart_4)); }
inline bool get_m_DisableCatalogUpdateOnStart_4() const { return ___m_DisableCatalogUpdateOnStart_4; }
inline bool* get_address_of_m_DisableCatalogUpdateOnStart_4() { return &___m_DisableCatalogUpdateOnStart_4; }
inline void set_m_DisableCatalogUpdateOnStart_4(bool value)
{
___m_DisableCatalogUpdateOnStart_4 = value;
}
inline static int32_t get_offset_of_m_IsLocalCatalogInBundle_5() { return static_cast<int32_t>(offsetof(ResourceManagerRuntimeData_t6233F52CDD54494E807FBA048385B560546E1F01, ___m_IsLocalCatalogInBundle_5)); }
inline bool get_m_IsLocalCatalogInBundle_5() const { return ___m_IsLocalCatalogInBundle_5; }
inline bool* get_address_of_m_IsLocalCatalogInBundle_5() { return &___m_IsLocalCatalogInBundle_5; }
inline void set_m_IsLocalCatalogInBundle_5(bool value)
{
___m_IsLocalCatalogInBundle_5 = value;
}
inline static int32_t get_offset_of_m_CertificateHandlerType_6() { return static_cast<int32_t>(offsetof(ResourceManagerRuntimeData_t6233F52CDD54494E807FBA048385B560546E1F01, ___m_CertificateHandlerType_6)); }
inline SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B get_m_CertificateHandlerType_6() const { return ___m_CertificateHandlerType_6; }
inline SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B * get_address_of_m_CertificateHandlerType_6() { return &___m_CertificateHandlerType_6; }
inline void set_m_CertificateHandlerType_6(SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B value)
{
___m_CertificateHandlerType_6 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_CertificateHandlerType_6))->___m_AssemblyName_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_CertificateHandlerType_6))->___m_ClassName_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_CertificateHandlerType_6))->___m_CachedType_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_maxConcurrentWebRequests_7() { return static_cast<int32_t>(offsetof(ResourceManagerRuntimeData_t6233F52CDD54494E807FBA048385B560546E1F01, ___m_maxConcurrentWebRequests_7)); }
inline int32_t get_m_maxConcurrentWebRequests_7() const { return ___m_maxConcurrentWebRequests_7; }
inline int32_t* get_address_of_m_maxConcurrentWebRequests_7() { return &___m_maxConcurrentWebRequests_7; }
inline void set_m_maxConcurrentWebRequests_7(int32_t value)
{
___m_maxConcurrentWebRequests_7 = value;
}
inline static int32_t get_offset_of_m_CatalogRequestsTimeout_8() { return static_cast<int32_t>(offsetof(ResourceManagerRuntimeData_t6233F52CDD54494E807FBA048385B560546E1F01, ___m_CatalogRequestsTimeout_8)); }
inline int32_t get_m_CatalogRequestsTimeout_8() const { return ___m_CatalogRequestsTimeout_8; }
inline int32_t* get_address_of_m_CatalogRequestsTimeout_8() { return &___m_CatalogRequestsTimeout_8; }
inline void set_m_CatalogRequestsTimeout_8(int32_t value)
{
___m_CatalogRequestsTimeout_8 = value;
}
};
// System.Resources.ResourceTypeCode
struct ResourceTypeCode_t4AE457F699E48FF36523029D776124B4264B570C
{
public:
// System.Int32 System.Resources.ResourceTypeCode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ResourceTypeCode_t4AE457F699E48FF36523029D776124B4264B570C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.RuntimeArgumentHandle
struct RuntimeArgumentHandle_t190D798B5562AF53212D00C61A4519F705CBC27A
{
public:
// System.IntPtr System.RuntimeArgumentHandle::args
intptr_t ___args_0;
public:
inline static int32_t get_offset_of_args_0() { return static_cast<int32_t>(offsetof(RuntimeArgumentHandle_t190D798B5562AF53212D00C61A4519F705CBC27A, ___args_0)); }
inline intptr_t get_args_0() const { return ___args_0; }
inline intptr_t* get_address_of_args_0() { return &___args_0; }
inline void set_args_0(intptr_t value)
{
___args_0 = value;
}
};
// Mono.RuntimeEventHandle
struct RuntimeEventHandle_t5F61E20F5B0D4FE658026FF0A8870F4E05DEFE32
{
public:
// System.IntPtr Mono.RuntimeEventHandle::value
intptr_t ___value_0;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(RuntimeEventHandle_t5F61E20F5B0D4FE658026FF0A8870F4E05DEFE32, ___value_0)); }
inline intptr_t get_value_0() const { return ___value_0; }
inline intptr_t* get_address_of_value_0() { return &___value_0; }
inline void set_value_0(intptr_t value)
{
___value_0 = value;
}
};
// System.Reflection.RuntimeEventInfo
struct RuntimeEventInfo_t5499701A1A4665B11FD7C9962211469A7E349B1C : public EventInfo_t
{
public:
public:
};
// System.RuntimeFieldHandle
struct RuntimeFieldHandle_t7BE65FC857501059EBAC9772C93B02CD413D9C96
{
public:
// System.IntPtr System.RuntimeFieldHandle::value
intptr_t ___value_0;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(RuntimeFieldHandle_t7BE65FC857501059EBAC9772C93B02CD413D9C96, ___value_0)); }
inline intptr_t get_value_0() const { return ___value_0; }
inline intptr_t* get_address_of_value_0() { return &___value_0; }
inline void set_value_0(intptr_t value)
{
___value_0 = value;
}
};
// System.Reflection.RuntimeFieldInfo
struct RuntimeFieldInfo_t9A67C36552ACE9F3BFC87DB94709424B2E8AB70C : public FieldInfo_t
{
public:
public:
};
// UnityEngine.RuntimeInitializeLoadType
struct RuntimeInitializeLoadType_t78BE0E3079AE8955C97DF6A9814A6E6BFA146EA5
{
public:
// System.Int32 UnityEngine.RuntimeInitializeLoadType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RuntimeInitializeLoadType_t78BE0E3079AE8955C97DF6A9814A6E6BFA146EA5, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.RuntimeMethodHandle
struct RuntimeMethodHandle_t8974037C4FE5F6C3AE7D3731057CDB2891A21C9A
{
public:
// System.IntPtr System.RuntimeMethodHandle::value
intptr_t ___value_0;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(RuntimeMethodHandle_t8974037C4FE5F6C3AE7D3731057CDB2891A21C9A, ___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;
}
};
// UnityEngine.RuntimePlatform
struct RuntimePlatform_tB8798C800FD9810C0FE2B7D2F2A0A3979D239065
{
public:
// System.Int32 UnityEngine.RuntimePlatform::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RuntimePlatform_tB8798C800FD9810C0FE2B7D2F2A0A3979D239065, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// Mono.RuntimePropertyHandle
struct RuntimePropertyHandle_t843D2A2D5C9669456565E0F68CD088C7503CDAF0
{
public:
// System.IntPtr Mono.RuntimePropertyHandle::value
intptr_t ___value_0;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(RuntimePropertyHandle_t843D2A2D5C9669456565E0F68CD088C7503CDAF0, ___value_0)); }
inline intptr_t get_value_0() const { return ___value_0; }
inline intptr_t* get_address_of_value_0() { return &___value_0; }
inline void set_value_0(intptr_t value)
{
___value_0 = value;
}
};
// System.Reflection.RuntimePropertyInfo
struct RuntimePropertyInfo_tBFADAB74EBBB380C7FF1B5004FDD5A39447574B5 : public PropertyInfo_t
{
public:
public:
};
// System.RuntimeTypeHandle
struct RuntimeTypeHandle_tC33965ADA3E041E0C94AF05E5CB527B56482CEF9
{
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_tC33965ADA3E041E0C94AF05E5CB527B56482CEF9, ___value_0)); }
inline intptr_t get_value_0() const { return ___value_0; }
inline intptr_t* get_address_of_value_0() { return &___value_0; }
inline void set_value_0(intptr_t value)
{
___value_0 = value;
}
};
// System.SByteEnum
struct SByteEnum_t763C8BF0B780CA53AF0D3AB19F359D3C825972F5
{
public:
// System.SByte System.SByteEnum::value__
int8_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(SByteEnum_t763C8BF0B780CA53AF0D3AB19F359D3C825972F5, ___value___2)); }
inline int8_t get_value___2() const { return ___value___2; }
inline int8_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int8_t value)
{
___value___2 = value;
}
};
// System.Security.Cryptography.SHA1CryptoServiceProvider
struct SHA1CryptoServiceProvider_tFCC9EF75A0DCF3E1A50E64B525EA9599E5927EF7 : public SHA1_t15B592B9935E19EC3FD5679B969239AC572E2C0E
{
public:
// System.Security.Cryptography.SHA1Internal System.Security.Cryptography.SHA1CryptoServiceProvider::sha
SHA1Internal_t5D0A95A55E32BCC8976D5B91649E6C13C8334CD6 * ___sha_4;
public:
inline static int32_t get_offset_of_sha_4() { return static_cast<int32_t>(offsetof(SHA1CryptoServiceProvider_tFCC9EF75A0DCF3E1A50E64B525EA9599E5927EF7, ___sha_4)); }
inline SHA1Internal_t5D0A95A55E32BCC8976D5B91649E6C13C8334CD6 * get_sha_4() const { return ___sha_4; }
inline SHA1Internal_t5D0A95A55E32BCC8976D5B91649E6C13C8334CD6 ** get_address_of_sha_4() { return &___sha_4; }
inline void set_sha_4(SHA1Internal_t5D0A95A55E32BCC8976D5B91649E6C13C8334CD6 * value)
{
___sha_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sha_4), (void*)value);
}
};
// Mono.SafeGPtrArrayHandle
struct SafeGPtrArrayHandle_tAEC97FDEAA1FFF2E1C1475EECB98B945EF86141A
{
public:
// Mono.RuntimeGPtrArrayHandle Mono.SafeGPtrArrayHandle::handle
RuntimeGPtrArrayHandle_tFFF90E5789EADA37BC5B24EE93680549771445B7 ___handle_0;
public:
inline static int32_t get_offset_of_handle_0() { return static_cast<int32_t>(offsetof(SafeGPtrArrayHandle_tAEC97FDEAA1FFF2E1C1475EECB98B945EF86141A, ___handle_0)); }
inline RuntimeGPtrArrayHandle_tFFF90E5789EADA37BC5B24EE93680549771445B7 get_handle_0() const { return ___handle_0; }
inline RuntimeGPtrArrayHandle_tFFF90E5789EADA37BC5B24EE93680549771445B7 * get_address_of_handle_0() { return &___handle_0; }
inline void set_handle_0(RuntimeGPtrArrayHandle_tFFF90E5789EADA37BC5B24EE93680549771445B7 value)
{
___handle_0 = value;
}
};
// System.Runtime.InteropServices.SafeHandle
struct SafeHandle_tC07DCA2CABF6988953342757EFB1547363E5A36B : public CriticalFinalizerObject_tA3367C832FFE7434EB3C15C7136AF25524150997
{
public:
// System.IntPtr System.Runtime.InteropServices.SafeHandle::handle
intptr_t ___handle_0;
// System.Int32 System.Runtime.InteropServices.SafeHandle::_state
int32_t ____state_1;
// System.Boolean System.Runtime.InteropServices.SafeHandle::_ownsHandle
bool ____ownsHandle_2;
// System.Boolean System.Runtime.InteropServices.SafeHandle::_fullyInitialized
bool ____fullyInitialized_3;
public:
inline static int32_t get_offset_of_handle_0() { return static_cast<int32_t>(offsetof(SafeHandle_tC07DCA2CABF6988953342757EFB1547363E5A36B, ___handle_0)); }
inline intptr_t get_handle_0() const { return ___handle_0; }
inline intptr_t* get_address_of_handle_0() { return &___handle_0; }
inline void set_handle_0(intptr_t value)
{
___handle_0 = value;
}
inline static int32_t get_offset_of__state_1() { return static_cast<int32_t>(offsetof(SafeHandle_tC07DCA2CABF6988953342757EFB1547363E5A36B, ____state_1)); }
inline int32_t get__state_1() const { return ____state_1; }
inline int32_t* get_address_of__state_1() { return &____state_1; }
inline void set__state_1(int32_t value)
{
____state_1 = value;
}
inline static int32_t get_offset_of__ownsHandle_2() { return static_cast<int32_t>(offsetof(SafeHandle_tC07DCA2CABF6988953342757EFB1547363E5A36B, ____ownsHandle_2)); }
inline bool get__ownsHandle_2() const { return ____ownsHandle_2; }
inline bool* get_address_of__ownsHandle_2() { return &____ownsHandle_2; }
inline void set__ownsHandle_2(bool value)
{
____ownsHandle_2 = value;
}
inline static int32_t get_offset_of__fullyInitialized_3() { return static_cast<int32_t>(offsetof(SafeHandle_tC07DCA2CABF6988953342757EFB1547363E5A36B, ____fullyInitialized_3)); }
inline bool get__fullyInitialized_3() const { return ____fullyInitialized_3; }
inline bool* get_address_of__fullyInitialized_3() { return &____fullyInitialized_3; }
inline void set__fullyInitialized_3(bool value)
{
____fullyInitialized_3 = value;
}
};
// Mono.SafeStringMarshal
struct SafeStringMarshal_t3F5BD5E96CFBAF124814DED946144CF39A82F11E
{
public:
// System.String Mono.SafeStringMarshal::str
String_t* ___str_0;
// System.IntPtr Mono.SafeStringMarshal::marshaled_string
intptr_t ___marshaled_string_1;
public:
inline static int32_t get_offset_of_str_0() { return static_cast<int32_t>(offsetof(SafeStringMarshal_t3F5BD5E96CFBAF124814DED946144CF39A82F11E, ___str_0)); }
inline String_t* get_str_0() const { return ___str_0; }
inline String_t** get_address_of_str_0() { return &___str_0; }
inline void set_str_0(String_t* value)
{
___str_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___str_0), (void*)value);
}
inline static int32_t get_offset_of_marshaled_string_1() { return static_cast<int32_t>(offsetof(SafeStringMarshal_t3F5BD5E96CFBAF124814DED946144CF39A82F11E, ___marshaled_string_1)); }
inline intptr_t get_marshaled_string_1() const { return ___marshaled_string_1; }
inline intptr_t* get_address_of_marshaled_string_1() { return &___marshaled_string_1; }
inline void set_marshaled_string_1(intptr_t value)
{
___marshaled_string_1 = value;
}
};
// Native definition for P/Invoke marshalling of Mono.SafeStringMarshal
struct SafeStringMarshal_t3F5BD5E96CFBAF124814DED946144CF39A82F11E_marshaled_pinvoke
{
char* ___str_0;
intptr_t ___marshaled_string_1;
};
// Native definition for COM marshalling of Mono.SafeStringMarshal
struct SafeStringMarshal_t3F5BD5E96CFBAF124814DED946144CF39A82F11E_marshaled_com
{
Il2CppChar* ___str_0;
intptr_t ___marshaled_string_1;
};
// Unity.Jobs.LowLevel.Unsafe.ScheduleMode
struct ScheduleMode_t25A6FBD7FAB995823340CBF0FDA24A3EB7D51B42
{
public:
// System.Int32 Unity.Jobs.LowLevel.Unsafe.ScheduleMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ScheduleMode_t25A6FBD7FAB995823340CBF0FDA24A3EB7D51B42, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Linq.Expressions.ScopeExpression
struct ScopeExpression_tDE0A022479B618F70B02FDFE5F88D5D02E90FB9D : public BlockExpression_t429D310E740322594C18397DEAE7E17DCFE0E0BB
{
public:
// System.Collections.Generic.IReadOnlyList`1<System.Linq.Expressions.ParameterExpression> System.Linq.Expressions.ScopeExpression::_variables
RuntimeObject* ____variables_3;
public:
inline static int32_t get_offset_of__variables_3() { return static_cast<int32_t>(offsetof(ScopeExpression_tDE0A022479B618F70B02FDFE5F88D5D02E90FB9D, ____variables_3)); }
inline RuntimeObject* get__variables_3() const { return ____variables_3; }
inline RuntimeObject** get_address_of__variables_3() { return &____variables_3; }
inline void set__variables_3(RuntimeObject* value)
{
____variables_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____variables_3), (void*)value);
}
};
// UnityEngine.SocialPlatforms.Impl.Score
struct Score_tD70993CC66CCC9CDE0DAB2917533D8094F1E4119 : public RuntimeObject
{
public:
// System.DateTime UnityEngine.SocialPlatforms.Impl.Score::m_Date
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 ___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_tD70993CC66CCC9CDE0DAB2917533D8094F1E4119, ___m_Date_0)); }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 get_m_Date_0() const { return ___m_Date_0; }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 * get_address_of_m_Date_0() { return &___m_Date_0; }
inline void set_m_Date_0(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 value)
{
___m_Date_0 = value;
}
inline static int32_t get_offset_of_m_FormattedValue_1() { return static_cast<int32_t>(offsetof(Score_tD70993CC66CCC9CDE0DAB2917533D8094F1E4119, ___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((void**)(&___m_FormattedValue_1), (void*)value);
}
inline static int32_t get_offset_of_m_UserID_2() { return static_cast<int32_t>(offsetof(Score_tD70993CC66CCC9CDE0DAB2917533D8094F1E4119, ___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((void**)(&___m_UserID_2), (void*)value);
}
inline static int32_t get_offset_of_m_Rank_3() { return static_cast<int32_t>(offsetof(Score_tD70993CC66CCC9CDE0DAB2917533D8094F1E4119, ___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_tD70993CC66CCC9CDE0DAB2917533D8094F1E4119, ___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((void**)(&___U3CleaderboardIDU3Ek__BackingField_4), (void*)value);
}
inline static int32_t get_offset_of_U3CvalueU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(Score_tD70993CC66CCC9CDE0DAB2917533D8094F1E4119, ___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;
}
};
// UnityEngine.ScreenOrientation
struct ScreenOrientation_tDD9EF2729A0D580721770597532935B0A7ADE020
{
public:
// System.Int32 UnityEngine.ScreenOrientation::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ScreenOrientation_tDD9EF2729A0D580721770597532935B0A7ADE020, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Rendering.ScriptableRenderContext
struct ScriptableRenderContext_tEDDDFFA7401E6860E1D82DFD779B7A101939F52D
{
public:
// System.IntPtr UnityEngine.Rendering.ScriptableRenderContext::m_Ptr
intptr_t ___m_Ptr_1;
public:
inline static int32_t get_offset_of_m_Ptr_1() { return static_cast<int32_t>(offsetof(ScriptableRenderContext_tEDDDFFA7401E6860E1D82DFD779B7A101939F52D, ___m_Ptr_1)); }
inline intptr_t get_m_Ptr_1() const { return ___m_Ptr_1; }
inline intptr_t* get_address_of_m_Ptr_1() { return &___m_Ptr_1; }
inline void set_m_Ptr_1(intptr_t value)
{
___m_Ptr_1 = value;
}
};
struct ScriptableRenderContext_tEDDDFFA7401E6860E1D82DFD779B7A101939F52D_StaticFields
{
public:
// UnityEngine.Rendering.ShaderTagId UnityEngine.Rendering.ScriptableRenderContext::kRenderTypeTag
ShaderTagId_t51914C89B8119195DACD234D1A624AAB7A07F795 ___kRenderTypeTag_0;
public:
inline static int32_t get_offset_of_kRenderTypeTag_0() { return static_cast<int32_t>(offsetof(ScriptableRenderContext_tEDDDFFA7401E6860E1D82DFD779B7A101939F52D_StaticFields, ___kRenderTypeTag_0)); }
inline ShaderTagId_t51914C89B8119195DACD234D1A624AAB7A07F795 get_kRenderTypeTag_0() const { return ___kRenderTypeTag_0; }
inline ShaderTagId_t51914C89B8119195DACD234D1A624AAB7A07F795 * get_address_of_kRenderTypeTag_0() { return &___kRenderTypeTag_0; }
inline void set_kRenderTypeTag_0(ShaderTagId_t51914C89B8119195DACD234D1A624AAB7A07F795 value)
{
___kRenderTypeTag_0 = value;
}
};
// System.IO.SearchOption
struct SearchOption_tD088231E1E225D39BB408AEF566091138555C261
{
public:
// System.Int32 System.IO.SearchOption::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(SearchOption_tD088231E1E225D39BB408AEF566091138555C261, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Security.Permissions.SecurityPermissionFlag
struct SecurityPermissionFlag_t71422F8124CB8E8CCDB0559BC3A517794D712C19
{
public:
// System.Int32 System.Security.Permissions.SecurityPermissionFlag::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(SecurityPermissionFlag_t71422F8124CB8E8CCDB0559BC3A517794D712C19, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.IO.SeekOrigin
struct SeekOrigin_t4A91B37D046CD7A6578066059AE9F6269A888D4F
{
public:
// System.Int32 System.IO.SeekOrigin::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(SeekOrigin_t4A91B37D046CD7A6578066059AE9F6269A888D4F, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.SemaphoreSlim
struct SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385 : public RuntimeObject
{
public:
// System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.SemaphoreSlim::m_currentCount
int32_t ___m_currentCount_0;
// System.Int32 System.Threading.SemaphoreSlim::m_maxCount
int32_t ___m_maxCount_1;
// System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.SemaphoreSlim::m_waitCount
int32_t ___m_waitCount_2;
// System.Object System.Threading.SemaphoreSlim::m_lockObj
RuntimeObject * ___m_lockObj_3;
// System.Threading.ManualResetEvent modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.SemaphoreSlim::m_waitHandle
ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * ___m_waitHandle_4;
// System.Threading.SemaphoreSlim/TaskNode System.Threading.SemaphoreSlim::m_asyncHead
TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E * ___m_asyncHead_5;
// System.Threading.SemaphoreSlim/TaskNode System.Threading.SemaphoreSlim::m_asyncTail
TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E * ___m_asyncTail_6;
public:
inline static int32_t get_offset_of_m_currentCount_0() { return static_cast<int32_t>(offsetof(SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385, ___m_currentCount_0)); }
inline int32_t get_m_currentCount_0() const { return ___m_currentCount_0; }
inline int32_t* get_address_of_m_currentCount_0() { return &___m_currentCount_0; }
inline void set_m_currentCount_0(int32_t value)
{
___m_currentCount_0 = value;
}
inline static int32_t get_offset_of_m_maxCount_1() { return static_cast<int32_t>(offsetof(SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385, ___m_maxCount_1)); }
inline int32_t get_m_maxCount_1() const { return ___m_maxCount_1; }
inline int32_t* get_address_of_m_maxCount_1() { return &___m_maxCount_1; }
inline void set_m_maxCount_1(int32_t value)
{
___m_maxCount_1 = value;
}
inline static int32_t get_offset_of_m_waitCount_2() { return static_cast<int32_t>(offsetof(SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385, ___m_waitCount_2)); }
inline int32_t get_m_waitCount_2() const { return ___m_waitCount_2; }
inline int32_t* get_address_of_m_waitCount_2() { return &___m_waitCount_2; }
inline void set_m_waitCount_2(int32_t value)
{
___m_waitCount_2 = value;
}
inline static int32_t get_offset_of_m_lockObj_3() { return static_cast<int32_t>(offsetof(SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385, ___m_lockObj_3)); }
inline RuntimeObject * get_m_lockObj_3() const { return ___m_lockObj_3; }
inline RuntimeObject ** get_address_of_m_lockObj_3() { return &___m_lockObj_3; }
inline void set_m_lockObj_3(RuntimeObject * value)
{
___m_lockObj_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_lockObj_3), (void*)value);
}
inline static int32_t get_offset_of_m_waitHandle_4() { return static_cast<int32_t>(offsetof(SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385, ___m_waitHandle_4)); }
inline ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * get_m_waitHandle_4() const { return ___m_waitHandle_4; }
inline ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA ** get_address_of_m_waitHandle_4() { return &___m_waitHandle_4; }
inline void set_m_waitHandle_4(ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * value)
{
___m_waitHandle_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_waitHandle_4), (void*)value);
}
inline static int32_t get_offset_of_m_asyncHead_5() { return static_cast<int32_t>(offsetof(SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385, ___m_asyncHead_5)); }
inline TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E * get_m_asyncHead_5() const { return ___m_asyncHead_5; }
inline TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E ** get_address_of_m_asyncHead_5() { return &___m_asyncHead_5; }
inline void set_m_asyncHead_5(TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E * value)
{
___m_asyncHead_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_asyncHead_5), (void*)value);
}
inline static int32_t get_offset_of_m_asyncTail_6() { return static_cast<int32_t>(offsetof(SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385, ___m_asyncTail_6)); }
inline TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E * get_m_asyncTail_6() const { return ___m_asyncTail_6; }
inline TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E ** get_address_of_m_asyncTail_6() { return &___m_asyncTail_6; }
inline void set_m_asyncTail_6(TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E * value)
{
___m_asyncTail_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_asyncTail_6), (void*)value);
}
};
struct SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385_StaticFields
{
public:
// System.Threading.Tasks.Task`1<System.Boolean> System.Threading.SemaphoreSlim::s_trueTask
Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 * ___s_trueTask_7;
// System.Action`1<System.Object> System.Threading.SemaphoreSlim::s_cancellationTokenCanceledEventHandler
Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * ___s_cancellationTokenCanceledEventHandler_8;
public:
inline static int32_t get_offset_of_s_trueTask_7() { return static_cast<int32_t>(offsetof(SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385_StaticFields, ___s_trueTask_7)); }
inline Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 * get_s_trueTask_7() const { return ___s_trueTask_7; }
inline Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 ** get_address_of_s_trueTask_7() { return &___s_trueTask_7; }
inline void set_s_trueTask_7(Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 * value)
{
___s_trueTask_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_trueTask_7), (void*)value);
}
inline static int32_t get_offset_of_s_cancellationTokenCanceledEventHandler_8() { return static_cast<int32_t>(offsetof(SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385_StaticFields, ___s_cancellationTokenCanceledEventHandler_8)); }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * get_s_cancellationTokenCanceledEventHandler_8() const { return ___s_cancellationTokenCanceledEventHandler_8; }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC ** get_address_of_s_cancellationTokenCanceledEventHandler_8() { return &___s_cancellationTokenCanceledEventHandler_8; }
inline void set_s_cancellationTokenCanceledEventHandler_8(Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * value)
{
___s_cancellationTokenCanceledEventHandler_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_cancellationTokenCanceledEventHandler_8), (void*)value);
}
};
// UnityEngine.SendMessageOptions
struct SendMessageOptions_t89E16D7B4FAECAF721478B06E56214F97438C61B
{
public:
// System.Int32 UnityEngine.SendMessageOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(SendMessageOptions_t89E16D7B4FAECAF721478B06E56214F97438C61B, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.Serialization.SerializationFieldInfo
struct SerializationFieldInfo_t0D5EE593AFBF37E72513E2979070B344BCBD8C55 : public FieldInfo_t
{
public:
// System.Reflection.RuntimeFieldInfo System.Runtime.Serialization.SerializationFieldInfo::m_field
RuntimeFieldInfo_t9A67C36552ACE9F3BFC87DB94709424B2E8AB70C * ___m_field_0;
// System.String System.Runtime.Serialization.SerializationFieldInfo::m_serializationName
String_t* ___m_serializationName_1;
public:
inline static int32_t get_offset_of_m_field_0() { return static_cast<int32_t>(offsetof(SerializationFieldInfo_t0D5EE593AFBF37E72513E2979070B344BCBD8C55, ___m_field_0)); }
inline RuntimeFieldInfo_t9A67C36552ACE9F3BFC87DB94709424B2E8AB70C * get_m_field_0() const { return ___m_field_0; }
inline RuntimeFieldInfo_t9A67C36552ACE9F3BFC87DB94709424B2E8AB70C ** get_address_of_m_field_0() { return &___m_field_0; }
inline void set_m_field_0(RuntimeFieldInfo_t9A67C36552ACE9F3BFC87DB94709424B2E8AB70C * value)
{
___m_field_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_field_0), (void*)value);
}
inline static int32_t get_offset_of_m_serializationName_1() { return static_cast<int32_t>(offsetof(SerializationFieldInfo_t0D5EE593AFBF37E72513E2979070B344BCBD8C55, ___m_serializationName_1)); }
inline String_t* get_m_serializationName_1() const { return ___m_serializationName_1; }
inline String_t** get_address_of_m_serializationName_1() { return &___m_serializationName_1; }
inline void set_m_serializationName_1(String_t* value)
{
___m_serializationName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_serializationName_1), (void*)value);
}
};
// UnityEngine.XR.ARSubsystems.SessionAvailability
struct SessionAvailability_tF5E98733E00C91772417EDEF3B3A6FA1DF653FCD
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.SessionAvailability::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(SessionAvailability_tF5E98733E00C91772417EDEF3B3A6FA1DF653FCD, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARSubsystems.SessionInstallationStatus
struct SessionInstallationStatus_t5298F0EEA216D050FFE923AE490498BBF0792F7E
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.SessionInstallationStatus::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(SessionInstallationStatus_t5298F0EEA216D050FFE923AE490498BBF0792F7E, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Net.Configuration.SettingsSection
struct SettingsSection_t711E6C3A32C96E69BF15E02FF55E58AF33EB95EB : public ConfigurationSection_t0D68AA1EA007506253A4935DB9F357AF9B50C683
{
public:
public:
};
// UnityEngine.Rendering.ShaderPropertyFlags
struct ShaderPropertyFlags_tA42BD86DA3355B30E253A6DE504E574CFD80B2EC
{
public:
// System.Int32 UnityEngine.Rendering.ShaderPropertyFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ShaderPropertyFlags_tA42BD86DA3355B30E253A6DE504E574CFD80B2EC, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Rendering.ShadowCastingMode
struct ShadowCastingMode_t4193084D236CFA695FE2F3FD04D0898ABF03F8B2
{
public:
// System.Int32 UnityEngine.Rendering.ShadowCastingMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ShadowCastingMode_t4193084D236CFA695FE2F3FD04D0898ABF03F8B2, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Rendering.ShadowSamplingMode
struct ShadowSamplingMode_t864AB52A05C1F54A738E06F76F47CDF4C26CF7F9
{
public:
// System.Int32 UnityEngine.Rendering.ShadowSamplingMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ShadowSamplingMode_t864AB52A05C1F54A738E06F76F47CDF4C26CF7F9, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.Remoting.SingleCallIdentity
struct SingleCallIdentity_tC64604E6C3CA8AD0427C7AAEC71AEA6C9CEA0A27 : public ServerIdentity_t5689BF0CA0122A8E597C9900D39F11F07D79D3A8
{
public:
public:
};
// System.Runtime.Remoting.SingletonIdentity
struct SingletonIdentity_t2B2A959057BDFA99565A317D2D69D29B7889B442 : public ServerIdentity_t5689BF0CA0122A8E597C9900D39F11F07D79D3A8
{
public:
public:
};
// UnityEngine.SkeletonBone
struct SkeletonBone_t0AD95EAD0BE7D2EC13B2C7505225D340CB456A9E
{
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_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_2;
// UnityEngine.Quaternion UnityEngine.SkeletonBone::rotation
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___rotation_3;
// UnityEngine.Vector3 UnityEngine.SkeletonBone::scale
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___scale_4;
public:
inline static int32_t get_offset_of_name_0() { return static_cast<int32_t>(offsetof(SkeletonBone_t0AD95EAD0BE7D2EC13B2C7505225D340CB456A9E, ___name_0)); }
inline String_t* get_name_0() const { return ___name_0; }
inline String_t** get_address_of_name_0() { return &___name_0; }
inline void set_name_0(String_t* value)
{
___name_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_0), (void*)value);
}
inline static int32_t get_offset_of_parentName_1() { return static_cast<int32_t>(offsetof(SkeletonBone_t0AD95EAD0BE7D2EC13B2C7505225D340CB456A9E, ___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((void**)(&___parentName_1), (void*)value);
}
inline static int32_t get_offset_of_position_2() { return static_cast<int32_t>(offsetof(SkeletonBone_t0AD95EAD0BE7D2EC13B2C7505225D340CB456A9E, ___position_2)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_position_2() const { return ___position_2; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_position_2() { return &___position_2; }
inline void set_position_2(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___position_2 = value;
}
inline static int32_t get_offset_of_rotation_3() { return static_cast<int32_t>(offsetof(SkeletonBone_t0AD95EAD0BE7D2EC13B2C7505225D340CB456A9E, ___rotation_3)); }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 get_rotation_3() const { return ___rotation_3; }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 * get_address_of_rotation_3() { return &___rotation_3; }
inline void set_rotation_3(Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 value)
{
___rotation_3 = value;
}
inline static int32_t get_offset_of_scale_4() { return static_cast<int32_t>(offsetof(SkeletonBone_t0AD95EAD0BE7D2EC13B2C7505225D340CB456A9E, ___scale_4)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_scale_4() const { return ___scale_4; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_scale_4() { return &___scale_4; }
inline void set_scale_4(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___scale_4 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.SkeletonBone
struct SkeletonBone_t0AD95EAD0BE7D2EC13B2C7505225D340CB456A9E_marshaled_pinvoke
{
char* ___name_0;
char* ___parentName_1;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_2;
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___rotation_3;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___scale_4;
};
// Native definition for COM marshalling of UnityEngine.SkeletonBone
struct SkeletonBone_t0AD95EAD0BE7D2EC13B2C7505225D340CB456A9E_marshaled_com
{
Il2CppChar* ___name_0;
Il2CppChar* ___parentName_1;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_2;
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___rotation_3;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___scale_4;
};
// System.Runtime.Remoting.Metadata.SoapFieldAttribute
struct SoapFieldAttribute_t65446EE84B0581F1BF7D19B78C183EF6F5DF48B5 : public SoapAttribute_t6F0FA8C211A4909FD28F96DBB65E898BFFF47ADC
{
public:
// System.String System.Runtime.Remoting.Metadata.SoapFieldAttribute::_elementName
String_t* ____elementName_3;
// System.Boolean System.Runtime.Remoting.Metadata.SoapFieldAttribute::_isElement
bool ____isElement_4;
public:
inline static int32_t get_offset_of__elementName_3() { return static_cast<int32_t>(offsetof(SoapFieldAttribute_t65446EE84B0581F1BF7D19B78C183EF6F5DF48B5, ____elementName_3)); }
inline String_t* get__elementName_3() const { return ____elementName_3; }
inline String_t** get_address_of__elementName_3() { return &____elementName_3; }
inline void set__elementName_3(String_t* value)
{
____elementName_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____elementName_3), (void*)value);
}
inline static int32_t get_offset_of__isElement_4() { return static_cast<int32_t>(offsetof(SoapFieldAttribute_t65446EE84B0581F1BF7D19B78C183EF6F5DF48B5, ____isElement_4)); }
inline bool get__isElement_4() const { return ____isElement_4; }
inline bool* get_address_of__isElement_4() { return &____isElement_4; }
inline void set__isElement_4(bool value)
{
____isElement_4 = value;
}
};
// System.Runtime.Remoting.Metadata.SoapMethodAttribute
struct SoapMethodAttribute_t08612B275859D8B4D8A815914D12096709579378 : public SoapAttribute_t6F0FA8C211A4909FD28F96DBB65E898BFFF47ADC
{
public:
// System.String System.Runtime.Remoting.Metadata.SoapMethodAttribute::_responseElement
String_t* ____responseElement_3;
// System.String System.Runtime.Remoting.Metadata.SoapMethodAttribute::_responseNamespace
String_t* ____responseNamespace_4;
// System.String System.Runtime.Remoting.Metadata.SoapMethodAttribute::_returnElement
String_t* ____returnElement_5;
// System.String System.Runtime.Remoting.Metadata.SoapMethodAttribute::_soapAction
String_t* ____soapAction_6;
// System.Boolean System.Runtime.Remoting.Metadata.SoapMethodAttribute::_useAttribute
bool ____useAttribute_7;
// System.String System.Runtime.Remoting.Metadata.SoapMethodAttribute::_namespace
String_t* ____namespace_8;
public:
inline static int32_t get_offset_of__responseElement_3() { return static_cast<int32_t>(offsetof(SoapMethodAttribute_t08612B275859D8B4D8A815914D12096709579378, ____responseElement_3)); }
inline String_t* get__responseElement_3() const { return ____responseElement_3; }
inline String_t** get_address_of__responseElement_3() { return &____responseElement_3; }
inline void set__responseElement_3(String_t* value)
{
____responseElement_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____responseElement_3), (void*)value);
}
inline static int32_t get_offset_of__responseNamespace_4() { return static_cast<int32_t>(offsetof(SoapMethodAttribute_t08612B275859D8B4D8A815914D12096709579378, ____responseNamespace_4)); }
inline String_t* get__responseNamespace_4() const { return ____responseNamespace_4; }
inline String_t** get_address_of__responseNamespace_4() { return &____responseNamespace_4; }
inline void set__responseNamespace_4(String_t* value)
{
____responseNamespace_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____responseNamespace_4), (void*)value);
}
inline static int32_t get_offset_of__returnElement_5() { return static_cast<int32_t>(offsetof(SoapMethodAttribute_t08612B275859D8B4D8A815914D12096709579378, ____returnElement_5)); }
inline String_t* get__returnElement_5() const { return ____returnElement_5; }
inline String_t** get_address_of__returnElement_5() { return &____returnElement_5; }
inline void set__returnElement_5(String_t* value)
{
____returnElement_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____returnElement_5), (void*)value);
}
inline static int32_t get_offset_of__soapAction_6() { return static_cast<int32_t>(offsetof(SoapMethodAttribute_t08612B275859D8B4D8A815914D12096709579378, ____soapAction_6)); }
inline String_t* get__soapAction_6() const { return ____soapAction_6; }
inline String_t** get_address_of__soapAction_6() { return &____soapAction_6; }
inline void set__soapAction_6(String_t* value)
{
____soapAction_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____soapAction_6), (void*)value);
}
inline static int32_t get_offset_of__useAttribute_7() { return static_cast<int32_t>(offsetof(SoapMethodAttribute_t08612B275859D8B4D8A815914D12096709579378, ____useAttribute_7)); }
inline bool get__useAttribute_7() const { return ____useAttribute_7; }
inline bool* get_address_of__useAttribute_7() { return &____useAttribute_7; }
inline void set__useAttribute_7(bool value)
{
____useAttribute_7 = value;
}
inline static int32_t get_offset_of__namespace_8() { return static_cast<int32_t>(offsetof(SoapMethodAttribute_t08612B275859D8B4D8A815914D12096709579378, ____namespace_8)); }
inline String_t* get__namespace_8() const { return ____namespace_8; }
inline String_t** get_address_of__namespace_8() { return &____namespace_8; }
inline void set__namespace_8(String_t* value)
{
____namespace_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&____namespace_8), (void*)value);
}
};
// System.Runtime.Remoting.Metadata.SoapParameterAttribute
struct SoapParameterAttribute_tCFE170A192E869148403954A6CF168AB40A9AAB3 : public SoapAttribute_t6F0FA8C211A4909FD28F96DBB65E898BFFF47ADC
{
public:
public:
};
// System.Runtime.Remoting.Metadata.SoapTypeAttribute
struct SoapTypeAttribute_t848275CB40016FE22B3F7D4F2749337C12D8167B : public SoapAttribute_t6F0FA8C211A4909FD28F96DBB65E898BFFF47ADC
{
public:
// System.Boolean System.Runtime.Remoting.Metadata.SoapTypeAttribute::_useAttribute
bool ____useAttribute_3;
// System.String System.Runtime.Remoting.Metadata.SoapTypeAttribute::_xmlElementName
String_t* ____xmlElementName_4;
// System.String System.Runtime.Remoting.Metadata.SoapTypeAttribute::_xmlNamespace
String_t* ____xmlNamespace_5;
// System.String System.Runtime.Remoting.Metadata.SoapTypeAttribute::_xmlTypeName
String_t* ____xmlTypeName_6;
// System.String System.Runtime.Remoting.Metadata.SoapTypeAttribute::_xmlTypeNamespace
String_t* ____xmlTypeNamespace_7;
// System.Boolean System.Runtime.Remoting.Metadata.SoapTypeAttribute::_isType
bool ____isType_8;
// System.Boolean System.Runtime.Remoting.Metadata.SoapTypeAttribute::_isElement
bool ____isElement_9;
public:
inline static int32_t get_offset_of__useAttribute_3() { return static_cast<int32_t>(offsetof(SoapTypeAttribute_t848275CB40016FE22B3F7D4F2749337C12D8167B, ____useAttribute_3)); }
inline bool get__useAttribute_3() const { return ____useAttribute_3; }
inline bool* get_address_of__useAttribute_3() { return &____useAttribute_3; }
inline void set__useAttribute_3(bool value)
{
____useAttribute_3 = value;
}
inline static int32_t get_offset_of__xmlElementName_4() { return static_cast<int32_t>(offsetof(SoapTypeAttribute_t848275CB40016FE22B3F7D4F2749337C12D8167B, ____xmlElementName_4)); }
inline String_t* get__xmlElementName_4() const { return ____xmlElementName_4; }
inline String_t** get_address_of__xmlElementName_4() { return &____xmlElementName_4; }
inline void set__xmlElementName_4(String_t* value)
{
____xmlElementName_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____xmlElementName_4), (void*)value);
}
inline static int32_t get_offset_of__xmlNamespace_5() { return static_cast<int32_t>(offsetof(SoapTypeAttribute_t848275CB40016FE22B3F7D4F2749337C12D8167B, ____xmlNamespace_5)); }
inline String_t* get__xmlNamespace_5() const { return ____xmlNamespace_5; }
inline String_t** get_address_of__xmlNamespace_5() { return &____xmlNamespace_5; }
inline void set__xmlNamespace_5(String_t* value)
{
____xmlNamespace_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____xmlNamespace_5), (void*)value);
}
inline static int32_t get_offset_of__xmlTypeName_6() { return static_cast<int32_t>(offsetof(SoapTypeAttribute_t848275CB40016FE22B3F7D4F2749337C12D8167B, ____xmlTypeName_6)); }
inline String_t* get__xmlTypeName_6() const { return ____xmlTypeName_6; }
inline String_t** get_address_of__xmlTypeName_6() { return &____xmlTypeName_6; }
inline void set__xmlTypeName_6(String_t* value)
{
____xmlTypeName_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____xmlTypeName_6), (void*)value);
}
inline static int32_t get_offset_of__xmlTypeNamespace_7() { return static_cast<int32_t>(offsetof(SoapTypeAttribute_t848275CB40016FE22B3F7D4F2749337C12D8167B, ____xmlTypeNamespace_7)); }
inline String_t* get__xmlTypeNamespace_7() const { return ____xmlTypeNamespace_7; }
inline String_t** get_address_of__xmlTypeNamespace_7() { return &____xmlTypeNamespace_7; }
inline void set__xmlTypeNamespace_7(String_t* value)
{
____xmlTypeNamespace_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&____xmlTypeNamespace_7), (void*)value);
}
inline static int32_t get_offset_of__isType_8() { return static_cast<int32_t>(offsetof(SoapTypeAttribute_t848275CB40016FE22B3F7D4F2749337C12D8167B, ____isType_8)); }
inline bool get__isType_8() const { return ____isType_8; }
inline bool* get_address_of__isType_8() { return &____isType_8; }
inline void set__isType_8(bool value)
{
____isType_8 = value;
}
inline static int32_t get_offset_of__isElement_9() { return static_cast<int32_t>(offsetof(SoapTypeAttribute_t848275CB40016FE22B3F7D4F2749337C12D8167B, ____isElement_9)); }
inline bool get__isElement_9() const { return ____isElement_9; }
inline bool* get_address_of__isElement_9() { return &____isElement_9; }
inline void set__isElement_9(bool value)
{
____isElement_9 = value;
}
};
// System.Net.Sockets.SocketError
struct SocketError_tA0135DFDFBD5E43BC2F44D8AAC13CDB444074F80
{
public:
// System.Int32 System.Net.Sockets.SocketError::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(SocketError_tA0135DFDFBD5E43BC2F44D8AAC13CDB444074F80, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Globalization.SortVersion
struct SortVersion_t4500287E608FE7BBAB01A3AB0F1073F772EF62AA : public RuntimeObject
{
public:
// System.Int32 System.Globalization.SortVersion::m_NlsVersion
int32_t ___m_NlsVersion_0;
// System.Guid System.Globalization.SortVersion::m_SortId
Guid_t ___m_SortId_1;
public:
inline static int32_t get_offset_of_m_NlsVersion_0() { return static_cast<int32_t>(offsetof(SortVersion_t4500287E608FE7BBAB01A3AB0F1073F772EF62AA, ___m_NlsVersion_0)); }
inline int32_t get_m_NlsVersion_0() const { return ___m_NlsVersion_0; }
inline int32_t* get_address_of_m_NlsVersion_0() { return &___m_NlsVersion_0; }
inline void set_m_NlsVersion_0(int32_t value)
{
___m_NlsVersion_0 = value;
}
inline static int32_t get_offset_of_m_SortId_1() { return static_cast<int32_t>(offsetof(SortVersion_t4500287E608FE7BBAB01A3AB0F1073F772EF62AA, ___m_SortId_1)); }
inline Guid_t get_m_SortId_1() const { return ___m_SortId_1; }
inline Guid_t * get_address_of_m_SortId_1() { return &___m_SortId_1; }
inline void set_m_SortId_1(Guid_t value)
{
___m_SortId_1 = value;
}
};
// UnityEngine.Space
struct Space_t568D704D2B0AAC3E5894DDFF13DB2E02E2CD539E
{
public:
// System.Int32 UnityEngine.Space::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Space_t568D704D2B0AAC3E5894DDFF13DB2E02E2CD539E, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.SpaceAttribute
struct SpaceAttribute_t041FADA1DC4DD39BBDEBC47F445290D7EE4BBCC8 : public PropertyAttribute_t4A352471DF625C56C811E27AC86B7E1CE6444052
{
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_t041FADA1DC4DD39BBDEBC47F445290D7EE4BBCC8, ___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;
}
};
// UnityEngine.Localization.Settings.SpecificLocaleSelector
struct SpecificLocaleSelector_tED92C41A0956CBA3299518F8C6D96E791FE1441C : public RuntimeObject
{
public:
// UnityEngine.Localization.LocaleIdentifier UnityEngine.Localization.Settings.SpecificLocaleSelector::m_LocaleId
LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF ___m_LocaleId_0;
public:
inline static int32_t get_offset_of_m_LocaleId_0() { return static_cast<int32_t>(offsetof(SpecificLocaleSelector_tED92C41A0956CBA3299518F8C6D96E791FE1441C, ___m_LocaleId_0)); }
inline LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF get_m_LocaleId_0() const { return ___m_LocaleId_0; }
inline LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF * get_address_of_m_LocaleId_0() { return &___m_LocaleId_0; }
inline void set_m_LocaleId_0(LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF value)
{
___m_LocaleId_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_LocaleId_0))->___m_Code_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_LocaleId_0))->___m_CultureInfo_1), (void*)NULL);
#endif
}
};
// System.Threading.SpinLock
struct SpinLock_t9860D503E59EFE08CF5241E2BA0C33397BF78F5D
{
public:
// System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.SpinLock::m_owner
int32_t ___m_owner_0;
public:
inline static int32_t get_offset_of_m_owner_0() { return static_cast<int32_t>(offsetof(SpinLock_t9860D503E59EFE08CF5241E2BA0C33397BF78F5D, ___m_owner_0)); }
inline int32_t get_m_owner_0() const { return ___m_owner_0; }
inline int32_t* get_address_of_m_owner_0() { return &___m_owner_0; }
inline void set_m_owner_0(int32_t value)
{
___m_owner_0 = value;
}
};
struct SpinLock_t9860D503E59EFE08CF5241E2BA0C33397BF78F5D_StaticFields
{
public:
// System.Int32 System.Threading.SpinLock::MAXIMUM_WAITERS
int32_t ___MAXIMUM_WAITERS_1;
public:
inline static int32_t get_offset_of_MAXIMUM_WAITERS_1() { return static_cast<int32_t>(offsetof(SpinLock_t9860D503E59EFE08CF5241E2BA0C33397BF78F5D_StaticFields, ___MAXIMUM_WAITERS_1)); }
inline int32_t get_MAXIMUM_WAITERS_1() const { return ___MAXIMUM_WAITERS_1; }
inline int32_t* get_address_of_MAXIMUM_WAITERS_1() { return &___MAXIMUM_WAITERS_1; }
inline void set_MAXIMUM_WAITERS_1(int32_t value)
{
___MAXIMUM_WAITERS_1 = value;
}
};
// TMPro.SpriteAssetUtilities.SpriteAssetImportFormats
struct SpriteAssetImportFormats_tE8DDFF067E525D24500F83864F115B0E0A1126FB
{
public:
// System.Int32 TMPro.SpriteAssetUtilities.SpriteAssetImportFormats::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(SpriteAssetImportFormats_tE8DDFF067E525D24500F83864F115B0E0A1126FB, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.U2D.SpriteBone
struct SpriteBone_t7BF68B13FD8E65DC10C7C48D4B6C1D14030AFF2D
{
public:
// System.String UnityEngine.U2D.SpriteBone::m_Name
String_t* ___m_Name_0;
// UnityEngine.Vector3 UnityEngine.U2D.SpriteBone::m_Position
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Position_1;
// UnityEngine.Quaternion UnityEngine.U2D.SpriteBone::m_Rotation
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___m_Rotation_2;
// System.Single UnityEngine.U2D.SpriteBone::m_Length
float ___m_Length_3;
// System.Int32 UnityEngine.U2D.SpriteBone::m_ParentId
int32_t ___m_ParentId_4;
public:
inline static int32_t get_offset_of_m_Name_0() { return static_cast<int32_t>(offsetof(SpriteBone_t7BF68B13FD8E65DC10C7C48D4B6C1D14030AFF2D, ___m_Name_0)); }
inline String_t* get_m_Name_0() const { return ___m_Name_0; }
inline String_t** get_address_of_m_Name_0() { return &___m_Name_0; }
inline void set_m_Name_0(String_t* value)
{
___m_Name_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Name_0), (void*)value);
}
inline static int32_t get_offset_of_m_Position_1() { return static_cast<int32_t>(offsetof(SpriteBone_t7BF68B13FD8E65DC10C7C48D4B6C1D14030AFF2D, ___m_Position_1)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Position_1() const { return ___m_Position_1; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Position_1() { return &___m_Position_1; }
inline void set_m_Position_1(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Position_1 = value;
}
inline static int32_t get_offset_of_m_Rotation_2() { return static_cast<int32_t>(offsetof(SpriteBone_t7BF68B13FD8E65DC10C7C48D4B6C1D14030AFF2D, ___m_Rotation_2)); }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 get_m_Rotation_2() const { return ___m_Rotation_2; }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 * get_address_of_m_Rotation_2() { return &___m_Rotation_2; }
inline void set_m_Rotation_2(Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 value)
{
___m_Rotation_2 = value;
}
inline static int32_t get_offset_of_m_Length_3() { return static_cast<int32_t>(offsetof(SpriteBone_t7BF68B13FD8E65DC10C7C48D4B6C1D14030AFF2D, ___m_Length_3)); }
inline float get_m_Length_3() const { return ___m_Length_3; }
inline float* get_address_of_m_Length_3() { return &___m_Length_3; }
inline void set_m_Length_3(float value)
{
___m_Length_3 = value;
}
inline static int32_t get_offset_of_m_ParentId_4() { return static_cast<int32_t>(offsetof(SpriteBone_t7BF68B13FD8E65DC10C7C48D4B6C1D14030AFF2D, ___m_ParentId_4)); }
inline int32_t get_m_ParentId_4() const { return ___m_ParentId_4; }
inline int32_t* get_address_of_m_ParentId_4() { return &___m_ParentId_4; }
inline void set_m_ParentId_4(int32_t value)
{
___m_ParentId_4 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.U2D.SpriteBone
struct SpriteBone_t7BF68B13FD8E65DC10C7C48D4B6C1D14030AFF2D_marshaled_pinvoke
{
char* ___m_Name_0;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Position_1;
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___m_Rotation_2;
float ___m_Length_3;
int32_t ___m_ParentId_4;
};
// Native definition for COM marshalling of UnityEngine.U2D.SpriteBone
struct SpriteBone_t7BF68B13FD8E65DC10C7C48D4B6C1D14030AFF2D_marshaled_com
{
Il2CppChar* ___m_Name_0;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Position_1;
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___m_Rotation_2;
float ___m_Length_3;
int32_t ___m_ParentId_4;
};
// UnityEngine.SpritePackingMode
struct SpritePackingMode_t07B68A6E7F1C3DFAB247AF662688265F13A76F91
{
public:
// System.Int32 UnityEngine.SpritePackingMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(SpritePackingMode_t07B68A6E7F1C3DFAB247AF662688265F13A76F91, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.StackCrawlMark
struct StackCrawlMark_t2BEE6EC5F8EA322B986CA375A594BBD34B98EBA5
{
public:
// System.Int32 System.Threading.StackCrawlMark::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(StackCrawlMark_t2BEE6EC5F8EA322B986CA375A594BBD34B98EBA5, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Bindings.StaticAccessorType
struct StaticAccessorType_tFA86A321ADAC16A48DF7FC82F8FBBE5F71D2DC4C
{
public:
// System.Int32 UnityEngine.Bindings.StaticAccessorType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(StaticAccessorType_tFA86A321ADAC16A48DF7FC82F8FBBE5F71D2DC4C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Rendering.StencilOp
struct StencilOp_t29403ED1B3D9A0953577E567FA3BF403E13FA6AD
{
public:
// System.Int32 UnityEngine.Rendering.StencilOp::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(StencilOp_t29403ED1B3D9A0953577E567FA3BF403E13FA6AD, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.IO.StreamReader
struct StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3 : public TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F
{
public:
// System.IO.Stream System.IO.StreamReader::stream
Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * ___stream_5;
// System.Text.Encoding System.IO.StreamReader::encoding
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___encoding_6;
// System.Text.Decoder System.IO.StreamReader::decoder
Decoder_t91B2ED8AEC25AA24D23A00265203BE992B12C370 * ___decoder_7;
// System.Byte[] System.IO.StreamReader::byteBuffer
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___byteBuffer_8;
// System.Char[] System.IO.StreamReader::charBuffer
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___charBuffer_9;
// System.Byte[] System.IO.StreamReader::_preamble
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ____preamble_10;
// System.Int32 System.IO.StreamReader::charPos
int32_t ___charPos_11;
// System.Int32 System.IO.StreamReader::charLen
int32_t ___charLen_12;
// System.Int32 System.IO.StreamReader::byteLen
int32_t ___byteLen_13;
// System.Int32 System.IO.StreamReader::bytePos
int32_t ___bytePos_14;
// System.Int32 System.IO.StreamReader::_maxCharsPerBuffer
int32_t ____maxCharsPerBuffer_15;
// System.Boolean System.IO.StreamReader::_detectEncoding
bool ____detectEncoding_16;
// System.Boolean System.IO.StreamReader::_checkPreamble
bool ____checkPreamble_17;
// System.Boolean System.IO.StreamReader::_isBlocked
bool ____isBlocked_18;
// System.Boolean System.IO.StreamReader::_closable
bool ____closable_19;
// System.Threading.Tasks.Task modreq(System.Runtime.CompilerServices.IsVolatile) System.IO.StreamReader::_asyncReadTask
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * ____asyncReadTask_20;
public:
inline static int32_t get_offset_of_stream_5() { return static_cast<int32_t>(offsetof(StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3, ___stream_5)); }
inline Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * get_stream_5() const { return ___stream_5; }
inline Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB ** get_address_of_stream_5() { return &___stream_5; }
inline void set_stream_5(Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * value)
{
___stream_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___stream_5), (void*)value);
}
inline static int32_t get_offset_of_encoding_6() { return static_cast<int32_t>(offsetof(StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3, ___encoding_6)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_encoding_6() const { return ___encoding_6; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_encoding_6() { return &___encoding_6; }
inline void set_encoding_6(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___encoding_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___encoding_6), (void*)value);
}
inline static int32_t get_offset_of_decoder_7() { return static_cast<int32_t>(offsetof(StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3, ___decoder_7)); }
inline Decoder_t91B2ED8AEC25AA24D23A00265203BE992B12C370 * get_decoder_7() const { return ___decoder_7; }
inline Decoder_t91B2ED8AEC25AA24D23A00265203BE992B12C370 ** get_address_of_decoder_7() { return &___decoder_7; }
inline void set_decoder_7(Decoder_t91B2ED8AEC25AA24D23A00265203BE992B12C370 * value)
{
___decoder_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___decoder_7), (void*)value);
}
inline static int32_t get_offset_of_byteBuffer_8() { return static_cast<int32_t>(offsetof(StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3, ___byteBuffer_8)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_byteBuffer_8() const { return ___byteBuffer_8; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_byteBuffer_8() { return &___byteBuffer_8; }
inline void set_byteBuffer_8(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___byteBuffer_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___byteBuffer_8), (void*)value);
}
inline static int32_t get_offset_of_charBuffer_9() { return static_cast<int32_t>(offsetof(StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3, ___charBuffer_9)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_charBuffer_9() const { return ___charBuffer_9; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_charBuffer_9() { return &___charBuffer_9; }
inline void set_charBuffer_9(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___charBuffer_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___charBuffer_9), (void*)value);
}
inline static int32_t get_offset_of__preamble_10() { return static_cast<int32_t>(offsetof(StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3, ____preamble_10)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get__preamble_10() const { return ____preamble_10; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of__preamble_10() { return &____preamble_10; }
inline void set__preamble_10(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
____preamble_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&____preamble_10), (void*)value);
}
inline static int32_t get_offset_of_charPos_11() { return static_cast<int32_t>(offsetof(StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3, ___charPos_11)); }
inline int32_t get_charPos_11() const { return ___charPos_11; }
inline int32_t* get_address_of_charPos_11() { return &___charPos_11; }
inline void set_charPos_11(int32_t value)
{
___charPos_11 = value;
}
inline static int32_t get_offset_of_charLen_12() { return static_cast<int32_t>(offsetof(StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3, ___charLen_12)); }
inline int32_t get_charLen_12() const { return ___charLen_12; }
inline int32_t* get_address_of_charLen_12() { return &___charLen_12; }
inline void set_charLen_12(int32_t value)
{
___charLen_12 = value;
}
inline static int32_t get_offset_of_byteLen_13() { return static_cast<int32_t>(offsetof(StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3, ___byteLen_13)); }
inline int32_t get_byteLen_13() const { return ___byteLen_13; }
inline int32_t* get_address_of_byteLen_13() { return &___byteLen_13; }
inline void set_byteLen_13(int32_t value)
{
___byteLen_13 = value;
}
inline static int32_t get_offset_of_bytePos_14() { return static_cast<int32_t>(offsetof(StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3, ___bytePos_14)); }
inline int32_t get_bytePos_14() const { return ___bytePos_14; }
inline int32_t* get_address_of_bytePos_14() { return &___bytePos_14; }
inline void set_bytePos_14(int32_t value)
{
___bytePos_14 = value;
}
inline static int32_t get_offset_of__maxCharsPerBuffer_15() { return static_cast<int32_t>(offsetof(StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3, ____maxCharsPerBuffer_15)); }
inline int32_t get__maxCharsPerBuffer_15() const { return ____maxCharsPerBuffer_15; }
inline int32_t* get_address_of__maxCharsPerBuffer_15() { return &____maxCharsPerBuffer_15; }
inline void set__maxCharsPerBuffer_15(int32_t value)
{
____maxCharsPerBuffer_15 = value;
}
inline static int32_t get_offset_of__detectEncoding_16() { return static_cast<int32_t>(offsetof(StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3, ____detectEncoding_16)); }
inline bool get__detectEncoding_16() const { return ____detectEncoding_16; }
inline bool* get_address_of__detectEncoding_16() { return &____detectEncoding_16; }
inline void set__detectEncoding_16(bool value)
{
____detectEncoding_16 = value;
}
inline static int32_t get_offset_of__checkPreamble_17() { return static_cast<int32_t>(offsetof(StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3, ____checkPreamble_17)); }
inline bool get__checkPreamble_17() const { return ____checkPreamble_17; }
inline bool* get_address_of__checkPreamble_17() { return &____checkPreamble_17; }
inline void set__checkPreamble_17(bool value)
{
____checkPreamble_17 = value;
}
inline static int32_t get_offset_of__isBlocked_18() { return static_cast<int32_t>(offsetof(StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3, ____isBlocked_18)); }
inline bool get__isBlocked_18() const { return ____isBlocked_18; }
inline bool* get_address_of__isBlocked_18() { return &____isBlocked_18; }
inline void set__isBlocked_18(bool value)
{
____isBlocked_18 = value;
}
inline static int32_t get_offset_of__closable_19() { return static_cast<int32_t>(offsetof(StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3, ____closable_19)); }
inline bool get__closable_19() const { return ____closable_19; }
inline bool* get_address_of__closable_19() { return &____closable_19; }
inline void set__closable_19(bool value)
{
____closable_19 = value;
}
inline static int32_t get_offset_of__asyncReadTask_20() { return static_cast<int32_t>(offsetof(StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3, ____asyncReadTask_20)); }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * get__asyncReadTask_20() const { return ____asyncReadTask_20; }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 ** get_address_of__asyncReadTask_20() { return &____asyncReadTask_20; }
inline void set__asyncReadTask_20(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * value)
{
____asyncReadTask_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&____asyncReadTask_20), (void*)value);
}
};
struct StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3_StaticFields
{
public:
// System.IO.StreamReader System.IO.StreamReader::Null
StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3 * ___Null_4;
public:
inline static int32_t get_offset_of_Null_4() { return static_cast<int32_t>(offsetof(StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3_StaticFields, ___Null_4)); }
inline StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3 * get_Null_4() const { return ___Null_4; }
inline StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3 ** get_address_of_Null_4() { return &___Null_4; }
inline void set_Null_4(StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3 * value)
{
___Null_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Null_4), (void*)value);
}
};
// System.IO.StreamWriter
struct StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6 : public TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643
{
public:
// System.IO.Stream System.IO.StreamWriter::stream
Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * ___stream_12;
// System.Text.Encoding System.IO.StreamWriter::encoding
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___encoding_13;
// System.Text.Encoder System.IO.StreamWriter::encoder
Encoder_t5095F24D3B1D0F70D08762B980731B9F1ADEE56A * ___encoder_14;
// System.Byte[] System.IO.StreamWriter::byteBuffer
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___byteBuffer_15;
// System.Char[] System.IO.StreamWriter::charBuffer
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___charBuffer_16;
// System.Int32 System.IO.StreamWriter::charPos
int32_t ___charPos_17;
// System.Int32 System.IO.StreamWriter::charLen
int32_t ___charLen_18;
// System.Boolean System.IO.StreamWriter::autoFlush
bool ___autoFlush_19;
// System.Boolean System.IO.StreamWriter::haveWrittenPreamble
bool ___haveWrittenPreamble_20;
// System.Boolean System.IO.StreamWriter::closable
bool ___closable_21;
// System.Threading.Tasks.Task modreq(System.Runtime.CompilerServices.IsVolatile) System.IO.StreamWriter::_asyncWriteTask
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * ____asyncWriteTask_22;
public:
inline static int32_t get_offset_of_stream_12() { return static_cast<int32_t>(offsetof(StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6, ___stream_12)); }
inline Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * get_stream_12() const { return ___stream_12; }
inline Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB ** get_address_of_stream_12() { return &___stream_12; }
inline void set_stream_12(Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * value)
{
___stream_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___stream_12), (void*)value);
}
inline static int32_t get_offset_of_encoding_13() { return static_cast<int32_t>(offsetof(StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6, ___encoding_13)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_encoding_13() const { return ___encoding_13; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_encoding_13() { return &___encoding_13; }
inline void set_encoding_13(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___encoding_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___encoding_13), (void*)value);
}
inline static int32_t get_offset_of_encoder_14() { return static_cast<int32_t>(offsetof(StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6, ___encoder_14)); }
inline Encoder_t5095F24D3B1D0F70D08762B980731B9F1ADEE56A * get_encoder_14() const { return ___encoder_14; }
inline Encoder_t5095F24D3B1D0F70D08762B980731B9F1ADEE56A ** get_address_of_encoder_14() { return &___encoder_14; }
inline void set_encoder_14(Encoder_t5095F24D3B1D0F70D08762B980731B9F1ADEE56A * value)
{
___encoder_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___encoder_14), (void*)value);
}
inline static int32_t get_offset_of_byteBuffer_15() { return static_cast<int32_t>(offsetof(StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6, ___byteBuffer_15)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_byteBuffer_15() const { return ___byteBuffer_15; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_byteBuffer_15() { return &___byteBuffer_15; }
inline void set_byteBuffer_15(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___byteBuffer_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___byteBuffer_15), (void*)value);
}
inline static int32_t get_offset_of_charBuffer_16() { return static_cast<int32_t>(offsetof(StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6, ___charBuffer_16)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_charBuffer_16() const { return ___charBuffer_16; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_charBuffer_16() { return &___charBuffer_16; }
inline void set_charBuffer_16(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___charBuffer_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___charBuffer_16), (void*)value);
}
inline static int32_t get_offset_of_charPos_17() { return static_cast<int32_t>(offsetof(StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6, ___charPos_17)); }
inline int32_t get_charPos_17() const { return ___charPos_17; }
inline int32_t* get_address_of_charPos_17() { return &___charPos_17; }
inline void set_charPos_17(int32_t value)
{
___charPos_17 = value;
}
inline static int32_t get_offset_of_charLen_18() { return static_cast<int32_t>(offsetof(StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6, ___charLen_18)); }
inline int32_t get_charLen_18() const { return ___charLen_18; }
inline int32_t* get_address_of_charLen_18() { return &___charLen_18; }
inline void set_charLen_18(int32_t value)
{
___charLen_18 = value;
}
inline static int32_t get_offset_of_autoFlush_19() { return static_cast<int32_t>(offsetof(StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6, ___autoFlush_19)); }
inline bool get_autoFlush_19() const { return ___autoFlush_19; }
inline bool* get_address_of_autoFlush_19() { return &___autoFlush_19; }
inline void set_autoFlush_19(bool value)
{
___autoFlush_19 = value;
}
inline static int32_t get_offset_of_haveWrittenPreamble_20() { return static_cast<int32_t>(offsetof(StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6, ___haveWrittenPreamble_20)); }
inline bool get_haveWrittenPreamble_20() const { return ___haveWrittenPreamble_20; }
inline bool* get_address_of_haveWrittenPreamble_20() { return &___haveWrittenPreamble_20; }
inline void set_haveWrittenPreamble_20(bool value)
{
___haveWrittenPreamble_20 = value;
}
inline static int32_t get_offset_of_closable_21() { return static_cast<int32_t>(offsetof(StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6, ___closable_21)); }
inline bool get_closable_21() const { return ___closable_21; }
inline bool* get_address_of_closable_21() { return &___closable_21; }
inline void set_closable_21(bool value)
{
___closable_21 = value;
}
inline static int32_t get_offset_of__asyncWriteTask_22() { return static_cast<int32_t>(offsetof(StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6, ____asyncWriteTask_22)); }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * get__asyncWriteTask_22() const { return ____asyncWriteTask_22; }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 ** get_address_of__asyncWriteTask_22() { return &____asyncWriteTask_22; }
inline void set__asyncWriteTask_22(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * value)
{
____asyncWriteTask_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&____asyncWriteTask_22), (void*)value);
}
};
struct StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6_StaticFields
{
public:
// System.IO.StreamWriter System.IO.StreamWriter::Null
StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6 * ___Null_11;
// System.Text.Encoding modreq(System.Runtime.CompilerServices.IsVolatile) System.IO.StreamWriter::_UTF8NoBOM
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ____UTF8NoBOM_23;
public:
inline static int32_t get_offset_of_Null_11() { return static_cast<int32_t>(offsetof(StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6_StaticFields, ___Null_11)); }
inline StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6 * get_Null_11() const { return ___Null_11; }
inline StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6 ** get_address_of_Null_11() { return &___Null_11; }
inline void set_Null_11(StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6 * value)
{
___Null_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Null_11), (void*)value);
}
inline static int32_t get_offset_of__UTF8NoBOM_23() { return static_cast<int32_t>(offsetof(StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6_StaticFields, ____UTF8NoBOM_23)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get__UTF8NoBOM_23() const { return ____UTF8NoBOM_23; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of__UTF8NoBOM_23() { return &____UTF8NoBOM_23; }
inline void set__UTF8NoBOM_23(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
____UTF8NoBOM_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&____UTF8NoBOM_23), (void*)value);
}
};
// System.Runtime.Serialization.StreamingContextStates
struct StreamingContextStates_tF4C7FE6D6121BD4C67699869C8269A60B36B42C3
{
public:
// System.Int32 System.Runtime.Serialization.StreamingContextStates::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(StreamingContextStates_tF4C7FE6D6121BD4C67699869C8269A60B36B42C3, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.StringComparison
struct StringComparison_tCC9F72B9B1E2C3C6D2566DD0D3A61E1621048998
{
public:
// System.Int32 System.StringComparison::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(StringComparison_tCC9F72B9B1E2C3C6D2566DD0D3A61E1621048998, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.IO.StringReader
struct StringReader_t74E352C280EAC22C878867444978741F19E1F895 : public TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F
{
public:
// System.String System.IO.StringReader::_s
String_t* ____s_4;
// System.Int32 System.IO.StringReader::_pos
int32_t ____pos_5;
// System.Int32 System.IO.StringReader::_length
int32_t ____length_6;
public:
inline static int32_t get_offset_of__s_4() { return static_cast<int32_t>(offsetof(StringReader_t74E352C280EAC22C878867444978741F19E1F895, ____s_4)); }
inline String_t* get__s_4() const { return ____s_4; }
inline String_t** get_address_of__s_4() { return &____s_4; }
inline void set__s_4(String_t* value)
{
____s_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____s_4), (void*)value);
}
inline static int32_t get_offset_of__pos_5() { return static_cast<int32_t>(offsetof(StringReader_t74E352C280EAC22C878867444978741F19E1F895, ____pos_5)); }
inline int32_t get__pos_5() const { return ____pos_5; }
inline int32_t* get_address_of__pos_5() { return &____pos_5; }
inline void set__pos_5(int32_t value)
{
____pos_5 = value;
}
inline static int32_t get_offset_of__length_6() { return static_cast<int32_t>(offsetof(StringReader_t74E352C280EAC22C878867444978741F19E1F895, ____length_6)); }
inline int32_t get__length_6() const { return ____length_6; }
inline int32_t* get_address_of__length_6() { return &____length_6; }
inline void set__length_6(int32_t value)
{
____length_6 = value;
}
};
// System.StringSplitOptions
struct StringSplitOptions_tCBE57E9DF0385CEE90AEE9C25D18BD20E30D29D3
{
public:
// System.Int32 System.StringSplitOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(StringSplitOptions_tCBE57E9DF0385CEE90AEE9C25D18BD20E30D29D3, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation
struct SynchronizationContextAwaitTaskContinuation_t2DF228112DBF556F30B0E1D48E9D3BE2AEF2EB8C : public AwaitTaskContinuation_t1A2278C0F0612C10EEF2B2FF352D2833C53E86CB
{
public:
// System.Threading.SynchronizationContext System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation::m_syncContext
SynchronizationContext_t17D9365B5E0D30A0910A16FA4351C525232EF069 * ___m_syncContext_5;
public:
inline static int32_t get_offset_of_m_syncContext_5() { return static_cast<int32_t>(offsetof(SynchronizationContextAwaitTaskContinuation_t2DF228112DBF556F30B0E1D48E9D3BE2AEF2EB8C, ___m_syncContext_5)); }
inline SynchronizationContext_t17D9365B5E0D30A0910A16FA4351C525232EF069 * get_m_syncContext_5() const { return ___m_syncContext_5; }
inline SynchronizationContext_t17D9365B5E0D30A0910A16FA4351C525232EF069 ** get_address_of_m_syncContext_5() { return &___m_syncContext_5; }
inline void set_m_syncContext_5(SynchronizationContext_t17D9365B5E0D30A0910A16FA4351C525232EF069 * value)
{
___m_syncContext_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_syncContext_5), (void*)value);
}
};
struct SynchronizationContextAwaitTaskContinuation_t2DF228112DBF556F30B0E1D48E9D3BE2AEF2EB8C_StaticFields
{
public:
// System.Threading.SendOrPostCallback System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation::s_postCallback
SendOrPostCallback_t6B7334CE017AF595535507519400AC02D688DC3C * ___s_postCallback_3;
// System.Threading.ContextCallback System.Threading.Tasks.SynchronizationContextAwaitTaskContinuation::s_postActionCallback
ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * ___s_postActionCallback_4;
public:
inline static int32_t get_offset_of_s_postCallback_3() { return static_cast<int32_t>(offsetof(SynchronizationContextAwaitTaskContinuation_t2DF228112DBF556F30B0E1D48E9D3BE2AEF2EB8C_StaticFields, ___s_postCallback_3)); }
inline SendOrPostCallback_t6B7334CE017AF595535507519400AC02D688DC3C * get_s_postCallback_3() const { return ___s_postCallback_3; }
inline SendOrPostCallback_t6B7334CE017AF595535507519400AC02D688DC3C ** get_address_of_s_postCallback_3() { return &___s_postCallback_3; }
inline void set_s_postCallback_3(SendOrPostCallback_t6B7334CE017AF595535507519400AC02D688DC3C * value)
{
___s_postCallback_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_postCallback_3), (void*)value);
}
inline static int32_t get_offset_of_s_postActionCallback_4() { return static_cast<int32_t>(offsetof(SynchronizationContextAwaitTaskContinuation_t2DF228112DBF556F30B0E1D48E9D3BE2AEF2EB8C_StaticFields, ___s_postActionCallback_4)); }
inline ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * get_s_postActionCallback_4() const { return ___s_postActionCallback_4; }
inline ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B ** get_address_of_s_postActionCallback_4() { return &___s_postActionCallback_4; }
inline void set_s_postActionCallback_4(ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * value)
{
___s_postActionCallback_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_postActionCallback_4), (void*)value);
}
};
// UnityEngine.SystemLanguage
struct SystemLanguage_tF8A9C86102588DE9A5041719609C2693D283B3A6
{
public:
// System.Int32 UnityEngine.SystemLanguage::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(SystemLanguage_tF8A9C86102588DE9A5041719609C2693D283B3A6, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.TMP_DefaultControls
struct TMP_DefaultControls_t770F41DE5BF9BAB6B6F2F8756C8DDFBFEC0200F6 : public RuntimeObject
{
public:
public:
};
struct TMP_DefaultControls_t770F41DE5BF9BAB6B6F2F8756C8DDFBFEC0200F6_StaticFields
{
public:
// UnityEngine.Vector2 TMPro.TMP_DefaultControls::s_TextElementSize
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___s_TextElementSize_3;
// UnityEngine.Vector2 TMPro.TMP_DefaultControls::s_ThickElementSize
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___s_ThickElementSize_4;
// UnityEngine.Vector2 TMPro.TMP_DefaultControls::s_ThinElementSize
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___s_ThinElementSize_5;
// UnityEngine.Color TMPro.TMP_DefaultControls::s_DefaultSelectableColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___s_DefaultSelectableColor_6;
// UnityEngine.Color TMPro.TMP_DefaultControls::s_TextColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___s_TextColor_7;
public:
inline static int32_t get_offset_of_s_TextElementSize_3() { return static_cast<int32_t>(offsetof(TMP_DefaultControls_t770F41DE5BF9BAB6B6F2F8756C8DDFBFEC0200F6_StaticFields, ___s_TextElementSize_3)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_s_TextElementSize_3() const { return ___s_TextElementSize_3; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_s_TextElementSize_3() { return &___s_TextElementSize_3; }
inline void set_s_TextElementSize_3(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___s_TextElementSize_3 = value;
}
inline static int32_t get_offset_of_s_ThickElementSize_4() { return static_cast<int32_t>(offsetof(TMP_DefaultControls_t770F41DE5BF9BAB6B6F2F8756C8DDFBFEC0200F6_StaticFields, ___s_ThickElementSize_4)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_s_ThickElementSize_4() const { return ___s_ThickElementSize_4; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_s_ThickElementSize_4() { return &___s_ThickElementSize_4; }
inline void set_s_ThickElementSize_4(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___s_ThickElementSize_4 = value;
}
inline static int32_t get_offset_of_s_ThinElementSize_5() { return static_cast<int32_t>(offsetof(TMP_DefaultControls_t770F41DE5BF9BAB6B6F2F8756C8DDFBFEC0200F6_StaticFields, ___s_ThinElementSize_5)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_s_ThinElementSize_5() const { return ___s_ThinElementSize_5; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_s_ThinElementSize_5() { return &___s_ThinElementSize_5; }
inline void set_s_ThinElementSize_5(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___s_ThinElementSize_5 = value;
}
inline static int32_t get_offset_of_s_DefaultSelectableColor_6() { return static_cast<int32_t>(offsetof(TMP_DefaultControls_t770F41DE5BF9BAB6B6F2F8756C8DDFBFEC0200F6_StaticFields, ___s_DefaultSelectableColor_6)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_s_DefaultSelectableColor_6() const { return ___s_DefaultSelectableColor_6; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_s_DefaultSelectableColor_6() { return &___s_DefaultSelectableColor_6; }
inline void set_s_DefaultSelectableColor_6(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___s_DefaultSelectableColor_6 = value;
}
inline static int32_t get_offset_of_s_TextColor_7() { return static_cast<int32_t>(offsetof(TMP_DefaultControls_t770F41DE5BF9BAB6B6F2F8756C8DDFBFEC0200F6_StaticFields, ___s_TextColor_7)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_s_TextColor_7() const { return ___s_TextColor_7; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_s_TextColor_7() { return &___s_TextColor_7; }
inline void set_s_TextColor_7(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___s_TextColor_7 = value;
}
};
// TMPro.TMP_GlyphAdjustmentRecord
struct TMP_GlyphAdjustmentRecord_t722843E4D5C44C6027391ACAFAC6D117DE8AAF4D
{
public:
// System.UInt32 TMPro.TMP_GlyphAdjustmentRecord::m_GlyphIndex
uint32_t ___m_GlyphIndex_0;
// TMPro.TMP_GlyphValueRecord TMPro.TMP_GlyphAdjustmentRecord::m_GlyphValueRecord
TMP_GlyphValueRecord_tEF00CF591899C9C5D8028D3F6C55FD7B67DFE9D2 ___m_GlyphValueRecord_1;
public:
inline static int32_t get_offset_of_m_GlyphIndex_0() { return static_cast<int32_t>(offsetof(TMP_GlyphAdjustmentRecord_t722843E4D5C44C6027391ACAFAC6D117DE8AAF4D, ___m_GlyphIndex_0)); }
inline uint32_t get_m_GlyphIndex_0() const { return ___m_GlyphIndex_0; }
inline uint32_t* get_address_of_m_GlyphIndex_0() { return &___m_GlyphIndex_0; }
inline void set_m_GlyphIndex_0(uint32_t value)
{
___m_GlyphIndex_0 = value;
}
inline static int32_t get_offset_of_m_GlyphValueRecord_1() { return static_cast<int32_t>(offsetof(TMP_GlyphAdjustmentRecord_t722843E4D5C44C6027391ACAFAC6D117DE8AAF4D, ___m_GlyphValueRecord_1)); }
inline TMP_GlyphValueRecord_tEF00CF591899C9C5D8028D3F6C55FD7B67DFE9D2 get_m_GlyphValueRecord_1() const { return ___m_GlyphValueRecord_1; }
inline TMP_GlyphValueRecord_tEF00CF591899C9C5D8028D3F6C55FD7B67DFE9D2 * get_address_of_m_GlyphValueRecord_1() { return &___m_GlyphValueRecord_1; }
inline void set_m_GlyphValueRecord_1(TMP_GlyphValueRecord_tEF00CF591899C9C5D8028D3F6C55FD7B67DFE9D2 value)
{
___m_GlyphValueRecord_1 = value;
}
};
// TMPro.TMP_Math
struct TMP_Math_t1321001EB20EF6B301080B9518D7D119F1772E18 : public RuntimeObject
{
public:
public:
};
struct TMP_Math_t1321001EB20EF6B301080B9518D7D119F1772E18_StaticFields
{
public:
// UnityEngine.Vector2 TMPro.TMP_Math::MAX_16BIT
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___MAX_16BIT_6;
// UnityEngine.Vector2 TMPro.TMP_Math::MIN_16BIT
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___MIN_16BIT_7;
public:
inline static int32_t get_offset_of_MAX_16BIT_6() { return static_cast<int32_t>(offsetof(TMP_Math_t1321001EB20EF6B301080B9518D7D119F1772E18_StaticFields, ___MAX_16BIT_6)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_MAX_16BIT_6() const { return ___MAX_16BIT_6; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_MAX_16BIT_6() { return &___MAX_16BIT_6; }
inline void set_MAX_16BIT_6(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___MAX_16BIT_6 = value;
}
inline static int32_t get_offset_of_MIN_16BIT_7() { return static_cast<int32_t>(offsetof(TMP_Math_t1321001EB20EF6B301080B9518D7D119F1772E18_StaticFields, ___MIN_16BIT_7)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_MIN_16BIT_7() const { return ___MIN_16BIT_7; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_MIN_16BIT_7() { return &___MIN_16BIT_7; }
inline void set_MIN_16BIT_7(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___MIN_16BIT_7 = value;
}
};
// TMPro.TMP_Sprite
struct TMP_Sprite_t5728DA47AB37F3092BAB32BC014D1937340F20A4 : public TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA
{
public:
// System.String TMPro.TMP_Sprite::name
String_t* ___name_9;
// System.Int32 TMPro.TMP_Sprite::hashCode
int32_t ___hashCode_10;
// System.Int32 TMPro.TMP_Sprite::unicode
int32_t ___unicode_11;
// UnityEngine.Vector2 TMPro.TMP_Sprite::pivot
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___pivot_12;
// UnityEngine.Sprite TMPro.TMP_Sprite::sprite
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___sprite_13;
public:
inline static int32_t get_offset_of_name_9() { return static_cast<int32_t>(offsetof(TMP_Sprite_t5728DA47AB37F3092BAB32BC014D1937340F20A4, ___name_9)); }
inline String_t* get_name_9() const { return ___name_9; }
inline String_t** get_address_of_name_9() { return &___name_9; }
inline void set_name_9(String_t* value)
{
___name_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_9), (void*)value);
}
inline static int32_t get_offset_of_hashCode_10() { return static_cast<int32_t>(offsetof(TMP_Sprite_t5728DA47AB37F3092BAB32BC014D1937340F20A4, ___hashCode_10)); }
inline int32_t get_hashCode_10() const { return ___hashCode_10; }
inline int32_t* get_address_of_hashCode_10() { return &___hashCode_10; }
inline void set_hashCode_10(int32_t value)
{
___hashCode_10 = value;
}
inline static int32_t get_offset_of_unicode_11() { return static_cast<int32_t>(offsetof(TMP_Sprite_t5728DA47AB37F3092BAB32BC014D1937340F20A4, ___unicode_11)); }
inline int32_t get_unicode_11() const { return ___unicode_11; }
inline int32_t* get_address_of_unicode_11() { return &___unicode_11; }
inline void set_unicode_11(int32_t value)
{
___unicode_11 = value;
}
inline static int32_t get_offset_of_pivot_12() { return static_cast<int32_t>(offsetof(TMP_Sprite_t5728DA47AB37F3092BAB32BC014D1937340F20A4, ___pivot_12)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_pivot_12() const { return ___pivot_12; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_pivot_12() { return &___pivot_12; }
inline void set_pivot_12(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___pivot_12 = value;
}
inline static int32_t get_offset_of_sprite_13() { return static_cast<int32_t>(offsetof(TMP_Sprite_t5728DA47AB37F3092BAB32BC014D1937340F20A4, ___sprite_13)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_sprite_13() const { return ___sprite_13; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_sprite_13() { return &___sprite_13; }
inline void set_sprite_13(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___sprite_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sprite_13), (void*)value);
}
};
// TMPro.TMP_TextElementType
struct TMP_TextElementType_t4BDF96DA2071216188B19EB33C35912BD185ECA3
{
public:
// System.Int32 TMPro.TMP_TextElementType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TMP_TextElementType_t4BDF96DA2071216188B19EB33C35912BD185ECA3, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.TMP_TextInfo
struct TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547 : public RuntimeObject
{
public:
// TMPro.TMP_Text TMPro.TMP_TextInfo::textComponent
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * ___textComponent_2;
// System.Int32 TMPro.TMP_TextInfo::characterCount
int32_t ___characterCount_3;
// System.Int32 TMPro.TMP_TextInfo::spriteCount
int32_t ___spriteCount_4;
// System.Int32 TMPro.TMP_TextInfo::spaceCount
int32_t ___spaceCount_5;
// System.Int32 TMPro.TMP_TextInfo::wordCount
int32_t ___wordCount_6;
// System.Int32 TMPro.TMP_TextInfo::linkCount
int32_t ___linkCount_7;
// System.Int32 TMPro.TMP_TextInfo::lineCount
int32_t ___lineCount_8;
// System.Int32 TMPro.TMP_TextInfo::pageCount
int32_t ___pageCount_9;
// System.Int32 TMPro.TMP_TextInfo::materialCount
int32_t ___materialCount_10;
// TMPro.TMP_CharacterInfo[] TMPro.TMP_TextInfo::characterInfo
TMP_CharacterInfoU5BU5D_t7128C1B46CF6AB1374135FA31D41ABF23882B970* ___characterInfo_11;
// TMPro.TMP_WordInfo[] TMPro.TMP_TextInfo::wordInfo
TMP_WordInfoU5BU5D_t702DDE9D8C7BD02F4D744F914B94BAB83E0F9502* ___wordInfo_12;
// TMPro.TMP_LinkInfo[] TMPro.TMP_TextInfo::linkInfo
TMP_LinkInfoU5BU5D_t27AF3A656CD9F504EFE1F29B69409819CBE7C6C6* ___linkInfo_13;
// TMPro.TMP_LineInfo[] TMPro.TMP_TextInfo::lineInfo
TMP_LineInfoU5BU5D_t2B188FB1B6C36641B7FEB177ACC798FAC9806C3D* ___lineInfo_14;
// TMPro.TMP_PageInfo[] TMPro.TMP_TextInfo::pageInfo
TMP_PageInfoU5BU5D_tD278FD80A76AC5A74DA87B7A5653423E41AC634F* ___pageInfo_15;
// TMPro.TMP_MeshInfo[] TMPro.TMP_TextInfo::meshInfo
TMP_MeshInfoU5BU5D_t6C0A65D18C54B6FA681B2EB0676B83116FD03119* ___meshInfo_16;
// TMPro.TMP_MeshInfo[] TMPro.TMP_TextInfo::m_CachedMeshInfo
TMP_MeshInfoU5BU5D_t6C0A65D18C54B6FA681B2EB0676B83116FD03119* ___m_CachedMeshInfo_17;
public:
inline static int32_t get_offset_of_textComponent_2() { return static_cast<int32_t>(offsetof(TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547, ___textComponent_2)); }
inline TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * get_textComponent_2() const { return ___textComponent_2; }
inline TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 ** get_address_of_textComponent_2() { return &___textComponent_2; }
inline void set_textComponent_2(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * value)
{
___textComponent_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___textComponent_2), (void*)value);
}
inline static int32_t get_offset_of_characterCount_3() { return static_cast<int32_t>(offsetof(TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547, ___characterCount_3)); }
inline int32_t get_characterCount_3() const { return ___characterCount_3; }
inline int32_t* get_address_of_characterCount_3() { return &___characterCount_3; }
inline void set_characterCount_3(int32_t value)
{
___characterCount_3 = value;
}
inline static int32_t get_offset_of_spriteCount_4() { return static_cast<int32_t>(offsetof(TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547, ___spriteCount_4)); }
inline int32_t get_spriteCount_4() const { return ___spriteCount_4; }
inline int32_t* get_address_of_spriteCount_4() { return &___spriteCount_4; }
inline void set_spriteCount_4(int32_t value)
{
___spriteCount_4 = value;
}
inline static int32_t get_offset_of_spaceCount_5() { return static_cast<int32_t>(offsetof(TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547, ___spaceCount_5)); }
inline int32_t get_spaceCount_5() const { return ___spaceCount_5; }
inline int32_t* get_address_of_spaceCount_5() { return &___spaceCount_5; }
inline void set_spaceCount_5(int32_t value)
{
___spaceCount_5 = value;
}
inline static int32_t get_offset_of_wordCount_6() { return static_cast<int32_t>(offsetof(TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547, ___wordCount_6)); }
inline int32_t get_wordCount_6() const { return ___wordCount_6; }
inline int32_t* get_address_of_wordCount_6() { return &___wordCount_6; }
inline void set_wordCount_6(int32_t value)
{
___wordCount_6 = value;
}
inline static int32_t get_offset_of_linkCount_7() { return static_cast<int32_t>(offsetof(TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547, ___linkCount_7)); }
inline int32_t get_linkCount_7() const { return ___linkCount_7; }
inline int32_t* get_address_of_linkCount_7() { return &___linkCount_7; }
inline void set_linkCount_7(int32_t value)
{
___linkCount_7 = value;
}
inline static int32_t get_offset_of_lineCount_8() { return static_cast<int32_t>(offsetof(TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547, ___lineCount_8)); }
inline int32_t get_lineCount_8() const { return ___lineCount_8; }
inline int32_t* get_address_of_lineCount_8() { return &___lineCount_8; }
inline void set_lineCount_8(int32_t value)
{
___lineCount_8 = value;
}
inline static int32_t get_offset_of_pageCount_9() { return static_cast<int32_t>(offsetof(TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547, ___pageCount_9)); }
inline int32_t get_pageCount_9() const { return ___pageCount_9; }
inline int32_t* get_address_of_pageCount_9() { return &___pageCount_9; }
inline void set_pageCount_9(int32_t value)
{
___pageCount_9 = value;
}
inline static int32_t get_offset_of_materialCount_10() { return static_cast<int32_t>(offsetof(TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547, ___materialCount_10)); }
inline int32_t get_materialCount_10() const { return ___materialCount_10; }
inline int32_t* get_address_of_materialCount_10() { return &___materialCount_10; }
inline void set_materialCount_10(int32_t value)
{
___materialCount_10 = value;
}
inline static int32_t get_offset_of_characterInfo_11() { return static_cast<int32_t>(offsetof(TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547, ___characterInfo_11)); }
inline TMP_CharacterInfoU5BU5D_t7128C1B46CF6AB1374135FA31D41ABF23882B970* get_characterInfo_11() const { return ___characterInfo_11; }
inline TMP_CharacterInfoU5BU5D_t7128C1B46CF6AB1374135FA31D41ABF23882B970** get_address_of_characterInfo_11() { return &___characterInfo_11; }
inline void set_characterInfo_11(TMP_CharacterInfoU5BU5D_t7128C1B46CF6AB1374135FA31D41ABF23882B970* value)
{
___characterInfo_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___characterInfo_11), (void*)value);
}
inline static int32_t get_offset_of_wordInfo_12() { return static_cast<int32_t>(offsetof(TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547, ___wordInfo_12)); }
inline TMP_WordInfoU5BU5D_t702DDE9D8C7BD02F4D744F914B94BAB83E0F9502* get_wordInfo_12() const { return ___wordInfo_12; }
inline TMP_WordInfoU5BU5D_t702DDE9D8C7BD02F4D744F914B94BAB83E0F9502** get_address_of_wordInfo_12() { return &___wordInfo_12; }
inline void set_wordInfo_12(TMP_WordInfoU5BU5D_t702DDE9D8C7BD02F4D744F914B94BAB83E0F9502* value)
{
___wordInfo_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___wordInfo_12), (void*)value);
}
inline static int32_t get_offset_of_linkInfo_13() { return static_cast<int32_t>(offsetof(TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547, ___linkInfo_13)); }
inline TMP_LinkInfoU5BU5D_t27AF3A656CD9F504EFE1F29B69409819CBE7C6C6* get_linkInfo_13() const { return ___linkInfo_13; }
inline TMP_LinkInfoU5BU5D_t27AF3A656CD9F504EFE1F29B69409819CBE7C6C6** get_address_of_linkInfo_13() { return &___linkInfo_13; }
inline void set_linkInfo_13(TMP_LinkInfoU5BU5D_t27AF3A656CD9F504EFE1F29B69409819CBE7C6C6* value)
{
___linkInfo_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___linkInfo_13), (void*)value);
}
inline static int32_t get_offset_of_lineInfo_14() { return static_cast<int32_t>(offsetof(TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547, ___lineInfo_14)); }
inline TMP_LineInfoU5BU5D_t2B188FB1B6C36641B7FEB177ACC798FAC9806C3D* get_lineInfo_14() const { return ___lineInfo_14; }
inline TMP_LineInfoU5BU5D_t2B188FB1B6C36641B7FEB177ACC798FAC9806C3D** get_address_of_lineInfo_14() { return &___lineInfo_14; }
inline void set_lineInfo_14(TMP_LineInfoU5BU5D_t2B188FB1B6C36641B7FEB177ACC798FAC9806C3D* value)
{
___lineInfo_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___lineInfo_14), (void*)value);
}
inline static int32_t get_offset_of_pageInfo_15() { return static_cast<int32_t>(offsetof(TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547, ___pageInfo_15)); }
inline TMP_PageInfoU5BU5D_tD278FD80A76AC5A74DA87B7A5653423E41AC634F* get_pageInfo_15() const { return ___pageInfo_15; }
inline TMP_PageInfoU5BU5D_tD278FD80A76AC5A74DA87B7A5653423E41AC634F** get_address_of_pageInfo_15() { return &___pageInfo_15; }
inline void set_pageInfo_15(TMP_PageInfoU5BU5D_tD278FD80A76AC5A74DA87B7A5653423E41AC634F* value)
{
___pageInfo_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___pageInfo_15), (void*)value);
}
inline static int32_t get_offset_of_meshInfo_16() { return static_cast<int32_t>(offsetof(TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547, ___meshInfo_16)); }
inline TMP_MeshInfoU5BU5D_t6C0A65D18C54B6FA681B2EB0676B83116FD03119* get_meshInfo_16() const { return ___meshInfo_16; }
inline TMP_MeshInfoU5BU5D_t6C0A65D18C54B6FA681B2EB0676B83116FD03119** get_address_of_meshInfo_16() { return &___meshInfo_16; }
inline void set_meshInfo_16(TMP_MeshInfoU5BU5D_t6C0A65D18C54B6FA681B2EB0676B83116FD03119* value)
{
___meshInfo_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___meshInfo_16), (void*)value);
}
inline static int32_t get_offset_of_m_CachedMeshInfo_17() { return static_cast<int32_t>(offsetof(TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547, ___m_CachedMeshInfo_17)); }
inline TMP_MeshInfoU5BU5D_t6C0A65D18C54B6FA681B2EB0676B83116FD03119* get_m_CachedMeshInfo_17() const { return ___m_CachedMeshInfo_17; }
inline TMP_MeshInfoU5BU5D_t6C0A65D18C54B6FA681B2EB0676B83116FD03119** get_address_of_m_CachedMeshInfo_17() { return &___m_CachedMeshInfo_17; }
inline void set_m_CachedMeshInfo_17(TMP_MeshInfoU5BU5D_t6C0A65D18C54B6FA681B2EB0676B83116FD03119* value)
{
___m_CachedMeshInfo_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CachedMeshInfo_17), (void*)value);
}
};
struct TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547_StaticFields
{
public:
// UnityEngine.Vector2 TMPro.TMP_TextInfo::k_InfinityVectorPositive
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___k_InfinityVectorPositive_0;
// UnityEngine.Vector2 TMPro.TMP_TextInfo::k_InfinityVectorNegative
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___k_InfinityVectorNegative_1;
public:
inline static int32_t get_offset_of_k_InfinityVectorPositive_0() { return static_cast<int32_t>(offsetof(TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547_StaticFields, ___k_InfinityVectorPositive_0)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_k_InfinityVectorPositive_0() const { return ___k_InfinityVectorPositive_0; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_k_InfinityVectorPositive_0() { return &___k_InfinityVectorPositive_0; }
inline void set_k_InfinityVectorPositive_0(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___k_InfinityVectorPositive_0 = value;
}
inline static int32_t get_offset_of_k_InfinityVectorNegative_1() { return static_cast<int32_t>(offsetof(TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547_StaticFields, ___k_InfinityVectorNegative_1)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_k_InfinityVectorNegative_1() const { return ___k_InfinityVectorNegative_1; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_k_InfinityVectorNegative_1() { return &___k_InfinityVectorNegative_1; }
inline void set_k_InfinityVectorNegative_1(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___k_InfinityVectorNegative_1 = value;
}
};
// TMPro.TMP_Vertex
struct TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E
{
public:
// UnityEngine.Vector3 TMPro.TMP_Vertex::position
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_0;
// UnityEngine.Vector2 TMPro.TMP_Vertex::uv
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___uv_1;
// UnityEngine.Vector2 TMPro.TMP_Vertex::uv2
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___uv2_2;
// UnityEngine.Vector2 TMPro.TMP_Vertex::uv4
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___uv4_3;
// UnityEngine.Color32 TMPro.TMP_Vertex::color
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___color_4;
public:
inline static int32_t get_offset_of_position_0() { return static_cast<int32_t>(offsetof(TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E, ___position_0)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_position_0() const { return ___position_0; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_position_0() { return &___position_0; }
inline void set_position_0(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___position_0 = value;
}
inline static int32_t get_offset_of_uv_1() { return static_cast<int32_t>(offsetof(TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E, ___uv_1)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_uv_1() const { return ___uv_1; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_uv_1() { return &___uv_1; }
inline void set_uv_1(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___uv_1 = value;
}
inline static int32_t get_offset_of_uv2_2() { return static_cast<int32_t>(offsetof(TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E, ___uv2_2)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_uv2_2() const { return ___uv2_2; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_uv2_2() { return &___uv2_2; }
inline void set_uv2_2(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___uv2_2 = value;
}
inline static int32_t get_offset_of_uv4_3() { return static_cast<int32_t>(offsetof(TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E, ___uv4_3)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_uv4_3() const { return ___uv4_3; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_uv4_3() { return &___uv4_3; }
inline void set_uv4_3(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___uv4_3 = value;
}
inline static int32_t get_offset_of_color_4() { return static_cast<int32_t>(offsetof(TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E, ___color_4)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_color_4() const { return ___color_4; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_color_4() { return &___color_4; }
inline void set_color_4(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___color_4 = value;
}
};
struct TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E_StaticFields
{
public:
// TMPro.TMP_Vertex TMPro.TMP_Vertex::k_Zero
TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E ___k_Zero_5;
public:
inline static int32_t get_offset_of_k_Zero_5() { return static_cast<int32_t>(offsetof(TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E_StaticFields, ___k_Zero_5)); }
inline TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E get_k_Zero_5() const { return ___k_Zero_5; }
inline TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E * get_address_of_k_Zero_5() { return &___k_Zero_5; }
inline void set_k_Zero_5(TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E value)
{
___k_Zero_5 = value;
}
};
// TMPro.TMP_VertexDataUpdateFlags
struct TMP_VertexDataUpdateFlags_tE7C38BDA9FC5B09848F4412694FFA8AEC56C4782
{
public:
// System.Int32 TMPro.TMP_VertexDataUpdateFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TMP_VertexDataUpdateFlags_tE7C38BDA9FC5B09848F4412694FFA8AEC56C4782, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.TagUnitType
struct TagUnitType_t49D497DCEF602CC71A9788FB5C964D7AA57ED107
{
public:
// System.Int32 TMPro.TagUnitType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TagUnitType_t49D497DCEF602CC71A9788FB5C964D7AA57ED107, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.TagValueType
struct TagValueType_t45477BE8BE064D51E9DF1DAE60A0C84D7CDD564C
{
public:
// System.Int32 TMPro.TagValueType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TagValueType_t45477BE8BE064D51E9DF1DAE60A0C84D7CDD564C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Globalization.TaiwanCalendar
struct TaiwanCalendar_tF03DACFCF8C6BC8EDD68CADE289D6A32FBBC516C : public Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A
{
public:
// System.Globalization.GregorianCalendarHelper System.Globalization.TaiwanCalendar::helper
GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85 * ___helper_44;
public:
inline static int32_t get_offset_of_helper_44() { return static_cast<int32_t>(offsetof(TaiwanCalendar_tF03DACFCF8C6BC8EDD68CADE289D6A32FBBC516C, ___helper_44)); }
inline GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85 * get_helper_44() const { return ___helper_44; }
inline GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85 ** get_address_of_helper_44() { return &___helper_44; }
inline void set_helper_44(GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85 * value)
{
___helper_44 = value;
Il2CppCodeGenWriteBarrier((void**)(&___helper_44), (void*)value);
}
};
struct TaiwanCalendar_tF03DACFCF8C6BC8EDD68CADE289D6A32FBBC516C_StaticFields
{
public:
// System.Globalization.EraInfo[] System.Globalization.TaiwanCalendar::taiwanEraInfo
EraInfoU5BU5D_t10A6B77B46980FAB77489DFE9A287CFA907F099A* ___taiwanEraInfo_42;
// System.Globalization.Calendar modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.TaiwanCalendar::s_defaultInstance
Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * ___s_defaultInstance_43;
// System.DateTime System.Globalization.TaiwanCalendar::calendarMinValue
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 ___calendarMinValue_45;
public:
inline static int32_t get_offset_of_taiwanEraInfo_42() { return static_cast<int32_t>(offsetof(TaiwanCalendar_tF03DACFCF8C6BC8EDD68CADE289D6A32FBBC516C_StaticFields, ___taiwanEraInfo_42)); }
inline EraInfoU5BU5D_t10A6B77B46980FAB77489DFE9A287CFA907F099A* get_taiwanEraInfo_42() const { return ___taiwanEraInfo_42; }
inline EraInfoU5BU5D_t10A6B77B46980FAB77489DFE9A287CFA907F099A** get_address_of_taiwanEraInfo_42() { return &___taiwanEraInfo_42; }
inline void set_taiwanEraInfo_42(EraInfoU5BU5D_t10A6B77B46980FAB77489DFE9A287CFA907F099A* value)
{
___taiwanEraInfo_42 = value;
Il2CppCodeGenWriteBarrier((void**)(&___taiwanEraInfo_42), (void*)value);
}
inline static int32_t get_offset_of_s_defaultInstance_43() { return static_cast<int32_t>(offsetof(TaiwanCalendar_tF03DACFCF8C6BC8EDD68CADE289D6A32FBBC516C_StaticFields, ___s_defaultInstance_43)); }
inline Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * get_s_defaultInstance_43() const { return ___s_defaultInstance_43; }
inline Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A ** get_address_of_s_defaultInstance_43() { return &___s_defaultInstance_43; }
inline void set_s_defaultInstance_43(Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * value)
{
___s_defaultInstance_43 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_defaultInstance_43), (void*)value);
}
inline static int32_t get_offset_of_calendarMinValue_45() { return static_cast<int32_t>(offsetof(TaiwanCalendar_tF03DACFCF8C6BC8EDD68CADE289D6A32FBBC516C_StaticFields, ___calendarMinValue_45)); }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 get_calendarMinValue_45() const { return ___calendarMinValue_45; }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 * get_address_of_calendarMinValue_45() { return &___calendarMinValue_45; }
inline void set_calendarMinValue_45(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 value)
{
___calendarMinValue_45 = value;
}
};
// UnityEngine.Bindings.TargetType
struct TargetType_tBE103EBCFE59544A834B8108A56B2A91F7CBE1DF
{
public:
// System.Int32 UnityEngine.Bindings.TargetType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TargetType_tBE103EBCFE59544A834B8108A56B2A91F7CBE1DF, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.Tasks.Task
struct Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 : public RuntimeObject
{
public:
// System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.Tasks.Task::m_taskId
int32_t ___m_taskId_4;
// System.Object System.Threading.Tasks.Task::m_action
RuntimeObject * ___m_action_5;
// System.Object System.Threading.Tasks.Task::m_stateObject
RuntimeObject * ___m_stateObject_6;
// System.Threading.Tasks.TaskScheduler System.Threading.Tasks.Task::m_taskScheduler
TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D * ___m_taskScheduler_7;
// System.Threading.Tasks.Task System.Threading.Tasks.Task::m_parent
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * ___m_parent_8;
// System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.Tasks.Task::m_stateFlags
int32_t ___m_stateFlags_9;
// System.Object modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.Tasks.Task::m_continuationObject
RuntimeObject * ___m_continuationObject_10;
// System.Threading.Tasks.Task/ContingentProperties modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.Tasks.Task::m_contingentProperties
ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0 * ___m_contingentProperties_15;
public:
inline static int32_t get_offset_of_m_taskId_4() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60, ___m_taskId_4)); }
inline int32_t get_m_taskId_4() const { return ___m_taskId_4; }
inline int32_t* get_address_of_m_taskId_4() { return &___m_taskId_4; }
inline void set_m_taskId_4(int32_t value)
{
___m_taskId_4 = value;
}
inline static int32_t get_offset_of_m_action_5() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60, ___m_action_5)); }
inline RuntimeObject * get_m_action_5() const { return ___m_action_5; }
inline RuntimeObject ** get_address_of_m_action_5() { return &___m_action_5; }
inline void set_m_action_5(RuntimeObject * value)
{
___m_action_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_action_5), (void*)value);
}
inline static int32_t get_offset_of_m_stateObject_6() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60, ___m_stateObject_6)); }
inline RuntimeObject * get_m_stateObject_6() const { return ___m_stateObject_6; }
inline RuntimeObject ** get_address_of_m_stateObject_6() { return &___m_stateObject_6; }
inline void set_m_stateObject_6(RuntimeObject * value)
{
___m_stateObject_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_stateObject_6), (void*)value);
}
inline static int32_t get_offset_of_m_taskScheduler_7() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60, ___m_taskScheduler_7)); }
inline TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D * get_m_taskScheduler_7() const { return ___m_taskScheduler_7; }
inline TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D ** get_address_of_m_taskScheduler_7() { return &___m_taskScheduler_7; }
inline void set_m_taskScheduler_7(TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D * value)
{
___m_taskScheduler_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_taskScheduler_7), (void*)value);
}
inline static int32_t get_offset_of_m_parent_8() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60, ___m_parent_8)); }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * get_m_parent_8() const { return ___m_parent_8; }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 ** get_address_of_m_parent_8() { return &___m_parent_8; }
inline void set_m_parent_8(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * value)
{
___m_parent_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_parent_8), (void*)value);
}
inline static int32_t get_offset_of_m_stateFlags_9() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60, ___m_stateFlags_9)); }
inline int32_t get_m_stateFlags_9() const { return ___m_stateFlags_9; }
inline int32_t* get_address_of_m_stateFlags_9() { return &___m_stateFlags_9; }
inline void set_m_stateFlags_9(int32_t value)
{
___m_stateFlags_9 = value;
}
inline static int32_t get_offset_of_m_continuationObject_10() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60, ___m_continuationObject_10)); }
inline RuntimeObject * get_m_continuationObject_10() const { return ___m_continuationObject_10; }
inline RuntimeObject ** get_address_of_m_continuationObject_10() { return &___m_continuationObject_10; }
inline void set_m_continuationObject_10(RuntimeObject * value)
{
___m_continuationObject_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_continuationObject_10), (void*)value);
}
inline static int32_t get_offset_of_m_contingentProperties_15() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60, ___m_contingentProperties_15)); }
inline ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0 * get_m_contingentProperties_15() const { return ___m_contingentProperties_15; }
inline ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0 ** get_address_of_m_contingentProperties_15() { return &___m_contingentProperties_15; }
inline void set_m_contingentProperties_15(ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0 * value)
{
___m_contingentProperties_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_contingentProperties_15), (void*)value);
}
};
struct Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields
{
public:
// System.Int32 System.Threading.Tasks.Task::s_taskIdCounter
int32_t ___s_taskIdCounter_2;
// System.Threading.Tasks.TaskFactory System.Threading.Tasks.Task::s_factory
TaskFactory_t22D999A05A967C31A4B5FFBD08864809BF35EA3B * ___s_factory_3;
// System.Object System.Threading.Tasks.Task::s_taskCompletionSentinel
RuntimeObject * ___s_taskCompletionSentinel_11;
// System.Boolean System.Threading.Tasks.Task::s_asyncDebuggingEnabled
bool ___s_asyncDebuggingEnabled_12;
// System.Collections.Generic.Dictionary`2<System.Int32,System.Threading.Tasks.Task> System.Threading.Tasks.Task::s_currentActiveTasks
Dictionary_2_tB758E2A2593CD827EFC041BE1F1BB4B68DE1C3E8 * ___s_currentActiveTasks_13;
// System.Object System.Threading.Tasks.Task::s_activeTasksLock
RuntimeObject * ___s_activeTasksLock_14;
// System.Action`1<System.Object> System.Threading.Tasks.Task::s_taskCancelCallback
Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * ___s_taskCancelCallback_16;
// System.Func`1<System.Threading.Tasks.Task/ContingentProperties> System.Threading.Tasks.Task::s_createContingentProperties
Func_1_tBCF42601FA307876E83080BE4204110820F8BF3B * ___s_createContingentProperties_17;
// System.Threading.Tasks.Task System.Threading.Tasks.Task::s_completedTask
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * ___s_completedTask_18;
// System.Predicate`1<System.Threading.Tasks.Task> System.Threading.Tasks.Task::s_IsExceptionObservedByParentPredicate
Predicate_1_tC0DBBC8498BD1EE6ABFFAA5628024105FA7D11BD * ___s_IsExceptionObservedByParentPredicate_19;
// System.Threading.ContextCallback System.Threading.Tasks.Task::s_ecCallback
ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * ___s_ecCallback_20;
// System.Predicate`1<System.Object> System.Threading.Tasks.Task::s_IsTaskContinuationNullPredicate
Predicate_1_t5C96B81B31A697B11C4C3767E3298773AF25DFEB * ___s_IsTaskContinuationNullPredicate_21;
public:
inline static int32_t get_offset_of_s_taskIdCounter_2() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields, ___s_taskIdCounter_2)); }
inline int32_t get_s_taskIdCounter_2() const { return ___s_taskIdCounter_2; }
inline int32_t* get_address_of_s_taskIdCounter_2() { return &___s_taskIdCounter_2; }
inline void set_s_taskIdCounter_2(int32_t value)
{
___s_taskIdCounter_2 = value;
}
inline static int32_t get_offset_of_s_factory_3() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields, ___s_factory_3)); }
inline TaskFactory_t22D999A05A967C31A4B5FFBD08864809BF35EA3B * get_s_factory_3() const { return ___s_factory_3; }
inline TaskFactory_t22D999A05A967C31A4B5FFBD08864809BF35EA3B ** get_address_of_s_factory_3() { return &___s_factory_3; }
inline void set_s_factory_3(TaskFactory_t22D999A05A967C31A4B5FFBD08864809BF35EA3B * value)
{
___s_factory_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_factory_3), (void*)value);
}
inline static int32_t get_offset_of_s_taskCompletionSentinel_11() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields, ___s_taskCompletionSentinel_11)); }
inline RuntimeObject * get_s_taskCompletionSentinel_11() const { return ___s_taskCompletionSentinel_11; }
inline RuntimeObject ** get_address_of_s_taskCompletionSentinel_11() { return &___s_taskCompletionSentinel_11; }
inline void set_s_taskCompletionSentinel_11(RuntimeObject * value)
{
___s_taskCompletionSentinel_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_taskCompletionSentinel_11), (void*)value);
}
inline static int32_t get_offset_of_s_asyncDebuggingEnabled_12() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields, ___s_asyncDebuggingEnabled_12)); }
inline bool get_s_asyncDebuggingEnabled_12() const { return ___s_asyncDebuggingEnabled_12; }
inline bool* get_address_of_s_asyncDebuggingEnabled_12() { return &___s_asyncDebuggingEnabled_12; }
inline void set_s_asyncDebuggingEnabled_12(bool value)
{
___s_asyncDebuggingEnabled_12 = value;
}
inline static int32_t get_offset_of_s_currentActiveTasks_13() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields, ___s_currentActiveTasks_13)); }
inline Dictionary_2_tB758E2A2593CD827EFC041BE1F1BB4B68DE1C3E8 * get_s_currentActiveTasks_13() const { return ___s_currentActiveTasks_13; }
inline Dictionary_2_tB758E2A2593CD827EFC041BE1F1BB4B68DE1C3E8 ** get_address_of_s_currentActiveTasks_13() { return &___s_currentActiveTasks_13; }
inline void set_s_currentActiveTasks_13(Dictionary_2_tB758E2A2593CD827EFC041BE1F1BB4B68DE1C3E8 * value)
{
___s_currentActiveTasks_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_currentActiveTasks_13), (void*)value);
}
inline static int32_t get_offset_of_s_activeTasksLock_14() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields, ___s_activeTasksLock_14)); }
inline RuntimeObject * get_s_activeTasksLock_14() const { return ___s_activeTasksLock_14; }
inline RuntimeObject ** get_address_of_s_activeTasksLock_14() { return &___s_activeTasksLock_14; }
inline void set_s_activeTasksLock_14(RuntimeObject * value)
{
___s_activeTasksLock_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_activeTasksLock_14), (void*)value);
}
inline static int32_t get_offset_of_s_taskCancelCallback_16() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields, ___s_taskCancelCallback_16)); }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * get_s_taskCancelCallback_16() const { return ___s_taskCancelCallback_16; }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC ** get_address_of_s_taskCancelCallback_16() { return &___s_taskCancelCallback_16; }
inline void set_s_taskCancelCallback_16(Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * value)
{
___s_taskCancelCallback_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_taskCancelCallback_16), (void*)value);
}
inline static int32_t get_offset_of_s_createContingentProperties_17() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields, ___s_createContingentProperties_17)); }
inline Func_1_tBCF42601FA307876E83080BE4204110820F8BF3B * get_s_createContingentProperties_17() const { return ___s_createContingentProperties_17; }
inline Func_1_tBCF42601FA307876E83080BE4204110820F8BF3B ** get_address_of_s_createContingentProperties_17() { return &___s_createContingentProperties_17; }
inline void set_s_createContingentProperties_17(Func_1_tBCF42601FA307876E83080BE4204110820F8BF3B * value)
{
___s_createContingentProperties_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_createContingentProperties_17), (void*)value);
}
inline static int32_t get_offset_of_s_completedTask_18() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields, ___s_completedTask_18)); }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * get_s_completedTask_18() const { return ___s_completedTask_18; }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 ** get_address_of_s_completedTask_18() { return &___s_completedTask_18; }
inline void set_s_completedTask_18(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * value)
{
___s_completedTask_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_completedTask_18), (void*)value);
}
inline static int32_t get_offset_of_s_IsExceptionObservedByParentPredicate_19() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields, ___s_IsExceptionObservedByParentPredicate_19)); }
inline Predicate_1_tC0DBBC8498BD1EE6ABFFAA5628024105FA7D11BD * get_s_IsExceptionObservedByParentPredicate_19() const { return ___s_IsExceptionObservedByParentPredicate_19; }
inline Predicate_1_tC0DBBC8498BD1EE6ABFFAA5628024105FA7D11BD ** get_address_of_s_IsExceptionObservedByParentPredicate_19() { return &___s_IsExceptionObservedByParentPredicate_19; }
inline void set_s_IsExceptionObservedByParentPredicate_19(Predicate_1_tC0DBBC8498BD1EE6ABFFAA5628024105FA7D11BD * value)
{
___s_IsExceptionObservedByParentPredicate_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_IsExceptionObservedByParentPredicate_19), (void*)value);
}
inline static int32_t get_offset_of_s_ecCallback_20() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields, ___s_ecCallback_20)); }
inline ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * get_s_ecCallback_20() const { return ___s_ecCallback_20; }
inline ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B ** get_address_of_s_ecCallback_20() { return &___s_ecCallback_20; }
inline void set_s_ecCallback_20(ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * value)
{
___s_ecCallback_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_ecCallback_20), (void*)value);
}
inline static int32_t get_offset_of_s_IsTaskContinuationNullPredicate_21() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields, ___s_IsTaskContinuationNullPredicate_21)); }
inline Predicate_1_t5C96B81B31A697B11C4C3767E3298773AF25DFEB * get_s_IsTaskContinuationNullPredicate_21() const { return ___s_IsTaskContinuationNullPredicate_21; }
inline Predicate_1_t5C96B81B31A697B11C4C3767E3298773AF25DFEB ** get_address_of_s_IsTaskContinuationNullPredicate_21() { return &___s_IsTaskContinuationNullPredicate_21; }
inline void set_s_IsTaskContinuationNullPredicate_21(Predicate_1_t5C96B81B31A697B11C4C3767E3298773AF25DFEB * value)
{
___s_IsTaskContinuationNullPredicate_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_IsTaskContinuationNullPredicate_21), (void*)value);
}
};
struct Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_ThreadStaticFields
{
public:
// System.Threading.Tasks.Task System.Threading.Tasks.Task::t_currentTask
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * ___t_currentTask_0;
// System.Threading.Tasks.StackGuard System.Threading.Tasks.Task::t_stackGuard
StackGuard_t88E1EE4741AD02CA5FEA04A4EB2CC70F230E0E6D * ___t_stackGuard_1;
public:
inline static int32_t get_offset_of_t_currentTask_0() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_ThreadStaticFields, ___t_currentTask_0)); }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * get_t_currentTask_0() const { return ___t_currentTask_0; }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 ** get_address_of_t_currentTask_0() { return &___t_currentTask_0; }
inline void set_t_currentTask_0(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * value)
{
___t_currentTask_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___t_currentTask_0), (void*)value);
}
inline static int32_t get_offset_of_t_stackGuard_1() { return static_cast<int32_t>(offsetof(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_ThreadStaticFields, ___t_stackGuard_1)); }
inline StackGuard_t88E1EE4741AD02CA5FEA04A4EB2CC70F230E0E6D * get_t_stackGuard_1() const { return ___t_stackGuard_1; }
inline StackGuard_t88E1EE4741AD02CA5FEA04A4EB2CC70F230E0E6D ** get_address_of_t_stackGuard_1() { return &___t_stackGuard_1; }
inline void set_t_stackGuard_1(StackGuard_t88E1EE4741AD02CA5FEA04A4EB2CC70F230E0E6D * value)
{
___t_stackGuard_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___t_stackGuard_1), (void*)value);
}
};
// System.Threading.Tasks.TaskContinuationOptions
struct TaskContinuationOptions_t9FC13DFA1FFAFD07FE9A19491D1DBEB48BFA8399
{
public:
// System.Int32 System.Threading.Tasks.TaskContinuationOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TaskContinuationOptions_t9FC13DFA1FFAFD07FE9A19491D1DBEB48BFA8399, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.Tasks.TaskCreationOptions
struct TaskCreationOptions_t469019F1B0F93FA60337952E265311E8048D2112
{
public:
// System.Int32 System.Threading.Tasks.TaskCreationOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TaskCreationOptions_t469019F1B0F93FA60337952E265311E8048D2112, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.Tasks.TaskExceptionHolder
struct TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684 : public RuntimeObject
{
public:
// System.Threading.Tasks.Task System.Threading.Tasks.TaskExceptionHolder::m_task
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * ___m_task_3;
// System.Collections.Generic.List`1<System.Runtime.ExceptionServices.ExceptionDispatchInfo> modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.Tasks.TaskExceptionHolder::m_faultExceptions
List_1_tF1A7EE4FBAFE8B979C23198BA20A21E50C92CA17 * ___m_faultExceptions_4;
// System.Runtime.ExceptionServices.ExceptionDispatchInfo System.Threading.Tasks.TaskExceptionHolder::m_cancellationException
ExceptionDispatchInfo_t85442E41DA1485CFF22598AC362EE986DF3CDD09 * ___m_cancellationException_5;
// System.Boolean modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.Tasks.TaskExceptionHolder::m_isHandled
bool ___m_isHandled_6;
public:
inline static int32_t get_offset_of_m_task_3() { return static_cast<int32_t>(offsetof(TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684, ___m_task_3)); }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * get_m_task_3() const { return ___m_task_3; }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 ** get_address_of_m_task_3() { return &___m_task_3; }
inline void set_m_task_3(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * value)
{
___m_task_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_task_3), (void*)value);
}
inline static int32_t get_offset_of_m_faultExceptions_4() { return static_cast<int32_t>(offsetof(TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684, ___m_faultExceptions_4)); }
inline List_1_tF1A7EE4FBAFE8B979C23198BA20A21E50C92CA17 * get_m_faultExceptions_4() const { return ___m_faultExceptions_4; }
inline List_1_tF1A7EE4FBAFE8B979C23198BA20A21E50C92CA17 ** get_address_of_m_faultExceptions_4() { return &___m_faultExceptions_4; }
inline void set_m_faultExceptions_4(List_1_tF1A7EE4FBAFE8B979C23198BA20A21E50C92CA17 * value)
{
___m_faultExceptions_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_faultExceptions_4), (void*)value);
}
inline static int32_t get_offset_of_m_cancellationException_5() { return static_cast<int32_t>(offsetof(TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684, ___m_cancellationException_5)); }
inline ExceptionDispatchInfo_t85442E41DA1485CFF22598AC362EE986DF3CDD09 * get_m_cancellationException_5() const { return ___m_cancellationException_5; }
inline ExceptionDispatchInfo_t85442E41DA1485CFF22598AC362EE986DF3CDD09 ** get_address_of_m_cancellationException_5() { return &___m_cancellationException_5; }
inline void set_m_cancellationException_5(ExceptionDispatchInfo_t85442E41DA1485CFF22598AC362EE986DF3CDD09 * value)
{
___m_cancellationException_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_cancellationException_5), (void*)value);
}
inline static int32_t get_offset_of_m_isHandled_6() { return static_cast<int32_t>(offsetof(TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684, ___m_isHandled_6)); }
inline bool get_m_isHandled_6() const { return ___m_isHandled_6; }
inline bool* get_address_of_m_isHandled_6() { return &___m_isHandled_6; }
inline void set_m_isHandled_6(bool value)
{
___m_isHandled_6 = value;
}
};
struct TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684_StaticFields
{
public:
// System.Boolean System.Threading.Tasks.TaskExceptionHolder::s_failFastOnUnobservedException
bool ___s_failFastOnUnobservedException_0;
// System.Boolean modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.Tasks.TaskExceptionHolder::s_domainUnloadStarted
bool ___s_domainUnloadStarted_1;
// System.EventHandler modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.Tasks.TaskExceptionHolder::s_adUnloadEventHandler
EventHandler_t084491E53EC706ACA0A15CA17488C075B4ECA44B * ___s_adUnloadEventHandler_2;
public:
inline static int32_t get_offset_of_s_failFastOnUnobservedException_0() { return static_cast<int32_t>(offsetof(TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684_StaticFields, ___s_failFastOnUnobservedException_0)); }
inline bool get_s_failFastOnUnobservedException_0() const { return ___s_failFastOnUnobservedException_0; }
inline bool* get_address_of_s_failFastOnUnobservedException_0() { return &___s_failFastOnUnobservedException_0; }
inline void set_s_failFastOnUnobservedException_0(bool value)
{
___s_failFastOnUnobservedException_0 = value;
}
inline static int32_t get_offset_of_s_domainUnloadStarted_1() { return static_cast<int32_t>(offsetof(TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684_StaticFields, ___s_domainUnloadStarted_1)); }
inline bool get_s_domainUnloadStarted_1() const { return ___s_domainUnloadStarted_1; }
inline bool* get_address_of_s_domainUnloadStarted_1() { return &___s_domainUnloadStarted_1; }
inline void set_s_domainUnloadStarted_1(bool value)
{
___s_domainUnloadStarted_1 = value;
}
inline static int32_t get_offset_of_s_adUnloadEventHandler_2() { return static_cast<int32_t>(offsetof(TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684_StaticFields, ___s_adUnloadEventHandler_2)); }
inline EventHandler_t084491E53EC706ACA0A15CA17488C075B4ECA44B * get_s_adUnloadEventHandler_2() const { return ___s_adUnloadEventHandler_2; }
inline EventHandler_t084491E53EC706ACA0A15CA17488C075B4ECA44B ** get_address_of_s_adUnloadEventHandler_2() { return &___s_adUnloadEventHandler_2; }
inline void set_s_adUnloadEventHandler_2(EventHandler_t084491E53EC706ACA0A15CA17488C075B4ECA44B * value)
{
___s_adUnloadEventHandler_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_adUnloadEventHandler_2), (void*)value);
}
};
// System.Threading.Tasks.TaskScheduler
struct TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D : public RuntimeObject
{
public:
// System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.Tasks.TaskScheduler::m_taskSchedulerId
int32_t ___m_taskSchedulerId_3;
public:
inline static int32_t get_offset_of_m_taskSchedulerId_3() { return static_cast<int32_t>(offsetof(TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D, ___m_taskSchedulerId_3)); }
inline int32_t get_m_taskSchedulerId_3() const { return ___m_taskSchedulerId_3; }
inline int32_t* get_address_of_m_taskSchedulerId_3() { return &___m_taskSchedulerId_3; }
inline void set_m_taskSchedulerId_3(int32_t value)
{
___m_taskSchedulerId_3 = value;
}
};
struct TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D_StaticFields
{
public:
// System.Runtime.CompilerServices.ConditionalWeakTable`2<System.Threading.Tasks.TaskScheduler,System.Object> System.Threading.Tasks.TaskScheduler::s_activeTaskSchedulers
ConditionalWeakTable_2_t93AD246458B1FCACF9EE33160B2DB2E06AB42CD8 * ___s_activeTaskSchedulers_0;
// System.Threading.Tasks.TaskScheduler System.Threading.Tasks.TaskScheduler::s_defaultTaskScheduler
TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D * ___s_defaultTaskScheduler_1;
// System.Int32 System.Threading.Tasks.TaskScheduler::s_taskSchedulerIdCounter
int32_t ___s_taskSchedulerIdCounter_2;
// System.EventHandler`1<System.Threading.Tasks.UnobservedTaskExceptionEventArgs> System.Threading.Tasks.TaskScheduler::_unobservedTaskException
EventHandler_1_t7DFDECE3AD515844324382F8BBCAC2975ABEE63A * ____unobservedTaskException_4;
// System.Object System.Threading.Tasks.TaskScheduler::_unobservedTaskExceptionLockObject
RuntimeObject * ____unobservedTaskExceptionLockObject_5;
public:
inline static int32_t get_offset_of_s_activeTaskSchedulers_0() { return static_cast<int32_t>(offsetof(TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D_StaticFields, ___s_activeTaskSchedulers_0)); }
inline ConditionalWeakTable_2_t93AD246458B1FCACF9EE33160B2DB2E06AB42CD8 * get_s_activeTaskSchedulers_0() const { return ___s_activeTaskSchedulers_0; }
inline ConditionalWeakTable_2_t93AD246458B1FCACF9EE33160B2DB2E06AB42CD8 ** get_address_of_s_activeTaskSchedulers_0() { return &___s_activeTaskSchedulers_0; }
inline void set_s_activeTaskSchedulers_0(ConditionalWeakTable_2_t93AD246458B1FCACF9EE33160B2DB2E06AB42CD8 * value)
{
___s_activeTaskSchedulers_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_activeTaskSchedulers_0), (void*)value);
}
inline static int32_t get_offset_of_s_defaultTaskScheduler_1() { return static_cast<int32_t>(offsetof(TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D_StaticFields, ___s_defaultTaskScheduler_1)); }
inline TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D * get_s_defaultTaskScheduler_1() const { return ___s_defaultTaskScheduler_1; }
inline TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D ** get_address_of_s_defaultTaskScheduler_1() { return &___s_defaultTaskScheduler_1; }
inline void set_s_defaultTaskScheduler_1(TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D * value)
{
___s_defaultTaskScheduler_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_defaultTaskScheduler_1), (void*)value);
}
inline static int32_t get_offset_of_s_taskSchedulerIdCounter_2() { return static_cast<int32_t>(offsetof(TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D_StaticFields, ___s_taskSchedulerIdCounter_2)); }
inline int32_t get_s_taskSchedulerIdCounter_2() const { return ___s_taskSchedulerIdCounter_2; }
inline int32_t* get_address_of_s_taskSchedulerIdCounter_2() { return &___s_taskSchedulerIdCounter_2; }
inline void set_s_taskSchedulerIdCounter_2(int32_t value)
{
___s_taskSchedulerIdCounter_2 = value;
}
inline static int32_t get_offset_of__unobservedTaskException_4() { return static_cast<int32_t>(offsetof(TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D_StaticFields, ____unobservedTaskException_4)); }
inline EventHandler_1_t7DFDECE3AD515844324382F8BBCAC2975ABEE63A * get__unobservedTaskException_4() const { return ____unobservedTaskException_4; }
inline EventHandler_1_t7DFDECE3AD515844324382F8BBCAC2975ABEE63A ** get_address_of__unobservedTaskException_4() { return &____unobservedTaskException_4; }
inline void set__unobservedTaskException_4(EventHandler_1_t7DFDECE3AD515844324382F8BBCAC2975ABEE63A * value)
{
____unobservedTaskException_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____unobservedTaskException_4), (void*)value);
}
inline static int32_t get_offset_of__unobservedTaskExceptionLockObject_5() { return static_cast<int32_t>(offsetof(TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D_StaticFields, ____unobservedTaskExceptionLockObject_5)); }
inline RuntimeObject * get__unobservedTaskExceptionLockObject_5() const { return ____unobservedTaskExceptionLockObject_5; }
inline RuntimeObject ** get_address_of__unobservedTaskExceptionLockObject_5() { return &____unobservedTaskExceptionLockObject_5; }
inline void set__unobservedTaskExceptionLockObject_5(RuntimeObject * value)
{
____unobservedTaskExceptionLockObject_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____unobservedTaskExceptionLockObject_5), (void*)value);
}
};
// System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation
struct TaskSchedulerAwaitTaskContinuation_t3780019C37FAB558CDC5E0B7428FAC3DD1CB7D19 : public AwaitTaskContinuation_t1A2278C0F0612C10EEF2B2FF352D2833C53E86CB
{
public:
// System.Threading.Tasks.TaskScheduler System.Threading.Tasks.TaskSchedulerAwaitTaskContinuation::m_scheduler
TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D * ___m_scheduler_3;
public:
inline static int32_t get_offset_of_m_scheduler_3() { return static_cast<int32_t>(offsetof(TaskSchedulerAwaitTaskContinuation_t3780019C37FAB558CDC5E0B7428FAC3DD1CB7D19, ___m_scheduler_3)); }
inline TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D * get_m_scheduler_3() const { return ___m_scheduler_3; }
inline TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D ** get_address_of_m_scheduler_3() { return &___m_scheduler_3; }
inline void set_m_scheduler_3(TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D * value)
{
___m_scheduler_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_scheduler_3), (void*)value);
}
};
// System.Threading.Tasks.TaskStatus
struct TaskStatus_t550D7DA3655E0A44C7B2925539A4025FB6BA9EF2
{
public:
// System.Int32 System.Threading.Tasks.TaskStatus::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TaskStatus_t550D7DA3655E0A44C7B2925539A4025FB6BA9EF2, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.TermInfoNumbers
struct TermInfoNumbers_t8DD3F0D75078B9A6494EC85B5C07995689EE8412
{
public:
// System.Int32 System.TermInfoNumbers::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TermInfoNumbers_t8DD3F0D75078B9A6494EC85B5C07995689EE8412, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.TermInfoStrings
struct TermInfoStrings_tC2CD768002EED548C9D83DCA65B040248D9BD7B5
{
public:
// System.Int32 System.TermInfoStrings::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TermInfoStrings_tC2CD768002EED548C9D83DCA65B040248D9BD7B5, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.TextAlignmentOptions
struct TextAlignmentOptions_t682AC2BC382B468C04A23B008505ACCBF826AD63
{
public:
// System.Int32 TMPro.TextAlignmentOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TextAlignmentOptions_t682AC2BC382B468C04A23B008505ACCBF826AD63, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.TextAnchor
struct TextAnchor_tA4C88E77C2D7312F43412275B01E1341A7CB2232
{
public:
// System.Int32 UnityEngine.TextAnchor::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TextAnchor_tA4C88E77C2D7312F43412275B01E1341A7CB2232, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.TextAreaAttribute
struct TextAreaAttribute_t22F900CF759A0162A0C51120E646C11E10586A9B : public PropertyAttribute_t4A352471DF625C56C811E27AC86B7E1CE6444052
{
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_t22F900CF759A0162A0C51120E646C11E10586A9B, ___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_t22F900CF759A0162A0C51120E646C11E10586A9B, ___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;
}
};
// TMPro.TextContainerAnchors
struct TextContainerAnchors_t25F7579302D0B5735E125B3CDDDF4B1C3E3D43EA
{
public:
// System.Int32 TMPro.TextContainerAnchors::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TextContainerAnchors_t25F7579302D0B5735E125B3CDDDF4B1C3E3D43EA, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.TextElementType
struct TextElementType_t2D8E05268B46E26157BE5E075752253FF0CE344F
{
public:
// System.Byte TMPro.TextElementType::value__
uint8_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TextElementType_t2D8E05268B46E26157BE5E075752253FF0CE344F, ___value___2)); }
inline uint8_t get_value___2() const { return ___value___2; }
inline uint8_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint8_t value)
{
___value___2 = value;
}
};
// UnityEngine.TextGenerationError
struct TextGenerationError_t09DA0156E184EBDC8621B676A0927983194A08E4
{
public:
// System.Int32 UnityEngine.TextGenerationError::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TextGenerationError_t09DA0156E184EBDC8621B676A0927983194A08E4, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Globalization.TextInfo
struct TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C : public RuntimeObject
{
public:
// System.String System.Globalization.TextInfo::m_listSeparator
String_t* ___m_listSeparator_0;
// System.Boolean System.Globalization.TextInfo::m_isReadOnly
bool ___m_isReadOnly_1;
// System.String System.Globalization.TextInfo::m_cultureName
String_t* ___m_cultureName_2;
// System.Globalization.CultureData System.Globalization.TextInfo::m_cultureData
CultureData_t53CDF1C5F789A28897415891667799420D3C5529 * ___m_cultureData_3;
// System.String System.Globalization.TextInfo::m_textInfoName
String_t* ___m_textInfoName_4;
// System.Nullable`1<System.Boolean> System.Globalization.TextInfo::m_IsAsciiCasingSameAsInvariant
Nullable_1_t1D1CD146BFCBDC2E53E1F700889F8C5C21063EF3 ___m_IsAsciiCasingSameAsInvariant_5;
// System.String System.Globalization.TextInfo::customCultureName
String_t* ___customCultureName_7;
// System.Int32 System.Globalization.TextInfo::m_nDataItem
int32_t ___m_nDataItem_8;
// System.Boolean System.Globalization.TextInfo::m_useUserOverride
bool ___m_useUserOverride_9;
// System.Int32 System.Globalization.TextInfo::m_win32LangID
int32_t ___m_win32LangID_10;
public:
inline static int32_t get_offset_of_m_listSeparator_0() { return static_cast<int32_t>(offsetof(TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C, ___m_listSeparator_0)); }
inline String_t* get_m_listSeparator_0() const { return ___m_listSeparator_0; }
inline String_t** get_address_of_m_listSeparator_0() { return &___m_listSeparator_0; }
inline void set_m_listSeparator_0(String_t* value)
{
___m_listSeparator_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_listSeparator_0), (void*)value);
}
inline static int32_t get_offset_of_m_isReadOnly_1() { return static_cast<int32_t>(offsetof(TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C, ___m_isReadOnly_1)); }
inline bool get_m_isReadOnly_1() const { return ___m_isReadOnly_1; }
inline bool* get_address_of_m_isReadOnly_1() { return &___m_isReadOnly_1; }
inline void set_m_isReadOnly_1(bool value)
{
___m_isReadOnly_1 = value;
}
inline static int32_t get_offset_of_m_cultureName_2() { return static_cast<int32_t>(offsetof(TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C, ___m_cultureName_2)); }
inline String_t* get_m_cultureName_2() const { return ___m_cultureName_2; }
inline String_t** get_address_of_m_cultureName_2() { return &___m_cultureName_2; }
inline void set_m_cultureName_2(String_t* value)
{
___m_cultureName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_cultureName_2), (void*)value);
}
inline static int32_t get_offset_of_m_cultureData_3() { return static_cast<int32_t>(offsetof(TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C, ___m_cultureData_3)); }
inline CultureData_t53CDF1C5F789A28897415891667799420D3C5529 * get_m_cultureData_3() const { return ___m_cultureData_3; }
inline CultureData_t53CDF1C5F789A28897415891667799420D3C5529 ** get_address_of_m_cultureData_3() { return &___m_cultureData_3; }
inline void set_m_cultureData_3(CultureData_t53CDF1C5F789A28897415891667799420D3C5529 * value)
{
___m_cultureData_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_cultureData_3), (void*)value);
}
inline static int32_t get_offset_of_m_textInfoName_4() { return static_cast<int32_t>(offsetof(TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C, ___m_textInfoName_4)); }
inline String_t* get_m_textInfoName_4() const { return ___m_textInfoName_4; }
inline String_t** get_address_of_m_textInfoName_4() { return &___m_textInfoName_4; }
inline void set_m_textInfoName_4(String_t* value)
{
___m_textInfoName_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_textInfoName_4), (void*)value);
}
inline static int32_t get_offset_of_m_IsAsciiCasingSameAsInvariant_5() { return static_cast<int32_t>(offsetof(TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C, ___m_IsAsciiCasingSameAsInvariant_5)); }
inline Nullable_1_t1D1CD146BFCBDC2E53E1F700889F8C5C21063EF3 get_m_IsAsciiCasingSameAsInvariant_5() const { return ___m_IsAsciiCasingSameAsInvariant_5; }
inline Nullable_1_t1D1CD146BFCBDC2E53E1F700889F8C5C21063EF3 * get_address_of_m_IsAsciiCasingSameAsInvariant_5() { return &___m_IsAsciiCasingSameAsInvariant_5; }
inline void set_m_IsAsciiCasingSameAsInvariant_5(Nullable_1_t1D1CD146BFCBDC2E53E1F700889F8C5C21063EF3 value)
{
___m_IsAsciiCasingSameAsInvariant_5 = value;
}
inline static int32_t get_offset_of_customCultureName_7() { return static_cast<int32_t>(offsetof(TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C, ___customCultureName_7)); }
inline String_t* get_customCultureName_7() const { return ___customCultureName_7; }
inline String_t** get_address_of_customCultureName_7() { return &___customCultureName_7; }
inline void set_customCultureName_7(String_t* value)
{
___customCultureName_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___customCultureName_7), (void*)value);
}
inline static int32_t get_offset_of_m_nDataItem_8() { return static_cast<int32_t>(offsetof(TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C, ___m_nDataItem_8)); }
inline int32_t get_m_nDataItem_8() const { return ___m_nDataItem_8; }
inline int32_t* get_address_of_m_nDataItem_8() { return &___m_nDataItem_8; }
inline void set_m_nDataItem_8(int32_t value)
{
___m_nDataItem_8 = value;
}
inline static int32_t get_offset_of_m_useUserOverride_9() { return static_cast<int32_t>(offsetof(TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C, ___m_useUserOverride_9)); }
inline bool get_m_useUserOverride_9() const { return ___m_useUserOverride_9; }
inline bool* get_address_of_m_useUserOverride_9() { return &___m_useUserOverride_9; }
inline void set_m_useUserOverride_9(bool value)
{
___m_useUserOverride_9 = value;
}
inline static int32_t get_offset_of_m_win32LangID_10() { return static_cast<int32_t>(offsetof(TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C, ___m_win32LangID_10)); }
inline int32_t get_m_win32LangID_10() const { return ___m_win32LangID_10; }
inline int32_t* get_address_of_m_win32LangID_10() { return &___m_win32LangID_10; }
inline void set_m_win32LangID_10(int32_t value)
{
___m_win32LangID_10 = value;
}
};
struct TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C_StaticFields
{
public:
// System.Globalization.TextInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.TextInfo::s_Invariant
TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C * ___s_Invariant_6;
public:
inline static int32_t get_offset_of_s_Invariant_6() { return static_cast<int32_t>(offsetof(TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C_StaticFields, ___s_Invariant_6)); }
inline TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C * get_s_Invariant_6() const { return ___s_Invariant_6; }
inline TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C ** get_address_of_s_Invariant_6() { return &___s_Invariant_6; }
inline void set_s_Invariant_6(TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C * value)
{
___s_Invariant_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Invariant_6), (void*)value);
}
};
// TMPro.TextOverflowModes
struct TextOverflowModes_t3E5E40446E0C1088788010EE07323B45DB7549C6
{
public:
// System.Int32 TMPro.TextOverflowModes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TextOverflowModes_t3E5E40446E0C1088788010EE07323B45DB7549C6, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.TextRenderFlags
struct TextRenderFlags_tBA599FEF207E56A80860B6266E3C9F57B59CA9F4
{
public:
// System.Int32 TMPro.TextRenderFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TextRenderFlags_tBA599FEF207E56A80860B6266E3C9F57B59CA9F4, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Experimental.Rendering.TextureCreationFlags
struct TextureCreationFlags_t8DD12B3EF9FDAB7ED2CB356AC7370C3F3E0D415C
{
public:
// System.Int32 UnityEngine.Experimental.Rendering.TextureCreationFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TextureCreationFlags_t8DD12B3EF9FDAB7ED2CB356AC7370C3F3E0D415C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Rendering.TextureDimension
struct TextureDimension_tADCCB7C1D30E4D1182651BA9094B4DE61B63EACC
{
public:
// System.Int32 UnityEngine.Rendering.TextureDimension::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TextureDimension_tADCCB7C1D30E4D1182651BA9094B4DE61B63EACC, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.TextureFormat
struct TextureFormat_tBED5388A0445FE978F97B41D247275B036407932
{
public:
// System.Int32 UnityEngine.TextureFormat::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TextureFormat_tBED5388A0445FE978F97B41D247275B036407932, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.TextureMappingOptions
struct TextureMappingOptions_t9FA25F9B2D01E6B7D8DA8761AAED241D285A285A
{
public:
// System.Int32 TMPro.TextureMappingOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TextureMappingOptions_t9FA25F9B2D01E6B7D8DA8761AAED241D285A285A, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.TextureWrapMode
struct TextureWrapMode_t86DDA8206E4AA784A1218D0DE3C5F6826D7549EB
{
public:
// System.Int32 UnityEngine.TextureWrapMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TextureWrapMode_t86DDA8206E4AA784A1218D0DE3C5F6826D7549EB, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.ThreadPoolGlobals
struct ThreadPoolGlobals_t50AAD398A680D57959A17CC2A2484C17CC5327B6 : public RuntimeObject
{
public:
public:
};
struct ThreadPoolGlobals_t50AAD398A680D57959A17CC2A2484C17CC5327B6_StaticFields
{
public:
// System.UInt32 System.Threading.ThreadPoolGlobals::tpQuantum
uint32_t ___tpQuantum_0;
// System.Int32 System.Threading.ThreadPoolGlobals::processorCount
int32_t ___processorCount_1;
// System.Boolean System.Threading.ThreadPoolGlobals::tpHosted
bool ___tpHosted_2;
// System.Boolean modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.ThreadPoolGlobals::vmTpInitialized
bool ___vmTpInitialized_3;
// System.Boolean System.Threading.ThreadPoolGlobals::enableWorkerTracking
bool ___enableWorkerTracking_4;
// System.Threading.ThreadPoolWorkQueue System.Threading.ThreadPoolGlobals::workQueue
ThreadPoolWorkQueue_t2CB6EE2051BFDA85C9B8785B89272E8DDD95CB35 * ___workQueue_5;
public:
inline static int32_t get_offset_of_tpQuantum_0() { return static_cast<int32_t>(offsetof(ThreadPoolGlobals_t50AAD398A680D57959A17CC2A2484C17CC5327B6_StaticFields, ___tpQuantum_0)); }
inline uint32_t get_tpQuantum_0() const { return ___tpQuantum_0; }
inline uint32_t* get_address_of_tpQuantum_0() { return &___tpQuantum_0; }
inline void set_tpQuantum_0(uint32_t value)
{
___tpQuantum_0 = value;
}
inline static int32_t get_offset_of_processorCount_1() { return static_cast<int32_t>(offsetof(ThreadPoolGlobals_t50AAD398A680D57959A17CC2A2484C17CC5327B6_StaticFields, ___processorCount_1)); }
inline int32_t get_processorCount_1() const { return ___processorCount_1; }
inline int32_t* get_address_of_processorCount_1() { return &___processorCount_1; }
inline void set_processorCount_1(int32_t value)
{
___processorCount_1 = value;
}
inline static int32_t get_offset_of_tpHosted_2() { return static_cast<int32_t>(offsetof(ThreadPoolGlobals_t50AAD398A680D57959A17CC2A2484C17CC5327B6_StaticFields, ___tpHosted_2)); }
inline bool get_tpHosted_2() const { return ___tpHosted_2; }
inline bool* get_address_of_tpHosted_2() { return &___tpHosted_2; }
inline void set_tpHosted_2(bool value)
{
___tpHosted_2 = value;
}
inline static int32_t get_offset_of_vmTpInitialized_3() { return static_cast<int32_t>(offsetof(ThreadPoolGlobals_t50AAD398A680D57959A17CC2A2484C17CC5327B6_StaticFields, ___vmTpInitialized_3)); }
inline bool get_vmTpInitialized_3() const { return ___vmTpInitialized_3; }
inline bool* get_address_of_vmTpInitialized_3() { return &___vmTpInitialized_3; }
inline void set_vmTpInitialized_3(bool value)
{
___vmTpInitialized_3 = value;
}
inline static int32_t get_offset_of_enableWorkerTracking_4() { return static_cast<int32_t>(offsetof(ThreadPoolGlobals_t50AAD398A680D57959A17CC2A2484C17CC5327B6_StaticFields, ___enableWorkerTracking_4)); }
inline bool get_enableWorkerTracking_4() const { return ___enableWorkerTracking_4; }
inline bool* get_address_of_enableWorkerTracking_4() { return &___enableWorkerTracking_4; }
inline void set_enableWorkerTracking_4(bool value)
{
___enableWorkerTracking_4 = value;
}
inline static int32_t get_offset_of_workQueue_5() { return static_cast<int32_t>(offsetof(ThreadPoolGlobals_t50AAD398A680D57959A17CC2A2484C17CC5327B6_StaticFields, ___workQueue_5)); }
inline ThreadPoolWorkQueue_t2CB6EE2051BFDA85C9B8785B89272E8DDD95CB35 * get_workQueue_5() const { return ___workQueue_5; }
inline ThreadPoolWorkQueue_t2CB6EE2051BFDA85C9B8785B89272E8DDD95CB35 ** get_address_of_workQueue_5() { return &___workQueue_5; }
inline void set_workQueue_5(ThreadPoolWorkQueue_t2CB6EE2051BFDA85C9B8785B89272E8DDD95CB35 * value)
{
___workQueue_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___workQueue_5), (void*)value);
}
};
// System.Threading.ThreadPoolWorkQueue
struct ThreadPoolWorkQueue_t2CB6EE2051BFDA85C9B8785B89272E8DDD95CB35 : public RuntimeObject
{
public:
// System.Threading.ThreadPoolWorkQueue/QueueSegment modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.ThreadPoolWorkQueue::queueHead
QueueSegment_tBF384DF1C15001FBEDB17378EB22EA233A89A0A4 * ___queueHead_0;
// System.Threading.ThreadPoolWorkQueue/QueueSegment modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.ThreadPoolWorkQueue::queueTail
QueueSegment_tBF384DF1C15001FBEDB17378EB22EA233A89A0A4 * ___queueTail_1;
// System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.ThreadPoolWorkQueue::numOutstandingThreadRequests
int32_t ___numOutstandingThreadRequests_3;
public:
inline static int32_t get_offset_of_queueHead_0() { return static_cast<int32_t>(offsetof(ThreadPoolWorkQueue_t2CB6EE2051BFDA85C9B8785B89272E8DDD95CB35, ___queueHead_0)); }
inline QueueSegment_tBF384DF1C15001FBEDB17378EB22EA233A89A0A4 * get_queueHead_0() const { return ___queueHead_0; }
inline QueueSegment_tBF384DF1C15001FBEDB17378EB22EA233A89A0A4 ** get_address_of_queueHead_0() { return &___queueHead_0; }
inline void set_queueHead_0(QueueSegment_tBF384DF1C15001FBEDB17378EB22EA233A89A0A4 * value)
{
___queueHead_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___queueHead_0), (void*)value);
}
inline static int32_t get_offset_of_queueTail_1() { return static_cast<int32_t>(offsetof(ThreadPoolWorkQueue_t2CB6EE2051BFDA85C9B8785B89272E8DDD95CB35, ___queueTail_1)); }
inline QueueSegment_tBF384DF1C15001FBEDB17378EB22EA233A89A0A4 * get_queueTail_1() const { return ___queueTail_1; }
inline QueueSegment_tBF384DF1C15001FBEDB17378EB22EA233A89A0A4 ** get_address_of_queueTail_1() { return &___queueTail_1; }
inline void set_queueTail_1(QueueSegment_tBF384DF1C15001FBEDB17378EB22EA233A89A0A4 * value)
{
___queueTail_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___queueTail_1), (void*)value);
}
inline static int32_t get_offset_of_numOutstandingThreadRequests_3() { return static_cast<int32_t>(offsetof(ThreadPoolWorkQueue_t2CB6EE2051BFDA85C9B8785B89272E8DDD95CB35, ___numOutstandingThreadRequests_3)); }
inline int32_t get_numOutstandingThreadRequests_3() const { return ___numOutstandingThreadRequests_3; }
inline int32_t* get_address_of_numOutstandingThreadRequests_3() { return &___numOutstandingThreadRequests_3; }
inline void set_numOutstandingThreadRequests_3(int32_t value)
{
___numOutstandingThreadRequests_3 = value;
}
};
struct ThreadPoolWorkQueue_t2CB6EE2051BFDA85C9B8785B89272E8DDD95CB35_StaticFields
{
public:
// System.Threading.ThreadPoolWorkQueue/SparseArray`1<System.Threading.ThreadPoolWorkQueue/WorkStealingQueue> System.Threading.ThreadPoolWorkQueue::allThreadQueues
SparseArray_1_t112BA24C661CEC8668AB076824EBAC8DCB669DB7 * ___allThreadQueues_2;
public:
inline static int32_t get_offset_of_allThreadQueues_2() { return static_cast<int32_t>(offsetof(ThreadPoolWorkQueue_t2CB6EE2051BFDA85C9B8785B89272E8DDD95CB35_StaticFields, ___allThreadQueues_2)); }
inline SparseArray_1_t112BA24C661CEC8668AB076824EBAC8DCB669DB7 * get_allThreadQueues_2() const { return ___allThreadQueues_2; }
inline SparseArray_1_t112BA24C661CEC8668AB076824EBAC8DCB669DB7 ** get_address_of_allThreadQueues_2() { return &___allThreadQueues_2; }
inline void set_allThreadQueues_2(SparseArray_1_t112BA24C661CEC8668AB076824EBAC8DCB669DB7 * value)
{
___allThreadQueues_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___allThreadQueues_2), (void*)value);
}
};
// UnityEngine.Bindings.ThreadSafeAttribute
struct ThreadSafeAttribute_t19BB6779619E58C8E3DF5198224E2BCB9E3D84B6 : public NativeMethodAttribute_t57F61ACA17BEC1260A06658ACD971B0009CC1866
{
public:
public:
};
// System.Threading.ThreadState
struct ThreadState_t905C3A57C9EAC95C7FC7202EEB6F25A106C0FD4C
{
public:
// System.Int32 System.Threading.ThreadState::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ThreadState_t905C3A57C9EAC95C7FC7202EEB6F25A106C0FD4C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.SocialPlatforms.TimeScope
struct TimeScope_t0FDB33C00FF0784F8194FEF48B2BD78C0F9A7759
{
public:
// System.Int32 UnityEngine.SocialPlatforms.TimeScope::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TimeScope_t0FDB33C00FF0784F8194FEF48B2BD78C0F9A7759, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.TimeSpan
struct TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203
{
public:
// System.Int64 System.TimeSpan::_ticks
int64_t ____ticks_22;
public:
inline static int32_t get_offset_of__ticks_22() { return static_cast<int32_t>(offsetof(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203, ____ticks_22)); }
inline int64_t get__ticks_22() const { return ____ticks_22; }
inline int64_t* get_address_of__ticks_22() { return &____ticks_22; }
inline void set__ticks_22(int64_t value)
{
____ticks_22 = value;
}
};
struct TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203_StaticFields
{
public:
// System.TimeSpan System.TimeSpan::Zero
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ___Zero_19;
// System.TimeSpan System.TimeSpan::MaxValue
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ___MaxValue_20;
// System.TimeSpan System.TimeSpan::MinValue
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ___MinValue_21;
// System.Boolean modreq(System.Runtime.CompilerServices.IsVolatile) System.TimeSpan::_legacyConfigChecked
bool ____legacyConfigChecked_23;
// System.Boolean modreq(System.Runtime.CompilerServices.IsVolatile) System.TimeSpan::_legacyMode
bool ____legacyMode_24;
public:
inline static int32_t get_offset_of_Zero_19() { return static_cast<int32_t>(offsetof(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203_StaticFields, ___Zero_19)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get_Zero_19() const { return ___Zero_19; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of_Zero_19() { return &___Zero_19; }
inline void set_Zero_19(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
___Zero_19 = value;
}
inline static int32_t get_offset_of_MaxValue_20() { return static_cast<int32_t>(offsetof(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203_StaticFields, ___MaxValue_20)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get_MaxValue_20() const { return ___MaxValue_20; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of_MaxValue_20() { return &___MaxValue_20; }
inline void set_MaxValue_20(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
___MaxValue_20 = value;
}
inline static int32_t get_offset_of_MinValue_21() { return static_cast<int32_t>(offsetof(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203_StaticFields, ___MinValue_21)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get_MinValue_21() const { return ___MinValue_21; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of_MinValue_21() { return &___MinValue_21; }
inline void set_MinValue_21(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
___MinValue_21 = value;
}
inline static int32_t get_offset_of__legacyConfigChecked_23() { return static_cast<int32_t>(offsetof(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203_StaticFields, ____legacyConfigChecked_23)); }
inline bool get__legacyConfigChecked_23() const { return ____legacyConfigChecked_23; }
inline bool* get_address_of__legacyConfigChecked_23() { return &____legacyConfigChecked_23; }
inline void set__legacyConfigChecked_23(bool value)
{
____legacyConfigChecked_23 = value;
}
inline static int32_t get_offset_of__legacyMode_24() { return static_cast<int32_t>(offsetof(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203_StaticFields, ____legacyMode_24)); }
inline bool get__legacyMode_24() const { return ____legacyMode_24; }
inline bool* get_address_of__legacyMode_24() { return &____legacyMode_24; }
inline void set__legacyMode_24(bool value)
{
____legacyMode_24 = value;
}
};
// System.Globalization.TimeSpanFormat
struct TimeSpanFormat_t36D33E3F9C6CB409D8F762607ABAC3F9153EFEE4 : public RuntimeObject
{
public:
public:
};
struct TimeSpanFormat_t36D33E3F9C6CB409D8F762607ABAC3F9153EFEE4_StaticFields
{
public:
// System.Globalization.TimeSpanFormat/FormatLiterals System.Globalization.TimeSpanFormat::PositiveInvariantFormatLiterals
FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94 ___PositiveInvariantFormatLiterals_0;
// System.Globalization.TimeSpanFormat/FormatLiterals System.Globalization.TimeSpanFormat::NegativeInvariantFormatLiterals
FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94 ___NegativeInvariantFormatLiterals_1;
public:
inline static int32_t get_offset_of_PositiveInvariantFormatLiterals_0() { return static_cast<int32_t>(offsetof(TimeSpanFormat_t36D33E3F9C6CB409D8F762607ABAC3F9153EFEE4_StaticFields, ___PositiveInvariantFormatLiterals_0)); }
inline FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94 get_PositiveInvariantFormatLiterals_0() const { return ___PositiveInvariantFormatLiterals_0; }
inline FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94 * get_address_of_PositiveInvariantFormatLiterals_0() { return &___PositiveInvariantFormatLiterals_0; }
inline void set_PositiveInvariantFormatLiterals_0(FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94 value)
{
___PositiveInvariantFormatLiterals_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___PositiveInvariantFormatLiterals_0))->___AppCompatLiteral_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___PositiveInvariantFormatLiterals_0))->___literals_6), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_NegativeInvariantFormatLiterals_1() { return static_cast<int32_t>(offsetof(TimeSpanFormat_t36D33E3F9C6CB409D8F762607ABAC3F9153EFEE4_StaticFields, ___NegativeInvariantFormatLiterals_1)); }
inline FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94 get_NegativeInvariantFormatLiterals_1() const { return ___NegativeInvariantFormatLiterals_1; }
inline FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94 * get_address_of_NegativeInvariantFormatLiterals_1() { return &___NegativeInvariantFormatLiterals_1; }
inline void set_NegativeInvariantFormatLiterals_1(FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94 value)
{
___NegativeInvariantFormatLiterals_1 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___NegativeInvariantFormatLiterals_1))->___AppCompatLiteral_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___NegativeInvariantFormatLiterals_1))->___literals_6), (void*)NULL);
#endif
}
};
// UnityEngine.Localization.SmartFormat.Utilities.TimeSpanFormatOptions
struct TimeSpanFormatOptions_tE2755764F74DE68883A9F71B8D46F05E8F684554
{
public:
// System.Int32 UnityEngine.Localization.SmartFormat.Utilities.TimeSpanFormatOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TimeSpanFormatOptions_tE2755764F74DE68883A9F71B8D46F05E8F684554, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.TimeZoneInfoOptions
struct TimeZoneInfoOptions_tF48851CCFC1456EEA16FB89983651FD6039AB4FB
{
public:
// System.Int32 System.TimeZoneInfoOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TimeZoneInfoOptions_tF48851CCFC1456EEA16FB89983651FD6039AB4FB, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.TokenType
struct TokenType_tC708A43A29DB65495842F3E3A5058D23CDDCD192
{
public:
// System.Int32 System.TokenType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TokenType_tC708A43A29DB65495842F3E3A5058D23CDDCD192, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.TooltipAttribute
struct TooltipAttribute_t503A1598A4E68E91673758F50447D0EDFB95149B : public PropertyAttribute_t4A352471DF625C56C811E27AC86B7E1CE6444052
{
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_t503A1598A4E68E91673758F50447D0EDFB95149B, ___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((void**)(&___tooltip_0), (void*)value);
}
};
// UnityEngine.TouchPhase
struct TouchPhase_tB52B8A497547FB9575DE7975D13AC7D64C3A958A
{
public:
// System.Int32 UnityEngine.TouchPhase::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TouchPhase_tB52B8A497547FB9575DE7975D13AC7D64C3A958A, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.TouchScreenKeyboard
struct TouchScreenKeyboard_t7964B2E9E52C4E095B14F01C32774B98CA11711E : 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_t7964B2E9E52C4E095B14F01C32774B98CA11711E, ___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;
}
};
// UnityEngine.TouchScreenKeyboardType
struct TouchScreenKeyboardType_tBD90DFB07923EC19E5EA59FAF26292AC2799A932
{
public:
// System.Int32 UnityEngine.TouchScreenKeyboardType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TouchScreenKeyboardType_tBD90DFB07923EC19E5EA59FAF26292AC2799A932, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.TouchType
struct TouchType_t2EF726465ABD45681A6686BAC426814AA087C20F
{
public:
// System.Int32 UnityEngine.TouchType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TouchType_t2EF726465ABD45681A6686BAC426814AA087C20F, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARSubsystems.TrackableType
struct TrackableType_t2352F7091A5BE0192C8D908019BA7481A347C85F
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.TrackableType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TrackableType_t2352F7091A5BE0192C8D908019BA7481A347C85F, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.TrackedReference
struct TrackedReference_t17AA313389C655DCF279F96A2D85332B29596514 : 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_t17AA313389C655DCF279F96A2D85332B29596514, ___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;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.TrackedReference
struct TrackedReference_t17AA313389C655DCF279F96A2D85332B29596514_marshaled_pinvoke
{
intptr_t ___m_Ptr_0;
};
// Native definition for COM marshalling of UnityEngine.TrackedReference
struct TrackedReference_t17AA313389C655DCF279F96A2D85332B29596514_marshaled_com
{
intptr_t ___m_Ptr_0;
};
// UnityEngine.XR.ARSubsystems.TrackingState
struct TrackingState_tB6996ED0D52D2A17DFACC90800705B81D370FC38
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.TrackingState::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TrackingState_tB6996ED0D52D2A17DFACC90800705B81D370FC38, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.Remoting.Proxies.TransparentProxy
struct TransparentProxy_t0A3E7468290B2C8EEEC64C242D586F3EE7B3F968 : public RuntimeObject
{
public:
// System.Runtime.Remoting.Proxies.RealProxy System.Runtime.Remoting.Proxies.TransparentProxy::_rp
RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744 * ____rp_0;
// Mono.RuntimeRemoteClassHandle System.Runtime.Remoting.Proxies.TransparentProxy::_class
RuntimeRemoteClassHandle_t66BDDE3C92A62304AC03C09C19B8352EF4A494FD ____class_1;
// System.Boolean System.Runtime.Remoting.Proxies.TransparentProxy::_custom_type_info
bool ____custom_type_info_2;
public:
inline static int32_t get_offset_of__rp_0() { return static_cast<int32_t>(offsetof(TransparentProxy_t0A3E7468290B2C8EEEC64C242D586F3EE7B3F968, ____rp_0)); }
inline RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744 * get__rp_0() const { return ____rp_0; }
inline RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744 ** get_address_of__rp_0() { return &____rp_0; }
inline void set__rp_0(RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744 * value)
{
____rp_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____rp_0), (void*)value);
}
inline static int32_t get_offset_of__class_1() { return static_cast<int32_t>(offsetof(TransparentProxy_t0A3E7468290B2C8EEEC64C242D586F3EE7B3F968, ____class_1)); }
inline RuntimeRemoteClassHandle_t66BDDE3C92A62304AC03C09C19B8352EF4A494FD get__class_1() const { return ____class_1; }
inline RuntimeRemoteClassHandle_t66BDDE3C92A62304AC03C09C19B8352EF4A494FD * get_address_of__class_1() { return &____class_1; }
inline void set__class_1(RuntimeRemoteClassHandle_t66BDDE3C92A62304AC03C09C19B8352EF4A494FD value)
{
____class_1 = value;
}
inline static int32_t get_offset_of__custom_type_info_2() { return static_cast<int32_t>(offsetof(TransparentProxy_t0A3E7468290B2C8EEEC64C242D586F3EE7B3F968, ____custom_type_info_2)); }
inline bool get__custom_type_info_2() const { return ____custom_type_info_2; }
inline bool* get_address_of__custom_type_info_2() { return &____custom_type_info_2; }
inline void set__custom_type_info_2(bool value)
{
____custom_type_info_2 = value;
}
};
// Native definition for P/Invoke marshalling of System.Runtime.Remoting.Proxies.TransparentProxy
struct TransparentProxy_t0A3E7468290B2C8EEEC64C242D586F3EE7B3F968_marshaled_pinvoke
{
RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744_marshaled_pinvoke* ____rp_0;
RuntimeRemoteClassHandle_t66BDDE3C92A62304AC03C09C19B8352EF4A494FD ____class_1;
int32_t ____custom_type_info_2;
};
// Native definition for COM marshalling of System.Runtime.Remoting.Proxies.TransparentProxy
struct TransparentProxy_t0A3E7468290B2C8EEEC64C242D586F3EE7B3F968_marshaled_com
{
RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744_marshaled_com* ____rp_0;
RuntimeRemoteClassHandle_t66BDDE3C92A62304AC03C09C19B8352EF4A494FD ____class_1;
int32_t ____custom_type_info_2;
};
// System.Reflection.TypeAttributes
struct TypeAttributes_tFFF101857AC57180CED728A4371F4214F8C67410
{
public:
// System.Int32 System.Reflection.TypeAttributes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TypeAttributes_tFFF101857AC57180CED728A4371F4214F8C67410, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.TypeCode
struct TypeCode_tCB39BAB5CFB7A1E0BCB521413E3C46B81C31AA7C
{
public:
// System.Int32 System.TypeCode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TypeCode_tCB39BAB5CFB7A1E0BCB521413E3C46B81C31AA7C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.ComponentModel.TypeConverter
struct TypeConverter_t004F185B630F00F509F08BD8F8D82471867323B4 : public RuntimeObject
{
public:
public:
};
struct TypeConverter_t004F185B630F00F509F08BD8F8D82471867323B4_StaticFields
{
public:
// System.Boolean modreq(System.Runtime.CompilerServices.IsVolatile) System.ComponentModel.TypeConverter::useCompatibleTypeConversion
bool ___useCompatibleTypeConversion_1;
public:
inline static int32_t get_offset_of_useCompatibleTypeConversion_1() { return static_cast<int32_t>(offsetof(TypeConverter_t004F185B630F00F509F08BD8F8D82471867323B4_StaticFields, ___useCompatibleTypeConversion_1)); }
inline bool get_useCompatibleTypeConversion_1() const { return ___useCompatibleTypeConversion_1; }
inline bool* get_address_of_useCompatibleTypeConversion_1() { return &___useCompatibleTypeConversion_1; }
inline void set_useCompatibleTypeConversion_1(bool value)
{
___useCompatibleTypeConversion_1 = value;
}
};
// System.Runtime.Serialization.Formatters.TypeFilterLevel
struct TypeFilterLevel_t7ED94310B4D2D5C697A19E0CE2327A7DC5B39C4D
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.TypeFilterLevel::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TypeFilterLevel_t7ED94310B4D2D5C697A19E0CE2327A7DC5B39C4D, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngineInternal.TypeInferenceRules
struct TypeInferenceRules_tFE03E23E0E92DE64D790E49CCFF196346E243CEC
{
public:
// System.Int32 UnityEngineInternal.TypeInferenceRules::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TypeInferenceRules_tFE03E23E0E92DE64D790E49CCFF196346E243CEC, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.TypeNameFormatFlags
struct TypeNameFormatFlags_tA16E9510A374D96E7C92AF3718EB988D5973C6C0
{
public:
// System.Int32 System.TypeNameFormatFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TypeNameFormatFlags_tA16E9510A374D96E7C92AF3718EB988D5973C6C0, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.TypeNameKind
struct TypeNameKind_t2D224F37B8CFF00AA90CF2B5489F82016ECF535A
{
public:
// System.Int32 System.TypeNameKind::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TypeNameKind_t2D224F37B8CFF00AA90CF2B5489F82016ECF535A, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Linq.Expressions.TypedConstantExpression
struct TypedConstantExpression_tBBD471F35E5E9B51126D6779736D9CCC49538630 : public ConstantExpression_tE22239C4AE815AF9B4647E026E802623F433F0FB
{
public:
// System.Type System.Linq.Expressions.TypedConstantExpression::<Type>k__BackingField
Type_t * ___U3CTypeU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CTypeU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(TypedConstantExpression_tBBD471F35E5E9B51126D6779736D9CCC49538630, ___U3CTypeU3Ek__BackingField_4)); }
inline Type_t * get_U3CTypeU3Ek__BackingField_4() const { return ___U3CTypeU3Ek__BackingField_4; }
inline Type_t ** get_address_of_U3CTypeU3Ek__BackingField_4() { return &___U3CTypeU3Ek__BackingField_4; }
inline void set_U3CTypeU3Ek__BackingField_4(Type_t * value)
{
___U3CTypeU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CTypeU3Ek__BackingField_4), (void*)value);
}
};
// System.Linq.Expressions.TypedParameterExpression
struct TypedParameterExpression_t4A8A2ACEE15EB5177B0A2B69C3EA017418803EDC : public ParameterExpression_tA7B24F1DE0F013DA4BD55F76DB43B06DB33D8BEE
{
public:
// System.Type System.Linq.Expressions.TypedParameterExpression::<Type>k__BackingField
Type_t * ___U3CTypeU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CTypeU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(TypedParameterExpression_t4A8A2ACEE15EB5177B0A2B69C3EA017418803EDC, ___U3CTypeU3Ek__BackingField_4)); }
inline Type_t * get_U3CTypeU3Ek__BackingField_4() const { return ___U3CTypeU3Ek__BackingField_4; }
inline Type_t ** get_address_of_U3CTypeU3Ek__BackingField_4() { return &___U3CTypeU3Ek__BackingField_4; }
inline void set_U3CTypeU3Ek__BackingField_4(Type_t * value)
{
___U3CTypeU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CTypeU3Ek__BackingField_4), (void*)value);
}
};
// UnityEngine.UICharInfo
struct UICharInfo_tDEA65B831FAD06D1E9B10A6088E05C6D615B089A
{
public:
// UnityEngine.Vector2 UnityEngine.UICharInfo::cursorPos
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___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_tDEA65B831FAD06D1E9B10A6088E05C6D615B089A, ___cursorPos_0)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_cursorPos_0() const { return ___cursorPos_0; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_cursorPos_0() { return &___cursorPos_0; }
inline void set_cursorPos_0(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___cursorPos_0 = value;
}
inline static int32_t get_offset_of_charWidth_1() { return static_cast<int32_t>(offsetof(UICharInfo_tDEA65B831FAD06D1E9B10A6088E05C6D615B089A, ___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;
}
};
// UnityEngine.UIVertex
struct UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A
{
public:
// UnityEngine.Vector3 UnityEngine.UIVertex::position
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_0;
// UnityEngine.Vector3 UnityEngine.UIVertex::normal
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___normal_1;
// UnityEngine.Vector4 UnityEngine.UIVertex::tangent
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 ___tangent_2;
// UnityEngine.Color32 UnityEngine.UIVertex::color
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___color_3;
// UnityEngine.Vector4 UnityEngine.UIVertex::uv0
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 ___uv0_4;
// UnityEngine.Vector4 UnityEngine.UIVertex::uv1
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 ___uv1_5;
// UnityEngine.Vector4 UnityEngine.UIVertex::uv2
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 ___uv2_6;
// UnityEngine.Vector4 UnityEngine.UIVertex::uv3
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 ___uv3_7;
public:
inline static int32_t get_offset_of_position_0() { return static_cast<int32_t>(offsetof(UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A, ___position_0)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_position_0() const { return ___position_0; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_position_0() { return &___position_0; }
inline void set_position_0(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___position_0 = value;
}
inline static int32_t get_offset_of_normal_1() { return static_cast<int32_t>(offsetof(UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A, ___normal_1)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_normal_1() const { return ___normal_1; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_normal_1() { return &___normal_1; }
inline void set_normal_1(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___normal_1 = value;
}
inline static int32_t get_offset_of_tangent_2() { return static_cast<int32_t>(offsetof(UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A, ___tangent_2)); }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 get_tangent_2() const { return ___tangent_2; }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 * get_address_of_tangent_2() { return &___tangent_2; }
inline void set_tangent_2(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 value)
{
___tangent_2 = value;
}
inline static int32_t get_offset_of_color_3() { return static_cast<int32_t>(offsetof(UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A, ___color_3)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_color_3() const { return ___color_3; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_color_3() { return &___color_3; }
inline void set_color_3(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___color_3 = value;
}
inline static int32_t get_offset_of_uv0_4() { return static_cast<int32_t>(offsetof(UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A, ___uv0_4)); }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 get_uv0_4() const { return ___uv0_4; }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 * get_address_of_uv0_4() { return &___uv0_4; }
inline void set_uv0_4(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 value)
{
___uv0_4 = value;
}
inline static int32_t get_offset_of_uv1_5() { return static_cast<int32_t>(offsetof(UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A, ___uv1_5)); }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 get_uv1_5() const { return ___uv1_5; }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 * get_address_of_uv1_5() { return &___uv1_5; }
inline void set_uv1_5(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 value)
{
___uv1_5 = value;
}
inline static int32_t get_offset_of_uv2_6() { return static_cast<int32_t>(offsetof(UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A, ___uv2_6)); }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 get_uv2_6() const { return ___uv2_6; }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 * get_address_of_uv2_6() { return &___uv2_6; }
inline void set_uv2_6(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 value)
{
___uv2_6 = value;
}
inline static int32_t get_offset_of_uv3_7() { return static_cast<int32_t>(offsetof(UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A, ___uv3_7)); }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 get_uv3_7() const { return ___uv3_7; }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 * get_address_of_uv3_7() { return &___uv3_7; }
inline void set_uv3_7(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 value)
{
___uv3_7 = value;
}
};
struct UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A_StaticFields
{
public:
// UnityEngine.Color32 UnityEngine.UIVertex::s_DefaultColor
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___s_DefaultColor_8;
// UnityEngine.Vector4 UnityEngine.UIVertex::s_DefaultTangent
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 ___s_DefaultTangent_9;
// UnityEngine.UIVertex UnityEngine.UIVertex::simpleVert
UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A ___simpleVert_10;
public:
inline static int32_t get_offset_of_s_DefaultColor_8() { return static_cast<int32_t>(offsetof(UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A_StaticFields, ___s_DefaultColor_8)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_s_DefaultColor_8() const { return ___s_DefaultColor_8; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_s_DefaultColor_8() { return &___s_DefaultColor_8; }
inline void set_s_DefaultColor_8(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___s_DefaultColor_8 = value;
}
inline static int32_t get_offset_of_s_DefaultTangent_9() { return static_cast<int32_t>(offsetof(UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A_StaticFields, ___s_DefaultTangent_9)); }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 get_s_DefaultTangent_9() const { return ___s_DefaultTangent_9; }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 * get_address_of_s_DefaultTangent_9() { return &___s_DefaultTangent_9; }
inline void set_s_DefaultTangent_9(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 value)
{
___s_DefaultTangent_9 = value;
}
inline static int32_t get_offset_of_simpleVert_10() { return static_cast<int32_t>(offsetof(UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A_StaticFields, ___simpleVert_10)); }
inline UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A get_simpleVert_10() const { return ___simpleVert_10; }
inline UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A * get_address_of_simpleVert_10() { return &___simpleVert_10; }
inline void set_simpleVert_10(UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A value)
{
___simpleVert_10 = value;
}
};
// System.UInt16Enum
struct UInt16Enum_tF2B459B3D0051061056FFACAB957767640B848ED
{
public:
// System.UInt16 System.UInt16Enum::value__
uint16_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UInt16Enum_tF2B459B3D0051061056FFACAB957767640B848ED, ___value___2)); }
inline uint16_t get_value___2() const { return ___value___2; }
inline uint16_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint16_t value)
{
___value___2 = value;
}
};
// System.UInt32Enum
struct UInt32Enum_t205AC9FF1DBA9F24788030B596D7BE3A2E808EF1
{
public:
// System.UInt32 System.UInt32Enum::value__
uint32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UInt32Enum_t205AC9FF1DBA9F24788030B596D7BE3A2E808EF1, ___value___2)); }
inline uint32_t get_value___2() const { return ___value___2; }
inline uint32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint32_t value)
{
___value___2 = value;
}
};
// System.UInt64Enum
struct UInt64Enum_t94236D49DD46DDA5B4234598664C266AA8E89C6E
{
public:
// System.UInt64 System.UInt64Enum::value__
uint64_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UInt64Enum_t94236D49DD46DDA5B4234598664C266AA8E89C6E, ___value___2)); }
inline uint64_t get_value___2() const { return ___value___2; }
inline uint64_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint64_t value)
{
___value___2 = value;
}
};
// System.Resources.UltimateResourceFallbackLocation
struct UltimateResourceFallbackLocation_tA4EBEA627CD0C386314EBB60D7A4225C435D0F0B
{
public:
// System.Int32 System.Resources.UltimateResourceFallbackLocation::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UltimateResourceFallbackLocation_tA4EBEA627CD0C386314EBB60D7A4225C435D0F0B, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.UnescapeMode
struct UnescapeMode_tAAD72A439A031D63DA366126306CC0DDB9312850
{
public:
// System.Int32 System.UnescapeMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UnescapeMode_tAAD72A439A031D63DA366126306CC0DDB9312850, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Globalization.UnicodeCategory
struct UnicodeCategory_t6F1DA413FEAE6D03B02A0AD747327E865AFF8A38
{
public:
// System.Int32 System.Globalization.UnicodeCategory::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UnicodeCategory_t6F1DA413FEAE6D03B02A0AD747327E865AFF8A38, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Localization.Events.UnityEventAudioClip
struct UnityEventAudioClip_t5E25CAA4A85829397619B5959B5B96625C6F2CFB : public UnityEvent_1_tBA7C16988F2BE22CB4569F2A731D2E3B9D585449
{
public:
public:
};
// UnityEngine.Events.UnityEventCallState
struct UnityEventCallState_t0C02178C38AC6CEA1C9CEAF96EFD05FE755C14A5
{
public:
// System.Int32 UnityEngine.Events.UnityEventCallState::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UnityEventCallState_t0C02178C38AC6CEA1C9CEAF96EFD05FE755C14A5, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Localization.Events.UnityEventGameObject
struct UnityEventGameObject_t5590751F17946F7544A57BF4BC96389E126F2613 : public UnityEvent_1_t1DC2DB931FE9E53AEC9A04F4DE9B4F7B469BC78E
{
public:
public:
};
// UnityEngine.Localization.Events.UnityEventSprite
struct UnityEventSprite_t11C1863845C76969B2B9CF6F4E5E68C15943DDEA : public UnityEvent_1_tD1A3576895E3035487488C96227A36D69DBE0C25
{
public:
public:
};
// UnityEngine.Localization.Events.UnityEventString
struct UnityEventString_t41A1DD3703B9EF6C1B3D88B9AE18F4957930DBDA : public UnityEvent_1_t208A952325F66BFCB1EDEECEFEF5F1C7A16298A0
{
public:
public:
};
// UnityEngine.Localization.Events.UnityEventTexture
struct UnityEventTexture_tC8E4791FB90D680B98B1C987B273102BA5C5B66F : public UnityEvent_1_tC2A74E53238556231212D21E2FE82F58475CA5B7
{
public:
public:
};
// UnityEngine.UnityLogWriter
struct UnityLogWriter_tE5B63755F8D9007732535B3BBF7DA8B26939119D : public TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643
{
public:
public:
};
// System.Runtime.InteropServices.UnmanagedType
struct UnmanagedType_t53405B47066ADAD062611907B4277685EA0F330E
{
public:
// System.Int32 System.Runtime.InteropServices.UnmanagedType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UnmanagedType_t53405B47066ADAD062611907B4277685EA0F330E, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Networking.UploadHandler
struct UploadHandler_t5F80A2A6874D4D330751BE3524009C21C9B74BDA : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.Networking.UploadHandler::m_Ptr
intptr_t ___m_Ptr_0;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(UploadHandler_t5F80A2A6874D4D330751BE3524009C21C9B74BDA, ___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;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Networking.UploadHandler
struct UploadHandler_t5F80A2A6874D4D330751BE3524009C21C9B74BDA_marshaled_pinvoke
{
intptr_t ___m_Ptr_0;
};
// Native definition for COM marshalling of UnityEngine.Networking.UploadHandler
struct UploadHandler_t5F80A2A6874D4D330751BE3524009C21C9B74BDA_marshaled_com
{
intptr_t ___m_Ptr_0;
};
// System.UriComponents
struct UriComponents_tA599793722A9810EC23036FF1B1B02A905B4EA76
{
public:
// System.Int32 System.UriComponents::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UriComponents_tA599793722A9810EC23036FF1B1B02A905B4EA76, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.UriFormat
struct UriFormat_t25C936463BDE737B16A8EC3DA05091FC31F1A71F
{
public:
// System.Int32 System.UriFormat::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UriFormat_t25C936463BDE737B16A8EC3DA05091FC31F1A71F, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.UriIdnScope
struct UriIdnScope_tBA22B992BA582F68F2B98CDEBCB24299F249DE4D
{
public:
// System.Int32 System.UriIdnScope::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UriIdnScope_tBA22B992BA582F68F2B98CDEBCB24299F249DE4D, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.UriKind
struct UriKind_tFC16ACC1842283AAE2C7F50C9C70EFBF6550B3FC
{
public:
// System.Int32 System.UriKind::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UriKind_tFC16ACC1842283AAE2C7F50C9C70EFBF6550B3FC, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.UriSyntaxFlags
struct UriSyntaxFlags_t00ABF83A3AA06E5B670D3F73E3E87BC21F72044A
{
public:
// System.Int32 System.UriSyntaxFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UriSyntaxFlags_t00ABF83A3AA06E5B670D3F73E3E87BC21F72044A, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.SocialPlatforms.UserScope
struct UserScope_t7EB5D79B9892B749665A462B4832F78C3F57A4C7
{
public:
// System.Int32 UnityEngine.SocialPlatforms.UserScope::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UserScope_t7EB5D79B9892B749665A462B4832F78C3F57A4C7, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.SocialPlatforms.UserState
struct UserState_t9DD84F7007E65F0FF4D7FF0414BACE5E24D0EA08
{
public:
// System.Int32 UnityEngine.SocialPlatforms.UserState::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UserState_t9DD84F7007E65F0FF4D7FF0414BACE5E24D0EA08, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.VRTextureUsage
struct VRTextureUsage_t3C09DF3DD90B5620BC0AB6F8078DFEF4E607F645
{
public:
// System.Int32 UnityEngine.VRTextureUsage::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(VRTextureUsage_t3C09DF3DD90B5620BC0AB6F8078DFEF4E607F645, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Xml.ValidateNames
struct ValidateNames_t08DBB4C2A616E0425A90E2E5B0A7DBA943787E17 : public RuntimeObject
{
public:
public:
};
struct ValidateNames_t08DBB4C2A616E0425A90E2E5B0A7DBA943787E17_StaticFields
{
public:
// System.Xml.XmlCharType System.Xml.ValidateNames::xmlCharType
XmlCharType_t0B35CAE2B2E20F28A418270966E9989BBDB004BA ___xmlCharType_0;
public:
inline static int32_t get_offset_of_xmlCharType_0() { return static_cast<int32_t>(offsetof(ValidateNames_t08DBB4C2A616E0425A90E2E5B0A7DBA943787E17_StaticFields, ___xmlCharType_0)); }
inline XmlCharType_t0B35CAE2B2E20F28A418270966E9989BBDB004BA get_xmlCharType_0() const { return ___xmlCharType_0; }
inline XmlCharType_t0B35CAE2B2E20F28A418270966E9989BBDB004BA * get_address_of_xmlCharType_0() { return &___xmlCharType_0; }
inline void set_xmlCharType_0(XmlCharType_t0B35CAE2B2E20F28A418270966E9989BBDB004BA value)
{
___xmlCharType_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___xmlCharType_0))->___charProperties_2), (void*)NULL);
}
};
// System.Runtime.Serialization.Formatters.Binary.ValueFixupEnum
struct ValueFixupEnum_tD01ECA728511F4D3C8CF72A3C7FF575E73CD9A87
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.ValueFixupEnum::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ValueFixupEnum_tD01ECA728511F4D3C8CF72A3C7FF575E73CD9A87, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Runtime.InteropServices.VarEnum
struct VarEnum_tAB88E7C29FB9B005044E4BEBD46097CE78A88218
{
public:
// System.Int32 System.Runtime.InteropServices.VarEnum::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(VarEnum_tAB88E7C29FB9B005044E4BEBD46097CE78A88218, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Rendering.VertexAttribute
struct VertexAttribute_t9B763063E3B1705070D4DB8BC32F21F0FB30867C
{
public:
// System.Int32 UnityEngine.Rendering.VertexAttribute::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(VertexAttribute_t9B763063E3B1705070D4DB8BC32F21F0FB30867C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Rendering.VertexAttributeFormat
struct VertexAttributeFormat_tE5FC93A96237AAF63142B0E521925CAE4F283485
{
public:
// System.Int32 UnityEngine.Rendering.VertexAttributeFormat::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(VertexAttributeFormat_tE5FC93A96237AAF63142B0E521925CAE4F283485, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.VertexGradient
struct VertexGradient_t673FE70EC807F322353FB5B9A790207A57DBFC0D
{
public:
// UnityEngine.Color TMPro.VertexGradient::topLeft
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___topLeft_0;
// UnityEngine.Color TMPro.VertexGradient::topRight
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___topRight_1;
// UnityEngine.Color TMPro.VertexGradient::bottomLeft
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___bottomLeft_2;
// UnityEngine.Color TMPro.VertexGradient::bottomRight
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___bottomRight_3;
public:
inline static int32_t get_offset_of_topLeft_0() { return static_cast<int32_t>(offsetof(VertexGradient_t673FE70EC807F322353FB5B9A790207A57DBFC0D, ___topLeft_0)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_topLeft_0() const { return ___topLeft_0; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_topLeft_0() { return &___topLeft_0; }
inline void set_topLeft_0(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___topLeft_0 = value;
}
inline static int32_t get_offset_of_topRight_1() { return static_cast<int32_t>(offsetof(VertexGradient_t673FE70EC807F322353FB5B9A790207A57DBFC0D, ___topRight_1)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_topRight_1() const { return ___topRight_1; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_topRight_1() { return &___topRight_1; }
inline void set_topRight_1(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___topRight_1 = value;
}
inline static int32_t get_offset_of_bottomLeft_2() { return static_cast<int32_t>(offsetof(VertexGradient_t673FE70EC807F322353FB5B9A790207A57DBFC0D, ___bottomLeft_2)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_bottomLeft_2() const { return ___bottomLeft_2; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_bottomLeft_2() { return &___bottomLeft_2; }
inline void set_bottomLeft_2(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___bottomLeft_2 = value;
}
inline static int32_t get_offset_of_bottomRight_3() { return static_cast<int32_t>(offsetof(VertexGradient_t673FE70EC807F322353FB5B9A790207A57DBFC0D, ___bottomRight_3)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_bottomRight_3() const { return ___bottomRight_3; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_bottomRight_3() { return &___bottomRight_3; }
inline void set_bottomRight_3(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___bottomRight_3 = value;
}
};
// UnityEngine.UI.VertexHelper
struct VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55 : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<UnityEngine.Vector3> UnityEngine.UI.VertexHelper::m_Positions
List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181 * ___m_Positions_0;
// System.Collections.Generic.List`1<UnityEngine.Color32> UnityEngine.UI.VertexHelper::m_Colors
List_1_tE21C42BE31D35DD3ECF3322C6CA057E27A81B4D5 * ___m_Colors_1;
// System.Collections.Generic.List`1<UnityEngine.Vector4> UnityEngine.UI.VertexHelper::m_Uv0S
List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A * ___m_Uv0S_2;
// System.Collections.Generic.List`1<UnityEngine.Vector4> UnityEngine.UI.VertexHelper::m_Uv1S
List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A * ___m_Uv1S_3;
// System.Collections.Generic.List`1<UnityEngine.Vector4> UnityEngine.UI.VertexHelper::m_Uv2S
List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A * ___m_Uv2S_4;
// System.Collections.Generic.List`1<UnityEngine.Vector4> UnityEngine.UI.VertexHelper::m_Uv3S
List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A * ___m_Uv3S_5;
// System.Collections.Generic.List`1<UnityEngine.Vector3> UnityEngine.UI.VertexHelper::m_Normals
List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181 * ___m_Normals_6;
// System.Collections.Generic.List`1<UnityEngine.Vector4> UnityEngine.UI.VertexHelper::m_Tangents
List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A * ___m_Tangents_7;
// System.Collections.Generic.List`1<System.Int32> UnityEngine.UI.VertexHelper::m_Indices
List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * ___m_Indices_8;
// System.Boolean UnityEngine.UI.VertexHelper::m_ListsInitalized
bool ___m_ListsInitalized_11;
public:
inline static int32_t get_offset_of_m_Positions_0() { return static_cast<int32_t>(offsetof(VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55, ___m_Positions_0)); }
inline List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181 * get_m_Positions_0() const { return ___m_Positions_0; }
inline List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181 ** get_address_of_m_Positions_0() { return &___m_Positions_0; }
inline void set_m_Positions_0(List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181 * value)
{
___m_Positions_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Positions_0), (void*)value);
}
inline static int32_t get_offset_of_m_Colors_1() { return static_cast<int32_t>(offsetof(VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55, ___m_Colors_1)); }
inline List_1_tE21C42BE31D35DD3ECF3322C6CA057E27A81B4D5 * get_m_Colors_1() const { return ___m_Colors_1; }
inline List_1_tE21C42BE31D35DD3ECF3322C6CA057E27A81B4D5 ** get_address_of_m_Colors_1() { return &___m_Colors_1; }
inline void set_m_Colors_1(List_1_tE21C42BE31D35DD3ECF3322C6CA057E27A81B4D5 * value)
{
___m_Colors_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Colors_1), (void*)value);
}
inline static int32_t get_offset_of_m_Uv0S_2() { return static_cast<int32_t>(offsetof(VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55, ___m_Uv0S_2)); }
inline List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A * get_m_Uv0S_2() const { return ___m_Uv0S_2; }
inline List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A ** get_address_of_m_Uv0S_2() { return &___m_Uv0S_2; }
inline void set_m_Uv0S_2(List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A * value)
{
___m_Uv0S_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Uv0S_2), (void*)value);
}
inline static int32_t get_offset_of_m_Uv1S_3() { return static_cast<int32_t>(offsetof(VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55, ___m_Uv1S_3)); }
inline List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A * get_m_Uv1S_3() const { return ___m_Uv1S_3; }
inline List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A ** get_address_of_m_Uv1S_3() { return &___m_Uv1S_3; }
inline void set_m_Uv1S_3(List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A * value)
{
___m_Uv1S_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Uv1S_3), (void*)value);
}
inline static int32_t get_offset_of_m_Uv2S_4() { return static_cast<int32_t>(offsetof(VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55, ___m_Uv2S_4)); }
inline List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A * get_m_Uv2S_4() const { return ___m_Uv2S_4; }
inline List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A ** get_address_of_m_Uv2S_4() { return &___m_Uv2S_4; }
inline void set_m_Uv2S_4(List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A * value)
{
___m_Uv2S_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Uv2S_4), (void*)value);
}
inline static int32_t get_offset_of_m_Uv3S_5() { return static_cast<int32_t>(offsetof(VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55, ___m_Uv3S_5)); }
inline List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A * get_m_Uv3S_5() const { return ___m_Uv3S_5; }
inline List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A ** get_address_of_m_Uv3S_5() { return &___m_Uv3S_5; }
inline void set_m_Uv3S_5(List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A * value)
{
___m_Uv3S_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Uv3S_5), (void*)value);
}
inline static int32_t get_offset_of_m_Normals_6() { return static_cast<int32_t>(offsetof(VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55, ___m_Normals_6)); }
inline List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181 * get_m_Normals_6() const { return ___m_Normals_6; }
inline List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181 ** get_address_of_m_Normals_6() { return &___m_Normals_6; }
inline void set_m_Normals_6(List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181 * value)
{
___m_Normals_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Normals_6), (void*)value);
}
inline static int32_t get_offset_of_m_Tangents_7() { return static_cast<int32_t>(offsetof(VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55, ___m_Tangents_7)); }
inline List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A * get_m_Tangents_7() const { return ___m_Tangents_7; }
inline List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A ** get_address_of_m_Tangents_7() { return &___m_Tangents_7; }
inline void set_m_Tangents_7(List_1_t14D5F8426BD7087A7AEB49D4DE3DEF404C8BE65A * value)
{
___m_Tangents_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Tangents_7), (void*)value);
}
inline static int32_t get_offset_of_m_Indices_8() { return static_cast<int32_t>(offsetof(VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55, ___m_Indices_8)); }
inline List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * get_m_Indices_8() const { return ___m_Indices_8; }
inline List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 ** get_address_of_m_Indices_8() { return &___m_Indices_8; }
inline void set_m_Indices_8(List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * value)
{
___m_Indices_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Indices_8), (void*)value);
}
inline static int32_t get_offset_of_m_ListsInitalized_11() { return static_cast<int32_t>(offsetof(VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55, ___m_ListsInitalized_11)); }
inline bool get_m_ListsInitalized_11() const { return ___m_ListsInitalized_11; }
inline bool* get_address_of_m_ListsInitalized_11() { return &___m_ListsInitalized_11; }
inline void set_m_ListsInitalized_11(bool value)
{
___m_ListsInitalized_11 = value;
}
};
struct VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55_StaticFields
{
public:
// UnityEngine.Vector4 UnityEngine.UI.VertexHelper::s_DefaultTangent
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 ___s_DefaultTangent_9;
// UnityEngine.Vector3 UnityEngine.UI.VertexHelper::s_DefaultNormal
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___s_DefaultNormal_10;
public:
inline static int32_t get_offset_of_s_DefaultTangent_9() { return static_cast<int32_t>(offsetof(VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55_StaticFields, ___s_DefaultTangent_9)); }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 get_s_DefaultTangent_9() const { return ___s_DefaultTangent_9; }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 * get_address_of_s_DefaultTangent_9() { return &___s_DefaultTangent_9; }
inline void set_s_DefaultTangent_9(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 value)
{
___s_DefaultTangent_9 = value;
}
inline static int32_t get_offset_of_s_DefaultNormal_10() { return static_cast<int32_t>(offsetof(VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55_StaticFields, ___s_DefaultNormal_10)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_s_DefaultNormal_10() const { return ___s_DefaultNormal_10; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_s_DefaultNormal_10() { return &___s_DefaultNormal_10; }
inline void set_s_DefaultNormal_10(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___s_DefaultNormal_10 = value;
}
};
// TMPro.VertexSortingOrder
struct VertexSortingOrder_t8D099B77634C901CB5D2497AEAC94127E9DE013B
{
public:
// System.Int32 TMPro.VertexSortingOrder::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(VertexSortingOrder_t8D099B77634C901CB5D2497AEAC94127E9DE013B, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.VerticalAlignmentOptions
struct VerticalAlignmentOptions_t6F8B6FBA36D97C6CA534AE3956D9060E39C9D326
{
public:
// System.Int32 TMPro.VerticalAlignmentOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(VerticalAlignmentOptions_t6F8B6FBA36D97C6CA534AE3956D9060E39C9D326, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.VerticalWrapMode
struct VerticalWrapMode_t71EBBAE09D28B40254AA63D6EEA14CFCBD618D88
{
public:
// System.Int32 UnityEngine.VerticalWrapMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(VerticalWrapMode_t71EBBAE09D28B40254AA63D6EEA14CFCBD618D88, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Video.Video3DLayout
struct Video3DLayout_t128A1265A65BE3B41138D19C5A827986A2F22F45
{
public:
// System.Int32 UnityEngine.Video.Video3DLayout::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Video3DLayout_t128A1265A65BE3B41138D19C5A827986A2F22F45, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Video.VideoAspectRatio
struct VideoAspectRatio_tB3C11859B0FA98E77D62BE7E1BD59084E7919B5E
{
public:
// System.Int32 UnityEngine.Video.VideoAspectRatio::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(VideoAspectRatio_tB3C11859B0FA98E77D62BE7E1BD59084E7919B5E, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Video.VideoAudioOutputMode
struct VideoAudioOutputMode_tDD6B846B9A65F1C53DA4D4D8117CDB223BE3DE56
{
public:
// System.Int32 UnityEngine.Video.VideoAudioOutputMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(VideoAudioOutputMode_tDD6B846B9A65F1C53DA4D4D8117CDB223BE3DE56, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Video.VideoRenderMode
struct VideoRenderMode_tB2F8E98B2EBB3216E6322E55C246CE0587CC0A7B
{
public:
// System.Int32 UnityEngine.Video.VideoRenderMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(VideoRenderMode_tB2F8E98B2EBB3216E6322E55C246CE0587CC0A7B, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Video.VideoSource
struct VideoSource_t66E8298534E5BB7DFD28A7D8ADE397E328CD8896
{
public:
// System.Int32 UnityEngine.Video.VideoSource::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(VideoSource_t66E8298534E5BB7DFD28A7D8ADE397E328CD8896, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Video.VideoTimeReference
struct VideoTimeReference_tDF02822B01320D3B0ADBE75452C8FA6B5FE96F1E
{
public:
// System.Int32 UnityEngine.Video.VideoTimeReference::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(VideoTimeReference_tDF02822B01320D3B0ADBE75452C8FA6B5FE96F1E, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Video.VideoTimeSource
struct VideoTimeSource_t881900D70589FDDD1C7471CB8C7FEA132B98038F
{
public:
// System.Int32 UnityEngine.Video.VideoTimeSource::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(VideoTimeSource_t881900D70589FDDD1C7471CB8C7FEA132B98038F, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.WaitHandle
struct WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842 : public MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8
{
public:
// System.IntPtr System.Threading.WaitHandle::waitHandle
intptr_t ___waitHandle_3;
// Microsoft.Win32.SafeHandles.SafeWaitHandle modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.WaitHandle::safeWaitHandle
SafeWaitHandle_tF37EACEDF9C6F350EB4ABC1E1F869EECB0B5ABB1 * ___safeWaitHandle_4;
// System.Boolean System.Threading.WaitHandle::hasThreadAffinity
bool ___hasThreadAffinity_5;
public:
inline static int32_t get_offset_of_waitHandle_3() { return static_cast<int32_t>(offsetof(WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842, ___waitHandle_3)); }
inline intptr_t get_waitHandle_3() const { return ___waitHandle_3; }
inline intptr_t* get_address_of_waitHandle_3() { return &___waitHandle_3; }
inline void set_waitHandle_3(intptr_t value)
{
___waitHandle_3 = value;
}
inline static int32_t get_offset_of_safeWaitHandle_4() { return static_cast<int32_t>(offsetof(WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842, ___safeWaitHandle_4)); }
inline SafeWaitHandle_tF37EACEDF9C6F350EB4ABC1E1F869EECB0B5ABB1 * get_safeWaitHandle_4() const { return ___safeWaitHandle_4; }
inline SafeWaitHandle_tF37EACEDF9C6F350EB4ABC1E1F869EECB0B5ABB1 ** get_address_of_safeWaitHandle_4() { return &___safeWaitHandle_4; }
inline void set_safeWaitHandle_4(SafeWaitHandle_tF37EACEDF9C6F350EB4ABC1E1F869EECB0B5ABB1 * value)
{
___safeWaitHandle_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___safeWaitHandle_4), (void*)value);
}
inline static int32_t get_offset_of_hasThreadAffinity_5() { return static_cast<int32_t>(offsetof(WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842, ___hasThreadAffinity_5)); }
inline bool get_hasThreadAffinity_5() const { return ___hasThreadAffinity_5; }
inline bool* get_address_of_hasThreadAffinity_5() { return &___hasThreadAffinity_5; }
inline void set_hasThreadAffinity_5(bool value)
{
___hasThreadAffinity_5 = value;
}
};
struct WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842_StaticFields
{
public:
// System.IntPtr System.Threading.WaitHandle::InvalidHandle
intptr_t ___InvalidHandle_10;
public:
inline static int32_t get_offset_of_InvalidHandle_10() { return static_cast<int32_t>(offsetof(WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842_StaticFields, ___InvalidHandle_10)); }
inline intptr_t get_InvalidHandle_10() const { return ___InvalidHandle_10; }
inline intptr_t* get_address_of_InvalidHandle_10() { return &___InvalidHandle_10; }
inline void set_InvalidHandle_10(intptr_t value)
{
___InvalidHandle_10 = value;
}
};
// Native definition for P/Invoke marshalling of System.Threading.WaitHandle
struct WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842_marshaled_pinvoke : public MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8_marshaled_pinvoke
{
intptr_t ___waitHandle_3;
void* ___safeWaitHandle_4;
int32_t ___hasThreadAffinity_5;
};
// Native definition for COM marshalling of System.Threading.WaitHandle
struct WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842_marshaled_com : public MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8_marshaled_com
{
intptr_t ___waitHandle_3;
void* ___safeWaitHandle_4;
int32_t ___hasThreadAffinity_5;
};
// System.WeakReference
struct WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76 : public RuntimeObject
{
public:
// System.Boolean System.WeakReference::isLongReference
bool ___isLongReference_0;
// System.Runtime.InteropServices.GCHandle System.WeakReference::gcHandle
GCHandle_t757890BC4BBBEDE5A623A3C110013EDD24613603 ___gcHandle_1;
public:
inline static int32_t get_offset_of_isLongReference_0() { return static_cast<int32_t>(offsetof(WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76, ___isLongReference_0)); }
inline bool get_isLongReference_0() const { return ___isLongReference_0; }
inline bool* get_address_of_isLongReference_0() { return &___isLongReference_0; }
inline void set_isLongReference_0(bool value)
{
___isLongReference_0 = value;
}
inline static int32_t get_offset_of_gcHandle_1() { return static_cast<int32_t>(offsetof(WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76, ___gcHandle_1)); }
inline GCHandle_t757890BC4BBBEDE5A623A3C110013EDD24613603 get_gcHandle_1() const { return ___gcHandle_1; }
inline GCHandle_t757890BC4BBBEDE5A623A3C110013EDD24613603 * get_address_of_gcHandle_1() { return &___gcHandle_1; }
inline void set_gcHandle_1(GCHandle_t757890BC4BBBEDE5A623A3C110013EDD24613603 value)
{
___gcHandle_1 = value;
}
};
// System.Net.Configuration.WebRequestModuleElementCollection
struct WebRequestModuleElementCollection_tC1A60891298C544F74DA731DDEEFE603015C09C9 : public ConfigurationElementCollection_t09097ED83C909F1481AEF6E4451CF7595AFA403E
{
public:
public:
};
// System.Net.Configuration.WebRequestModulesSection
struct WebRequestModulesSection_t2F6BB673DEE919615116B391BA37F70831084603 : public ConfigurationSection_t0D68AA1EA007506253A4935DB9F357AF9B50C683
{
public:
public:
};
// System.Runtime.Remoting.WellKnownObjectMode
struct WellKnownObjectMode_tD0EDA73FE29C75F12EA90F0EBC7875BAD0E3E7BD
{
public:
// System.Int32 System.Runtime.Remoting.WellKnownObjectMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(WellKnownObjectMode_tD0EDA73FE29C75F12EA90F0EBC7875BAD0E3E7BD, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.WindowsConsoleDriver
struct WindowsConsoleDriver_t9BCFD85631535991EF359B3E2AECDBA36ED4F7C2 : public RuntimeObject
{
public:
// System.IntPtr System.WindowsConsoleDriver::inputHandle
intptr_t ___inputHandle_0;
// System.IntPtr System.WindowsConsoleDriver::outputHandle
intptr_t ___outputHandle_1;
// System.Int16 System.WindowsConsoleDriver::defaultAttribute
int16_t ___defaultAttribute_2;
public:
inline static int32_t get_offset_of_inputHandle_0() { return static_cast<int32_t>(offsetof(WindowsConsoleDriver_t9BCFD85631535991EF359B3E2AECDBA36ED4F7C2, ___inputHandle_0)); }
inline intptr_t get_inputHandle_0() const { return ___inputHandle_0; }
inline intptr_t* get_address_of_inputHandle_0() { return &___inputHandle_0; }
inline void set_inputHandle_0(intptr_t value)
{
___inputHandle_0 = value;
}
inline static int32_t get_offset_of_outputHandle_1() { return static_cast<int32_t>(offsetof(WindowsConsoleDriver_t9BCFD85631535991EF359B3E2AECDBA36ED4F7C2, ___outputHandle_1)); }
inline intptr_t get_outputHandle_1() const { return ___outputHandle_1; }
inline intptr_t* get_address_of_outputHandle_1() { return &___outputHandle_1; }
inline void set_outputHandle_1(intptr_t value)
{
___outputHandle_1 = value;
}
inline static int32_t get_offset_of_defaultAttribute_2() { return static_cast<int32_t>(offsetof(WindowsConsoleDriver_t9BCFD85631535991EF359B3E2AECDBA36ED4F7C2, ___defaultAttribute_2)); }
inline int16_t get_defaultAttribute_2() const { return ___defaultAttribute_2; }
inline int16_t* get_address_of_defaultAttribute_2() { return &___defaultAttribute_2; }
inline void set_defaultAttribute_2(int16_t value)
{
___defaultAttribute_2 = value;
}
};
// UnityEngine.WrapMode
struct WrapMode_t0DF566E32B136795606714DB9A11A3DC170F5468
{
public:
// System.Int32 UnityEngine.WrapMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(WrapMode_t0DF566E32B136795606714DB9A11A3DC170F5468, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Security.Cryptography.X509Certificates.X509KeyUsageFlags
struct X509KeyUsageFlags_tA10D2E023BB8086E102AE4EBE10CF84656A18849
{
public:
// System.Int32 System.Security.Cryptography.X509Certificates.X509KeyUsageFlags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(X509KeyUsageFlags_tA10D2E023BB8086E102AE4EBE10CF84656A18849, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Security.Cryptography.X509Certificates.X509SubjectKeyIdentifierHashAlgorithm
struct X509SubjectKeyIdentifierHashAlgorithm_t38BCCB6F30D80F7CDF39B3A164129FDF81B11D29
{
public:
// System.Int32 System.Security.Cryptography.X509Certificates.X509SubjectKeyIdentifierHashAlgorithm::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(X509SubjectKeyIdentifierHashAlgorithm_t38BCCB6F30D80F7CDF39B3A164129FDF81B11D29, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Xml.Linq.XContainer
struct XContainer_t195526C99472280E1DE55FCBAF9060CD9DE37525 : public XNode_tB88EE59443DF799686825ED2168D47C857C8CA99
{
public:
// System.Object System.Xml.Linq.XContainer::content
RuntimeObject * ___content_2;
public:
inline static int32_t get_offset_of_content_2() { return static_cast<int32_t>(offsetof(XContainer_t195526C99472280E1DE55FCBAF9060CD9DE37525, ___content_2)); }
inline RuntimeObject * get_content_2() const { return ___content_2; }
inline RuntimeObject ** get_address_of_content_2() { return &___content_2; }
inline void set_content_2(RuntimeObject * value)
{
___content_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___content_2), (void*)value);
}
};
// UnityEngine.XR.ARSubsystems.XRAnchorSubsystemDescriptor
struct XRAnchorSubsystemDescriptor_t3BD7F9922EF5C04185D59349C76D625BC1E44E3B : public SubsystemDescriptorWithProvider_2_t0A7F13BEDD4EC8DFDD5AEC7D5171B22F3D852CE5
{
public:
// System.Boolean UnityEngine.XR.ARSubsystems.XRAnchorSubsystemDescriptor::<supportsTrackableAttachments>k__BackingField
bool ___U3CsupportsTrackableAttachmentsU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CsupportsTrackableAttachmentsU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(XRAnchorSubsystemDescriptor_t3BD7F9922EF5C04185D59349C76D625BC1E44E3B, ___U3CsupportsTrackableAttachmentsU3Ek__BackingField_3)); }
inline bool get_U3CsupportsTrackableAttachmentsU3Ek__BackingField_3() const { return ___U3CsupportsTrackableAttachmentsU3Ek__BackingField_3; }
inline bool* get_address_of_U3CsupportsTrackableAttachmentsU3Ek__BackingField_3() { return &___U3CsupportsTrackableAttachmentsU3Ek__BackingField_3; }
inline void set_U3CsupportsTrackableAttachmentsU3Ek__BackingField_3(bool value)
{
___U3CsupportsTrackableAttachmentsU3Ek__BackingField_3 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRCameraConfiguration
struct XRCameraConfiguration_t2393055E5547307393E9C73AB13B95E0785A4F7A
{
public:
// UnityEngine.Vector2Int UnityEngine.XR.ARSubsystems.XRCameraConfiguration::m_Resolution
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 ___m_Resolution_0;
// System.Int32 UnityEngine.XR.ARSubsystems.XRCameraConfiguration::m_Framerate
int32_t ___m_Framerate_1;
// System.IntPtr UnityEngine.XR.ARSubsystems.XRCameraConfiguration::m_NativeConfigurationHandle
intptr_t ___m_NativeConfigurationHandle_2;
public:
inline static int32_t get_offset_of_m_Resolution_0() { return static_cast<int32_t>(offsetof(XRCameraConfiguration_t2393055E5547307393E9C73AB13B95E0785A4F7A, ___m_Resolution_0)); }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 get_m_Resolution_0() const { return ___m_Resolution_0; }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 * get_address_of_m_Resolution_0() { return &___m_Resolution_0; }
inline void set_m_Resolution_0(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 value)
{
___m_Resolution_0 = value;
}
inline static int32_t get_offset_of_m_Framerate_1() { return static_cast<int32_t>(offsetof(XRCameraConfiguration_t2393055E5547307393E9C73AB13B95E0785A4F7A, ___m_Framerate_1)); }
inline int32_t get_m_Framerate_1() const { return ___m_Framerate_1; }
inline int32_t* get_address_of_m_Framerate_1() { return &___m_Framerate_1; }
inline void set_m_Framerate_1(int32_t value)
{
___m_Framerate_1 = value;
}
inline static int32_t get_offset_of_m_NativeConfigurationHandle_2() { return static_cast<int32_t>(offsetof(XRCameraConfiguration_t2393055E5547307393E9C73AB13B95E0785A4F7A, ___m_NativeConfigurationHandle_2)); }
inline intptr_t get_m_NativeConfigurationHandle_2() const { return ___m_NativeConfigurationHandle_2; }
inline intptr_t* get_address_of_m_NativeConfigurationHandle_2() { return &___m_NativeConfigurationHandle_2; }
inline void set_m_NativeConfigurationHandle_2(intptr_t value)
{
___m_NativeConfigurationHandle_2 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRCameraFrameProperties
struct XRCameraFrameProperties_t57C3A208DCCC01241BA413286A98B1726773200C
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.XRCameraFrameProperties::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(XRCameraFrameProperties_t57C3A208DCCC01241BA413286A98B1726773200C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRCameraIntrinsics
struct XRCameraIntrinsics_t85F1514E263A6C6DE96DBA5448B44F11F35395FD
{
public:
// UnityEngine.Vector2 UnityEngine.XR.ARSubsystems.XRCameraIntrinsics::m_FocalLength
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_FocalLength_0;
// UnityEngine.Vector2 UnityEngine.XR.ARSubsystems.XRCameraIntrinsics::m_PrincipalPoint
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_PrincipalPoint_1;
// UnityEngine.Vector2Int UnityEngine.XR.ARSubsystems.XRCameraIntrinsics::m_Resolution
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 ___m_Resolution_2;
public:
inline static int32_t get_offset_of_m_FocalLength_0() { return static_cast<int32_t>(offsetof(XRCameraIntrinsics_t85F1514E263A6C6DE96DBA5448B44F11F35395FD, ___m_FocalLength_0)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_FocalLength_0() const { return ___m_FocalLength_0; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_FocalLength_0() { return &___m_FocalLength_0; }
inline void set_m_FocalLength_0(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_FocalLength_0 = value;
}
inline static int32_t get_offset_of_m_PrincipalPoint_1() { return static_cast<int32_t>(offsetof(XRCameraIntrinsics_t85F1514E263A6C6DE96DBA5448B44F11F35395FD, ___m_PrincipalPoint_1)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_PrincipalPoint_1() const { return ___m_PrincipalPoint_1; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_PrincipalPoint_1() { return &___m_PrincipalPoint_1; }
inline void set_m_PrincipalPoint_1(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_PrincipalPoint_1 = value;
}
inline static int32_t get_offset_of_m_Resolution_2() { return static_cast<int32_t>(offsetof(XRCameraIntrinsics_t85F1514E263A6C6DE96DBA5448B44F11F35395FD, ___m_Resolution_2)); }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 get_m_Resolution_2() const { return ___m_Resolution_2; }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 * get_address_of_m_Resolution_2() { return &___m_Resolution_2; }
inline void set_m_Resolution_2(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 value)
{
___m_Resolution_2 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRCameraSubsystem
struct XRCameraSubsystem_t3B32F6EA8A2E4D23AF240B5D21C34759D2613AC9 : public SubsystemWithProvider_3_tA938665692EBC0CA746A276F8413E462E8930FD4
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRCameraSubsystemDescriptor
struct XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5 : public SubsystemDescriptorWithProvider_2_tA9FA485739D1F05136E95B57BC5FC580309C9038
{
public:
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemDescriptor::<supportsAverageBrightness>k__BackingField
bool ___U3CsupportsAverageBrightnessU3Ek__BackingField_3;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemDescriptor::<supportsAverageColorTemperature>k__BackingField
bool ___U3CsupportsAverageColorTemperatureU3Ek__BackingField_4;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemDescriptor::<supportsColorCorrection>k__BackingField
bool ___U3CsupportsColorCorrectionU3Ek__BackingField_5;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemDescriptor::<supportsDisplayMatrix>k__BackingField
bool ___U3CsupportsDisplayMatrixU3Ek__BackingField_6;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemDescriptor::<supportsProjectionMatrix>k__BackingField
bool ___U3CsupportsProjectionMatrixU3Ek__BackingField_7;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemDescriptor::<supportsTimestamp>k__BackingField
bool ___U3CsupportsTimestampU3Ek__BackingField_8;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemDescriptor::<supportsCameraConfigurations>k__BackingField
bool ___U3CsupportsCameraConfigurationsU3Ek__BackingField_9;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemDescriptor::<supportsCameraImage>k__BackingField
bool ___U3CsupportsCameraImageU3Ek__BackingField_10;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemDescriptor::<supportsAverageIntensityInLumens>k__BackingField
bool ___U3CsupportsAverageIntensityInLumensU3Ek__BackingField_11;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemDescriptor::<supportsFocusModes>k__BackingField
bool ___U3CsupportsFocusModesU3Ek__BackingField_12;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemDescriptor::<supportsFaceTrackingAmbientIntensityLightEstimation>k__BackingField
bool ___U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemDescriptor::<supportsFaceTrackingHDRLightEstimation>k__BackingField
bool ___U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemDescriptor::<supportsWorldTrackingAmbientIntensityLightEstimation>k__BackingField
bool ___U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemDescriptor::<supportsWorldTrackingHDRLightEstimation>k__BackingField
bool ___U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16;
// System.Boolean UnityEngine.XR.ARSubsystems.XRCameraSubsystemDescriptor::<supportsCameraGrain>k__BackingField
bool ___U3CsupportsCameraGrainU3Ek__BackingField_17;
public:
inline static int32_t get_offset_of_U3CsupportsAverageBrightnessU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5, ___U3CsupportsAverageBrightnessU3Ek__BackingField_3)); }
inline bool get_U3CsupportsAverageBrightnessU3Ek__BackingField_3() const { return ___U3CsupportsAverageBrightnessU3Ek__BackingField_3; }
inline bool* get_address_of_U3CsupportsAverageBrightnessU3Ek__BackingField_3() { return &___U3CsupportsAverageBrightnessU3Ek__BackingField_3; }
inline void set_U3CsupportsAverageBrightnessU3Ek__BackingField_3(bool value)
{
___U3CsupportsAverageBrightnessU3Ek__BackingField_3 = value;
}
inline static int32_t get_offset_of_U3CsupportsAverageColorTemperatureU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5, ___U3CsupportsAverageColorTemperatureU3Ek__BackingField_4)); }
inline bool get_U3CsupportsAverageColorTemperatureU3Ek__BackingField_4() const { return ___U3CsupportsAverageColorTemperatureU3Ek__BackingField_4; }
inline bool* get_address_of_U3CsupportsAverageColorTemperatureU3Ek__BackingField_4() { return &___U3CsupportsAverageColorTemperatureU3Ek__BackingField_4; }
inline void set_U3CsupportsAverageColorTemperatureU3Ek__BackingField_4(bool value)
{
___U3CsupportsAverageColorTemperatureU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3CsupportsColorCorrectionU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5, ___U3CsupportsColorCorrectionU3Ek__BackingField_5)); }
inline bool get_U3CsupportsColorCorrectionU3Ek__BackingField_5() const { return ___U3CsupportsColorCorrectionU3Ek__BackingField_5; }
inline bool* get_address_of_U3CsupportsColorCorrectionU3Ek__BackingField_5() { return &___U3CsupportsColorCorrectionU3Ek__BackingField_5; }
inline void set_U3CsupportsColorCorrectionU3Ek__BackingField_5(bool value)
{
___U3CsupportsColorCorrectionU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CsupportsDisplayMatrixU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5, ___U3CsupportsDisplayMatrixU3Ek__BackingField_6)); }
inline bool get_U3CsupportsDisplayMatrixU3Ek__BackingField_6() const { return ___U3CsupportsDisplayMatrixU3Ek__BackingField_6; }
inline bool* get_address_of_U3CsupportsDisplayMatrixU3Ek__BackingField_6() { return &___U3CsupportsDisplayMatrixU3Ek__BackingField_6; }
inline void set_U3CsupportsDisplayMatrixU3Ek__BackingField_6(bool value)
{
___U3CsupportsDisplayMatrixU3Ek__BackingField_6 = value;
}
inline static int32_t get_offset_of_U3CsupportsProjectionMatrixU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5, ___U3CsupportsProjectionMatrixU3Ek__BackingField_7)); }
inline bool get_U3CsupportsProjectionMatrixU3Ek__BackingField_7() const { return ___U3CsupportsProjectionMatrixU3Ek__BackingField_7; }
inline bool* get_address_of_U3CsupportsProjectionMatrixU3Ek__BackingField_7() { return &___U3CsupportsProjectionMatrixU3Ek__BackingField_7; }
inline void set_U3CsupportsProjectionMatrixU3Ek__BackingField_7(bool value)
{
___U3CsupportsProjectionMatrixU3Ek__BackingField_7 = value;
}
inline static int32_t get_offset_of_U3CsupportsTimestampU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5, ___U3CsupportsTimestampU3Ek__BackingField_8)); }
inline bool get_U3CsupportsTimestampU3Ek__BackingField_8() const { return ___U3CsupportsTimestampU3Ek__BackingField_8; }
inline bool* get_address_of_U3CsupportsTimestampU3Ek__BackingField_8() { return &___U3CsupportsTimestampU3Ek__BackingField_8; }
inline void set_U3CsupportsTimestampU3Ek__BackingField_8(bool value)
{
___U3CsupportsTimestampU3Ek__BackingField_8 = value;
}
inline static int32_t get_offset_of_U3CsupportsCameraConfigurationsU3Ek__BackingField_9() { return static_cast<int32_t>(offsetof(XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5, ___U3CsupportsCameraConfigurationsU3Ek__BackingField_9)); }
inline bool get_U3CsupportsCameraConfigurationsU3Ek__BackingField_9() const { return ___U3CsupportsCameraConfigurationsU3Ek__BackingField_9; }
inline bool* get_address_of_U3CsupportsCameraConfigurationsU3Ek__BackingField_9() { return &___U3CsupportsCameraConfigurationsU3Ek__BackingField_9; }
inline void set_U3CsupportsCameraConfigurationsU3Ek__BackingField_9(bool value)
{
___U3CsupportsCameraConfigurationsU3Ek__BackingField_9 = value;
}
inline static int32_t get_offset_of_U3CsupportsCameraImageU3Ek__BackingField_10() { return static_cast<int32_t>(offsetof(XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5, ___U3CsupportsCameraImageU3Ek__BackingField_10)); }
inline bool get_U3CsupportsCameraImageU3Ek__BackingField_10() const { return ___U3CsupportsCameraImageU3Ek__BackingField_10; }
inline bool* get_address_of_U3CsupportsCameraImageU3Ek__BackingField_10() { return &___U3CsupportsCameraImageU3Ek__BackingField_10; }
inline void set_U3CsupportsCameraImageU3Ek__BackingField_10(bool value)
{
___U3CsupportsCameraImageU3Ek__BackingField_10 = value;
}
inline static int32_t get_offset_of_U3CsupportsAverageIntensityInLumensU3Ek__BackingField_11() { return static_cast<int32_t>(offsetof(XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5, ___U3CsupportsAverageIntensityInLumensU3Ek__BackingField_11)); }
inline bool get_U3CsupportsAverageIntensityInLumensU3Ek__BackingField_11() const { return ___U3CsupportsAverageIntensityInLumensU3Ek__BackingField_11; }
inline bool* get_address_of_U3CsupportsAverageIntensityInLumensU3Ek__BackingField_11() { return &___U3CsupportsAverageIntensityInLumensU3Ek__BackingField_11; }
inline void set_U3CsupportsAverageIntensityInLumensU3Ek__BackingField_11(bool value)
{
___U3CsupportsAverageIntensityInLumensU3Ek__BackingField_11 = value;
}
inline static int32_t get_offset_of_U3CsupportsFocusModesU3Ek__BackingField_12() { return static_cast<int32_t>(offsetof(XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5, ___U3CsupportsFocusModesU3Ek__BackingField_12)); }
inline bool get_U3CsupportsFocusModesU3Ek__BackingField_12() const { return ___U3CsupportsFocusModesU3Ek__BackingField_12; }
inline bool* get_address_of_U3CsupportsFocusModesU3Ek__BackingField_12() { return &___U3CsupportsFocusModesU3Ek__BackingField_12; }
inline void set_U3CsupportsFocusModesU3Ek__BackingField_12(bool value)
{
___U3CsupportsFocusModesU3Ek__BackingField_12 = value;
}
inline static int32_t get_offset_of_U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13() { return static_cast<int32_t>(offsetof(XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5, ___U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13)); }
inline bool get_U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13() const { return ___U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13; }
inline bool* get_address_of_U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13() { return &___U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13; }
inline void set_U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13(bool value)
{
___U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13 = value;
}
inline static int32_t get_offset_of_U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14() { return static_cast<int32_t>(offsetof(XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5, ___U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14)); }
inline bool get_U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14() const { return ___U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14; }
inline bool* get_address_of_U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14() { return &___U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14; }
inline void set_U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14(bool value)
{
___U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14 = value;
}
inline static int32_t get_offset_of_U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15() { return static_cast<int32_t>(offsetof(XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5, ___U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15)); }
inline bool get_U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15() const { return ___U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15; }
inline bool* get_address_of_U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15() { return &___U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15; }
inline void set_U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15(bool value)
{
___U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15 = value;
}
inline static int32_t get_offset_of_U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16() { return static_cast<int32_t>(offsetof(XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5, ___U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16)); }
inline bool get_U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16() const { return ___U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16; }
inline bool* get_address_of_U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16() { return &___U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16; }
inline void set_U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16(bool value)
{
___U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16 = value;
}
inline static int32_t get_offset_of_U3CsupportsCameraGrainU3Ek__BackingField_17() { return static_cast<int32_t>(offsetof(XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5, ___U3CsupportsCameraGrainU3Ek__BackingField_17)); }
inline bool get_U3CsupportsCameraGrainU3Ek__BackingField_17() const { return ___U3CsupportsCameraGrainU3Ek__BackingField_17; }
inline bool* get_address_of_U3CsupportsCameraGrainU3Ek__BackingField_17() { return &___U3CsupportsCameraGrainU3Ek__BackingField_17; }
inline void set_U3CsupportsCameraGrainU3Ek__BackingField_17(bool value)
{
___U3CsupportsCameraGrainU3Ek__BackingField_17 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor
struct XRDepthSubsystemDescriptor_t745DBB7D313FB52F756E0B7AA993FBBC26B412C2 : public SubsystemDescriptorWithProvider_2_t977F6FA0CAD110C500F658A35F19E5D5301AD0BC
{
public:
// System.Boolean UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor::<supportsFeaturePoints>k__BackingField
bool ___U3CsupportsFeaturePointsU3Ek__BackingField_3;
// System.Boolean UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor::<supportsUniqueIds>k__BackingField
bool ___U3CsupportsUniqueIdsU3Ek__BackingField_4;
// System.Boolean UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor::<supportsConfidence>k__BackingField
bool ___U3CsupportsConfidenceU3Ek__BackingField_5;
public:
inline static int32_t get_offset_of_U3CsupportsFeaturePointsU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(XRDepthSubsystemDescriptor_t745DBB7D313FB52F756E0B7AA993FBBC26B412C2, ___U3CsupportsFeaturePointsU3Ek__BackingField_3)); }
inline bool get_U3CsupportsFeaturePointsU3Ek__BackingField_3() const { return ___U3CsupportsFeaturePointsU3Ek__BackingField_3; }
inline bool* get_address_of_U3CsupportsFeaturePointsU3Ek__BackingField_3() { return &___U3CsupportsFeaturePointsU3Ek__BackingField_3; }
inline void set_U3CsupportsFeaturePointsU3Ek__BackingField_3(bool value)
{
___U3CsupportsFeaturePointsU3Ek__BackingField_3 = value;
}
inline static int32_t get_offset_of_U3CsupportsUniqueIdsU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(XRDepthSubsystemDescriptor_t745DBB7D313FB52F756E0B7AA993FBBC26B412C2, ___U3CsupportsUniqueIdsU3Ek__BackingField_4)); }
inline bool get_U3CsupportsUniqueIdsU3Ek__BackingField_4() const { return ___U3CsupportsUniqueIdsU3Ek__BackingField_4; }
inline bool* get_address_of_U3CsupportsUniqueIdsU3Ek__BackingField_4() { return &___U3CsupportsUniqueIdsU3Ek__BackingField_4; }
inline void set_U3CsupportsUniqueIdsU3Ek__BackingField_4(bool value)
{
___U3CsupportsUniqueIdsU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3CsupportsConfidenceU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(XRDepthSubsystemDescriptor_t745DBB7D313FB52F756E0B7AA993FBBC26B412C2, ___U3CsupportsConfidenceU3Ek__BackingField_5)); }
inline bool get_U3CsupportsConfidenceU3Ek__BackingField_5() const { return ___U3CsupportsConfidenceU3Ek__BackingField_5; }
inline bool* get_address_of_U3CsupportsConfidenceU3Ek__BackingField_5() { return &___U3CsupportsConfidenceU3Ek__BackingField_5; }
inline void set_U3CsupportsConfidenceU3Ek__BackingField_5(bool value)
{
___U3CsupportsConfidenceU3Ek__BackingField_5 = value;
}
};
// UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemDescriptor
struct XREnvironmentProbeSubsystemDescriptor_t7C10519F545418330347AC7434FBB10F39DD4243 : public SubsystemDescriptorWithProvider_2_t66BB4225DD47C0B6DF8312AEF1CDB8DB4CB729D9
{
public:
// System.Boolean UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemDescriptor::<supportsManualPlacement>k__BackingField
bool ___U3CsupportsManualPlacementU3Ek__BackingField_3;
// System.Boolean UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemDescriptor::<supportsRemovalOfManual>k__BackingField
bool ___U3CsupportsRemovalOfManualU3Ek__BackingField_4;
// System.Boolean UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemDescriptor::<supportsAutomaticPlacement>k__BackingField
bool ___U3CsupportsAutomaticPlacementU3Ek__BackingField_5;
// System.Boolean UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemDescriptor::<supportsRemovalOfAutomatic>k__BackingField
bool ___U3CsupportsRemovalOfAutomaticU3Ek__BackingField_6;
// System.Boolean UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemDescriptor::<supportsEnvironmentTexture>k__BackingField
bool ___U3CsupportsEnvironmentTextureU3Ek__BackingField_7;
// System.Boolean UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemDescriptor::<supportsEnvironmentTextureHDR>k__BackingField
bool ___U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_8;
public:
inline static int32_t get_offset_of_U3CsupportsManualPlacementU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(XREnvironmentProbeSubsystemDescriptor_t7C10519F545418330347AC7434FBB10F39DD4243, ___U3CsupportsManualPlacementU3Ek__BackingField_3)); }
inline bool get_U3CsupportsManualPlacementU3Ek__BackingField_3() const { return ___U3CsupportsManualPlacementU3Ek__BackingField_3; }
inline bool* get_address_of_U3CsupportsManualPlacementU3Ek__BackingField_3() { return &___U3CsupportsManualPlacementU3Ek__BackingField_3; }
inline void set_U3CsupportsManualPlacementU3Ek__BackingField_3(bool value)
{
___U3CsupportsManualPlacementU3Ek__BackingField_3 = value;
}
inline static int32_t get_offset_of_U3CsupportsRemovalOfManualU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(XREnvironmentProbeSubsystemDescriptor_t7C10519F545418330347AC7434FBB10F39DD4243, ___U3CsupportsRemovalOfManualU3Ek__BackingField_4)); }
inline bool get_U3CsupportsRemovalOfManualU3Ek__BackingField_4() const { return ___U3CsupportsRemovalOfManualU3Ek__BackingField_4; }
inline bool* get_address_of_U3CsupportsRemovalOfManualU3Ek__BackingField_4() { return &___U3CsupportsRemovalOfManualU3Ek__BackingField_4; }
inline void set_U3CsupportsRemovalOfManualU3Ek__BackingField_4(bool value)
{
___U3CsupportsRemovalOfManualU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3CsupportsAutomaticPlacementU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(XREnvironmentProbeSubsystemDescriptor_t7C10519F545418330347AC7434FBB10F39DD4243, ___U3CsupportsAutomaticPlacementU3Ek__BackingField_5)); }
inline bool get_U3CsupportsAutomaticPlacementU3Ek__BackingField_5() const { return ___U3CsupportsAutomaticPlacementU3Ek__BackingField_5; }
inline bool* get_address_of_U3CsupportsAutomaticPlacementU3Ek__BackingField_5() { return &___U3CsupportsAutomaticPlacementU3Ek__BackingField_5; }
inline void set_U3CsupportsAutomaticPlacementU3Ek__BackingField_5(bool value)
{
___U3CsupportsAutomaticPlacementU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CsupportsRemovalOfAutomaticU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(XREnvironmentProbeSubsystemDescriptor_t7C10519F545418330347AC7434FBB10F39DD4243, ___U3CsupportsRemovalOfAutomaticU3Ek__BackingField_6)); }
inline bool get_U3CsupportsRemovalOfAutomaticU3Ek__BackingField_6() const { return ___U3CsupportsRemovalOfAutomaticU3Ek__BackingField_6; }
inline bool* get_address_of_U3CsupportsRemovalOfAutomaticU3Ek__BackingField_6() { return &___U3CsupportsRemovalOfAutomaticU3Ek__BackingField_6; }
inline void set_U3CsupportsRemovalOfAutomaticU3Ek__BackingField_6(bool value)
{
___U3CsupportsRemovalOfAutomaticU3Ek__BackingField_6 = value;
}
inline static int32_t get_offset_of_U3CsupportsEnvironmentTextureU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(XREnvironmentProbeSubsystemDescriptor_t7C10519F545418330347AC7434FBB10F39DD4243, ___U3CsupportsEnvironmentTextureU3Ek__BackingField_7)); }
inline bool get_U3CsupportsEnvironmentTextureU3Ek__BackingField_7() const { return ___U3CsupportsEnvironmentTextureU3Ek__BackingField_7; }
inline bool* get_address_of_U3CsupportsEnvironmentTextureU3Ek__BackingField_7() { return &___U3CsupportsEnvironmentTextureU3Ek__BackingField_7; }
inline void set_U3CsupportsEnvironmentTextureU3Ek__BackingField_7(bool value)
{
___U3CsupportsEnvironmentTextureU3Ek__BackingField_7 = value;
}
inline static int32_t get_offset_of_U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(XREnvironmentProbeSubsystemDescriptor_t7C10519F545418330347AC7434FBB10F39DD4243, ___U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_8)); }
inline bool get_U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_8() const { return ___U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_8; }
inline bool* get_address_of_U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_8() { return &___U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_8; }
inline void set_U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_8(bool value)
{
___U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_8 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRFaceSubsystemDescriptor
struct XRFaceSubsystemDescriptor_t129999D2BF40B1016A8C70A0FDE9763C21DCD618 : public SubsystemDescriptorWithProvider_2_tB12E064D6020E2F12266EBEB553796258028452B
{
public:
// System.Boolean UnityEngine.XR.ARSubsystems.XRFaceSubsystemDescriptor::<supportsFacePose>k__BackingField
bool ___U3CsupportsFacePoseU3Ek__BackingField_3;
// System.Boolean UnityEngine.XR.ARSubsystems.XRFaceSubsystemDescriptor::<supportsFaceMeshVerticesAndIndices>k__BackingField
bool ___U3CsupportsFaceMeshVerticesAndIndicesU3Ek__BackingField_4;
// System.Boolean UnityEngine.XR.ARSubsystems.XRFaceSubsystemDescriptor::<supportsFaceMeshUVs>k__BackingField
bool ___U3CsupportsFaceMeshUVsU3Ek__BackingField_5;
// System.Boolean UnityEngine.XR.ARSubsystems.XRFaceSubsystemDescriptor::<supportsFaceMeshNormals>k__BackingField
bool ___U3CsupportsFaceMeshNormalsU3Ek__BackingField_6;
// System.Boolean UnityEngine.XR.ARSubsystems.XRFaceSubsystemDescriptor::<supportsEyeTracking>k__BackingField
bool ___U3CsupportsEyeTrackingU3Ek__BackingField_7;
public:
inline static int32_t get_offset_of_U3CsupportsFacePoseU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(XRFaceSubsystemDescriptor_t129999D2BF40B1016A8C70A0FDE9763C21DCD618, ___U3CsupportsFacePoseU3Ek__BackingField_3)); }
inline bool get_U3CsupportsFacePoseU3Ek__BackingField_3() const { return ___U3CsupportsFacePoseU3Ek__BackingField_3; }
inline bool* get_address_of_U3CsupportsFacePoseU3Ek__BackingField_3() { return &___U3CsupportsFacePoseU3Ek__BackingField_3; }
inline void set_U3CsupportsFacePoseU3Ek__BackingField_3(bool value)
{
___U3CsupportsFacePoseU3Ek__BackingField_3 = value;
}
inline static int32_t get_offset_of_U3CsupportsFaceMeshVerticesAndIndicesU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(XRFaceSubsystemDescriptor_t129999D2BF40B1016A8C70A0FDE9763C21DCD618, ___U3CsupportsFaceMeshVerticesAndIndicesU3Ek__BackingField_4)); }
inline bool get_U3CsupportsFaceMeshVerticesAndIndicesU3Ek__BackingField_4() const { return ___U3CsupportsFaceMeshVerticesAndIndicesU3Ek__BackingField_4; }
inline bool* get_address_of_U3CsupportsFaceMeshVerticesAndIndicesU3Ek__BackingField_4() { return &___U3CsupportsFaceMeshVerticesAndIndicesU3Ek__BackingField_4; }
inline void set_U3CsupportsFaceMeshVerticesAndIndicesU3Ek__BackingField_4(bool value)
{
___U3CsupportsFaceMeshVerticesAndIndicesU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3CsupportsFaceMeshUVsU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(XRFaceSubsystemDescriptor_t129999D2BF40B1016A8C70A0FDE9763C21DCD618, ___U3CsupportsFaceMeshUVsU3Ek__BackingField_5)); }
inline bool get_U3CsupportsFaceMeshUVsU3Ek__BackingField_5() const { return ___U3CsupportsFaceMeshUVsU3Ek__BackingField_5; }
inline bool* get_address_of_U3CsupportsFaceMeshUVsU3Ek__BackingField_5() { return &___U3CsupportsFaceMeshUVsU3Ek__BackingField_5; }
inline void set_U3CsupportsFaceMeshUVsU3Ek__BackingField_5(bool value)
{
___U3CsupportsFaceMeshUVsU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CsupportsFaceMeshNormalsU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(XRFaceSubsystemDescriptor_t129999D2BF40B1016A8C70A0FDE9763C21DCD618, ___U3CsupportsFaceMeshNormalsU3Ek__BackingField_6)); }
inline bool get_U3CsupportsFaceMeshNormalsU3Ek__BackingField_6() const { return ___U3CsupportsFaceMeshNormalsU3Ek__BackingField_6; }
inline bool* get_address_of_U3CsupportsFaceMeshNormalsU3Ek__BackingField_6() { return &___U3CsupportsFaceMeshNormalsU3Ek__BackingField_6; }
inline void set_U3CsupportsFaceMeshNormalsU3Ek__BackingField_6(bool value)
{
___U3CsupportsFaceMeshNormalsU3Ek__BackingField_6 = value;
}
inline static int32_t get_offset_of_U3CsupportsEyeTrackingU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(XRFaceSubsystemDescriptor_t129999D2BF40B1016A8C70A0FDE9763C21DCD618, ___U3CsupportsEyeTrackingU3Ek__BackingField_7)); }
inline bool get_U3CsupportsEyeTrackingU3Ek__BackingField_7() const { return ___U3CsupportsEyeTrackingU3Ek__BackingField_7; }
inline bool* get_address_of_U3CsupportsEyeTrackingU3Ek__BackingField_7() { return &___U3CsupportsEyeTrackingU3Ek__BackingField_7; }
inline void set_U3CsupportsEyeTrackingU3Ek__BackingField_7(bool value)
{
___U3CsupportsEyeTrackingU3Ek__BackingField_7 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRHumanBodyPose2DJoint
struct XRHumanBodyPose2DJoint_t901EEB0FA2A9FF2D258978EC36EE0852FEF35BA4
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.XRHumanBodyPose2DJoint::m_Index
int32_t ___m_Index_0;
// System.Int32 UnityEngine.XR.ARSubsystems.XRHumanBodyPose2DJoint::m_ParentIndex
int32_t ___m_ParentIndex_1;
// UnityEngine.Vector2 UnityEngine.XR.ARSubsystems.XRHumanBodyPose2DJoint::m_Position
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_Position_2;
// System.Int32 UnityEngine.XR.ARSubsystems.XRHumanBodyPose2DJoint::m_Tracked
int32_t ___m_Tracked_3;
public:
inline static int32_t get_offset_of_m_Index_0() { return static_cast<int32_t>(offsetof(XRHumanBodyPose2DJoint_t901EEB0FA2A9FF2D258978EC36EE0852FEF35BA4, ___m_Index_0)); }
inline int32_t get_m_Index_0() const { return ___m_Index_0; }
inline int32_t* get_address_of_m_Index_0() { return &___m_Index_0; }
inline void set_m_Index_0(int32_t value)
{
___m_Index_0 = value;
}
inline static int32_t get_offset_of_m_ParentIndex_1() { return static_cast<int32_t>(offsetof(XRHumanBodyPose2DJoint_t901EEB0FA2A9FF2D258978EC36EE0852FEF35BA4, ___m_ParentIndex_1)); }
inline int32_t get_m_ParentIndex_1() const { return ___m_ParentIndex_1; }
inline int32_t* get_address_of_m_ParentIndex_1() { return &___m_ParentIndex_1; }
inline void set_m_ParentIndex_1(int32_t value)
{
___m_ParentIndex_1 = value;
}
inline static int32_t get_offset_of_m_Position_2() { return static_cast<int32_t>(offsetof(XRHumanBodyPose2DJoint_t901EEB0FA2A9FF2D258978EC36EE0852FEF35BA4, ___m_Position_2)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_Position_2() const { return ___m_Position_2; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_Position_2() { return &___m_Position_2; }
inline void set_m_Position_2(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_Position_2 = value;
}
inline static int32_t get_offset_of_m_Tracked_3() { return static_cast<int32_t>(offsetof(XRHumanBodyPose2DJoint_t901EEB0FA2A9FF2D258978EC36EE0852FEF35BA4, ___m_Tracked_3)); }
inline int32_t get_m_Tracked_3() const { return ___m_Tracked_3; }
inline int32_t* get_address_of_m_Tracked_3() { return &___m_Tracked_3; }
inline void set_m_Tracked_3(int32_t value)
{
___m_Tracked_3 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRHumanBodySubsystemDescriptor
struct XRHumanBodySubsystemDescriptor_t00E75DD05B03BCC1BF5A794547615692B7A55C04 : public SubsystemDescriptorWithProvider_2_t0BF07E59C6A0B8ACC38BF74CC2BC483D05AE541D
{
public:
// System.Boolean UnityEngine.XR.ARSubsystems.XRHumanBodySubsystemDescriptor::<supportsHumanBody2D>k__BackingField
bool ___U3CsupportsHumanBody2DU3Ek__BackingField_3;
// System.Boolean UnityEngine.XR.ARSubsystems.XRHumanBodySubsystemDescriptor::<supportsHumanBody3D>k__BackingField
bool ___U3CsupportsHumanBody3DU3Ek__BackingField_4;
// System.Boolean UnityEngine.XR.ARSubsystems.XRHumanBodySubsystemDescriptor::<supportsHumanBody3DScaleEstimation>k__BackingField
bool ___U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_5;
public:
inline static int32_t get_offset_of_U3CsupportsHumanBody2DU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(XRHumanBodySubsystemDescriptor_t00E75DD05B03BCC1BF5A794547615692B7A55C04, ___U3CsupportsHumanBody2DU3Ek__BackingField_3)); }
inline bool get_U3CsupportsHumanBody2DU3Ek__BackingField_3() const { return ___U3CsupportsHumanBody2DU3Ek__BackingField_3; }
inline bool* get_address_of_U3CsupportsHumanBody2DU3Ek__BackingField_3() { return &___U3CsupportsHumanBody2DU3Ek__BackingField_3; }
inline void set_U3CsupportsHumanBody2DU3Ek__BackingField_3(bool value)
{
___U3CsupportsHumanBody2DU3Ek__BackingField_3 = value;
}
inline static int32_t get_offset_of_U3CsupportsHumanBody3DU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(XRHumanBodySubsystemDescriptor_t00E75DD05B03BCC1BF5A794547615692B7A55C04, ___U3CsupportsHumanBody3DU3Ek__BackingField_4)); }
inline bool get_U3CsupportsHumanBody3DU3Ek__BackingField_4() const { return ___U3CsupportsHumanBody3DU3Ek__BackingField_4; }
inline bool* get_address_of_U3CsupportsHumanBody3DU3Ek__BackingField_4() { return &___U3CsupportsHumanBody3DU3Ek__BackingField_4; }
inline void set_U3CsupportsHumanBody3DU3Ek__BackingField_4(bool value)
{
___U3CsupportsHumanBody3DU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(XRHumanBodySubsystemDescriptor_t00E75DD05B03BCC1BF5A794547615692B7A55C04, ___U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_5)); }
inline bool get_U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_5() const { return ___U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_5; }
inline bool* get_address_of_U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_5() { return &___U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_5; }
inline void set_U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_5(bool value)
{
___U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_5 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystemDescriptor
struct XRImageTrackingSubsystemDescriptor_t3EC191739B144A8AA00CEEE03E8F7FF01D7F833B : public SubsystemDescriptorWithProvider_2_tDB11EA61A7EEC9B491CE74FAFEDB41D9F00B7B34
{
public:
// System.Boolean UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystemDescriptor::<supportsMovingImages>k__BackingField
bool ___U3CsupportsMovingImagesU3Ek__BackingField_3;
// System.Boolean UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystemDescriptor::<requiresPhysicalImageDimensions>k__BackingField
bool ___U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_4;
// System.Boolean UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystemDescriptor::<supportsMutableLibrary>k__BackingField
bool ___U3CsupportsMutableLibraryU3Ek__BackingField_5;
// System.Boolean UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystemDescriptor::<supportsImageValidation>k__BackingField
bool ___U3CsupportsImageValidationU3Ek__BackingField_6;
public:
inline static int32_t get_offset_of_U3CsupportsMovingImagesU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(XRImageTrackingSubsystemDescriptor_t3EC191739B144A8AA00CEEE03E8F7FF01D7F833B, ___U3CsupportsMovingImagesU3Ek__BackingField_3)); }
inline bool get_U3CsupportsMovingImagesU3Ek__BackingField_3() const { return ___U3CsupportsMovingImagesU3Ek__BackingField_3; }
inline bool* get_address_of_U3CsupportsMovingImagesU3Ek__BackingField_3() { return &___U3CsupportsMovingImagesU3Ek__BackingField_3; }
inline void set_U3CsupportsMovingImagesU3Ek__BackingField_3(bool value)
{
___U3CsupportsMovingImagesU3Ek__BackingField_3 = value;
}
inline static int32_t get_offset_of_U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(XRImageTrackingSubsystemDescriptor_t3EC191739B144A8AA00CEEE03E8F7FF01D7F833B, ___U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_4)); }
inline bool get_U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_4() const { return ___U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_4; }
inline bool* get_address_of_U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_4() { return &___U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_4; }
inline void set_U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_4(bool value)
{
___U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3CsupportsMutableLibraryU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(XRImageTrackingSubsystemDescriptor_t3EC191739B144A8AA00CEEE03E8F7FF01D7F833B, ___U3CsupportsMutableLibraryU3Ek__BackingField_5)); }
inline bool get_U3CsupportsMutableLibraryU3Ek__BackingField_5() const { return ___U3CsupportsMutableLibraryU3Ek__BackingField_5; }
inline bool* get_address_of_U3CsupportsMutableLibraryU3Ek__BackingField_5() { return &___U3CsupportsMutableLibraryU3Ek__BackingField_5; }
inline void set_U3CsupportsMutableLibraryU3Ek__BackingField_5(bool value)
{
___U3CsupportsMutableLibraryU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CsupportsImageValidationU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(XRImageTrackingSubsystemDescriptor_t3EC191739B144A8AA00CEEE03E8F7FF01D7F833B, ___U3CsupportsImageValidationU3Ek__BackingField_6)); }
inline bool get_U3CsupportsImageValidationU3Ek__BackingField_6() const { return ___U3CsupportsImageValidationU3Ek__BackingField_6; }
inline bool* get_address_of_U3CsupportsImageValidationU3Ek__BackingField_6() { return &___U3CsupportsImageValidationU3Ek__BackingField_6; }
inline void set_U3CsupportsImageValidationU3Ek__BackingField_6(bool value)
{
___U3CsupportsImageValidationU3Ek__BackingField_6 = value;
}
};
// UnityEngine.XR.XRNode
struct XRNode_t07B789D60F5B3A4F0E4A169143881ABCA4176DBD
{
public:
// System.Int32 UnityEngine.XR.XRNode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(XRNode_t07B789D60F5B3A4F0E4A169143881ABCA4176DBD, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRObjectTrackingSubsystemDescriptor
struct XRObjectTrackingSubsystemDescriptor_t831B568A9BE175A6A79BB87E25DEFAC519A6C472 : public SubsystemDescriptorWithProvider_2_tB30A449BCFE0FA82C8183709FCA73609BEF8497F
{
public:
// UnityEngine.XR.ARSubsystems.XRObjectTrackingSubsystemDescriptor/Capabilities UnityEngine.XR.ARSubsystems.XRObjectTrackingSubsystemDescriptor::<capabilities>k__BackingField
Capabilities_tC6F329DD5C73C6B9E04BE77A3AE0E52390BD8685 ___U3CcapabilitiesU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CcapabilitiesU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(XRObjectTrackingSubsystemDescriptor_t831B568A9BE175A6A79BB87E25DEFAC519A6C472, ___U3CcapabilitiesU3Ek__BackingField_3)); }
inline Capabilities_tC6F329DD5C73C6B9E04BE77A3AE0E52390BD8685 get_U3CcapabilitiesU3Ek__BackingField_3() const { return ___U3CcapabilitiesU3Ek__BackingField_3; }
inline Capabilities_tC6F329DD5C73C6B9E04BE77A3AE0E52390BD8685 * get_address_of_U3CcapabilitiesU3Ek__BackingField_3() { return &___U3CcapabilitiesU3Ek__BackingField_3; }
inline void set_U3CcapabilitiesU3Ek__BackingField_3(Capabilities_tC6F329DD5C73C6B9E04BE77A3AE0E52390BD8685 value)
{
___U3CcapabilitiesU3Ek__BackingField_3 = value;
}
};
// UnityEngine.XR.ARSubsystems.XROcclusionSubsystem
struct XROcclusionSubsystem_t7546B929F9B5B6EB13B975FE4DB1F4099EE533B8 : public SubsystemWithProvider_3_t2838D413336061A31AFDEA49065AD29BD1EB3A1B
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XROcclusionSubsystemDescriptor
struct XROcclusionSubsystemDescriptor_tC9C8F2EFB7768358C203968CA71D353F0DD234FB : public SubsystemDescriptorWithProvider_2_t62816A265C3833F4CF714035B6683894F074039D
{
public:
// System.Func`1<System.Boolean> UnityEngine.XR.ARSubsystems.XROcclusionSubsystemDescriptor::m_QueryForSupportsEnvironmentDepthImage
Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F * ___m_QueryForSupportsEnvironmentDepthImage_3;
// System.Func`1<System.Boolean> UnityEngine.XR.ARSubsystems.XROcclusionSubsystemDescriptor::m_QueryForSupportsEnvironmentDepthConfidenceImage
Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F * ___m_QueryForSupportsEnvironmentDepthConfidenceImage_4;
// System.Boolean UnityEngine.XR.ARSubsystems.XROcclusionSubsystemDescriptor::<supportsHumanSegmentationStencilImage>k__BackingField
bool ___U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_5;
// System.Boolean UnityEngine.XR.ARSubsystems.XROcclusionSubsystemDescriptor::<supportsHumanSegmentationDepthImage>k__BackingField
bool ___U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_6;
public:
inline static int32_t get_offset_of_m_QueryForSupportsEnvironmentDepthImage_3() { return static_cast<int32_t>(offsetof(XROcclusionSubsystemDescriptor_tC9C8F2EFB7768358C203968CA71D353F0DD234FB, ___m_QueryForSupportsEnvironmentDepthImage_3)); }
inline Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F * get_m_QueryForSupportsEnvironmentDepthImage_3() const { return ___m_QueryForSupportsEnvironmentDepthImage_3; }
inline Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F ** get_address_of_m_QueryForSupportsEnvironmentDepthImage_3() { return &___m_QueryForSupportsEnvironmentDepthImage_3; }
inline void set_m_QueryForSupportsEnvironmentDepthImage_3(Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F * value)
{
___m_QueryForSupportsEnvironmentDepthImage_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_QueryForSupportsEnvironmentDepthImage_3), (void*)value);
}
inline static int32_t get_offset_of_m_QueryForSupportsEnvironmentDepthConfidenceImage_4() { return static_cast<int32_t>(offsetof(XROcclusionSubsystemDescriptor_tC9C8F2EFB7768358C203968CA71D353F0DD234FB, ___m_QueryForSupportsEnvironmentDepthConfidenceImage_4)); }
inline Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F * get_m_QueryForSupportsEnvironmentDepthConfidenceImage_4() const { return ___m_QueryForSupportsEnvironmentDepthConfidenceImage_4; }
inline Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F ** get_address_of_m_QueryForSupportsEnvironmentDepthConfidenceImage_4() { return &___m_QueryForSupportsEnvironmentDepthConfidenceImage_4; }
inline void set_m_QueryForSupportsEnvironmentDepthConfidenceImage_4(Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F * value)
{
___m_QueryForSupportsEnvironmentDepthConfidenceImage_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_QueryForSupportsEnvironmentDepthConfidenceImage_4), (void*)value);
}
inline static int32_t get_offset_of_U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(XROcclusionSubsystemDescriptor_tC9C8F2EFB7768358C203968CA71D353F0DD234FB, ___U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_5)); }
inline bool get_U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_5() const { return ___U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_5; }
inline bool* get_address_of_U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_5() { return &___U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_5; }
inline void set_U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_5(bool value)
{
___U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(XROcclusionSubsystemDescriptor_tC9C8F2EFB7768358C203968CA71D353F0DD234FB, ___U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_6)); }
inline bool get_U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_6() const { return ___U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_6; }
inline bool* get_address_of_U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_6() { return &___U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_6; }
inline void set_U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_6(bool value)
{
___U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_6 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor
struct XRPlaneSubsystemDescriptor_t98B66B6D99804656DDDB45C9BDA61C2EE4EDB483 : public SubsystemDescriptorWithProvider_2_t389082A83361A00577FB12B1BFEFA4439DBEAA69
{
public:
// System.Boolean UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor::<supportsHorizontalPlaneDetection>k__BackingField
bool ___U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_3;
// System.Boolean UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor::<supportsVerticalPlaneDetection>k__BackingField
bool ___U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_4;
// System.Boolean UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor::<supportsArbitraryPlaneDetection>k__BackingField
bool ___U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_5;
// System.Boolean UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor::<supportsBoundaryVertices>k__BackingField
bool ___U3CsupportsBoundaryVerticesU3Ek__BackingField_6;
// System.Boolean UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor::<supportsClassification>k__BackingField
bool ___U3CsupportsClassificationU3Ek__BackingField_7;
public:
inline static int32_t get_offset_of_U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(XRPlaneSubsystemDescriptor_t98B66B6D99804656DDDB45C9BDA61C2EE4EDB483, ___U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_3)); }
inline bool get_U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_3() const { return ___U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_3; }
inline bool* get_address_of_U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_3() { return &___U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_3; }
inline void set_U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_3(bool value)
{
___U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_3 = value;
}
inline static int32_t get_offset_of_U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(XRPlaneSubsystemDescriptor_t98B66B6D99804656DDDB45C9BDA61C2EE4EDB483, ___U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_4)); }
inline bool get_U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_4() const { return ___U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_4; }
inline bool* get_address_of_U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_4() { return &___U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_4; }
inline void set_U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_4(bool value)
{
___U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(XRPlaneSubsystemDescriptor_t98B66B6D99804656DDDB45C9BDA61C2EE4EDB483, ___U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_5)); }
inline bool get_U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_5() const { return ___U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_5; }
inline bool* get_address_of_U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_5() { return &___U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_5; }
inline void set_U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_5(bool value)
{
___U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CsupportsBoundaryVerticesU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(XRPlaneSubsystemDescriptor_t98B66B6D99804656DDDB45C9BDA61C2EE4EDB483, ___U3CsupportsBoundaryVerticesU3Ek__BackingField_6)); }
inline bool get_U3CsupportsBoundaryVerticesU3Ek__BackingField_6() const { return ___U3CsupportsBoundaryVerticesU3Ek__BackingField_6; }
inline bool* get_address_of_U3CsupportsBoundaryVerticesU3Ek__BackingField_6() { return &___U3CsupportsBoundaryVerticesU3Ek__BackingField_6; }
inline void set_U3CsupportsBoundaryVerticesU3Ek__BackingField_6(bool value)
{
___U3CsupportsBoundaryVerticesU3Ek__BackingField_6 = value;
}
inline static int32_t get_offset_of_U3CsupportsClassificationU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(XRPlaneSubsystemDescriptor_t98B66B6D99804656DDDB45C9BDA61C2EE4EDB483, ___U3CsupportsClassificationU3Ek__BackingField_7)); }
inline bool get_U3CsupportsClassificationU3Ek__BackingField_7() const { return ___U3CsupportsClassificationU3Ek__BackingField_7; }
inline bool* get_address_of_U3CsupportsClassificationU3Ek__BackingField_7() { return &___U3CsupportsClassificationU3Ek__BackingField_7; }
inline void set_U3CsupportsClassificationU3Ek__BackingField_7(bool value)
{
___U3CsupportsClassificationU3Ek__BackingField_7 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRReferenceImage
struct XRReferenceImage_tB1803A72EB581FB35B2CA944973679132A1D4467
{
public:
// UnityEngine.XR.ARSubsystems.SerializableGuid UnityEngine.XR.ARSubsystems.XRReferenceImage::m_SerializedGuid
SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC ___m_SerializedGuid_0;
// UnityEngine.XR.ARSubsystems.SerializableGuid UnityEngine.XR.ARSubsystems.XRReferenceImage::m_SerializedTextureGuid
SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC ___m_SerializedTextureGuid_1;
// UnityEngine.Vector2 UnityEngine.XR.ARSubsystems.XRReferenceImage::m_Size
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_Size_2;
// System.Boolean UnityEngine.XR.ARSubsystems.XRReferenceImage::m_SpecifySize
bool ___m_SpecifySize_3;
// System.String UnityEngine.XR.ARSubsystems.XRReferenceImage::m_Name
String_t* ___m_Name_4;
// UnityEngine.Texture2D UnityEngine.XR.ARSubsystems.XRReferenceImage::m_Texture
Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * ___m_Texture_5;
public:
inline static int32_t get_offset_of_m_SerializedGuid_0() { return static_cast<int32_t>(offsetof(XRReferenceImage_tB1803A72EB581FB35B2CA944973679132A1D4467, ___m_SerializedGuid_0)); }
inline SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC get_m_SerializedGuid_0() const { return ___m_SerializedGuid_0; }
inline SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC * get_address_of_m_SerializedGuid_0() { return &___m_SerializedGuid_0; }
inline void set_m_SerializedGuid_0(SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC value)
{
___m_SerializedGuid_0 = value;
}
inline static int32_t get_offset_of_m_SerializedTextureGuid_1() { return static_cast<int32_t>(offsetof(XRReferenceImage_tB1803A72EB581FB35B2CA944973679132A1D4467, ___m_SerializedTextureGuid_1)); }
inline SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC get_m_SerializedTextureGuid_1() const { return ___m_SerializedTextureGuid_1; }
inline SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC * get_address_of_m_SerializedTextureGuid_1() { return &___m_SerializedTextureGuid_1; }
inline void set_m_SerializedTextureGuid_1(SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC value)
{
___m_SerializedTextureGuid_1 = value;
}
inline static int32_t get_offset_of_m_Size_2() { return static_cast<int32_t>(offsetof(XRReferenceImage_tB1803A72EB581FB35B2CA944973679132A1D4467, ___m_Size_2)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_Size_2() const { return ___m_Size_2; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_Size_2() { return &___m_Size_2; }
inline void set_m_Size_2(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_Size_2 = value;
}
inline static int32_t get_offset_of_m_SpecifySize_3() { return static_cast<int32_t>(offsetof(XRReferenceImage_tB1803A72EB581FB35B2CA944973679132A1D4467, ___m_SpecifySize_3)); }
inline bool get_m_SpecifySize_3() const { return ___m_SpecifySize_3; }
inline bool* get_address_of_m_SpecifySize_3() { return &___m_SpecifySize_3; }
inline void set_m_SpecifySize_3(bool value)
{
___m_SpecifySize_3 = value;
}
inline static int32_t get_offset_of_m_Name_4() { return static_cast<int32_t>(offsetof(XRReferenceImage_tB1803A72EB581FB35B2CA944973679132A1D4467, ___m_Name_4)); }
inline String_t* get_m_Name_4() const { return ___m_Name_4; }
inline String_t** get_address_of_m_Name_4() { return &___m_Name_4; }
inline void set_m_Name_4(String_t* value)
{
___m_Name_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Name_4), (void*)value);
}
inline static int32_t get_offset_of_m_Texture_5() { return static_cast<int32_t>(offsetof(XRReferenceImage_tB1803A72EB581FB35B2CA944973679132A1D4467, ___m_Texture_5)); }
inline Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * get_m_Texture_5() const { return ___m_Texture_5; }
inline Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF ** get_address_of_m_Texture_5() { return &___m_Texture_5; }
inline void set_m_Texture_5(Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * value)
{
___m_Texture_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Texture_5), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARSubsystems.XRReferenceImage
struct XRReferenceImage_tB1803A72EB581FB35B2CA944973679132A1D4467_marshaled_pinvoke
{
SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC ___m_SerializedGuid_0;
SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC ___m_SerializedTextureGuid_1;
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_Size_2;
int32_t ___m_SpecifySize_3;
char* ___m_Name_4;
Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * ___m_Texture_5;
};
// Native definition for COM marshalling of UnityEngine.XR.ARSubsystems.XRReferenceImage
struct XRReferenceImage_tB1803A72EB581FB35B2CA944973679132A1D4467_marshaled_com
{
SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC ___m_SerializedGuid_0;
SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC ___m_SerializedTextureGuid_1;
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_Size_2;
int32_t ___m_SpecifySize_3;
Il2CppChar* ___m_Name_4;
Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * ___m_Texture_5;
};
// UnityEngine.XR.ARSubsystems.XRReferencePointSubsystemDescriptor
struct XRReferencePointSubsystemDescriptor_t8200CCC29717B3E08EECC476427E1A4E63C4EBDB : public SubsystemDescriptorWithProvider_2_t6B33D56713F4B67214F93287AFE9CF3125A6CD6C
{
public:
// System.Boolean UnityEngine.XR.ARSubsystems.XRReferencePointSubsystemDescriptor::<supportsTrackableAttachments>k__BackingField
bool ___U3CsupportsTrackableAttachmentsU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CsupportsTrackableAttachmentsU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(XRReferencePointSubsystemDescriptor_t8200CCC29717B3E08EECC476427E1A4E63C4EBDB, ___U3CsupportsTrackableAttachmentsU3Ek__BackingField_3)); }
inline bool get_U3CsupportsTrackableAttachmentsU3Ek__BackingField_3() const { return ___U3CsupportsTrackableAttachmentsU3Ek__BackingField_3; }
inline bool* get_address_of_U3CsupportsTrackableAttachmentsU3Ek__BackingField_3() { return &___U3CsupportsTrackableAttachmentsU3Ek__BackingField_3; }
inline void set_U3CsupportsTrackableAttachmentsU3Ek__BackingField_3(bool value)
{
___U3CsupportsTrackableAttachmentsU3Ek__BackingField_3 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRSessionSubsystemDescriptor
struct XRSessionSubsystemDescriptor_tC45A49D1179090D5C6D3B3DC1DC31CAB5A627B1C : public SubsystemDescriptorWithProvider_2_tE9888364F17DF110619D7238068EB1EC98053AE5
{
public:
// System.Boolean UnityEngine.XR.ARSubsystems.XRSessionSubsystemDescriptor::<supportsInstall>k__BackingField
bool ___U3CsupportsInstallU3Ek__BackingField_3;
// System.Boolean UnityEngine.XR.ARSubsystems.XRSessionSubsystemDescriptor::<supportsMatchFrameRate>k__BackingField
bool ___U3CsupportsMatchFrameRateU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CsupportsInstallU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(XRSessionSubsystemDescriptor_tC45A49D1179090D5C6D3B3DC1DC31CAB5A627B1C, ___U3CsupportsInstallU3Ek__BackingField_3)); }
inline bool get_U3CsupportsInstallU3Ek__BackingField_3() const { return ___U3CsupportsInstallU3Ek__BackingField_3; }
inline bool* get_address_of_U3CsupportsInstallU3Ek__BackingField_3() { return &___U3CsupportsInstallU3Ek__BackingField_3; }
inline void set_U3CsupportsInstallU3Ek__BackingField_3(bool value)
{
___U3CsupportsInstallU3Ek__BackingField_3 = value;
}
inline static int32_t get_offset_of_U3CsupportsMatchFrameRateU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(XRSessionSubsystemDescriptor_tC45A49D1179090D5C6D3B3DC1DC31CAB5A627B1C, ___U3CsupportsMatchFrameRateU3Ek__BackingField_4)); }
inline bool get_U3CsupportsMatchFrameRateU3Ek__BackingField_4() const { return ___U3CsupportsMatchFrameRateU3Ek__BackingField_4; }
inline bool* get_address_of_U3CsupportsMatchFrameRateU3Ek__BackingField_4() { return &___U3CsupportsMatchFrameRateU3Ek__BackingField_4; }
inline void set_U3CsupportsMatchFrameRateU3Ek__BackingField_4(bool value)
{
___U3CsupportsMatchFrameRateU3Ek__BackingField_4 = value;
}
};
// System.Xml.XmlConvert
struct XmlConvert_t5D0BE0A0EE15E2D3EC7F4881C519B5137DFA370A : public RuntimeObject
{
public:
public:
};
struct XmlConvert_t5D0BE0A0EE15E2D3EC7F4881C519B5137DFA370A_StaticFields
{
public:
// System.Xml.XmlCharType System.Xml.XmlConvert::xmlCharType
XmlCharType_t0B35CAE2B2E20F28A418270966E9989BBDB004BA ___xmlCharType_0;
// System.Char[] System.Xml.XmlConvert::crt
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___crt_1;
// System.Int32 System.Xml.XmlConvert::c_EncodedCharLength
int32_t ___c_EncodedCharLength_2;
// System.Char[] System.Xml.XmlConvert::WhitespaceChars
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___WhitespaceChars_3;
public:
inline static int32_t get_offset_of_xmlCharType_0() { return static_cast<int32_t>(offsetof(XmlConvert_t5D0BE0A0EE15E2D3EC7F4881C519B5137DFA370A_StaticFields, ___xmlCharType_0)); }
inline XmlCharType_t0B35CAE2B2E20F28A418270966E9989BBDB004BA get_xmlCharType_0() const { return ___xmlCharType_0; }
inline XmlCharType_t0B35CAE2B2E20F28A418270966E9989BBDB004BA * get_address_of_xmlCharType_0() { return &___xmlCharType_0; }
inline void set_xmlCharType_0(XmlCharType_t0B35CAE2B2E20F28A418270966E9989BBDB004BA value)
{
___xmlCharType_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___xmlCharType_0))->___charProperties_2), (void*)NULL);
}
inline static int32_t get_offset_of_crt_1() { return static_cast<int32_t>(offsetof(XmlConvert_t5D0BE0A0EE15E2D3EC7F4881C519B5137DFA370A_StaticFields, ___crt_1)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_crt_1() const { return ___crt_1; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_crt_1() { return &___crt_1; }
inline void set_crt_1(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___crt_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___crt_1), (void*)value);
}
inline static int32_t get_offset_of_c_EncodedCharLength_2() { return static_cast<int32_t>(offsetof(XmlConvert_t5D0BE0A0EE15E2D3EC7F4881C519B5137DFA370A_StaticFields, ___c_EncodedCharLength_2)); }
inline int32_t get_c_EncodedCharLength_2() const { return ___c_EncodedCharLength_2; }
inline int32_t* get_address_of_c_EncodedCharLength_2() { return &___c_EncodedCharLength_2; }
inline void set_c_EncodedCharLength_2(int32_t value)
{
___c_EncodedCharLength_2 = value;
}
inline static int32_t get_offset_of_WhitespaceChars_3() { return static_cast<int32_t>(offsetof(XmlConvert_t5D0BE0A0EE15E2D3EC7F4881C519B5137DFA370A_StaticFields, ___WhitespaceChars_3)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_WhitespaceChars_3() const { return ___WhitespaceChars_3; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_WhitespaceChars_3() { return &___WhitespaceChars_3; }
inline void set_WhitespaceChars_3(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___WhitespaceChars_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___WhitespaceChars_3), (void*)value);
}
};
// UnityEngine.AddressableAssets.Addressables/MergeMode
struct MergeMode_t7C375A3CAC2D053D6FF92D1B9A93373FCCE16BE2
{
public:
// System.Int32 UnityEngine.AddressableAssets.Addressables/MergeMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MergeMode_t7C375A3CAC2D053D6FF92D1B9A93373FCCE16BE2, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.AddressableAssets.AddressablesImpl/<>c__DisplayClass37_0
struct U3CU3Ec__DisplayClass37_0_t000831778C48C75C3994CAB5B27887382268C3FE : public RuntimeObject
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.ResourceManagement.ResourceProviders.SceneInstance> UnityEngine.AddressableAssets.AddressablesImpl/<>c__DisplayClass37_0::op
AsyncOperationHandle_1_tB96B3BE55EEFE136B4996F894959358F2972EFBE ___op_0;
// UnityEngine.AddressableAssets.AddressablesImpl UnityEngine.AddressableAssets.AddressablesImpl/<>c__DisplayClass37_0::<>4__this
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * ___U3CU3E4__this_1;
public:
inline static int32_t get_offset_of_op_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass37_0_t000831778C48C75C3994CAB5B27887382268C3FE, ___op_0)); }
inline AsyncOperationHandle_1_tB96B3BE55EEFE136B4996F894959358F2972EFBE get_op_0() const { return ___op_0; }
inline AsyncOperationHandle_1_tB96B3BE55EEFE136B4996F894959358F2972EFBE * get_address_of_op_0() { return &___op_0; }
inline void set_op_0(AsyncOperationHandle_1_tB96B3BE55EEFE136B4996F894959358F2972EFBE value)
{
___op_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___op_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___op_0))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_U3CU3E4__this_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass37_0_t000831778C48C75C3994CAB5B27887382268C3FE, ___U3CU3E4__this_1)); }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * get_U3CU3E4__this_1() const { return ___U3CU3E4__this_1; }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 ** get_address_of_U3CU3E4__this_1() { return &___U3CU3E4__this_1; }
inline void set_U3CU3E4__this_1(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * value)
{
___U3CU3E4__this_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_1), (void*)value);
}
};
// UnityEngine.UI.AspectRatioFitter/AspectMode
struct AspectMode_t36213FA489787D7A0D888D00CD344AD5349CD563
{
public:
// System.Int32 UnityEngine.UI.AspectRatioFitter/AspectMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AspectMode_t36213FA489787D7A0D888D00CD344AD5349CD563, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.Button/ButtonClickedEvent
struct ButtonClickedEvent_tE6D6D94ED8100451CF00D2BED1FB2253F37BB14F : public UnityEvent_tA0EA9BC49FD7D5185E7A238EF2E0E6F5D0EE27F4
{
public:
public:
};
// UnityEngine.Camera/MonoOrStereoscopicEye
struct MonoOrStereoscopicEye_t22538A0C5043C3A233E0332787D3E06DA966703E
{
public:
// System.Int32 UnityEngine.Camera/MonoOrStereoscopicEye::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MonoOrStereoscopicEye_t22538A0C5043C3A233E0332787D3E06DA966703E, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Camera/RenderRequestMode
struct RenderRequestMode_tCB120B82DED523ADBA2D6093A1A8ABF17D94A313
{
public:
// System.Int32 UnityEngine.Camera/RenderRequestMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RenderRequestMode_tCB120B82DED523ADBA2D6093A1A8ABF17D94A313, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Camera/RenderRequestOutputSpace
struct RenderRequestOutputSpace_t8EB93E4720B2D1BAB624A04ADB473C37C7F3D6A5
{
public:
// System.Int32 UnityEngine.Camera/RenderRequestOutputSpace::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(RenderRequestOutputSpace_t8EB93E4720B2D1BAB624A04ADB473C37C7F3D6A5, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.CanvasScaler/ScaleMode
struct ScaleMode_t0CBCB9FD5EB6F84B682D0F5E4203D0925BCDB069
{
public:
// System.Int32 UnityEngine.UI.CanvasScaler/ScaleMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ScaleMode_t0CBCB9FD5EB6F84B682D0F5E4203D0925BCDB069, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.CanvasScaler/ScreenMatchMode
struct ScreenMatchMode_t64D475564756A5C040CC9B7C62D321C7133970DB
{
public:
// System.Int32 UnityEngine.UI.CanvasScaler/ScreenMatchMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ScreenMatchMode_t64D475564756A5C040CC9B7C62D321C7133970DB, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.CanvasScaler/Unit
struct Unit_t48D9126E954FB214B48FD2E199CB041FF97CFF80
{
public:
// System.Int32 UnityEngine.UI.CanvasScaler/Unit::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Unit_t48D9126E954FB214B48FD2E199CB041FF97CFF80, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Localization.Pseudo.CharacterSubstitutor/ListSelectionMethod
struct ListSelectionMethod_tE8A7D27F125D7099C5EE86C474457BC6F5E13C38
{
public:
// System.Int32 UnityEngine.Localization.Pseudo.CharacterSubstitutor/ListSelectionMethod::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ListSelectionMethod_tE8A7D27F125D7099C5EE86C474457BC6F5E13C38, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Localization.Pseudo.CharacterSubstitutor/SubstitutionMethod
struct SubstitutionMethod_tF44ADFFEEC26291CB88EC224455CAE73B9ACF7B9
{
public:
// System.Int32 UnityEngine.Localization.Pseudo.CharacterSubstitutor/SubstitutionMethod::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(SubstitutionMethod_tF44ADFFEEC26291CB88EC224455CAE73B9ACF7B9, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.ColorTween/ColorTweenCallback
struct ColorTweenCallback_t6D0BB23EFAEEBFAA63C52F59CFF039DEDE243556 : public UnityEvent_1_t1238B72D437B572D32DDC7E67B423C2E90691350
{
public:
public:
};
// TMPro.ColorTween/ColorTweenMode
struct ColorTweenMode_t73D753514D6DF62D23C5E54E33F154B2D5984A14
{
public:
// System.Int32 TMPro.ColorTween/ColorTweenMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ColorTweenMode_t73D753514D6DF62D23C5E54E33F154B2D5984A14, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.CoroutineTween.ColorTween/ColorTweenCallback
struct ColorTweenCallback_tFD140F68C9A5F1C9799A2A82FA463C4EF56F9026 : public UnityEvent_1_t1238B72D437B572D32DDC7E67B423C2E90691350
{
public:
public:
};
// UnityEngine.UI.CoroutineTween.ColorTween/ColorTweenMode
struct ColorTweenMode_tC8254CFED9F320A1B7A452159F60A143952DFE19
{
public:
// System.Int32 UnityEngine.UI.CoroutineTween.ColorTween/ColorTweenMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ColorTweenMode_tC8254CFED9F320A1B7A452159F60A143952DFE19, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider/InternalOp
struct InternalOp_t02B0755C55F9BB0FA159F741AD79F9D94236A007 : public RuntimeObject
{
public:
// System.String UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider/InternalOp::m_LocalDataPath
String_t* ___m_LocalDataPath_0;
// System.String UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider/InternalOp::m_RemoteHashValue
String_t* ___m_RemoteHashValue_1;
// System.String UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider/InternalOp::m_LocalHashValue
String_t* ___m_LocalHashValue_2;
// UnityEngine.ResourceManagement.ResourceProviders.ProvideHandle UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider/InternalOp::m_ProviderInterface
ProvideHandle_t7E2C4D55BFA0F16A1B53B1BE922FD9857859208D ___m_ProviderInterface_3;
// UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider/InternalOp::m_ContentCatalogData
ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D * ___m_ContentCatalogData_4;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData> UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider/InternalOp::m_ContentCatalogDataLoadOp
AsyncOperationHandle_1_tC62B646D978D84BEE617E1BE501DB84504AF7442 ___m_ContentCatalogDataLoadOp_5;
// UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider/InternalOp/BundledCatalog UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider/InternalOp::m_BundledCatalog
BundledCatalog_t0339865FD3004B1640C1314D57EA3E2B4EDF91BD * ___m_BundledCatalog_6;
public:
inline static int32_t get_offset_of_m_LocalDataPath_0() { return static_cast<int32_t>(offsetof(InternalOp_t02B0755C55F9BB0FA159F741AD79F9D94236A007, ___m_LocalDataPath_0)); }
inline String_t* get_m_LocalDataPath_0() const { return ___m_LocalDataPath_0; }
inline String_t** get_address_of_m_LocalDataPath_0() { return &___m_LocalDataPath_0; }
inline void set_m_LocalDataPath_0(String_t* value)
{
___m_LocalDataPath_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocalDataPath_0), (void*)value);
}
inline static int32_t get_offset_of_m_RemoteHashValue_1() { return static_cast<int32_t>(offsetof(InternalOp_t02B0755C55F9BB0FA159F741AD79F9D94236A007, ___m_RemoteHashValue_1)); }
inline String_t* get_m_RemoteHashValue_1() const { return ___m_RemoteHashValue_1; }
inline String_t** get_address_of_m_RemoteHashValue_1() { return &___m_RemoteHashValue_1; }
inline void set_m_RemoteHashValue_1(String_t* value)
{
___m_RemoteHashValue_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RemoteHashValue_1), (void*)value);
}
inline static int32_t get_offset_of_m_LocalHashValue_2() { return static_cast<int32_t>(offsetof(InternalOp_t02B0755C55F9BB0FA159F741AD79F9D94236A007, ___m_LocalHashValue_2)); }
inline String_t* get_m_LocalHashValue_2() const { return ___m_LocalHashValue_2; }
inline String_t** get_address_of_m_LocalHashValue_2() { return &___m_LocalHashValue_2; }
inline void set_m_LocalHashValue_2(String_t* value)
{
___m_LocalHashValue_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocalHashValue_2), (void*)value);
}
inline static int32_t get_offset_of_m_ProviderInterface_3() { return static_cast<int32_t>(offsetof(InternalOp_t02B0755C55F9BB0FA159F741AD79F9D94236A007, ___m_ProviderInterface_3)); }
inline ProvideHandle_t7E2C4D55BFA0F16A1B53B1BE922FD9857859208D get_m_ProviderInterface_3() const { return ___m_ProviderInterface_3; }
inline ProvideHandle_t7E2C4D55BFA0F16A1B53B1BE922FD9857859208D * get_address_of_m_ProviderInterface_3() { return &___m_ProviderInterface_3; }
inline void set_m_ProviderInterface_3(ProvideHandle_t7E2C4D55BFA0F16A1B53B1BE922FD9857859208D value)
{
___m_ProviderInterface_3 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_ProviderInterface_3))->___m_InternalOp_1), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_ProviderInterface_3))->___m_ResourceManager_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_ContentCatalogData_4() { return static_cast<int32_t>(offsetof(InternalOp_t02B0755C55F9BB0FA159F741AD79F9D94236A007, ___m_ContentCatalogData_4)); }
inline ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D * get_m_ContentCatalogData_4() const { return ___m_ContentCatalogData_4; }
inline ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D ** get_address_of_m_ContentCatalogData_4() { return &___m_ContentCatalogData_4; }
inline void set_m_ContentCatalogData_4(ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D * value)
{
___m_ContentCatalogData_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ContentCatalogData_4), (void*)value);
}
inline static int32_t get_offset_of_m_ContentCatalogDataLoadOp_5() { return static_cast<int32_t>(offsetof(InternalOp_t02B0755C55F9BB0FA159F741AD79F9D94236A007, ___m_ContentCatalogDataLoadOp_5)); }
inline AsyncOperationHandle_1_tC62B646D978D84BEE617E1BE501DB84504AF7442 get_m_ContentCatalogDataLoadOp_5() const { return ___m_ContentCatalogDataLoadOp_5; }
inline AsyncOperationHandle_1_tC62B646D978D84BEE617E1BE501DB84504AF7442 * get_address_of_m_ContentCatalogDataLoadOp_5() { return &___m_ContentCatalogDataLoadOp_5; }
inline void set_m_ContentCatalogDataLoadOp_5(AsyncOperationHandle_1_tC62B646D978D84BEE617E1BE501DB84504AF7442 value)
{
___m_ContentCatalogDataLoadOp_5 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_ContentCatalogDataLoadOp_5))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_ContentCatalogDataLoadOp_5))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_BundledCatalog_6() { return static_cast<int32_t>(offsetof(InternalOp_t02B0755C55F9BB0FA159F741AD79F9D94236A007, ___m_BundledCatalog_6)); }
inline BundledCatalog_t0339865FD3004B1640C1314D57EA3E2B4EDF91BD * get_m_BundledCatalog_6() const { return ___m_BundledCatalog_6; }
inline BundledCatalog_t0339865FD3004B1640C1314D57EA3E2B4EDF91BD ** get_address_of_m_BundledCatalog_6() { return &___m_BundledCatalog_6; }
inline void set_m_BundledCatalog_6(BundledCatalog_t0339865FD3004B1640C1314D57EA3E2B4EDF91BD * value)
{
___m_BundledCatalog_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_BundledCatalog_6), (void*)value);
}
};
// UnityEngine.UI.ContentSizeFitter/FitMode
struct FitMode_t003CA2D5EEC902650F2182E2D748E327BC6D4571
{
public:
// System.Int32 UnityEngine.UI.ContentSizeFitter/FitMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FitMode_t003CA2D5EEC902650F2182E2D748E327BC6D4571, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Reflection.CustomAttributeData/LazyCAttrData
struct LazyCAttrData_tD37F889F6B356AF76AB242D449CAEEFAE826F8C3 : public RuntimeObject
{
public:
// System.Reflection.Assembly System.Reflection.CustomAttributeData/LazyCAttrData::assembly
Assembly_t * ___assembly_0;
// System.IntPtr System.Reflection.CustomAttributeData/LazyCAttrData::data
intptr_t ___data_1;
// System.UInt32 System.Reflection.CustomAttributeData/LazyCAttrData::data_length
uint32_t ___data_length_2;
public:
inline static int32_t get_offset_of_assembly_0() { return static_cast<int32_t>(offsetof(LazyCAttrData_tD37F889F6B356AF76AB242D449CAEEFAE826F8C3, ___assembly_0)); }
inline Assembly_t * get_assembly_0() const { return ___assembly_0; }
inline Assembly_t ** get_address_of_assembly_0() { return &___assembly_0; }
inline void set_assembly_0(Assembly_t * value)
{
___assembly_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assembly_0), (void*)value);
}
inline static int32_t get_offset_of_data_1() { return static_cast<int32_t>(offsetof(LazyCAttrData_tD37F889F6B356AF76AB242D449CAEEFAE826F8C3, ___data_1)); }
inline intptr_t get_data_1() const { return ___data_1; }
inline intptr_t* get_address_of_data_1() { return &___data_1; }
inline void set_data_1(intptr_t value)
{
___data_1 = value;
}
inline static int32_t get_offset_of_data_length_2() { return static_cast<int32_t>(offsetof(LazyCAttrData_tD37F889F6B356AF76AB242D449CAEEFAE826F8C3, ___data_length_2)); }
inline uint32_t get_data_length_2() const { return ___data_length_2; }
inline uint32_t* get_address_of_data_length_2() { return &___data_length_2; }
inline void set_data_length_2(uint32_t value)
{
___data_length_2 = value;
}
};
// System.Globalization.DateTimeFormatInfoScanner/FoundDatePattern
struct FoundDatePattern_t3AC878FCC3BB2BCE4A7E017237643A9B1A83C18F
{
public:
// System.Int32 System.Globalization.DateTimeFormatInfoScanner/FoundDatePattern::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FoundDatePattern_t3AC878FCC3BB2BCE4A7E017237643A9B1A83C18F, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.DateTimeParse/DS
struct DS_tDF27C0EE2AC6378F219DF5A696E237F7B7B5581E
{
public:
// System.Int32 System.DateTimeParse/DS::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DS_tDF27C0EE2AC6378F219DF5A696E237F7B7B5581E, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.DateTimeParse/DTT
struct DTT_t6EFD5350415223C2D00AF4EE629968B1E9950514
{
public:
// System.Int32 System.DateTimeParse/DTT::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DTT_t6EFD5350415223C2D00AF4EE629968B1E9950514, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.DateTimeParse/TM
struct TM_t03D2966F618270C85678E2E753D94475B43FC5F3
{
public:
// System.Int32 System.DateTimeParse/TM::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TM_t03D2966F618270C85678E2E753D94475B43FC5F3, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Diagnostics.DebuggableAttribute/DebuggingModes
struct DebuggingModes_t279D5B9C012ABA935887CB73C5A63A1F46AF08A8
{
public:
// System.Int32 System.Diagnostics.DebuggableAttribute/DebuggingModes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DebuggingModes_t279D5B9C012ABA935887CB73C5A63A1F46AF08A8, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.Dropdown/DropdownEvent
struct DropdownEvent_tEB2C75C3DBC789936B31D9A979FD62E047846CFB : public UnityEvent_1_tB235B5DAD099AC425DC059D10DEB8B97A35E2BBF
{
public:
public:
};
// System.Environment/SpecialFolder
struct SpecialFolder_t6103ABF21BDF31D4FF825E2761E4616153810B76
{
public:
// System.Int32 System.Environment/SpecialFolder::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(SpecialFolder_t6103ABF21BDF31D4FF825E2761E4616153810B76, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Environment/SpecialFolderOption
struct SpecialFolderOption_t8567C5CCECB798A718D6F1E23E7595CC5E7998C8
{
public:
// System.Int32 System.Environment/SpecialFolderOption::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(SpecialFolderOption_t8567C5CCECB798A718D6F1E23E7595CC5E7998C8, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.EventSystems.EventTrigger/TriggerEvent
struct TriggerEvent_t6C4DB59340B55DE906C54EE3FF7DAE4DE24A1276 : public UnityEvent_1_t5CD4A65E59B117C339B96E838E5F127A989C5428
{
public:
public:
};
// System.Exception/ExceptionMessageKind
struct ExceptionMessageKind_t61CE451DC0AD2042B16CC081FE8A13D5E806AE20
{
public:
// System.Int32 System.Exception/ExceptionMessageKind::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ExceptionMessageKind_t61CE451DC0AD2042B16CC081FE8A13D5E806AE20, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.ExecutionContext/CaptureOptions
struct CaptureOptions_t9DBDF67BE8DFE3AC07C9AF489F95FC8C14CB9C9E
{
public:
// System.Int32 System.Threading.ExecutionContext/CaptureOptions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CaptureOptions_t9DBDF67BE8DFE3AC07C9AF489F95FC8C14CB9C9E, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.ExecutionContext/Flags
struct Flags_t84E4B7439C575026B3A9D10B43AC61B9709011E4
{
public:
// System.Int32 System.Threading.ExecutionContext/Flags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Flags_t84E4B7439C575026B3A9D10B43AC61B9709011E4, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Localization.Pseudo.Expander/InsertLocation
struct InsertLocation_tBC4175A1316CEF59ABDF83C22A1AEC485B300311
{
public:
// System.Int32 UnityEngine.Localization.Pseudo.Expander/InsertLocation::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(InsertLocation_tBC4175A1316CEF59ABDF83C22A1AEC485B300311, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.FloatTween/FloatTweenCallback
struct FloatTweenCallback_tFA05DE1963C7BD69C06DEAD6FFA6C107A9E1D949 : public UnityEvent_1_t84B4EA1A2A00DEAC63B85AFAA89EBF67CA749DBC
{
public:
public:
};
// UnityEngine.UI.CoroutineTween.FloatTween/FloatTweenCallback
struct FloatTweenCallback_t56E4D48C62B03C68A69708463C2CCF8E02BBFB23 : public UnityEvent_1_t84B4EA1A2A00DEAC63B85AFAA89EBF67CA749DBC
{
public:
public:
};
// UnityEngine.Playables.FrameData/Flags
struct Flags_t64F4A80C88F9E613B720DA0195BAB2B34C5307D5
{
public:
// System.Int32 UnityEngine.Playables.FrameData/Flags::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Flags_t64F4A80C88F9E613B720DA0195BAB2B34C5307D5, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.GUILayoutOption/Type
struct Type_t79FB5C82B695061CED8D628CBB6A1E8709705288
{
public:
// System.Int32 UnityEngine.GUILayoutOption/Type::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Type_t79FB5C82B695061CED8D628CBB6A1E8709705288, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.GraphicRaycaster/BlockingObjects
struct BlockingObjects_t3E2C52C921D1DE2C3EDB3FBC0685E319727BE810
{
public:
// System.Int32 UnityEngine.UI.GraphicRaycaster/BlockingObjects::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(BlockingObjects_t3E2C52C921D1DE2C3EDB3FBC0685E319727BE810, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.GridLayoutGroup/Axis
struct Axis_tBD4147C2DEA74142784225B3CB0DC2DF0217A1DE
{
public:
// System.Int32 UnityEngine.UI.GridLayoutGroup/Axis::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Axis_tBD4147C2DEA74142784225B3CB0DC2DF0217A1DE, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.GridLayoutGroup/Constraint
struct Constraint_tA930C0D79BAE00A005492CF973235EFBAD92D20D
{
public:
// System.Int32 UnityEngine.UI.GridLayoutGroup/Constraint::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Constraint_tA930C0D79BAE00A005492CF973235EFBAD92D20D, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.GridLayoutGroup/Corner
struct Corner_t448F8AE9F386A784CC3EF956C9BDDC068E6DAFB2
{
public:
// System.Int32 UnityEngine.UI.GridLayoutGroup/Corner::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Corner_t448F8AE9F386A784CC3EF956C9BDDC068E6DAFB2, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.ResourceManagement.AsyncOperations.GroupOperation/GroupOperationSettings
struct GroupOperationSettings_t0EF602D54C7ECB8311BEE4DDB08D964ED3BBEE94
{
public:
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.GroupOperation/GroupOperationSettings::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(GroupOperationSettings_t0EF602D54C7ECB8311BEE4DDB08D964ED3BBEE94, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Guid/GuidParseThrowStyle
struct GuidParseThrowStyle_t9DDB4572C47CE33F794D599ECE1410948ECDFA94
{
public:
// System.Int32 System.Guid/GuidParseThrowStyle::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(GuidParseThrowStyle_t9DDB4572C47CE33F794D599ECE1410948ECDFA94, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Guid/GuidStyles
struct GuidStyles_tA83941DD1F9E36A5394542DBFFF510FE856CC549
{
public:
// System.Int32 System.Guid/GuidStyles::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(GuidStyles_tA83941DD1F9E36A5394542DBFFF510FE856CC549, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Guid/ParseFailureKind
struct ParseFailureKind_t51F39689A9BD56BB80DD716B165828B57958CB3C
{
public:
// System.Int32 System.Guid/ParseFailureKind::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ParseFailureKind_t51F39689A9BD56BB80DD716B165828B57958CB3C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Globalization.HebrewNumber/HS
struct HS_t4807019F38C2D1E3FABAE1D593EFD6EE9918817D
{
public:
// System.Int32 System.Globalization.HebrewNumber/HS::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(HS_t4807019F38C2D1E3FABAE1D593EFD6EE9918817D, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Globalization.HebrewNumber/HebrewToken
struct HebrewToken_tCAC03AC410250160108C8C0B08FB79ADF92DDC60
{
public:
// System.Int32 System.Globalization.HebrewNumber/HebrewToken::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(HebrewToken_tCAC03AC410250160108C8C0B08FB79ADF92DDC60, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.Image/FillMethod
struct FillMethod_tC37E5898D113A8FBF25A6AB6FBA451CC51E211E2
{
public:
// System.Int32 UnityEngine.UI.Image/FillMethod::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FillMethod_tC37E5898D113A8FBF25A6AB6FBA451CC51E211E2, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.Image/Origin180
struct Origin180_t3B03D734A486C2695209E575030607580CFF7179
{
public:
// System.Int32 UnityEngine.UI.Image/Origin180::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Origin180_t3B03D734A486C2695209E575030607580CFF7179, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.Image/Origin360
struct Origin360_tA24EF1B8CB07A3BEA409758DDA348121A9BC67B7
{
public:
// System.Int32 UnityEngine.UI.Image/Origin360::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Origin360_tA24EF1B8CB07A3BEA409758DDA348121A9BC67B7, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.Image/Origin90
struct Origin90_tB57615AFF706967A9E6E3AC17407E907682BB11C
{
public:
// System.Int32 UnityEngine.UI.Image/Origin90::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Origin90_tB57615AFF706967A9E6E3AC17407E907682BB11C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.Image/OriginHorizontal
struct OriginHorizontal_t72F5B53ABDB378449F3FCFDC6421A6AADBC4F370
{
public:
// System.Int32 UnityEngine.UI.Image/OriginHorizontal::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(OriginHorizontal_t72F5B53ABDB378449F3FCFDC6421A6AADBC4F370, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.Image/OriginVertical
struct OriginVertical_t7465CC451DC60C4921B3D1104E52DFCBFA5A1691
{
public:
// System.Int32 UnityEngine.UI.Image/OriginVertical::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(OriginVertical_t7465CC451DC60C4921B3D1104E52DFCBFA5A1691, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.Image/Type
struct Type_tDCB08AB7425CAB70C1E46CC341F877423B5A5E12
{
public:
// System.Int32 UnityEngine.UI.Image/Type::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Type_tDCB08AB7425CAB70C1E46CC341F877423B5A5E12, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.InputField/CharacterValidation
struct CharacterValidation_t03AFB752BBD6215579765978CE67D7159431FC41
{
public:
// System.Int32 UnityEngine.UI.InputField/CharacterValidation::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CharacterValidation_t03AFB752BBD6215579765978CE67D7159431FC41, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.InputField/ContentType
struct ContentType_t15FD47A38F32CADD417E3A07C787F1B3997B9AC1
{
public:
// System.Int32 UnityEngine.UI.InputField/ContentType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ContentType_t15FD47A38F32CADD417E3A07C787F1B3997B9AC1, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.InputField/EditState
struct EditState_tB978DACF7D497A639D7FA14E2B6974AE3DA6D29E
{
public:
// System.Int32 UnityEngine.UI.InputField/EditState::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(EditState_tB978DACF7D497A639D7FA14E2B6974AE3DA6D29E, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.InputField/InputType
struct InputType_t43FE97C0C3EE1F7DB81E2F34420780D1DFBF03D2
{
public:
// System.Int32 UnityEngine.UI.InputField/InputType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(InputType_t43FE97C0C3EE1F7DB81E2F34420780D1DFBF03D2, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.InputField/LineType
struct LineType_t3249F1C248D9D12DE265C49F371F2C3618AFEFCE
{
public:
// System.Int32 UnityEngine.UI.InputField/LineType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(LineType_t3249F1C248D9D12DE265C49F371F2C3618AFEFCE, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.InputField/OnChangeEvent
struct OnChangeEvent_t2E59014A56EA94168140F0585834954B40D716F7 : public UnityEvent_1_t208A952325F66BFCB1EDEECEFEF5F1C7A16298A0
{
public:
public:
};
// UnityEngine.UI.InputField/SubmitEvent
struct SubmitEvent_t3FD30F627DF2ADEC87C0BE69EE632AAB99F3B8A9 : public UnityEvent_1_t208A952325F66BFCB1EDEECEFEF5F1C7A16298A0
{
public:
public:
};
// UnityEngine.XR.InputTracking/TrackingStateEventType
struct TrackingStateEventType_t301E0DD44D089E06B0BBA994F682CE9F23505BA5
{
public:
// System.Int32 UnityEngine.XR.InputTracking/TrackingStateEventType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TrackingStateEventType_t301E0DD44D089E06B0BBA994F682CE9F23505BA5, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.MaskableGraphic/CullStateChangedEvent
struct CullStateChangedEvent_t9B69755DEBEF041C3CC15C3604610BDD72856BD4 : public UnityEvent_1_t10C429A2DAF73A4517568E494115F7503F9E17EB
{
public:
public:
};
// UnityEngine.Mesh/MeshData
struct MeshData_tBFF99C0C82DBC04BDB83209CDE690A0B4303D6D1
{
public:
// System.IntPtr UnityEngine.Mesh/MeshData::m_Ptr
intptr_t ___m_Ptr_0;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(MeshData_tBFF99C0C82DBC04BDB83209CDE690A0B4303D6D1, ___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;
}
};
// UnityEngine.UI.Navigation/Mode
struct Mode_t3113FDF05158BBA1DFC78D7F69E4C1D25135CB0F
{
public:
// System.Int32 UnityEngine.UI.Navigation/Mode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Mode_t3113FDF05158BBA1DFC78D7F69E4C1D25135CB0F, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Localization.SmartFormat.Core.Parsing.Parser/ParsingError
struct ParsingError_t72C41195FBEECAE6C0F6CF0C2B5DF23B055F3161
{
public:
// System.Int32 UnityEngine.Localization.SmartFormat.Core.Parsing.Parser/ParsingError::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ParsingError_t72C41195FBEECAE6C0F6CF0C2B5DF23B055F3161, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.ParticleSystem/Particle
struct Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1
{
public:
// UnityEngine.Vector3 UnityEngine.ParticleSystem/Particle::m_Position
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Position_0;
// UnityEngine.Vector3 UnityEngine.ParticleSystem/Particle::m_Velocity
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Velocity_1;
// UnityEngine.Vector3 UnityEngine.ParticleSystem/Particle::m_AnimatedVelocity
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_AnimatedVelocity_2;
// UnityEngine.Vector3 UnityEngine.ParticleSystem/Particle::m_InitialVelocity
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_InitialVelocity_3;
// UnityEngine.Vector3 UnityEngine.ParticleSystem/Particle::m_AxisOfRotation
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_AxisOfRotation_4;
// UnityEngine.Vector3 UnityEngine.ParticleSystem/Particle::m_Rotation
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Rotation_5;
// UnityEngine.Vector3 UnityEngine.ParticleSystem/Particle::m_AngularVelocity
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_AngularVelocity_6;
// UnityEngine.Vector3 UnityEngine.ParticleSystem/Particle::m_StartSize
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_StartSize_7;
// UnityEngine.Color32 UnityEngine.ParticleSystem/Particle::m_StartColor
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___m_StartColor_8;
// System.UInt32 UnityEngine.ParticleSystem/Particle::m_RandomSeed
uint32_t ___m_RandomSeed_9;
// System.UInt32 UnityEngine.ParticleSystem/Particle::m_ParentRandomSeed
uint32_t ___m_ParentRandomSeed_10;
// System.Single UnityEngine.ParticleSystem/Particle::m_Lifetime
float ___m_Lifetime_11;
// System.Single UnityEngine.ParticleSystem/Particle::m_StartLifetime
float ___m_StartLifetime_12;
// System.Int32 UnityEngine.ParticleSystem/Particle::m_MeshIndex
int32_t ___m_MeshIndex_13;
// System.Single UnityEngine.ParticleSystem/Particle::m_EmitAccumulator0
float ___m_EmitAccumulator0_14;
// System.Single UnityEngine.ParticleSystem/Particle::m_EmitAccumulator1
float ___m_EmitAccumulator1_15;
// System.UInt32 UnityEngine.ParticleSystem/Particle::m_Flags
uint32_t ___m_Flags_16;
public:
inline static int32_t get_offset_of_m_Position_0() { return static_cast<int32_t>(offsetof(Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1, ___m_Position_0)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Position_0() const { return ___m_Position_0; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Position_0() { return &___m_Position_0; }
inline void set_m_Position_0(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Position_0 = value;
}
inline static int32_t get_offset_of_m_Velocity_1() { return static_cast<int32_t>(offsetof(Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1, ___m_Velocity_1)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Velocity_1() const { return ___m_Velocity_1; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Velocity_1() { return &___m_Velocity_1; }
inline void set_m_Velocity_1(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Velocity_1 = value;
}
inline static int32_t get_offset_of_m_AnimatedVelocity_2() { return static_cast<int32_t>(offsetof(Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1, ___m_AnimatedVelocity_2)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_AnimatedVelocity_2() const { return ___m_AnimatedVelocity_2; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_AnimatedVelocity_2() { return &___m_AnimatedVelocity_2; }
inline void set_m_AnimatedVelocity_2(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_AnimatedVelocity_2 = value;
}
inline static int32_t get_offset_of_m_InitialVelocity_3() { return static_cast<int32_t>(offsetof(Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1, ___m_InitialVelocity_3)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_InitialVelocity_3() const { return ___m_InitialVelocity_3; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_InitialVelocity_3() { return &___m_InitialVelocity_3; }
inline void set_m_InitialVelocity_3(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_InitialVelocity_3 = value;
}
inline static int32_t get_offset_of_m_AxisOfRotation_4() { return static_cast<int32_t>(offsetof(Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1, ___m_AxisOfRotation_4)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_AxisOfRotation_4() const { return ___m_AxisOfRotation_4; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_AxisOfRotation_4() { return &___m_AxisOfRotation_4; }
inline void set_m_AxisOfRotation_4(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_AxisOfRotation_4 = value;
}
inline static int32_t get_offset_of_m_Rotation_5() { return static_cast<int32_t>(offsetof(Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1, ___m_Rotation_5)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Rotation_5() const { return ___m_Rotation_5; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Rotation_5() { return &___m_Rotation_5; }
inline void set_m_Rotation_5(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Rotation_5 = value;
}
inline static int32_t get_offset_of_m_AngularVelocity_6() { return static_cast<int32_t>(offsetof(Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1, ___m_AngularVelocity_6)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_AngularVelocity_6() const { return ___m_AngularVelocity_6; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_AngularVelocity_6() { return &___m_AngularVelocity_6; }
inline void set_m_AngularVelocity_6(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_AngularVelocity_6 = value;
}
inline static int32_t get_offset_of_m_StartSize_7() { return static_cast<int32_t>(offsetof(Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1, ___m_StartSize_7)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_StartSize_7() const { return ___m_StartSize_7; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_StartSize_7() { return &___m_StartSize_7; }
inline void set_m_StartSize_7(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_StartSize_7 = value;
}
inline static int32_t get_offset_of_m_StartColor_8() { return static_cast<int32_t>(offsetof(Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1, ___m_StartColor_8)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_m_StartColor_8() const { return ___m_StartColor_8; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_m_StartColor_8() { return &___m_StartColor_8; }
inline void set_m_StartColor_8(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___m_StartColor_8 = value;
}
inline static int32_t get_offset_of_m_RandomSeed_9() { return static_cast<int32_t>(offsetof(Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1, ___m_RandomSeed_9)); }
inline uint32_t get_m_RandomSeed_9() const { return ___m_RandomSeed_9; }
inline uint32_t* get_address_of_m_RandomSeed_9() { return &___m_RandomSeed_9; }
inline void set_m_RandomSeed_9(uint32_t value)
{
___m_RandomSeed_9 = value;
}
inline static int32_t get_offset_of_m_ParentRandomSeed_10() { return static_cast<int32_t>(offsetof(Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1, ___m_ParentRandomSeed_10)); }
inline uint32_t get_m_ParentRandomSeed_10() const { return ___m_ParentRandomSeed_10; }
inline uint32_t* get_address_of_m_ParentRandomSeed_10() { return &___m_ParentRandomSeed_10; }
inline void set_m_ParentRandomSeed_10(uint32_t value)
{
___m_ParentRandomSeed_10 = value;
}
inline static int32_t get_offset_of_m_Lifetime_11() { return static_cast<int32_t>(offsetof(Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1, ___m_Lifetime_11)); }
inline float get_m_Lifetime_11() const { return ___m_Lifetime_11; }
inline float* get_address_of_m_Lifetime_11() { return &___m_Lifetime_11; }
inline void set_m_Lifetime_11(float value)
{
___m_Lifetime_11 = value;
}
inline static int32_t get_offset_of_m_StartLifetime_12() { return static_cast<int32_t>(offsetof(Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1, ___m_StartLifetime_12)); }
inline float get_m_StartLifetime_12() const { return ___m_StartLifetime_12; }
inline float* get_address_of_m_StartLifetime_12() { return &___m_StartLifetime_12; }
inline void set_m_StartLifetime_12(float value)
{
___m_StartLifetime_12 = value;
}
inline static int32_t get_offset_of_m_MeshIndex_13() { return static_cast<int32_t>(offsetof(Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1, ___m_MeshIndex_13)); }
inline int32_t get_m_MeshIndex_13() const { return ___m_MeshIndex_13; }
inline int32_t* get_address_of_m_MeshIndex_13() { return &___m_MeshIndex_13; }
inline void set_m_MeshIndex_13(int32_t value)
{
___m_MeshIndex_13 = value;
}
inline static int32_t get_offset_of_m_EmitAccumulator0_14() { return static_cast<int32_t>(offsetof(Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1, ___m_EmitAccumulator0_14)); }
inline float get_m_EmitAccumulator0_14() const { return ___m_EmitAccumulator0_14; }
inline float* get_address_of_m_EmitAccumulator0_14() { return &___m_EmitAccumulator0_14; }
inline void set_m_EmitAccumulator0_14(float value)
{
___m_EmitAccumulator0_14 = value;
}
inline static int32_t get_offset_of_m_EmitAccumulator1_15() { return static_cast<int32_t>(offsetof(Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1, ___m_EmitAccumulator1_15)); }
inline float get_m_EmitAccumulator1_15() const { return ___m_EmitAccumulator1_15; }
inline float* get_address_of_m_EmitAccumulator1_15() { return &___m_EmitAccumulator1_15; }
inline void set_m_EmitAccumulator1_15(float value)
{
___m_EmitAccumulator1_15 = value;
}
inline static int32_t get_offset_of_m_Flags_16() { return static_cast<int32_t>(offsetof(Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1, ___m_Flags_16)); }
inline uint32_t get_m_Flags_16() const { return ___m_Flags_16; }
inline uint32_t* get_address_of_m_Flags_16() { return &___m_Flags_16; }
inline void set_m_Flags_16(uint32_t value)
{
___m_Flags_16 = value;
}
};
// UnityEngine.Networking.PlayerConnection.PlayerConnection/<>c__DisplayClass12_0
struct U3CU3Ec__DisplayClass12_0_tC029C4F11E384EFEF6FD86B7BEC83D295D098769 : public RuntimeObject
{
public:
// System.Guid UnityEngine.Networking.PlayerConnection.PlayerConnection/<>c__DisplayClass12_0::messageId
Guid_t ___messageId_0;
public:
inline static int32_t get_offset_of_messageId_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass12_0_tC029C4F11E384EFEF6FD86B7BEC83D295D098769, ___messageId_0)); }
inline Guid_t get_messageId_0() const { return ___messageId_0; }
inline Guid_t * get_address_of_messageId_0() { return &___messageId_0; }
inline void set_messageId_0(Guid_t value)
{
___messageId_0 = value;
}
};
// UnityEngine.Networking.PlayerConnection.PlayerConnection/<>c__DisplayClass13_0
struct U3CU3Ec__DisplayClass13_0_t1A8EBE4E3370D09549DE4FD59077B3A7AEAD0C54 : public RuntimeObject
{
public:
// System.Guid UnityEngine.Networking.PlayerConnection.PlayerConnection/<>c__DisplayClass13_0::messageId
Guid_t ___messageId_0;
public:
inline static int32_t get_offset_of_messageId_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass13_0_t1A8EBE4E3370D09549DE4FD59077B3A7AEAD0C54, ___messageId_0)); }
inline Guid_t get_messageId_0() const { return ___messageId_0; }
inline Guid_t * get_address_of_messageId_0() { return &___messageId_0; }
inline void set_messageId_0(Guid_t value)
{
___messageId_0 = value;
}
};
// UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents/<>c__DisplayClass6_0
struct U3CU3Ec__DisplayClass6_0_t96633FB6A2AE351A4A3FCDF89D10891DA07AD54F : public RuntimeObject
{
public:
// System.Guid UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents/<>c__DisplayClass6_0::messageId
Guid_t ___messageId_0;
public:
inline static int32_t get_offset_of_messageId_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass6_0_t96633FB6A2AE351A4A3FCDF89D10891DA07AD54F, ___messageId_0)); }
inline Guid_t get_messageId_0() const { return ___messageId_0; }
inline Guid_t * get_address_of_messageId_0() { return &___messageId_0; }
inline void set_messageId_0(Guid_t value)
{
___messageId_0 = value;
}
};
// UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents/<>c__DisplayClass7_0
struct U3CU3Ec__DisplayClass7_0_t7C625D285CBB757F88C0232D12D88EDABF06EB60 : public RuntimeObject
{
public:
// System.Guid UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents/<>c__DisplayClass7_0::messageId
Guid_t ___messageId_0;
public:
inline static int32_t get_offset_of_messageId_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass7_0_t7C625D285CBB757F88C0232D12D88EDABF06EB60, ___messageId_0)); }
inline Guid_t get_messageId_0() const { return ___messageId_0; }
inline Guid_t * get_address_of_messageId_0() { return &___messageId_0; }
inline void set_messageId_0(Guid_t value)
{
___messageId_0 = value;
}
};
// UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents/<>c__DisplayClass8_0
struct U3CU3Ec__DisplayClass8_0_tE64E7CAC5415DCD425D14A6062600087CC872B93 : public RuntimeObject
{
public:
// System.Guid UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents/<>c__DisplayClass8_0::messageId
Guid_t ___messageId_0;
public:
inline static int32_t get_offset_of_messageId_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass8_0_tE64E7CAC5415DCD425D14A6062600087CC872B93, ___messageId_0)); }
inline Guid_t get_messageId_0() const { return ___messageId_0; }
inline Guid_t * get_address_of_messageId_0() { return &___messageId_0; }
inline void set_messageId_0(Guid_t value)
{
___messageId_0 = value;
}
};
// UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents/ConnectionChangeEvent
struct ConnectionChangeEvent_tCA1C8C14171C72EC394EF45450D69C1585067BDF : public UnityEvent_1_tB235B5DAD099AC425DC059D10DEB8B97A35E2BBF
{
public:
public:
};
// UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents/MessageEvent
struct MessageEvent_tF0C632D7EBE9C4B2B91E20F2AA4B593D1B55469B : public UnityEvent_1_t5380899C55F3CD7FD1CD64F13EE5E1E4B11D602B
{
public:
public:
};
// UnityEngine.EventSystems.PointerEventData/FramePressState
struct FramePressState_t4BB461B7704D7F72519B36A0C8B3370AB302E7A7
{
public:
// System.Int32 UnityEngine.EventSystems.PointerEventData/FramePressState::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(FramePressState_t4BB461B7704D7F72519B36A0C8B3370AB302E7A7, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.EventSystems.PointerEventData/InputButton
struct InputButton_tA5409FE587ADC841D2BF80835D04074A89C59A9D
{
public:
// System.Int32 UnityEngine.EventSystems.PointerEventData/InputButton::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(InputButton_tA5409FE587ADC841D2BF80835D04074A89C59A9D, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Localization.Metadata.PreloadAssetTableMetadata/PreloadBehaviour
struct PreloadBehaviour_tE99FBE790F019FCCF3D949B77069320657212303
{
public:
// System.Int32 UnityEngine.Localization.Metadata.PreloadAssetTableMetadata/PreloadBehaviour::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(PreloadBehaviour_tE99FBE790F019FCCF3D949B77069320657212303, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.RectTransform/Axis
struct Axis_t8881AF0DB9EDF3F36FE049AA194D0206695EBF83
{
public:
// System.Int32 UnityEngine.RectTransform/Axis::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Axis_t8881AF0DB9EDF3F36FE049AA194D0206695EBF83, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.ReflectionProbe/ReflectionProbeEvent
struct ReflectionProbeEvent_tA90347B5A1B5256D229969ADF158978AF137003A
{
public:
// System.Int32 UnityEngine.ReflectionProbe/ReflectionProbeEvent::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ReflectionProbeEvent_tA90347B5A1B5256D229969ADF158978AF137003A, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.ResourceManagement.ResourceManager/DiagnosticEventType
struct DiagnosticEventType_tC0CAB4107C22CB20453DCBB69939E7620AE0A4E4
{
public:
// System.Int32 UnityEngine.ResourceManagement.ResourceManager/DiagnosticEventType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DiagnosticEventType_tC0CAB4107C22CB20453DCBB69939E7620AE0A4E4, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// Mono.RuntimeStructs/GenericParamInfo
struct GenericParamInfo_tE1D2256CC7F056DE11A394C74F8EA8071207C6D2
{
public:
// Mono.RuntimeStructs/MonoClass* Mono.RuntimeStructs/GenericParamInfo::pklass
MonoClass_t6F348B73F5E97A3C2B3FBAF82684051872811E13 * ___pklass_0;
// System.IntPtr Mono.RuntimeStructs/GenericParamInfo::name
intptr_t ___name_1;
// System.UInt16 Mono.RuntimeStructs/GenericParamInfo::flags
uint16_t ___flags_2;
// System.UInt32 Mono.RuntimeStructs/GenericParamInfo::token
uint32_t ___token_3;
// Mono.RuntimeStructs/MonoClass** Mono.RuntimeStructs/GenericParamInfo::constraints
MonoClass_t6F348B73F5E97A3C2B3FBAF82684051872811E13 ** ___constraints_4;
public:
inline static int32_t get_offset_of_pklass_0() { return static_cast<int32_t>(offsetof(GenericParamInfo_tE1D2256CC7F056DE11A394C74F8EA8071207C6D2, ___pklass_0)); }
inline MonoClass_t6F348B73F5E97A3C2B3FBAF82684051872811E13 * get_pklass_0() const { return ___pklass_0; }
inline MonoClass_t6F348B73F5E97A3C2B3FBAF82684051872811E13 ** get_address_of_pklass_0() { return &___pklass_0; }
inline void set_pklass_0(MonoClass_t6F348B73F5E97A3C2B3FBAF82684051872811E13 * value)
{
___pklass_0 = value;
}
inline static int32_t get_offset_of_name_1() { return static_cast<int32_t>(offsetof(GenericParamInfo_tE1D2256CC7F056DE11A394C74F8EA8071207C6D2, ___name_1)); }
inline intptr_t get_name_1() const { return ___name_1; }
inline intptr_t* get_address_of_name_1() { return &___name_1; }
inline void set_name_1(intptr_t value)
{
___name_1 = value;
}
inline static int32_t get_offset_of_flags_2() { return static_cast<int32_t>(offsetof(GenericParamInfo_tE1D2256CC7F056DE11A394C74F8EA8071207C6D2, ___flags_2)); }
inline uint16_t get_flags_2() const { return ___flags_2; }
inline uint16_t* get_address_of_flags_2() { return &___flags_2; }
inline void set_flags_2(uint16_t value)
{
___flags_2 = value;
}
inline static int32_t get_offset_of_token_3() { return static_cast<int32_t>(offsetof(GenericParamInfo_tE1D2256CC7F056DE11A394C74F8EA8071207C6D2, ___token_3)); }
inline uint32_t get_token_3() const { return ___token_3; }
inline uint32_t* get_address_of_token_3() { return &___token_3; }
inline void set_token_3(uint32_t value)
{
___token_3 = value;
}
inline static int32_t get_offset_of_constraints_4() { return static_cast<int32_t>(offsetof(GenericParamInfo_tE1D2256CC7F056DE11A394C74F8EA8071207C6D2, ___constraints_4)); }
inline MonoClass_t6F348B73F5E97A3C2B3FBAF82684051872811E13 ** get_constraints_4() const { return ___constraints_4; }
inline MonoClass_t6F348B73F5E97A3C2B3FBAF82684051872811E13 *** get_address_of_constraints_4() { return &___constraints_4; }
inline void set_constraints_4(MonoClass_t6F348B73F5E97A3C2B3FBAF82684051872811E13 ** value)
{
___constraints_4 = value;
}
};
// Mono.RuntimeStructs/HandleStackMark
struct HandleStackMark_t193A80FD787AAE63D7656AAAB45A98188380B4AC
{
public:
// System.Int32 Mono.RuntimeStructs/HandleStackMark::size
int32_t ___size_0;
// System.Int32 Mono.RuntimeStructs/HandleStackMark::interior_size
int32_t ___interior_size_1;
// System.IntPtr Mono.RuntimeStructs/HandleStackMark::chunk
intptr_t ___chunk_2;
public:
inline static int32_t get_offset_of_size_0() { return static_cast<int32_t>(offsetof(HandleStackMark_t193A80FD787AAE63D7656AAAB45A98188380B4AC, ___size_0)); }
inline int32_t get_size_0() const { return ___size_0; }
inline int32_t* get_address_of_size_0() { return &___size_0; }
inline void set_size_0(int32_t value)
{
___size_0 = value;
}
inline static int32_t get_offset_of_interior_size_1() { return static_cast<int32_t>(offsetof(HandleStackMark_t193A80FD787AAE63D7656AAAB45A98188380B4AC, ___interior_size_1)); }
inline int32_t get_interior_size_1() const { return ___interior_size_1; }
inline int32_t* get_address_of_interior_size_1() { return &___interior_size_1; }
inline void set_interior_size_1(int32_t value)
{
___interior_size_1 = value;
}
inline static int32_t get_offset_of_chunk_2() { return static_cast<int32_t>(offsetof(HandleStackMark_t193A80FD787AAE63D7656AAAB45A98188380B4AC, ___chunk_2)); }
inline intptr_t get_chunk_2() const { return ___chunk_2; }
inline intptr_t* get_address_of_chunk_2() { return &___chunk_2; }
inline void set_chunk_2(intptr_t value)
{
___chunk_2 = value;
}
};
// Mono.RuntimeStructs/MonoError
struct MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965
{
public:
// System.UInt16 Mono.RuntimeStructs/MonoError::error_code
uint16_t ___error_code_0;
// System.UInt16 Mono.RuntimeStructs/MonoError::hidden_0
uint16_t ___hidden_0_1;
// System.IntPtr Mono.RuntimeStructs/MonoError::hidden_1
intptr_t ___hidden_1_2;
// System.IntPtr Mono.RuntimeStructs/MonoError::hidden_2
intptr_t ___hidden_2_3;
// System.IntPtr Mono.RuntimeStructs/MonoError::hidden_3
intptr_t ___hidden_3_4;
// System.IntPtr Mono.RuntimeStructs/MonoError::hidden_4
intptr_t ___hidden_4_5;
// System.IntPtr Mono.RuntimeStructs/MonoError::hidden_5
intptr_t ___hidden_5_6;
// System.IntPtr Mono.RuntimeStructs/MonoError::hidden_6
intptr_t ___hidden_6_7;
// System.IntPtr Mono.RuntimeStructs/MonoError::hidden_7
intptr_t ___hidden_7_8;
// System.IntPtr Mono.RuntimeStructs/MonoError::hidden_8
intptr_t ___hidden_8_9;
// System.IntPtr Mono.RuntimeStructs/MonoError::hidden_11
intptr_t ___hidden_11_10;
// System.IntPtr Mono.RuntimeStructs/MonoError::hidden_12
intptr_t ___hidden_12_11;
// System.IntPtr Mono.RuntimeStructs/MonoError::hidden_13
intptr_t ___hidden_13_12;
// System.IntPtr Mono.RuntimeStructs/MonoError::hidden_14
intptr_t ___hidden_14_13;
// System.IntPtr Mono.RuntimeStructs/MonoError::hidden_15
intptr_t ___hidden_15_14;
// System.IntPtr Mono.RuntimeStructs/MonoError::hidden_16
intptr_t ___hidden_16_15;
// System.IntPtr Mono.RuntimeStructs/MonoError::hidden_17
intptr_t ___hidden_17_16;
// System.IntPtr Mono.RuntimeStructs/MonoError::hidden_18
intptr_t ___hidden_18_17;
public:
inline static int32_t get_offset_of_error_code_0() { return static_cast<int32_t>(offsetof(MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965, ___error_code_0)); }
inline uint16_t get_error_code_0() const { return ___error_code_0; }
inline uint16_t* get_address_of_error_code_0() { return &___error_code_0; }
inline void set_error_code_0(uint16_t value)
{
___error_code_0 = value;
}
inline static int32_t get_offset_of_hidden_0_1() { return static_cast<int32_t>(offsetof(MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965, ___hidden_0_1)); }
inline uint16_t get_hidden_0_1() const { return ___hidden_0_1; }
inline uint16_t* get_address_of_hidden_0_1() { return &___hidden_0_1; }
inline void set_hidden_0_1(uint16_t value)
{
___hidden_0_1 = value;
}
inline static int32_t get_offset_of_hidden_1_2() { return static_cast<int32_t>(offsetof(MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965, ___hidden_1_2)); }
inline intptr_t get_hidden_1_2() const { return ___hidden_1_2; }
inline intptr_t* get_address_of_hidden_1_2() { return &___hidden_1_2; }
inline void set_hidden_1_2(intptr_t value)
{
___hidden_1_2 = value;
}
inline static int32_t get_offset_of_hidden_2_3() { return static_cast<int32_t>(offsetof(MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965, ___hidden_2_3)); }
inline intptr_t get_hidden_2_3() const { return ___hidden_2_3; }
inline intptr_t* get_address_of_hidden_2_3() { return &___hidden_2_3; }
inline void set_hidden_2_3(intptr_t value)
{
___hidden_2_3 = value;
}
inline static int32_t get_offset_of_hidden_3_4() { return static_cast<int32_t>(offsetof(MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965, ___hidden_3_4)); }
inline intptr_t get_hidden_3_4() const { return ___hidden_3_4; }
inline intptr_t* get_address_of_hidden_3_4() { return &___hidden_3_4; }
inline void set_hidden_3_4(intptr_t value)
{
___hidden_3_4 = value;
}
inline static int32_t get_offset_of_hidden_4_5() { return static_cast<int32_t>(offsetof(MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965, ___hidden_4_5)); }
inline intptr_t get_hidden_4_5() const { return ___hidden_4_5; }
inline intptr_t* get_address_of_hidden_4_5() { return &___hidden_4_5; }
inline void set_hidden_4_5(intptr_t value)
{
___hidden_4_5 = value;
}
inline static int32_t get_offset_of_hidden_5_6() { return static_cast<int32_t>(offsetof(MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965, ___hidden_5_6)); }
inline intptr_t get_hidden_5_6() const { return ___hidden_5_6; }
inline intptr_t* get_address_of_hidden_5_6() { return &___hidden_5_6; }
inline void set_hidden_5_6(intptr_t value)
{
___hidden_5_6 = value;
}
inline static int32_t get_offset_of_hidden_6_7() { return static_cast<int32_t>(offsetof(MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965, ___hidden_6_7)); }
inline intptr_t get_hidden_6_7() const { return ___hidden_6_7; }
inline intptr_t* get_address_of_hidden_6_7() { return &___hidden_6_7; }
inline void set_hidden_6_7(intptr_t value)
{
___hidden_6_7 = value;
}
inline static int32_t get_offset_of_hidden_7_8() { return static_cast<int32_t>(offsetof(MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965, ___hidden_7_8)); }
inline intptr_t get_hidden_7_8() const { return ___hidden_7_8; }
inline intptr_t* get_address_of_hidden_7_8() { return &___hidden_7_8; }
inline void set_hidden_7_8(intptr_t value)
{
___hidden_7_8 = value;
}
inline static int32_t get_offset_of_hidden_8_9() { return static_cast<int32_t>(offsetof(MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965, ___hidden_8_9)); }
inline intptr_t get_hidden_8_9() const { return ___hidden_8_9; }
inline intptr_t* get_address_of_hidden_8_9() { return &___hidden_8_9; }
inline void set_hidden_8_9(intptr_t value)
{
___hidden_8_9 = value;
}
inline static int32_t get_offset_of_hidden_11_10() { return static_cast<int32_t>(offsetof(MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965, ___hidden_11_10)); }
inline intptr_t get_hidden_11_10() const { return ___hidden_11_10; }
inline intptr_t* get_address_of_hidden_11_10() { return &___hidden_11_10; }
inline void set_hidden_11_10(intptr_t value)
{
___hidden_11_10 = value;
}
inline static int32_t get_offset_of_hidden_12_11() { return static_cast<int32_t>(offsetof(MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965, ___hidden_12_11)); }
inline intptr_t get_hidden_12_11() const { return ___hidden_12_11; }
inline intptr_t* get_address_of_hidden_12_11() { return &___hidden_12_11; }
inline void set_hidden_12_11(intptr_t value)
{
___hidden_12_11 = value;
}
inline static int32_t get_offset_of_hidden_13_12() { return static_cast<int32_t>(offsetof(MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965, ___hidden_13_12)); }
inline intptr_t get_hidden_13_12() const { return ___hidden_13_12; }
inline intptr_t* get_address_of_hidden_13_12() { return &___hidden_13_12; }
inline void set_hidden_13_12(intptr_t value)
{
___hidden_13_12 = value;
}
inline static int32_t get_offset_of_hidden_14_13() { return static_cast<int32_t>(offsetof(MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965, ___hidden_14_13)); }
inline intptr_t get_hidden_14_13() const { return ___hidden_14_13; }
inline intptr_t* get_address_of_hidden_14_13() { return &___hidden_14_13; }
inline void set_hidden_14_13(intptr_t value)
{
___hidden_14_13 = value;
}
inline static int32_t get_offset_of_hidden_15_14() { return static_cast<int32_t>(offsetof(MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965, ___hidden_15_14)); }
inline intptr_t get_hidden_15_14() const { return ___hidden_15_14; }
inline intptr_t* get_address_of_hidden_15_14() { return &___hidden_15_14; }
inline void set_hidden_15_14(intptr_t value)
{
___hidden_15_14 = value;
}
inline static int32_t get_offset_of_hidden_16_15() { return static_cast<int32_t>(offsetof(MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965, ___hidden_16_15)); }
inline intptr_t get_hidden_16_15() const { return ___hidden_16_15; }
inline intptr_t* get_address_of_hidden_16_15() { return &___hidden_16_15; }
inline void set_hidden_16_15(intptr_t value)
{
___hidden_16_15 = value;
}
inline static int32_t get_offset_of_hidden_17_16() { return static_cast<int32_t>(offsetof(MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965, ___hidden_17_16)); }
inline intptr_t get_hidden_17_16() const { return ___hidden_17_16; }
inline intptr_t* get_address_of_hidden_17_16() { return &___hidden_17_16; }
inline void set_hidden_17_16(intptr_t value)
{
___hidden_17_16 = value;
}
inline static int32_t get_offset_of_hidden_18_17() { return static_cast<int32_t>(offsetof(MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965, ___hidden_18_17)); }
inline intptr_t get_hidden_18_17() const { return ___hidden_18_17; }
inline intptr_t* get_address_of_hidden_18_17() { return &___hidden_18_17; }
inline void set_hidden_18_17(intptr_t value)
{
___hidden_18_17 = value;
}
};
// Mono.RuntimeStructs/RemoteClass
struct RemoteClass_t2AA6BAAC498863265F1C9186436C782645A4A902
{
public:
// System.IntPtr Mono.RuntimeStructs/RemoteClass::default_vtable
intptr_t ___default_vtable_0;
// System.IntPtr Mono.RuntimeStructs/RemoteClass::xdomain_vtable
intptr_t ___xdomain_vtable_1;
// Mono.RuntimeStructs/MonoClass* Mono.RuntimeStructs/RemoteClass::proxy_class
MonoClass_t6F348B73F5E97A3C2B3FBAF82684051872811E13 * ___proxy_class_2;
// System.IntPtr Mono.RuntimeStructs/RemoteClass::proxy_class_name
intptr_t ___proxy_class_name_3;
// System.UInt32 Mono.RuntimeStructs/RemoteClass::interface_count
uint32_t ___interface_count_4;
public:
inline static int32_t get_offset_of_default_vtable_0() { return static_cast<int32_t>(offsetof(RemoteClass_t2AA6BAAC498863265F1C9186436C782645A4A902, ___default_vtable_0)); }
inline intptr_t get_default_vtable_0() const { return ___default_vtable_0; }
inline intptr_t* get_address_of_default_vtable_0() { return &___default_vtable_0; }
inline void set_default_vtable_0(intptr_t value)
{
___default_vtable_0 = value;
}
inline static int32_t get_offset_of_xdomain_vtable_1() { return static_cast<int32_t>(offsetof(RemoteClass_t2AA6BAAC498863265F1C9186436C782645A4A902, ___xdomain_vtable_1)); }
inline intptr_t get_xdomain_vtable_1() const { return ___xdomain_vtable_1; }
inline intptr_t* get_address_of_xdomain_vtable_1() { return &___xdomain_vtable_1; }
inline void set_xdomain_vtable_1(intptr_t value)
{
___xdomain_vtable_1 = value;
}
inline static int32_t get_offset_of_proxy_class_2() { return static_cast<int32_t>(offsetof(RemoteClass_t2AA6BAAC498863265F1C9186436C782645A4A902, ___proxy_class_2)); }
inline MonoClass_t6F348B73F5E97A3C2B3FBAF82684051872811E13 * get_proxy_class_2() const { return ___proxy_class_2; }
inline MonoClass_t6F348B73F5E97A3C2B3FBAF82684051872811E13 ** get_address_of_proxy_class_2() { return &___proxy_class_2; }
inline void set_proxy_class_2(MonoClass_t6F348B73F5E97A3C2B3FBAF82684051872811E13 * value)
{
___proxy_class_2 = value;
}
inline static int32_t get_offset_of_proxy_class_name_3() { return static_cast<int32_t>(offsetof(RemoteClass_t2AA6BAAC498863265F1C9186436C782645A4A902, ___proxy_class_name_3)); }
inline intptr_t get_proxy_class_name_3() const { return ___proxy_class_name_3; }
inline intptr_t* get_address_of_proxy_class_name_3() { return &___proxy_class_name_3; }
inline void set_proxy_class_name_3(intptr_t value)
{
___proxy_class_name_3 = value;
}
inline static int32_t get_offset_of_interface_count_4() { return static_cast<int32_t>(offsetof(RemoteClass_t2AA6BAAC498863265F1C9186436C782645A4A902, ___interface_count_4)); }
inline uint32_t get_interface_count_4() const { return ___interface_count_4; }
inline uint32_t* get_address_of_interface_count_4() { return &___interface_count_4; }
inline void set_interface_count_4(uint32_t value)
{
___interface_count_4 = value;
}
};
// System.RuntimeType/MemberListType
struct MemberListType_t2620B1297DEF6B44633225E024C4C7F74AEC9848
{
public:
// System.Int32 System.RuntimeType/MemberListType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MemberListType_t2620B1297DEF6B44633225E024C4C7F74AEC9848, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.ScrollRect/MovementType
struct MovementType_tAC9293D74600C5C0F8769961576D21C7107BB258
{
public:
// System.Int32 UnityEngine.UI.ScrollRect/MovementType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(MovementType_tAC9293D74600C5C0F8769961576D21C7107BB258, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.ScrollRect/ScrollRectEvent
struct ScrollRectEvent_tA2F08EF8BB0B0B0F72DB8242DC5AB17BB0D1731E : public UnityEvent_1_t3E6599546F71BCEFF271ED16D5DF9646BD868D7C
{
public:
public:
};
// UnityEngine.UI.ScrollRect/ScrollbarVisibility
struct ScrollbarVisibility_t8223EB8BD4F3CB01D1A246265D1563AAB5F89F2E
{
public:
// System.Int32 UnityEngine.UI.ScrollRect/ScrollbarVisibility::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ScrollbarVisibility_t8223EB8BD4F3CB01D1A246265D1563AAB5F89F2E, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.Scrollbar/<ClickRepeat>d__58
struct U3CClickRepeatU3Ed__58_t4A7572863E83E4FDDB7EC44F38E5C0055224BDCE : public RuntimeObject
{
public:
// System.Int32 UnityEngine.UI.Scrollbar/<ClickRepeat>d__58::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Object UnityEngine.UI.Scrollbar/<ClickRepeat>d__58::<>2__current
RuntimeObject * ___U3CU3E2__current_1;
// UnityEngine.UI.Scrollbar UnityEngine.UI.Scrollbar/<ClickRepeat>d__58::<>4__this
Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28 * ___U3CU3E4__this_2;
// UnityEngine.Vector2 UnityEngine.UI.Scrollbar/<ClickRepeat>d__58::screenPosition
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___screenPosition_3;
// UnityEngine.Camera UnityEngine.UI.Scrollbar/<ClickRepeat>d__58::camera
Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C * ___camera_4;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CClickRepeatU3Ed__58_t4A7572863E83E4FDDB7EC44F38E5C0055224BDCE, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CClickRepeatU3Ed__58_t4A7572863E83E4FDDB7EC44F38E5C0055224BDCE, ___U3CU3E2__current_1)); }
inline RuntimeObject * get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline RuntimeObject ** get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(RuntimeObject * value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E2__current_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E4__this_2() { return static_cast<int32_t>(offsetof(U3CClickRepeatU3Ed__58_t4A7572863E83E4FDDB7EC44F38E5C0055224BDCE, ___U3CU3E4__this_2)); }
inline Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28 * get_U3CU3E4__this_2() const { return ___U3CU3E4__this_2; }
inline Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28 ** get_address_of_U3CU3E4__this_2() { return &___U3CU3E4__this_2; }
inline void set_U3CU3E4__this_2(Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28 * value)
{
___U3CU3E4__this_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_2), (void*)value);
}
inline static int32_t get_offset_of_screenPosition_3() { return static_cast<int32_t>(offsetof(U3CClickRepeatU3Ed__58_t4A7572863E83E4FDDB7EC44F38E5C0055224BDCE, ___screenPosition_3)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_screenPosition_3() const { return ___screenPosition_3; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_screenPosition_3() { return &___screenPosition_3; }
inline void set_screenPosition_3(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___screenPosition_3 = value;
}
inline static int32_t get_offset_of_camera_4() { return static_cast<int32_t>(offsetof(U3CClickRepeatU3Ed__58_t4A7572863E83E4FDDB7EC44F38E5C0055224BDCE, ___camera_4)); }
inline Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C * get_camera_4() const { return ___camera_4; }
inline Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C ** get_address_of_camera_4() { return &___camera_4; }
inline void set_camera_4(Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C * value)
{
___camera_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___camera_4), (void*)value);
}
};
// UnityEngine.UI.Scrollbar/Axis
struct Axis_t561E10ABB080BB3C1F7C93C39E8DDD06BE6490B1
{
public:
// System.Int32 UnityEngine.UI.Scrollbar/Axis::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Axis_t561E10ABB080BB3C1F7C93C39E8DDD06BE6490B1, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.Scrollbar/Direction
struct Direction_tCE7C4B78403A18007E901268411DB754E7B784B7
{
public:
// System.Int32 UnityEngine.UI.Scrollbar/Direction::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Direction_tCE7C4B78403A18007E901268411DB754E7B784B7, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.Scrollbar/ScrollEvent
struct ScrollEvent_tD181ECDC6DDCEE9E32FBEFB0E657F0001E3099ED : public UnityEvent_1_t84B4EA1A2A00DEAC63B85AFAA89EBF67CA749DBC
{
public:
public:
};
// UnityEngine.UI.Selectable/SelectionState
struct SelectionState_tB421C4551CDC64C8EB31158E8C7FF118F46FF72F
{
public:
// System.Int32 UnityEngine.UI.Selectable/SelectionState::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(SelectionState_tB421C4551CDC64C8EB31158E8C7FF118F46FF72F, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.Selectable/Transition
struct Transition_t1FC449676815A798E758D32E8BE6DC0A2511DF14
{
public:
// System.Int32 UnityEngine.UI.Selectable/Transition::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Transition_t1FC449676815A798E758D32E8BE6DC0A2511DF14, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.AddressableAssets.Utility.SerializationUtilities/ObjectType
struct ObjectType_t077AABE6FD8431E177D77EDDC2BAE7565408C2E1
{
public:
// System.Int32 UnityEngine.AddressableAssets.Utility.SerializationUtilities/ObjectType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ObjectType_t077AABE6FD8431E177D77EDDC2BAE7565408C2E1, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// Mono.Globalization.Unicode.SimpleCollator/ExtenderType
struct ExtenderType_tB8BCD35D87A7D8B638D94C4FAB4F5FCEF64C4A29
{
public:
// System.Int32 Mono.Globalization.Unicode.SimpleCollator/ExtenderType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ExtenderType_tB8BCD35D87A7D8B638D94C4FAB4F5FCEF64C4A29, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.Slider/Axis
struct Axis_t5BFF2AACB2D94E92243ED4EF295A1DCAF2FC52D5
{
public:
// System.Int32 UnityEngine.UI.Slider/Axis::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Axis_t5BFF2AACB2D94E92243ED4EF295A1DCAF2FC52D5, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.Slider/Direction
struct Direction_tFC329DCFF9844C052301C90100CA0F5FA9C65961
{
public:
// System.Int32 UnityEngine.UI.Slider/Direction::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Direction_tFC329DCFF9844C052301C90100CA0F5FA9C65961, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UI.Slider/SliderEvent
struct SliderEvent_t312D89AE02E00DD965D68D6F7F813BDF455FD780 : public UnityEvent_1_t84B4EA1A2A00DEAC63B85AFAA89EBF67CA749DBC
{
public:
public:
};
// System.Diagnostics.StackTrace/TraceFormat
struct TraceFormat_t592BBEFC2EFBF66F684649AA63DA33408C71BAE9
{
public:
// System.Int32 System.Diagnostics.StackTrace/TraceFormat::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TraceFormat_t592BBEFC2EFBF66F684649AA63DA33408C71BAE9, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.EventSystems.StandaloneInputModule/InputMode
struct InputMode_tABD640D064CD823116744F702C9DD0836A7E8972
{
public:
// System.Int32 UnityEngine.EventSystems.StandaloneInputModule/InputMode::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(InputMode_tABD640D064CD823116744F702C9DD0836A7E8972, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.IO.Stream/NullStream
struct NullStream_tF4575099C488CADA8BB393D6D5A0876CF280E991 : public Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.Extensions.SubStringFormatter/SubStringOutOfRangeBehavior
struct SubStringOutOfRangeBehavior_t8E2694839EA481250B523AE9712FF1F0CBF42D1D
{
public:
// System.Int32 UnityEngine.Localization.SmartFormat.Extensions.SubStringFormatter/SubStringOutOfRangeBehavior::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(SubStringOutOfRangeBehavior_t8E2694839EA481250B523AE9712FF1F0CBF42D1D, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Rendering.SupportedRenderingFeatures/LightmapMixedBakeModes
struct LightmapMixedBakeModes_t517152ED1576E98EFCB29D358676919D88844F75
{
public:
// System.Int32 UnityEngine.Rendering.SupportedRenderingFeatures/LightmapMixedBakeModes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(LightmapMixedBakeModes_t517152ED1576E98EFCB29D358676919D88844F75, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Rendering.SupportedRenderingFeatures/ReflectionProbeModes
struct ReflectionProbeModes_tBE15DD8892571EBC569B7FCD5D918B0588F8EA4A
{
public:
// System.Int32 UnityEngine.Rendering.SupportedRenderingFeatures/ReflectionProbeModes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ReflectionProbeModes_tBE15DD8892571EBC569B7FCD5D918B0588F8EA4A, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Localization.SmartFormat.Net.Utilities.SystemTime/<>c__DisplayClass1_0
struct U3CU3Ec__DisplayClass1_0_t93EA8B13CC29969A9CE10B6DEBDA61A78A122C5B : public RuntimeObject
{
public:
// System.DateTime UnityEngine.Localization.SmartFormat.Net.Utilities.SystemTime/<>c__DisplayClass1_0::dateTimeNow
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 ___dateTimeNow_0;
public:
inline static int32_t get_offset_of_dateTimeNow_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass1_0_t93EA8B13CC29969A9CE10B6DEBDA61A78A122C5B, ___dateTimeNow_0)); }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 get_dateTimeNow_0() const { return ___dateTimeNow_0; }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 * get_address_of_dateTimeNow_0() { return &___dateTimeNow_0; }
inline void set_dateTimeNow_0(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 value)
{
___dateTimeNow_0 = value;
}
};
// TMPro.TMP_Compatibility/AnchorPositions
struct AnchorPositions_t956C512C9F0B2358CB0A13AEA158BB486BCB2DFB
{
public:
// System.Int32 TMPro.TMP_Compatibility/AnchorPositions::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AnchorPositions_t956C512C9F0B2358CB0A13AEA158BB486BCB2DFB, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.TMP_Dropdown/DropdownEvent
struct DropdownEvent_tF21B3928B792416216B527C52F7B87EA44AA7F5A : public UnityEvent_1_tB235B5DAD099AC425DC059D10DEB8B97A35E2BBF
{
public:
public:
};
// TMPro.TMP_InputField/CharacterValidation
struct CharacterValidation_t08E980563A3EBE46E8507BD2BC8F4E865EE0DDB3
{
public:
// System.Int32 TMPro.TMP_InputField/CharacterValidation::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(CharacterValidation_t08E980563A3EBE46E8507BD2BC8F4E865EE0DDB3, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.TMP_InputField/ContentType
struct ContentType_t3496CF3DD8D3F13E61A7A5D5D6BAC0B339D16C4D
{
public:
// System.Int32 TMPro.TMP_InputField/ContentType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ContentType_t3496CF3DD8D3F13E61A7A5D5D6BAC0B339D16C4D, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.TMP_InputField/EditState
struct EditState_tF04C02DEB4A44FFD870596EE7F2958DF44EA5468
{
public:
// System.Int32 TMPro.TMP_InputField/EditState::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(EditState_tF04C02DEB4A44FFD870596EE7F2958DF44EA5468, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.TMP_InputField/InputType
struct InputType_tBE7A7257C7830BF7F2CBF8D2F612B497DEB8AC95
{
public:
// System.Int32 TMPro.TMP_InputField/InputType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(InputType_tBE7A7257C7830BF7F2CBF8D2F612B497DEB8AC95, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.TMP_InputField/LineType
struct LineType_tCC7BCF3286F44F2AEEBF998AEDB21F4B353569FC
{
public:
// System.Int32 TMPro.TMP_InputField/LineType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(LineType_tCC7BCF3286F44F2AEEBF998AEDB21F4B353569FC, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.TMP_InputField/OnChangeEvent
struct OnChangeEvent_tDD8E18136CE9D0B5AA66AE75E7F60D67CA7F5A03 : public UnityEvent_1_t208A952325F66BFCB1EDEECEFEF5F1C7A16298A0
{
public:
public:
};
// TMPro.TMP_InputField/SelectionEvent
struct SelectionEvent_tC79F5214E33B94317C594D8B527A571961D929A8 : public UnityEvent_1_t208A952325F66BFCB1EDEECEFEF5F1C7A16298A0
{
public:
public:
};
// TMPro.TMP_InputField/SubmitEvent
struct SubmitEvent_tCD2882D91E14B30F4FFAF154BFB4D383C0544302 : public UnityEvent_1_t208A952325F66BFCB1EDEECEFEF5F1C7A16298A0
{
public:
public:
};
// TMPro.TMP_InputField/TextSelectionEvent
struct TextSelectionEvent_tC5B8D2B0C05A7374407913D2E6445B514EA26215 : public UnityEvent_3_tB2C1BFEE5A56978DECD9BA6756512E2CC49CB9FE
{
public:
public:
};
// TMPro.TMP_InputField/TouchScreenKeyboardEvent
struct TouchScreenKeyboardEvent_t202B521A95E8D94F343354D1D54C90B5A0A756CC : public UnityEvent_1_tE9C9315564F7F60781AFA1CEF49651315635AD53
{
public:
public:
};
// TMPro.TMP_Text/TextInputSources
struct TextInputSources_t8A0451130450FC08C5847209E7551F27F5CAF4D0
{
public:
// System.Int32 TMPro.TMP_Text/TextInputSources::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TextInputSources_t8A0451130450FC08C5847209E7551F27F5CAF4D0, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// TMPro.TMP_TextUtilities/LineSegment
struct LineSegment_t7EBE28F12DB31AD9429D413B42DCC8F91EB6DEB4
{
public:
// UnityEngine.Vector3 TMPro.TMP_TextUtilities/LineSegment::Point1
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___Point1_0;
// UnityEngine.Vector3 TMPro.TMP_TextUtilities/LineSegment::Point2
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___Point2_1;
public:
inline static int32_t get_offset_of_Point1_0() { return static_cast<int32_t>(offsetof(LineSegment_t7EBE28F12DB31AD9429D413B42DCC8F91EB6DEB4, ___Point1_0)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_Point1_0() const { return ___Point1_0; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_Point1_0() { return &___Point1_0; }
inline void set_Point1_0(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___Point1_0 = value;
}
inline static int32_t get_offset_of_Point2_1() { return static_cast<int32_t>(offsetof(LineSegment_t7EBE28F12DB31AD9429D413B42DCC8F91EB6DEB4, ___Point2_1)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_Point2_1() const { return ___Point2_1; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_Point2_1() { return &___Point2_1; }
inline void set_Point2_1(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___Point2_1 = value;
}
};
// UnityEngine.Localization.Tables.TableEntryReference/Type
struct Type_tD83EF716BECA56D7611924427F97765760E76B6A
{
public:
// System.Int32 UnityEngine.Localization.Tables.TableEntryReference/Type::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Type_tD83EF716BECA56D7611924427F97765760E76B6A, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Localization.Tables.TableReference/Type
struct Type_t65971A8B6DFBF97E5629D5547846A1D2F79AD756
{
public:
// System.Int32 UnityEngine.Localization.Tables.TableReference/Type::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Type_t65971A8B6DFBF97E5629D5547846A1D2F79AD756, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Threading.Tasks.Task/ContingentProperties
struct ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0 : public RuntimeObject
{
public:
// System.Threading.ExecutionContext System.Threading.Tasks.Task/ContingentProperties::m_capturedContext
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * ___m_capturedContext_0;
// System.Threading.ManualResetEventSlim modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.Tasks.Task/ContingentProperties::m_completionEvent
ManualResetEventSlim_tDEDF52539E364C425BA581F3AAF42843AFAD366E * ___m_completionEvent_1;
// System.Threading.Tasks.TaskExceptionHolder modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.Tasks.Task/ContingentProperties::m_exceptionsHolder
TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684 * ___m_exceptionsHolder_2;
// System.Threading.CancellationToken System.Threading.Tasks.Task/ContingentProperties::m_cancellationToken
CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD ___m_cancellationToken_3;
// System.Threading.Tasks.Shared`1<System.Threading.CancellationTokenRegistration> System.Threading.Tasks.Task/ContingentProperties::m_cancellationRegistration
Shared_1_t333C4F81656CB6CBFC971E543F8E9995A08F400B * ___m_cancellationRegistration_4;
// System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.Tasks.Task/ContingentProperties::m_internalCancellationRequested
int32_t ___m_internalCancellationRequested_5;
// System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.Tasks.Task/ContingentProperties::m_completionCountdown
int32_t ___m_completionCountdown_6;
// System.Collections.Generic.List`1<System.Threading.Tasks.Task> modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.Tasks.Task/ContingentProperties::m_exceptionalChildren
List_1_tA3E7ECFCA71D1B53362EA1A7ED7D095F0C221DFB * ___m_exceptionalChildren_7;
public:
inline static int32_t get_offset_of_m_capturedContext_0() { return static_cast<int32_t>(offsetof(ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0, ___m_capturedContext_0)); }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * get_m_capturedContext_0() const { return ___m_capturedContext_0; }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 ** get_address_of_m_capturedContext_0() { return &___m_capturedContext_0; }
inline void set_m_capturedContext_0(ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * value)
{
___m_capturedContext_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_capturedContext_0), (void*)value);
}
inline static int32_t get_offset_of_m_completionEvent_1() { return static_cast<int32_t>(offsetof(ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0, ___m_completionEvent_1)); }
inline ManualResetEventSlim_tDEDF52539E364C425BA581F3AAF42843AFAD366E * get_m_completionEvent_1() const { return ___m_completionEvent_1; }
inline ManualResetEventSlim_tDEDF52539E364C425BA581F3AAF42843AFAD366E ** get_address_of_m_completionEvent_1() { return &___m_completionEvent_1; }
inline void set_m_completionEvent_1(ManualResetEventSlim_tDEDF52539E364C425BA581F3AAF42843AFAD366E * value)
{
___m_completionEvent_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_completionEvent_1), (void*)value);
}
inline static int32_t get_offset_of_m_exceptionsHolder_2() { return static_cast<int32_t>(offsetof(ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0, ___m_exceptionsHolder_2)); }
inline TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684 * get_m_exceptionsHolder_2() const { return ___m_exceptionsHolder_2; }
inline TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684 ** get_address_of_m_exceptionsHolder_2() { return &___m_exceptionsHolder_2; }
inline void set_m_exceptionsHolder_2(TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684 * value)
{
___m_exceptionsHolder_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_exceptionsHolder_2), (void*)value);
}
inline static int32_t get_offset_of_m_cancellationToken_3() { return static_cast<int32_t>(offsetof(ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0, ___m_cancellationToken_3)); }
inline CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD get_m_cancellationToken_3() const { return ___m_cancellationToken_3; }
inline CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD * get_address_of_m_cancellationToken_3() { return &___m_cancellationToken_3; }
inline void set_m_cancellationToken_3(CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD value)
{
___m_cancellationToken_3 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_cancellationToken_3))->___m_source_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_cancellationRegistration_4() { return static_cast<int32_t>(offsetof(ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0, ___m_cancellationRegistration_4)); }
inline Shared_1_t333C4F81656CB6CBFC971E543F8E9995A08F400B * get_m_cancellationRegistration_4() const { return ___m_cancellationRegistration_4; }
inline Shared_1_t333C4F81656CB6CBFC971E543F8E9995A08F400B ** get_address_of_m_cancellationRegistration_4() { return &___m_cancellationRegistration_4; }
inline void set_m_cancellationRegistration_4(Shared_1_t333C4F81656CB6CBFC971E543F8E9995A08F400B * value)
{
___m_cancellationRegistration_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_cancellationRegistration_4), (void*)value);
}
inline static int32_t get_offset_of_m_internalCancellationRequested_5() { return static_cast<int32_t>(offsetof(ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0, ___m_internalCancellationRequested_5)); }
inline int32_t get_m_internalCancellationRequested_5() const { return ___m_internalCancellationRequested_5; }
inline int32_t* get_address_of_m_internalCancellationRequested_5() { return &___m_internalCancellationRequested_5; }
inline void set_m_internalCancellationRequested_5(int32_t value)
{
___m_internalCancellationRequested_5 = value;
}
inline static int32_t get_offset_of_m_completionCountdown_6() { return static_cast<int32_t>(offsetof(ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0, ___m_completionCountdown_6)); }
inline int32_t get_m_completionCountdown_6() const { return ___m_completionCountdown_6; }
inline int32_t* get_address_of_m_completionCountdown_6() { return &___m_completionCountdown_6; }
inline void set_m_completionCountdown_6(int32_t value)
{
___m_completionCountdown_6 = value;
}
inline static int32_t get_offset_of_m_exceptionalChildren_7() { return static_cast<int32_t>(offsetof(ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0, ___m_exceptionalChildren_7)); }
inline List_1_tA3E7ECFCA71D1B53362EA1A7ED7D095F0C221DFB * get_m_exceptionalChildren_7() const { return ___m_exceptionalChildren_7; }
inline List_1_tA3E7ECFCA71D1B53362EA1A7ED7D095F0C221DFB ** get_address_of_m_exceptionalChildren_7() { return &___m_exceptionalChildren_7; }
inline void set_m_exceptionalChildren_7(List_1_tA3E7ECFCA71D1B53362EA1A7ED7D095F0C221DFB * value)
{
___m_exceptionalChildren_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_exceptionalChildren_7), (void*)value);
}
};
// UnityEngine.ResourceManagement.ResourceProviders.TextDataProvider/InternalOp
struct InternalOp_t1E4911ECE63F5C8482292DE606EF3139E999CB95 : public RuntimeObject
{
public:
// UnityEngine.ResourceManagement.ResourceProviders.TextDataProvider UnityEngine.ResourceManagement.ResourceProviders.TextDataProvider/InternalOp::m_Provider
TextDataProvider_t773E2DEFF6B16D17317529CFB75791ADDEA9B2E6 * ___m_Provider_0;
// UnityEngine.Networking.UnityWebRequestAsyncOperation UnityEngine.ResourceManagement.ResourceProviders.TextDataProvider/InternalOp::m_RequestOperation
UnityWebRequestAsyncOperation_tDCAC6B6C7D51563F8DFD4963E3BE362470125396 * ___m_RequestOperation_1;
// UnityEngine.ResourceManagement.WebRequestQueueOperation UnityEngine.ResourceManagement.ResourceProviders.TextDataProvider/InternalOp::m_RequestQueueOperation
WebRequestQueueOperation_tFC444676FD6ECC4D7F23A1C6CA9864124DC0D151 * ___m_RequestQueueOperation_2;
// UnityEngine.ResourceManagement.ResourceProviders.ProvideHandle UnityEngine.ResourceManagement.ResourceProviders.TextDataProvider/InternalOp::m_PI
ProvideHandle_t7E2C4D55BFA0F16A1B53B1BE922FD9857859208D ___m_PI_3;
// System.Boolean UnityEngine.ResourceManagement.ResourceProviders.TextDataProvider/InternalOp::m_IgnoreFailures
bool ___m_IgnoreFailures_4;
// System.Boolean UnityEngine.ResourceManagement.ResourceProviders.TextDataProvider/InternalOp::m_Complete
bool ___m_Complete_5;
// System.Int32 UnityEngine.ResourceManagement.ResourceProviders.TextDataProvider/InternalOp::m_Timeout
int32_t ___m_Timeout_6;
public:
inline static int32_t get_offset_of_m_Provider_0() { return static_cast<int32_t>(offsetof(InternalOp_t1E4911ECE63F5C8482292DE606EF3139E999CB95, ___m_Provider_0)); }
inline TextDataProvider_t773E2DEFF6B16D17317529CFB75791ADDEA9B2E6 * get_m_Provider_0() const { return ___m_Provider_0; }
inline TextDataProvider_t773E2DEFF6B16D17317529CFB75791ADDEA9B2E6 ** get_address_of_m_Provider_0() { return &___m_Provider_0; }
inline void set_m_Provider_0(TextDataProvider_t773E2DEFF6B16D17317529CFB75791ADDEA9B2E6 * value)
{
___m_Provider_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Provider_0), (void*)value);
}
inline static int32_t get_offset_of_m_RequestOperation_1() { return static_cast<int32_t>(offsetof(InternalOp_t1E4911ECE63F5C8482292DE606EF3139E999CB95, ___m_RequestOperation_1)); }
inline UnityWebRequestAsyncOperation_tDCAC6B6C7D51563F8DFD4963E3BE362470125396 * get_m_RequestOperation_1() const { return ___m_RequestOperation_1; }
inline UnityWebRequestAsyncOperation_tDCAC6B6C7D51563F8DFD4963E3BE362470125396 ** get_address_of_m_RequestOperation_1() { return &___m_RequestOperation_1; }
inline void set_m_RequestOperation_1(UnityWebRequestAsyncOperation_tDCAC6B6C7D51563F8DFD4963E3BE362470125396 * value)
{
___m_RequestOperation_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RequestOperation_1), (void*)value);
}
inline static int32_t get_offset_of_m_RequestQueueOperation_2() { return static_cast<int32_t>(offsetof(InternalOp_t1E4911ECE63F5C8482292DE606EF3139E999CB95, ___m_RequestQueueOperation_2)); }
inline WebRequestQueueOperation_tFC444676FD6ECC4D7F23A1C6CA9864124DC0D151 * get_m_RequestQueueOperation_2() const { return ___m_RequestQueueOperation_2; }
inline WebRequestQueueOperation_tFC444676FD6ECC4D7F23A1C6CA9864124DC0D151 ** get_address_of_m_RequestQueueOperation_2() { return &___m_RequestQueueOperation_2; }
inline void set_m_RequestQueueOperation_2(WebRequestQueueOperation_tFC444676FD6ECC4D7F23A1C6CA9864124DC0D151 * value)
{
___m_RequestQueueOperation_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RequestQueueOperation_2), (void*)value);
}
inline static int32_t get_offset_of_m_PI_3() { return static_cast<int32_t>(offsetof(InternalOp_t1E4911ECE63F5C8482292DE606EF3139E999CB95, ___m_PI_3)); }
inline ProvideHandle_t7E2C4D55BFA0F16A1B53B1BE922FD9857859208D get_m_PI_3() const { return ___m_PI_3; }
inline ProvideHandle_t7E2C4D55BFA0F16A1B53B1BE922FD9857859208D * get_address_of_m_PI_3() { return &___m_PI_3; }
inline void set_m_PI_3(ProvideHandle_t7E2C4D55BFA0F16A1B53B1BE922FD9857859208D value)
{
___m_PI_3 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_PI_3))->___m_InternalOp_1), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_PI_3))->___m_ResourceManager_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_IgnoreFailures_4() { return static_cast<int32_t>(offsetof(InternalOp_t1E4911ECE63F5C8482292DE606EF3139E999CB95, ___m_IgnoreFailures_4)); }
inline bool get_m_IgnoreFailures_4() const { return ___m_IgnoreFailures_4; }
inline bool* get_address_of_m_IgnoreFailures_4() { return &___m_IgnoreFailures_4; }
inline void set_m_IgnoreFailures_4(bool value)
{
___m_IgnoreFailures_4 = value;
}
inline static int32_t get_offset_of_m_Complete_5() { return static_cast<int32_t>(offsetof(InternalOp_t1E4911ECE63F5C8482292DE606EF3139E999CB95, ___m_Complete_5)); }
inline bool get_m_Complete_5() const { return ___m_Complete_5; }
inline bool* get_address_of_m_Complete_5() { return &___m_Complete_5; }
inline void set_m_Complete_5(bool value)
{
___m_Complete_5 = value;
}
inline static int32_t get_offset_of_m_Timeout_6() { return static_cast<int32_t>(offsetof(InternalOp_t1E4911ECE63F5C8482292DE606EF3139E999CB95, ___m_Timeout_6)); }
inline int32_t get_m_Timeout_6() const { return ___m_Timeout_6; }
inline int32_t* get_address_of_m_Timeout_6() { return &___m_Timeout_6; }
inline void set_m_Timeout_6(int32_t value)
{
___m_Timeout_6 = value;
}
};
// UnityEngine.TextEditor/DblClickSnapping
struct DblClickSnapping_t831A23F3ECEF6C68B62B6C3AEAF870F70596FABD
{
public:
// System.Byte UnityEngine.TextEditor/DblClickSnapping::value__
uint8_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DblClickSnapping_t831A23F3ECEF6C68B62B6C3AEAF870F70596FABD, ___value___2)); }
inline uint8_t get_value___2() const { return ___value___2; }
inline uint8_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint8_t value)
{
___value___2 = value;
}
};
// System.IO.TextReader/NullTextReader
struct NullTextReader_tFC192D86C5C095C98156DAF472F7520472039F95 : public TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F
{
public:
public:
};
// System.IO.TextReader/SyncTextReader
struct SyncTextReader_tA4C7DEEF5A129E5D1287BDE2D5335AD7F8EEAA84 : public TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F
{
public:
// System.IO.TextReader System.IO.TextReader/SyncTextReader::_in
TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F * ____in_4;
public:
inline static int32_t get_offset_of__in_4() { return static_cast<int32_t>(offsetof(SyncTextReader_tA4C7DEEF5A129E5D1287BDE2D5335AD7F8EEAA84, ____in_4)); }
inline TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F * get__in_4() const { return ____in_4; }
inline TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F ** get_address_of__in_4() { return &____in_4; }
inline void set__in_4(TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F * value)
{
____in_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____in_4), (void*)value);
}
};
// System.IO.TextWriter/NullTextWriter
struct NullTextWriter_t1D00E99220711EA2E249B67A50372CED994A125F : public TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643
{
public:
public:
};
// System.IO.TextWriter/SyncTextWriter
struct SyncTextWriter_t4B1FF6119ABECE598E0666C85337FA3F11FF785D : public TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643
{
public:
// System.IO.TextWriter System.IO.TextWriter/SyncTextWriter::_out
TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 * ____out_11;
public:
inline static int32_t get_offset_of__out_11() { return static_cast<int32_t>(offsetof(SyncTextWriter_t4B1FF6119ABECE598E0666C85337FA3F11FF785D, ____out_11)); }
inline TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 * get__out_11() const { return ____out_11; }
inline TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 ** get_address_of__out_11() { return &____out_11; }
inline void set__out_11(TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643 * value)
{
____out_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&____out_11), (void*)value);
}
};
// TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Frame
struct Frame_t277B57D2C572A3B179CEA0357869DB245F52128D
{
public:
// System.String TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Frame::filename
String_t* ___filename_0;
// TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/SpriteFrame TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Frame::frame
SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9 ___frame_1;
// System.Boolean TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Frame::rotated
bool ___rotated_2;
// System.Boolean TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Frame::trimmed
bool ___trimmed_3;
// TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/SpriteFrame TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Frame::spriteSourceSize
SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9 ___spriteSourceSize_4;
// TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/SpriteSize TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Frame::sourceSize
SpriteSize_t7D47B39A52139B8CD3CE7F233C48981F70275A3D ___sourceSize_5;
// UnityEngine.Vector2 TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Frame::pivot
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___pivot_6;
public:
inline static int32_t get_offset_of_filename_0() { return static_cast<int32_t>(offsetof(Frame_t277B57D2C572A3B179CEA0357869DB245F52128D, ___filename_0)); }
inline String_t* get_filename_0() const { return ___filename_0; }
inline String_t** get_address_of_filename_0() { return &___filename_0; }
inline void set_filename_0(String_t* value)
{
___filename_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___filename_0), (void*)value);
}
inline static int32_t get_offset_of_frame_1() { return static_cast<int32_t>(offsetof(Frame_t277B57D2C572A3B179CEA0357869DB245F52128D, ___frame_1)); }
inline SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9 get_frame_1() const { return ___frame_1; }
inline SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9 * get_address_of_frame_1() { return &___frame_1; }
inline void set_frame_1(SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9 value)
{
___frame_1 = value;
}
inline static int32_t get_offset_of_rotated_2() { return static_cast<int32_t>(offsetof(Frame_t277B57D2C572A3B179CEA0357869DB245F52128D, ___rotated_2)); }
inline bool get_rotated_2() const { return ___rotated_2; }
inline bool* get_address_of_rotated_2() { return &___rotated_2; }
inline void set_rotated_2(bool value)
{
___rotated_2 = value;
}
inline static int32_t get_offset_of_trimmed_3() { return static_cast<int32_t>(offsetof(Frame_t277B57D2C572A3B179CEA0357869DB245F52128D, ___trimmed_3)); }
inline bool get_trimmed_3() const { return ___trimmed_3; }
inline bool* get_address_of_trimmed_3() { return &___trimmed_3; }
inline void set_trimmed_3(bool value)
{
___trimmed_3 = value;
}
inline static int32_t get_offset_of_spriteSourceSize_4() { return static_cast<int32_t>(offsetof(Frame_t277B57D2C572A3B179CEA0357869DB245F52128D, ___spriteSourceSize_4)); }
inline SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9 get_spriteSourceSize_4() const { return ___spriteSourceSize_4; }
inline SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9 * get_address_of_spriteSourceSize_4() { return &___spriteSourceSize_4; }
inline void set_spriteSourceSize_4(SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9 value)
{
___spriteSourceSize_4 = value;
}
inline static int32_t get_offset_of_sourceSize_5() { return static_cast<int32_t>(offsetof(Frame_t277B57D2C572A3B179CEA0357869DB245F52128D, ___sourceSize_5)); }
inline SpriteSize_t7D47B39A52139B8CD3CE7F233C48981F70275A3D get_sourceSize_5() const { return ___sourceSize_5; }
inline SpriteSize_t7D47B39A52139B8CD3CE7F233C48981F70275A3D * get_address_of_sourceSize_5() { return &___sourceSize_5; }
inline void set_sourceSize_5(SpriteSize_t7D47B39A52139B8CD3CE7F233C48981F70275A3D value)
{
___sourceSize_5 = value;
}
inline static int32_t get_offset_of_pivot_6() { return static_cast<int32_t>(offsetof(Frame_t277B57D2C572A3B179CEA0357869DB245F52128D, ___pivot_6)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_pivot_6() const { return ___pivot_6; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_pivot_6() { return &___pivot_6; }
inline void set_pivot_6(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___pivot_6 = value;
}
};
// Native definition for P/Invoke marshalling of TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Frame
struct Frame_t277B57D2C572A3B179CEA0357869DB245F52128D_marshaled_pinvoke
{
char* ___filename_0;
SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9 ___frame_1;
int32_t ___rotated_2;
int32_t ___trimmed_3;
SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9 ___spriteSourceSize_4;
SpriteSize_t7D47B39A52139B8CD3CE7F233C48981F70275A3D ___sourceSize_5;
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___pivot_6;
};
// Native definition for COM marshalling of TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Frame
struct Frame_t277B57D2C572A3B179CEA0357869DB245F52128D_marshaled_com
{
Il2CppChar* ___filename_0;
SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9 ___frame_1;
int32_t ___rotated_2;
int32_t ___trimmed_3;
SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9 ___spriteSourceSize_4;
SpriteSize_t7D47B39A52139B8CD3CE7F233C48981F70275A3D ___sourceSize_5;
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___pivot_6;
};
// TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Meta
struct Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306
{
public:
// System.String TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Meta::app
String_t* ___app_0;
// System.String TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Meta::version
String_t* ___version_1;
// System.String TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Meta::image
String_t* ___image_2;
// System.String TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Meta::format
String_t* ___format_3;
// TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/SpriteSize TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Meta::size
SpriteSize_t7D47B39A52139B8CD3CE7F233C48981F70275A3D ___size_4;
// System.Single TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Meta::scale
float ___scale_5;
// System.String TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Meta::smartupdate
String_t* ___smartupdate_6;
public:
inline static int32_t get_offset_of_app_0() { return static_cast<int32_t>(offsetof(Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306, ___app_0)); }
inline String_t* get_app_0() const { return ___app_0; }
inline String_t** get_address_of_app_0() { return &___app_0; }
inline void set_app_0(String_t* value)
{
___app_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___app_0), (void*)value);
}
inline static int32_t get_offset_of_version_1() { return static_cast<int32_t>(offsetof(Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306, ___version_1)); }
inline String_t* get_version_1() const { return ___version_1; }
inline String_t** get_address_of_version_1() { return &___version_1; }
inline void set_version_1(String_t* value)
{
___version_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___version_1), (void*)value);
}
inline static int32_t get_offset_of_image_2() { return static_cast<int32_t>(offsetof(Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306, ___image_2)); }
inline String_t* get_image_2() const { return ___image_2; }
inline String_t** get_address_of_image_2() { return &___image_2; }
inline void set_image_2(String_t* value)
{
___image_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___image_2), (void*)value);
}
inline static int32_t get_offset_of_format_3() { return static_cast<int32_t>(offsetof(Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306, ___format_3)); }
inline String_t* get_format_3() const { return ___format_3; }
inline String_t** get_address_of_format_3() { return &___format_3; }
inline void set_format_3(String_t* value)
{
___format_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___format_3), (void*)value);
}
inline static int32_t get_offset_of_size_4() { return static_cast<int32_t>(offsetof(Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306, ___size_4)); }
inline SpriteSize_t7D47B39A52139B8CD3CE7F233C48981F70275A3D get_size_4() const { return ___size_4; }
inline SpriteSize_t7D47B39A52139B8CD3CE7F233C48981F70275A3D * get_address_of_size_4() { return &___size_4; }
inline void set_size_4(SpriteSize_t7D47B39A52139B8CD3CE7F233C48981F70275A3D value)
{
___size_4 = value;
}
inline static int32_t get_offset_of_scale_5() { return static_cast<int32_t>(offsetof(Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306, ___scale_5)); }
inline float get_scale_5() const { return ___scale_5; }
inline float* get_address_of_scale_5() { return &___scale_5; }
inline void set_scale_5(float value)
{
___scale_5 = value;
}
inline static int32_t get_offset_of_smartupdate_6() { return static_cast<int32_t>(offsetof(Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306, ___smartupdate_6)); }
inline String_t* get_smartupdate_6() const { return ___smartupdate_6; }
inline String_t** get_address_of_smartupdate_6() { return &___smartupdate_6; }
inline void set_smartupdate_6(String_t* value)
{
___smartupdate_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___smartupdate_6), (void*)value);
}
};
// Native definition for P/Invoke marshalling of TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Meta
struct Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306_marshaled_pinvoke
{
char* ___app_0;
char* ___version_1;
char* ___image_2;
char* ___format_3;
SpriteSize_t7D47B39A52139B8CD3CE7F233C48981F70275A3D ___size_4;
float ___scale_5;
char* ___smartupdate_6;
};
// Native definition for COM marshalling of TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Meta
struct Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306_marshaled_com
{
Il2CppChar* ___app_0;
Il2CppChar* ___version_1;
Il2CppChar* ___image_2;
Il2CppChar* ___format_3;
SpriteSize_t7D47B39A52139B8CD3CE7F233C48981F70275A3D ___size_4;
float ___scale_5;
Il2CppChar* ___smartupdate_6;
};
// System.Threading.ThreadPoolWorkQueue/QueueSegment
struct QueueSegment_tBF384DF1C15001FBEDB17378EB22EA233A89A0A4 : public RuntimeObject
{
public:
// System.Threading.IThreadPoolWorkItem[] System.Threading.ThreadPoolWorkQueue/QueueSegment::nodes
IThreadPoolWorkItemU5BU5D_tA8F5E15B9A678486C494BA29BA2B36165FF28738* ___nodes_0;
// System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.ThreadPoolWorkQueue/QueueSegment::indexes
int32_t ___indexes_1;
// System.Threading.ThreadPoolWorkQueue/QueueSegment modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.ThreadPoolWorkQueue/QueueSegment::Next
QueueSegment_tBF384DF1C15001FBEDB17378EB22EA233A89A0A4 * ___Next_2;
public:
inline static int32_t get_offset_of_nodes_0() { return static_cast<int32_t>(offsetof(QueueSegment_tBF384DF1C15001FBEDB17378EB22EA233A89A0A4, ___nodes_0)); }
inline IThreadPoolWorkItemU5BU5D_tA8F5E15B9A678486C494BA29BA2B36165FF28738* get_nodes_0() const { return ___nodes_0; }
inline IThreadPoolWorkItemU5BU5D_tA8F5E15B9A678486C494BA29BA2B36165FF28738** get_address_of_nodes_0() { return &___nodes_0; }
inline void set_nodes_0(IThreadPoolWorkItemU5BU5D_tA8F5E15B9A678486C494BA29BA2B36165FF28738* value)
{
___nodes_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___nodes_0), (void*)value);
}
inline static int32_t get_offset_of_indexes_1() { return static_cast<int32_t>(offsetof(QueueSegment_tBF384DF1C15001FBEDB17378EB22EA233A89A0A4, ___indexes_1)); }
inline int32_t get_indexes_1() const { return ___indexes_1; }
inline int32_t* get_address_of_indexes_1() { return &___indexes_1; }
inline void set_indexes_1(int32_t value)
{
___indexes_1 = value;
}
inline static int32_t get_offset_of_Next_2() { return static_cast<int32_t>(offsetof(QueueSegment_tBF384DF1C15001FBEDB17378EB22EA233A89A0A4, ___Next_2)); }
inline QueueSegment_tBF384DF1C15001FBEDB17378EB22EA233A89A0A4 * get_Next_2() const { return ___Next_2; }
inline QueueSegment_tBF384DF1C15001FBEDB17378EB22EA233A89A0A4 ** get_address_of_Next_2() { return &___Next_2; }
inline void set_Next_2(QueueSegment_tBF384DF1C15001FBEDB17378EB22EA233A89A0A4 * value)
{
___Next_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Next_2), (void*)value);
}
};
// System.Globalization.TimeSpanFormat/Pattern
struct Pattern_t5B2F35E57DF8A6B732D89E5723D12E2C100B6D2C
{
public:
// System.Int32 System.Globalization.TimeSpanFormat/Pattern::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Pattern_t5B2F35E57DF8A6B732D89E5723D12E2C100B6D2C, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.TimeZoneInfo/TIME_ZONE_INFORMATION
struct TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578
{
public:
// System.Int32 System.TimeZoneInfo/TIME_ZONE_INFORMATION::Bias
int32_t ___Bias_0;
// System.String System.TimeZoneInfo/TIME_ZONE_INFORMATION::StandardName
String_t* ___StandardName_1;
// System.TimeZoneInfo/SYSTEMTIME System.TimeZoneInfo/TIME_ZONE_INFORMATION::StandardDate
SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4 ___StandardDate_2;
// System.Int32 System.TimeZoneInfo/TIME_ZONE_INFORMATION::StandardBias
int32_t ___StandardBias_3;
// System.String System.TimeZoneInfo/TIME_ZONE_INFORMATION::DaylightName
String_t* ___DaylightName_4;
// System.TimeZoneInfo/SYSTEMTIME System.TimeZoneInfo/TIME_ZONE_INFORMATION::DaylightDate
SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4 ___DaylightDate_5;
// System.Int32 System.TimeZoneInfo/TIME_ZONE_INFORMATION::DaylightBias
int32_t ___DaylightBias_6;
public:
inline static int32_t get_offset_of_Bias_0() { return static_cast<int32_t>(offsetof(TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578, ___Bias_0)); }
inline int32_t get_Bias_0() const { return ___Bias_0; }
inline int32_t* get_address_of_Bias_0() { return &___Bias_0; }
inline void set_Bias_0(int32_t value)
{
___Bias_0 = value;
}
inline static int32_t get_offset_of_StandardName_1() { return static_cast<int32_t>(offsetof(TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578, ___StandardName_1)); }
inline String_t* get_StandardName_1() const { return ___StandardName_1; }
inline String_t** get_address_of_StandardName_1() { return &___StandardName_1; }
inline void set_StandardName_1(String_t* value)
{
___StandardName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___StandardName_1), (void*)value);
}
inline static int32_t get_offset_of_StandardDate_2() { return static_cast<int32_t>(offsetof(TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578, ___StandardDate_2)); }
inline SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4 get_StandardDate_2() const { return ___StandardDate_2; }
inline SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4 * get_address_of_StandardDate_2() { return &___StandardDate_2; }
inline void set_StandardDate_2(SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4 value)
{
___StandardDate_2 = value;
}
inline static int32_t get_offset_of_StandardBias_3() { return static_cast<int32_t>(offsetof(TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578, ___StandardBias_3)); }
inline int32_t get_StandardBias_3() const { return ___StandardBias_3; }
inline int32_t* get_address_of_StandardBias_3() { return &___StandardBias_3; }
inline void set_StandardBias_3(int32_t value)
{
___StandardBias_3 = value;
}
inline static int32_t get_offset_of_DaylightName_4() { return static_cast<int32_t>(offsetof(TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578, ___DaylightName_4)); }
inline String_t* get_DaylightName_4() const { return ___DaylightName_4; }
inline String_t** get_address_of_DaylightName_4() { return &___DaylightName_4; }
inline void set_DaylightName_4(String_t* value)
{
___DaylightName_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DaylightName_4), (void*)value);
}
inline static int32_t get_offset_of_DaylightDate_5() { return static_cast<int32_t>(offsetof(TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578, ___DaylightDate_5)); }
inline SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4 get_DaylightDate_5() const { return ___DaylightDate_5; }
inline SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4 * get_address_of_DaylightDate_5() { return &___DaylightDate_5; }
inline void set_DaylightDate_5(SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4 value)
{
___DaylightDate_5 = value;
}
inline static int32_t get_offset_of_DaylightBias_6() { return static_cast<int32_t>(offsetof(TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578, ___DaylightBias_6)); }
inline int32_t get_DaylightBias_6() const { return ___DaylightBias_6; }
inline int32_t* get_address_of_DaylightBias_6() { return &___DaylightBias_6; }
inline void set_DaylightBias_6(int32_t value)
{
___DaylightBias_6 = value;
}
};
// Native definition for P/Invoke marshalling of System.TimeZoneInfo/TIME_ZONE_INFORMATION
struct TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578_marshaled_pinvoke
{
int32_t ___Bias_0;
Il2CppChar ___StandardName_1[32];
SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4 ___StandardDate_2;
int32_t ___StandardBias_3;
Il2CppChar ___DaylightName_4[32];
SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4 ___DaylightDate_5;
int32_t ___DaylightBias_6;
};
// Native definition for COM marshalling of System.TimeZoneInfo/TIME_ZONE_INFORMATION
struct TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578_marshaled_com
{
int32_t ___Bias_0;
Il2CppChar ___StandardName_1[32];
SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4 ___StandardDate_2;
int32_t ___StandardBias_3;
Il2CppChar ___DaylightName_4[32];
SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4 ___DaylightDate_5;
int32_t ___DaylightBias_6;
};
// UnityEngine.UI.Toggle/ToggleEvent
struct ToggleEvent_t7B9EFE80B7D7F16F3E7B8FA75FEF45B00E0C0075 : public UnityEvent_1_t10C429A2DAF73A4517568E494115F7503F9E17EB
{
public:
public:
};
// UnityEngine.UI.Toggle/ToggleTransition
struct ToggleTransition_t4D1AA30F2BA24242EB9D1DD2E3DF839F0BAC5167
{
public:
// System.Int32 UnityEngine.UI.Toggle/ToggleTransition::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(ToggleTransition_t4D1AA30F2BA24242EB9D1DD2E3DF839F0BAC5167, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.TouchScreenKeyboard/Status
struct Status_tCF9D837EDAD10412CECD4A306BCD7CA936720FEF
{
public:
// System.Int32 UnityEngine.TouchScreenKeyboard/Status::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Status_tCF9D837EDAD10412CECD4A306BCD7CA936720FEF, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.SpatialTracking.TrackedPoseDriver/DeviceType
struct DeviceType_tAE2B3246436F9B924A6284C9C0603322DD6D09E8
{
public:
// System.Int32 UnityEngine.SpatialTracking.TrackedPoseDriver/DeviceType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DeviceType_tAE2B3246436F9B924A6284C9C0603322DD6D09E8, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.SpatialTracking.TrackedPoseDriver/TrackedPose
struct TrackedPose_t1326EFD84D48C3339F652B2A072743C3189B581B
{
public:
// System.Int32 UnityEngine.SpatialTracking.TrackedPoseDriver/TrackedPose::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TrackedPose_t1326EFD84D48C3339F652B2A072743C3189B581B, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.SpatialTracking.TrackedPoseDriver/TrackingType
struct TrackingType_t6524BC8345E54C620E3557D2BD223CEAF7CA5EA9
{
public:
// System.Int32 UnityEngine.SpatialTracking.TrackedPoseDriver/TrackingType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(TrackingType_t6524BC8345E54C620E3557D2BD223CEAF7CA5EA9, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.SpatialTracking.TrackedPoseDriver/UpdateType
struct UpdateType_t4CA0C1D1034EEB2D3CB9C008009B2F4967CD658E
{
public:
// System.Int32 UnityEngine.SpatialTracking.TrackedPoseDriver/UpdateType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UpdateType_t4CA0C1D1034EEB2D3CB9C008009B2F4967CD658E, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.TypeSpec/DisplayNameFormat
struct DisplayNameFormat_tF42BE9AF429E47348F6DF90A17947869EF4D0077
{
public:
// System.Int32 System.TypeSpec/DisplayNameFormat::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(DisplayNameFormat_tF42BE9AF429E47348F6DF90A17947869EF4D0077, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.UISystemProfilerApi/SampleType
struct SampleType_t7700FC306F2734DE18BEF3F782C4BE834FA3F304
{
public:
// System.Int32 UnityEngine.UISystemProfilerApi/SampleType::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(SampleType_t7700FC306F2734DE18BEF3F782C4BE834FA3F304, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Text.UTF32Encoding/UTF32Decoder
struct UTF32Decoder_t38867B08AD03138702C713129B79529EC4528DB7 : public DecoderNLS_tE5B1B7D68B698C0B65FBEE94EAE2453FFD3D538A
{
public:
// System.Int32 System.Text.UTF32Encoding/UTF32Decoder::iChar
int32_t ___iChar_6;
// System.Int32 System.Text.UTF32Encoding/UTF32Decoder::readByteCount
int32_t ___readByteCount_7;
public:
inline static int32_t get_offset_of_iChar_6() { return static_cast<int32_t>(offsetof(UTF32Decoder_t38867B08AD03138702C713129B79529EC4528DB7, ___iChar_6)); }
inline int32_t get_iChar_6() const { return ___iChar_6; }
inline int32_t* get_address_of_iChar_6() { return &___iChar_6; }
inline void set_iChar_6(int32_t value)
{
___iChar_6 = value;
}
inline static int32_t get_offset_of_readByteCount_7() { return static_cast<int32_t>(offsetof(UTF32Decoder_t38867B08AD03138702C713129B79529EC4528DB7, ___readByteCount_7)); }
inline int32_t get_readByteCount_7() const { return ___readByteCount_7; }
inline int32_t* get_address_of_readByteCount_7() { return &___readByteCount_7; }
inline void set_readByteCount_7(int32_t value)
{
___readByteCount_7 = value;
}
};
// System.Text.UTF7Encoding/Decoder
struct Decoder_t6C0639E0DF1E52128429AC770CA9F2557A8E54C9 : public DecoderNLS_tE5B1B7D68B698C0B65FBEE94EAE2453FFD3D538A
{
public:
// System.Int32 System.Text.UTF7Encoding/Decoder::bits
int32_t ___bits_6;
// System.Int32 System.Text.UTF7Encoding/Decoder::bitCount
int32_t ___bitCount_7;
// System.Boolean System.Text.UTF7Encoding/Decoder::firstByte
bool ___firstByte_8;
public:
inline static int32_t get_offset_of_bits_6() { return static_cast<int32_t>(offsetof(Decoder_t6C0639E0DF1E52128429AC770CA9F2557A8E54C9, ___bits_6)); }
inline int32_t get_bits_6() const { return ___bits_6; }
inline int32_t* get_address_of_bits_6() { return &___bits_6; }
inline void set_bits_6(int32_t value)
{
___bits_6 = value;
}
inline static int32_t get_offset_of_bitCount_7() { return static_cast<int32_t>(offsetof(Decoder_t6C0639E0DF1E52128429AC770CA9F2557A8E54C9, ___bitCount_7)); }
inline int32_t get_bitCount_7() const { return ___bitCount_7; }
inline int32_t* get_address_of_bitCount_7() { return &___bitCount_7; }
inline void set_bitCount_7(int32_t value)
{
___bitCount_7 = value;
}
inline static int32_t get_offset_of_firstByte_8() { return static_cast<int32_t>(offsetof(Decoder_t6C0639E0DF1E52128429AC770CA9F2557A8E54C9, ___firstByte_8)); }
inline bool get_firstByte_8() const { return ___firstByte_8; }
inline bool* get_address_of_firstByte_8() { return &___firstByte_8; }
inline void set_firstByte_8(bool value)
{
___firstByte_8 = value;
}
};
// System.Text.UTF7Encoding/Encoder
struct Encoder_tF895184EA91019AA3995A8547FD56A3E0D16D1B4 : public EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712
{
public:
// System.Int32 System.Text.UTF7Encoding/Encoder::bits
int32_t ___bits_7;
// System.Int32 System.Text.UTF7Encoding/Encoder::bitCount
int32_t ___bitCount_8;
public:
inline static int32_t get_offset_of_bits_7() { return static_cast<int32_t>(offsetof(Encoder_tF895184EA91019AA3995A8547FD56A3E0D16D1B4, ___bits_7)); }
inline int32_t get_bits_7() const { return ___bits_7; }
inline int32_t* get_address_of_bits_7() { return &___bits_7; }
inline void set_bits_7(int32_t value)
{
___bits_7 = value;
}
inline static int32_t get_offset_of_bitCount_8() { return static_cast<int32_t>(offsetof(Encoder_tF895184EA91019AA3995A8547FD56A3E0D16D1B4, ___bitCount_8)); }
inline int32_t get_bitCount_8() const { return ___bitCount_8; }
inline int32_t* get_address_of_bitCount_8() { return &___bitCount_8; }
inline void set_bitCount_8(int32_t value)
{
___bitCount_8 = value;
}
};
// System.Text.UTF8Encoding/UTF8Decoder
struct UTF8Decoder_tD2359F0F52206B911EBC3222E627191C829F4C65 : public DecoderNLS_tE5B1B7D68B698C0B65FBEE94EAE2453FFD3D538A
{
public:
// System.Int32 System.Text.UTF8Encoding/UTF8Decoder::bits
int32_t ___bits_6;
public:
inline static int32_t get_offset_of_bits_6() { return static_cast<int32_t>(offsetof(UTF8Decoder_tD2359F0F52206B911EBC3222E627191C829F4C65, ___bits_6)); }
inline int32_t get_bits_6() const { return ___bits_6; }
inline int32_t* get_address_of_bits_6() { return &___bits_6; }
inline void set_bits_6(int32_t value)
{
___bits_6 = value;
}
};
// System.Text.UTF8Encoding/UTF8Encoder
struct UTF8Encoder_t3408DBF93D79A981F50954F660E33BA13FE29FD3 : public EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712
{
public:
// System.Int32 System.Text.UTF8Encoding/UTF8Encoder::surrogateChar
int32_t ___surrogateChar_7;
public:
inline static int32_t get_offset_of_surrogateChar_7() { return static_cast<int32_t>(offsetof(UTF8Encoder_t3408DBF93D79A981F50954F660E33BA13FE29FD3, ___surrogateChar_7)); }
inline int32_t get_surrogateChar_7() const { return ___surrogateChar_7; }
inline int32_t* get_address_of_surrogateChar_7() { return &___surrogateChar_7; }
inline void set_surrogateChar_7(int32_t value)
{
___surrogateChar_7 = value;
}
};
// System.Text.UnicodeEncoding/Decoder
struct Decoder_tC3DC16951ED8FCF98278FC7F0804070A9C218109 : public DecoderNLS_tE5B1B7D68B698C0B65FBEE94EAE2453FFD3D538A
{
public:
// System.Int32 System.Text.UnicodeEncoding/Decoder::lastByte
int32_t ___lastByte_6;
// System.Char System.Text.UnicodeEncoding/Decoder::lastChar
Il2CppChar ___lastChar_7;
public:
inline static int32_t get_offset_of_lastByte_6() { return static_cast<int32_t>(offsetof(Decoder_tC3DC16951ED8FCF98278FC7F0804070A9C218109, ___lastByte_6)); }
inline int32_t get_lastByte_6() const { return ___lastByte_6; }
inline int32_t* get_address_of_lastByte_6() { return &___lastByte_6; }
inline void set_lastByte_6(int32_t value)
{
___lastByte_6 = value;
}
inline static int32_t get_offset_of_lastChar_7() { return static_cast<int32_t>(offsetof(Decoder_tC3DC16951ED8FCF98278FC7F0804070A9C218109, ___lastChar_7)); }
inline Il2CppChar get_lastChar_7() const { return ___lastChar_7; }
inline Il2CppChar* get_address_of_lastChar_7() { return &___lastChar_7; }
inline void set_lastChar_7(Il2CppChar value)
{
___lastChar_7 = value;
}
};
// UnityEngine.Networking.UnityWebRequest/Result
struct Result_t3233C0F690EC3844C8E0C4649568659679AFBE75
{
public:
// System.Int32 UnityEngine.Networking.UnityWebRequest/Result::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Result_t3233C0F690EC3844C8E0C4649568659679AFBE75, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Networking.UnityWebRequest/UnityWebRequestError
struct UnityWebRequestError_t01C779C192877A58EBDB44371C42F9A5831EB9F6
{
public:
// System.Int32 UnityEngine.Networking.UnityWebRequest/UnityWebRequestError::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UnityWebRequestError_t01C779C192877A58EBDB44371C42F9A5831EB9F6, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.Networking.UnityWebRequest/UnityWebRequestMethod
struct UnityWebRequestMethod_tF538D9A75B76FFC81710E65697E38C1B12E4F7E5
{
public:
// System.Int32 UnityEngine.Networking.UnityWebRequest/UnityWebRequestMethod::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UnityWebRequestMethod_tF538D9A75B76FFC81710E65697E38C1B12E4F7E5, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Uri/Check
struct Check_tEDA05554030AFFE9920C7E4C2233599B26DA74E8
{
public:
// System.Int32 System.Uri/Check::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Check_tEDA05554030AFFE9920C7E4C2233599B26DA74E8, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// System.Uri/Flags
struct Flags_t72C622DF5C3ED762F55AB36EC2CCDDF3AF56B8D4
{
public:
// System.UInt64 System.Uri/Flags::value__
uint64_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Flags_t72C622DF5C3ED762F55AB36EC2CCDDF3AF56B8D4, ___value___2)); }
inline uint64_t get_value___2() const { return ___value___2; }
inline uint64_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(uint64_t value)
{
___value___2 = value;
}
};
// System.Uri/UriInfo
struct UriInfo_tCB2302A896132D1F70E47C3895FAB9A0F2A6EE45 : public RuntimeObject
{
public:
// System.String System.Uri/UriInfo::Host
String_t* ___Host_0;
// System.String System.Uri/UriInfo::ScopeId
String_t* ___ScopeId_1;
// System.String System.Uri/UriInfo::String
String_t* ___String_2;
// System.Uri/Offset System.Uri/UriInfo::Offset
Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5 ___Offset_3;
// System.String System.Uri/UriInfo::DnsSafeHost
String_t* ___DnsSafeHost_4;
// System.Uri/MoreInfo System.Uri/UriInfo::MoreInfo
MoreInfo_t15D42286ECE8DAD0B0FE9CDC1291109300C3E727 * ___MoreInfo_5;
public:
inline static int32_t get_offset_of_Host_0() { return static_cast<int32_t>(offsetof(UriInfo_tCB2302A896132D1F70E47C3895FAB9A0F2A6EE45, ___Host_0)); }
inline String_t* get_Host_0() const { return ___Host_0; }
inline String_t** get_address_of_Host_0() { return &___Host_0; }
inline void set_Host_0(String_t* value)
{
___Host_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Host_0), (void*)value);
}
inline static int32_t get_offset_of_ScopeId_1() { return static_cast<int32_t>(offsetof(UriInfo_tCB2302A896132D1F70E47C3895FAB9A0F2A6EE45, ___ScopeId_1)); }
inline String_t* get_ScopeId_1() const { return ___ScopeId_1; }
inline String_t** get_address_of_ScopeId_1() { return &___ScopeId_1; }
inline void set_ScopeId_1(String_t* value)
{
___ScopeId_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ScopeId_1), (void*)value);
}
inline static int32_t get_offset_of_String_2() { return static_cast<int32_t>(offsetof(UriInfo_tCB2302A896132D1F70E47C3895FAB9A0F2A6EE45, ___String_2)); }
inline String_t* get_String_2() const { return ___String_2; }
inline String_t** get_address_of_String_2() { return &___String_2; }
inline void set_String_2(String_t* value)
{
___String_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___String_2), (void*)value);
}
inline static int32_t get_offset_of_Offset_3() { return static_cast<int32_t>(offsetof(UriInfo_tCB2302A896132D1F70E47C3895FAB9A0F2A6EE45, ___Offset_3)); }
inline Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5 get_Offset_3() const { return ___Offset_3; }
inline Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5 * get_address_of_Offset_3() { return &___Offset_3; }
inline void set_Offset_3(Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5 value)
{
___Offset_3 = value;
}
inline static int32_t get_offset_of_DnsSafeHost_4() { return static_cast<int32_t>(offsetof(UriInfo_tCB2302A896132D1F70E47C3895FAB9A0F2A6EE45, ___DnsSafeHost_4)); }
inline String_t* get_DnsSafeHost_4() const { return ___DnsSafeHost_4; }
inline String_t** get_address_of_DnsSafeHost_4() { return &___DnsSafeHost_4; }
inline void set_DnsSafeHost_4(String_t* value)
{
___DnsSafeHost_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DnsSafeHost_4), (void*)value);
}
inline static int32_t get_offset_of_MoreInfo_5() { return static_cast<int32_t>(offsetof(UriInfo_tCB2302A896132D1F70E47C3895FAB9A0F2A6EE45, ___MoreInfo_5)); }
inline MoreInfo_t15D42286ECE8DAD0B0FE9CDC1291109300C3E727 * get_MoreInfo_5() const { return ___MoreInfo_5; }
inline MoreInfo_t15D42286ECE8DAD0B0FE9CDC1291109300C3E727 ** get_address_of_MoreInfo_5() { return &___MoreInfo_5; }
inline void set_MoreInfo_5(MoreInfo_t15D42286ECE8DAD0B0FE9CDC1291109300C3E727 * value)
{
___MoreInfo_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___MoreInfo_5), (void*)value);
}
};
// System.UriParser/UriQuirksVersion
struct UriQuirksVersion_t5A2A88A1D01D0CBC52BC12C612CC1A7F714E79B6
{
public:
// System.Int32 System.UriParser/UriQuirksVersion::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(UriQuirksVersion_t5A2A88A1D01D0CBC52BC12C612CC1A7F714E79B6, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRAnchorSubsystem/Provider
struct Provider_t9F286D20EB73EBBA4B6E7203C7A9051BE673C2E2 : public SubsystemProvider_1_t302358330269847780327C2298A4FFA7D79AF2BF
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRCameraSubsystem/Provider
struct Provider_t55916B0D2766C320DCA36A0C870BA2FD80F8B6D1 : public SubsystemProvider_1_t3B6396AEE76B5D8268802608E3593AA3D48DB307
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRCpuImage/AsyncConversionStatus
struct AsyncConversionStatus_t94171EDB7E6E25979DFCEF01F7B6EA6B8A5DAD42
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.XRCpuImage/AsyncConversionStatus::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(AsyncConversionStatus_t94171EDB7E6E25979DFCEF01F7B6EA6B8A5DAD42, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRCpuImage/Format
struct Format_tC8D4CDE6941B0CAE3E1C07EC826E7E253846168A
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.XRCpuImage/Format::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Format_tC8D4CDE6941B0CAE3E1C07EC826E7E253846168A, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRCpuImage/Transformation
struct Transformation_t5812B66180F359977F76AB67CC9E923CF0B55938
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.XRCpuImage/Transformation::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Transformation_t5812B66180F359977F76AB67CC9E923CF0B55938, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRDepthSubsystem/Provider
struct Provider_t8E88C17A70269CD3E96909AFCCA952AAA7DEC0B6 : public SubsystemProvider_1_tBB539901FE99992CAA10A1EFDFA610E048498E98
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor/Capabilities
struct Capabilities_t6199DDFE580DA802DBAEC0155BA1C345525286CC
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor/Capabilities::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Capabilities_t6199DDFE580DA802DBAEC0155BA1C345525286CC, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.XRDisplaySubsystem/XRMirrorViewBlitDesc
struct XRMirrorViewBlitDesc_t3BD136F0BF088017ABB0EF1856191541211848A5
{
public:
// System.IntPtr UnityEngine.XR.XRDisplaySubsystem/XRMirrorViewBlitDesc::displaySubsystemInstance
intptr_t ___displaySubsystemInstance_0;
// System.Boolean UnityEngine.XR.XRDisplaySubsystem/XRMirrorViewBlitDesc::nativeBlitAvailable
bool ___nativeBlitAvailable_1;
// System.Boolean UnityEngine.XR.XRDisplaySubsystem/XRMirrorViewBlitDesc::nativeBlitInvalidStates
bool ___nativeBlitInvalidStates_2;
// System.Int32 UnityEngine.XR.XRDisplaySubsystem/XRMirrorViewBlitDesc::blitParamsCount
int32_t ___blitParamsCount_3;
public:
inline static int32_t get_offset_of_displaySubsystemInstance_0() { return static_cast<int32_t>(offsetof(XRMirrorViewBlitDesc_t3BD136F0BF088017ABB0EF1856191541211848A5, ___displaySubsystemInstance_0)); }
inline intptr_t get_displaySubsystemInstance_0() const { return ___displaySubsystemInstance_0; }
inline intptr_t* get_address_of_displaySubsystemInstance_0() { return &___displaySubsystemInstance_0; }
inline void set_displaySubsystemInstance_0(intptr_t value)
{
___displaySubsystemInstance_0 = value;
}
inline static int32_t get_offset_of_nativeBlitAvailable_1() { return static_cast<int32_t>(offsetof(XRMirrorViewBlitDesc_t3BD136F0BF088017ABB0EF1856191541211848A5, ___nativeBlitAvailable_1)); }
inline bool get_nativeBlitAvailable_1() const { return ___nativeBlitAvailable_1; }
inline bool* get_address_of_nativeBlitAvailable_1() { return &___nativeBlitAvailable_1; }
inline void set_nativeBlitAvailable_1(bool value)
{
___nativeBlitAvailable_1 = value;
}
inline static int32_t get_offset_of_nativeBlitInvalidStates_2() { return static_cast<int32_t>(offsetof(XRMirrorViewBlitDesc_t3BD136F0BF088017ABB0EF1856191541211848A5, ___nativeBlitInvalidStates_2)); }
inline bool get_nativeBlitInvalidStates_2() const { return ___nativeBlitInvalidStates_2; }
inline bool* get_address_of_nativeBlitInvalidStates_2() { return &___nativeBlitInvalidStates_2; }
inline void set_nativeBlitInvalidStates_2(bool value)
{
___nativeBlitInvalidStates_2 = value;
}
inline static int32_t get_offset_of_blitParamsCount_3() { return static_cast<int32_t>(offsetof(XRMirrorViewBlitDesc_t3BD136F0BF088017ABB0EF1856191541211848A5, ___blitParamsCount_3)); }
inline int32_t get_blitParamsCount_3() const { return ___blitParamsCount_3; }
inline int32_t* get_address_of_blitParamsCount_3() { return &___blitParamsCount_3; }
inline void set_blitParamsCount_3(int32_t value)
{
___blitParamsCount_3 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.XRDisplaySubsystem/XRMirrorViewBlitDesc
struct XRMirrorViewBlitDesc_t3BD136F0BF088017ABB0EF1856191541211848A5_marshaled_pinvoke
{
intptr_t ___displaySubsystemInstance_0;
int32_t ___nativeBlitAvailable_1;
int32_t ___nativeBlitInvalidStates_2;
int32_t ___blitParamsCount_3;
};
// Native definition for COM marshalling of UnityEngine.XR.XRDisplaySubsystem/XRMirrorViewBlitDesc
struct XRMirrorViewBlitDesc_t3BD136F0BF088017ABB0EF1856191541211848A5_marshaled_com
{
intptr_t ___displaySubsystemInstance_0;
int32_t ___nativeBlitAvailable_1;
int32_t ___nativeBlitInvalidStates_2;
int32_t ___blitParamsCount_3;
};
// UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystem/Provider
struct Provider_tAF87FE3E906FDBF14F06488A1AA5E80400EFE190 : public SubsystemProvider_1_tC3DB99A11F9F3210CE2ABA9FE09C127C5B13FF80
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRFaceMesh/Attributes
struct Attributes_tD47C14745EB853AB5A128A56544CF6C1BC670186
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.XRFaceMesh/Attributes::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Attributes_tD47C14745EB853AB5A128A56544CF6C1BC670186, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRFaceSubsystem/Provider
struct Provider_t0133E0DB4F1A68EB3D4814F63B14456832E3EAE7 : public SubsystemProvider_1_t23EADEE126E953AEBF796C02B50539998EA56B78
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.XRFaceSubsystem/Provider::m_RequestedMaximumFaceCount
int32_t ___m_RequestedMaximumFaceCount_1;
public:
inline static int32_t get_offset_of_m_RequestedMaximumFaceCount_1() { return static_cast<int32_t>(offsetof(Provider_t0133E0DB4F1A68EB3D4814F63B14456832E3EAE7, ___m_RequestedMaximumFaceCount_1)); }
inline int32_t get_m_RequestedMaximumFaceCount_1() const { return ___m_RequestedMaximumFaceCount_1; }
inline int32_t* get_address_of_m_RequestedMaximumFaceCount_1() { return &___m_RequestedMaximumFaceCount_1; }
inline void set_m_RequestedMaximumFaceCount_1(int32_t value)
{
___m_RequestedMaximumFaceCount_1 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRHumanBodySubsystem/Provider
struct Provider_t055C90C34B2BCE8D134DF44C12823E320519168C : public SubsystemProvider_1_tBF37BFFB47314B7D87E24F4C4903C90930C0302C
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystem/Provider
struct Provider_tA7CEF856C3BC486ADEBD656F5535E24262AAAE9E : public SubsystemProvider_1_t3086BC462E1384FBB8137E64FA6C513FC002E440
{
public:
public:
};
// UnityEngine.XR.Management.XRManagerSettings/<InitializeLoader>d__24
struct U3CInitializeLoaderU3Ed__24_tBE52372328AAFF3147B0E3361196652E33780D08 : public RuntimeObject
{
public:
// System.Int32 UnityEngine.XR.Management.XRManagerSettings/<InitializeLoader>d__24::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Object UnityEngine.XR.Management.XRManagerSettings/<InitializeLoader>d__24::<>2__current
RuntimeObject * ___U3CU3E2__current_1;
// UnityEngine.XR.Management.XRManagerSettings UnityEngine.XR.Management.XRManagerSettings/<InitializeLoader>d__24::<>4__this
XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F * ___U3CU3E4__this_2;
// System.Collections.Generic.List`1/Enumerator<UnityEngine.XR.Management.XRLoader> UnityEngine.XR.Management.XRManagerSettings/<InitializeLoader>d__24::<>7__wrap1
Enumerator_t5E925E051A8E0B9BEF75F1250A9B42E275E89FCF ___U3CU3E7__wrap1_3;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CInitializeLoaderU3Ed__24_tBE52372328AAFF3147B0E3361196652E33780D08, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CInitializeLoaderU3Ed__24_tBE52372328AAFF3147B0E3361196652E33780D08, ___U3CU3E2__current_1)); }
inline RuntimeObject * get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline RuntimeObject ** get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(RuntimeObject * value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E2__current_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E4__this_2() { return static_cast<int32_t>(offsetof(U3CInitializeLoaderU3Ed__24_tBE52372328AAFF3147B0E3361196652E33780D08, ___U3CU3E4__this_2)); }
inline XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F * get_U3CU3E4__this_2() const { return ___U3CU3E4__this_2; }
inline XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F ** get_address_of_U3CU3E4__this_2() { return &___U3CU3E4__this_2; }
inline void set_U3CU3E4__this_2(XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F * value)
{
___U3CU3E4__this_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_2), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E7__wrap1_3() { return static_cast<int32_t>(offsetof(U3CInitializeLoaderU3Ed__24_tBE52372328AAFF3147B0E3361196652E33780D08, ___U3CU3E7__wrap1_3)); }
inline Enumerator_t5E925E051A8E0B9BEF75F1250A9B42E275E89FCF get_U3CU3E7__wrap1_3() const { return ___U3CU3E7__wrap1_3; }
inline Enumerator_t5E925E051A8E0B9BEF75F1250A9B42E275E89FCF * get_address_of_U3CU3E7__wrap1_3() { return &___U3CU3E7__wrap1_3; }
inline void set_U3CU3E7__wrap1_3(Enumerator_t5E925E051A8E0B9BEF75F1250A9B42E275E89FCF value)
{
___U3CU3E7__wrap1_3 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CU3E7__wrap1_3))->___list_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CU3E7__wrap1_3))->___current_3), (void*)NULL);
#endif
}
};
// UnityEngine.XR.ARSubsystems.XRObjectTrackingSubsystem/Provider
struct Provider_t35977A2A0AA6C338BC9893668DD32F0294A9C01E : public SubsystemProvider_1_t71FE677A1A2F32123FE4C7868D5943892028AE12
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XROcclusionSubsystem/Provider
struct Provider_t5B60C630FB68EFEAB6FA2F3D9A732C144003B7FB : public SubsystemProvider_1_t57D5C398A7A30AC3C3674CA126FAE612BC00F597
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRParticipantSubsystem/Provider
struct Provider_t1D0BC515976D24FD30341AC456ACFCB2DE4A344E : public SubsystemProvider_1_t3D6D4D936F16F3264F75D1BAB46A4A398F18F204
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRParticipantSubsystemDescriptor/Capabilities
struct Capabilities_t9DF0D3D327C4E491811A4DFCF21EBD355596C4D0
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.XRParticipantSubsystemDescriptor/Capabilities::value__
int32_t ___value___2;
public:
inline static int32_t get_offset_of_value___2() { return static_cast<int32_t>(offsetof(Capabilities_t9DF0D3D327C4E491811A4DFCF21EBD355596C4D0, ___value___2)); }
inline int32_t get_value___2() const { return ___value___2; }
inline int32_t* get_address_of_value___2() { return &___value___2; }
inline void set_value___2(int32_t value)
{
___value___2 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRPlaneSubsystem/Provider
struct Provider_t6CB5B1036B0AAED1379F3828D695A6942B72BA12 : public SubsystemProvider_1_tF2F3B0C041BDD07A00CD49B25AE6016B61F24816
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRRaycastSubsystem/Provider
struct Provider_tF185BE0541D2066CD242583CEFE7709DD22DD227 : public SubsystemProvider_1_t7ACBE98539B067B19E2D5BCC2B852277F4A38875
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRReferencePointSubsystem/Provider
struct Provider_t7974F3BD624EC305575E361EE0BCAAA3DC5B253C : public SubsystemProvider_1_tA41ABDAA9644A18E81CC750DE7DDEA8EB6088742
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRSessionSubsystem/Provider
struct Provider_t4C3675997BB8AF3A6A32C3EC3C93C10E4D3E8D1A : public SubsystemProvider_1_tFA56F133FD9BCE90A1C4C7D15FFE2571963D8DE4
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem/PartialCharEnumerator/<GetEnumerator>d__4
struct U3CGetEnumeratorU3Ed__4_t2745D8C980B737DDBE34EFF2B6223971CD949865 : public RuntimeObject
{
public:
// System.Int32 UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem/PartialCharEnumerator/<GetEnumerator>d__4::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Char UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem/PartialCharEnumerator/<GetEnumerator>d__4::<>2__current
Il2CppChar ___U3CU3E2__current_1;
// UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem/PartialCharEnumerator UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem/PartialCharEnumerator/<GetEnumerator>d__4::<>4__this
PartialCharEnumerator_tFF688D7D308D094A1CF656C5B83CD77765351586 ___U3CU3E4__this_2;
// System.Int32 UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem/PartialCharEnumerator/<GetEnumerator>d__4::<i>5__2
int32_t ___U3CiU3E5__2_3;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CGetEnumeratorU3Ed__4_t2745D8C980B737DDBE34EFF2B6223971CD949865, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CGetEnumeratorU3Ed__4_t2745D8C980B737DDBE34EFF2B6223971CD949865, ___U3CU3E2__current_1)); }
inline Il2CppChar get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline Il2CppChar* get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(Il2CppChar value)
{
___U3CU3E2__current_1 = value;
}
inline static int32_t get_offset_of_U3CU3E4__this_2() { return static_cast<int32_t>(offsetof(U3CGetEnumeratorU3Ed__4_t2745D8C980B737DDBE34EFF2B6223971CD949865, ___U3CU3E4__this_2)); }
inline PartialCharEnumerator_tFF688D7D308D094A1CF656C5B83CD77765351586 get_U3CU3E4__this_2() const { return ___U3CU3E4__this_2; }
inline PartialCharEnumerator_tFF688D7D308D094A1CF656C5B83CD77765351586 * get_address_of_U3CU3E4__this_2() { return &___U3CU3E4__this_2; }
inline void set_U3CU3E4__this_2(PartialCharEnumerator_tFF688D7D308D094A1CF656C5B83CD77765351586 value)
{
___U3CU3E4__this_2 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CU3E4__this_2))->___m_BaseString_0), (void*)NULL);
}
inline static int32_t get_offset_of_U3CiU3E5__2_3() { return static_cast<int32_t>(offsetof(U3CGetEnumeratorU3Ed__4_t2745D8C980B737DDBE34EFF2B6223971CD949865, ___U3CiU3E5__2_3)); }
inline int32_t get_U3CiU3E5__2_3() const { return ___U3CiU3E5__2_3; }
inline int32_t* get_address_of_U3CiU3E5__2_3() { return &___U3CiU3E5__2_3; }
inline void set_U3CiU3E5__2_3(int32_t value)
{
___U3CiU3E5__2_3 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRCpuImage/Plane/Cinfo
struct Cinfo_t11C577CFE4A1D91F887A6423F6D1350DA45CA5FC
{
public:
// System.IntPtr UnityEngine.XR.ARSubsystems.XRCpuImage/Plane/Cinfo::m_DataPtr
intptr_t ___m_DataPtr_0;
// System.Int32 UnityEngine.XR.ARSubsystems.XRCpuImage/Plane/Cinfo::m_DataLength
int32_t ___m_DataLength_1;
// System.Int32 UnityEngine.XR.ARSubsystems.XRCpuImage/Plane/Cinfo::m_RowStride
int32_t ___m_RowStride_2;
// System.Int32 UnityEngine.XR.ARSubsystems.XRCpuImage/Plane/Cinfo::m_PixelStride
int32_t ___m_PixelStride_3;
public:
inline static int32_t get_offset_of_m_DataPtr_0() { return static_cast<int32_t>(offsetof(Cinfo_t11C577CFE4A1D91F887A6423F6D1350DA45CA5FC, ___m_DataPtr_0)); }
inline intptr_t get_m_DataPtr_0() const { return ___m_DataPtr_0; }
inline intptr_t* get_address_of_m_DataPtr_0() { return &___m_DataPtr_0; }
inline void set_m_DataPtr_0(intptr_t value)
{
___m_DataPtr_0 = value;
}
inline static int32_t get_offset_of_m_DataLength_1() { return static_cast<int32_t>(offsetof(Cinfo_t11C577CFE4A1D91F887A6423F6D1350DA45CA5FC, ___m_DataLength_1)); }
inline int32_t get_m_DataLength_1() const { return ___m_DataLength_1; }
inline int32_t* get_address_of_m_DataLength_1() { return &___m_DataLength_1; }
inline void set_m_DataLength_1(int32_t value)
{
___m_DataLength_1 = value;
}
inline static int32_t get_offset_of_m_RowStride_2() { return static_cast<int32_t>(offsetof(Cinfo_t11C577CFE4A1D91F887A6423F6D1350DA45CA5FC, ___m_RowStride_2)); }
inline int32_t get_m_RowStride_2() const { return ___m_RowStride_2; }
inline int32_t* get_address_of_m_RowStride_2() { return &___m_RowStride_2; }
inline void set_m_RowStride_2(int32_t value)
{
___m_RowStride_2 = value;
}
inline static int32_t get_offset_of_m_PixelStride_3() { return static_cast<int32_t>(offsetof(Cinfo_t11C577CFE4A1D91F887A6423F6D1350DA45CA5FC, ___m_PixelStride_3)); }
inline int32_t get_m_PixelStride_3() const { return ___m_PixelStride_3; }
inline int32_t* get_address_of_m_PixelStride_3() { return &___m_PixelStride_3; }
inline void set_m_PixelStride_3(int32_t value)
{
___m_PixelStride_3 = value;
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<System.Collections.Generic.IList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle>>
struct AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014 : public RuntimeObject
{
public:
// TObject UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::<Result>k__BackingField
RuntimeObject* ___U3CResultU3Ek__BackingField_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_referenceCount
int32_t ___m_referenceCount_1;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationStatus UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Status
int32_t ___m_Status_2;
// System.Exception UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Error
Exception_t * ___m_Error_3;
// UnityEngine.ResourceManagement.ResourceManager UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_RM
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * ___m_RM_4;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Version
int32_t ___m_Version_5;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_DestroyedAction
DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * ___m_DestroyedAction_6;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<TObject>> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_CompletedActionT
DelegateList_1_t938599D256D3D9A3207AC8C50DE44411FD04D7A7 * ___m_CompletedActionT_7;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.IAsyncOperation> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_OnDestroyAction
Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * ___m_OnDestroyAction_8;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_dependencyCompleteAction
Action_1_t6634F94209C51241AB52BDC921720558A925806B * ___m_dependencyCompleteAction_9;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::HasExecuted
bool ___HasExecuted_10;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::<IsRunning>k__BackingField
bool ___U3CIsRunningU3Ek__BackingField_11;
// System.Threading.EventWaitHandle UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_waitHandle
EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * ___m_waitHandle_12;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_InDeferredCallbackQueue
bool ___m_InDeferredCallbackQueue_13;
// DelegateList`1<System.Single> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_UpdateCallbacks
DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * ___m_UpdateCallbacks_14;
// System.Action`1<System.Single> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_UpdateCallback
Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * ___m_UpdateCallback_15;
public:
inline static int32_t get_offset_of_U3CResultU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014, ___U3CResultU3Ek__BackingField_0)); }
inline RuntimeObject* get_U3CResultU3Ek__BackingField_0() const { return ___U3CResultU3Ek__BackingField_0; }
inline RuntimeObject** get_address_of_U3CResultU3Ek__BackingField_0() { return &___U3CResultU3Ek__BackingField_0; }
inline void set_U3CResultU3Ek__BackingField_0(RuntimeObject* value)
{
___U3CResultU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CResultU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_m_referenceCount_1() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014, ___m_referenceCount_1)); }
inline int32_t get_m_referenceCount_1() const { return ___m_referenceCount_1; }
inline int32_t* get_address_of_m_referenceCount_1() { return &___m_referenceCount_1; }
inline void set_m_referenceCount_1(int32_t value)
{
___m_referenceCount_1 = value;
}
inline static int32_t get_offset_of_m_Status_2() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014, ___m_Status_2)); }
inline int32_t get_m_Status_2() const { return ___m_Status_2; }
inline int32_t* get_address_of_m_Status_2() { return &___m_Status_2; }
inline void set_m_Status_2(int32_t value)
{
___m_Status_2 = value;
}
inline static int32_t get_offset_of_m_Error_3() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014, ___m_Error_3)); }
inline Exception_t * get_m_Error_3() const { return ___m_Error_3; }
inline Exception_t ** get_address_of_m_Error_3() { return &___m_Error_3; }
inline void set_m_Error_3(Exception_t * value)
{
___m_Error_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Error_3), (void*)value);
}
inline static int32_t get_offset_of_m_RM_4() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014, ___m_RM_4)); }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * get_m_RM_4() const { return ___m_RM_4; }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 ** get_address_of_m_RM_4() { return &___m_RM_4; }
inline void set_m_RM_4(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * value)
{
___m_RM_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RM_4), (void*)value);
}
inline static int32_t get_offset_of_m_Version_5() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014, ___m_Version_5)); }
inline int32_t get_m_Version_5() const { return ___m_Version_5; }
inline int32_t* get_address_of_m_Version_5() { return &___m_Version_5; }
inline void set_m_Version_5(int32_t value)
{
___m_Version_5 = value;
}
inline static int32_t get_offset_of_m_DestroyedAction_6() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014, ___m_DestroyedAction_6)); }
inline DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * get_m_DestroyedAction_6() const { return ___m_DestroyedAction_6; }
inline DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 ** get_address_of_m_DestroyedAction_6() { return &___m_DestroyedAction_6; }
inline void set_m_DestroyedAction_6(DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * value)
{
___m_DestroyedAction_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DestroyedAction_6), (void*)value);
}
inline static int32_t get_offset_of_m_CompletedActionT_7() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014, ___m_CompletedActionT_7)); }
inline DelegateList_1_t938599D256D3D9A3207AC8C50DE44411FD04D7A7 * get_m_CompletedActionT_7() const { return ___m_CompletedActionT_7; }
inline DelegateList_1_t938599D256D3D9A3207AC8C50DE44411FD04D7A7 ** get_address_of_m_CompletedActionT_7() { return &___m_CompletedActionT_7; }
inline void set_m_CompletedActionT_7(DelegateList_1_t938599D256D3D9A3207AC8C50DE44411FD04D7A7 * value)
{
___m_CompletedActionT_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CompletedActionT_7), (void*)value);
}
inline static int32_t get_offset_of_m_OnDestroyAction_8() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014, ___m_OnDestroyAction_8)); }
inline Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * get_m_OnDestroyAction_8() const { return ___m_OnDestroyAction_8; }
inline Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D ** get_address_of_m_OnDestroyAction_8() { return &___m_OnDestroyAction_8; }
inline void set_m_OnDestroyAction_8(Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * value)
{
___m_OnDestroyAction_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnDestroyAction_8), (void*)value);
}
inline static int32_t get_offset_of_m_dependencyCompleteAction_9() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014, ___m_dependencyCompleteAction_9)); }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B * get_m_dependencyCompleteAction_9() const { return ___m_dependencyCompleteAction_9; }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B ** get_address_of_m_dependencyCompleteAction_9() { return &___m_dependencyCompleteAction_9; }
inline void set_m_dependencyCompleteAction_9(Action_1_t6634F94209C51241AB52BDC921720558A925806B * value)
{
___m_dependencyCompleteAction_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_dependencyCompleteAction_9), (void*)value);
}
inline static int32_t get_offset_of_HasExecuted_10() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014, ___HasExecuted_10)); }
inline bool get_HasExecuted_10() const { return ___HasExecuted_10; }
inline bool* get_address_of_HasExecuted_10() { return &___HasExecuted_10; }
inline void set_HasExecuted_10(bool value)
{
___HasExecuted_10 = value;
}
inline static int32_t get_offset_of_U3CIsRunningU3Ek__BackingField_11() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014, ___U3CIsRunningU3Ek__BackingField_11)); }
inline bool get_U3CIsRunningU3Ek__BackingField_11() const { return ___U3CIsRunningU3Ek__BackingField_11; }
inline bool* get_address_of_U3CIsRunningU3Ek__BackingField_11() { return &___U3CIsRunningU3Ek__BackingField_11; }
inline void set_U3CIsRunningU3Ek__BackingField_11(bool value)
{
___U3CIsRunningU3Ek__BackingField_11 = value;
}
inline static int32_t get_offset_of_m_waitHandle_12() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014, ___m_waitHandle_12)); }
inline EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * get_m_waitHandle_12() const { return ___m_waitHandle_12; }
inline EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C ** get_address_of_m_waitHandle_12() { return &___m_waitHandle_12; }
inline void set_m_waitHandle_12(EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * value)
{
___m_waitHandle_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_waitHandle_12), (void*)value);
}
inline static int32_t get_offset_of_m_InDeferredCallbackQueue_13() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014, ___m_InDeferredCallbackQueue_13)); }
inline bool get_m_InDeferredCallbackQueue_13() const { return ___m_InDeferredCallbackQueue_13; }
inline bool* get_address_of_m_InDeferredCallbackQueue_13() { return &___m_InDeferredCallbackQueue_13; }
inline void set_m_InDeferredCallbackQueue_13(bool value)
{
___m_InDeferredCallbackQueue_13 = value;
}
inline static int32_t get_offset_of_m_UpdateCallbacks_14() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014, ___m_UpdateCallbacks_14)); }
inline DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * get_m_UpdateCallbacks_14() const { return ___m_UpdateCallbacks_14; }
inline DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D ** get_address_of_m_UpdateCallbacks_14() { return &___m_UpdateCallbacks_14; }
inline void set_m_UpdateCallbacks_14(DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * value)
{
___m_UpdateCallbacks_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateCallbacks_14), (void*)value);
}
inline static int32_t get_offset_of_m_UpdateCallback_15() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014, ___m_UpdateCallback_15)); }
inline Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * get_m_UpdateCallback_15() const { return ___m_UpdateCallback_15; }
inline Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 ** get_address_of_m_UpdateCallback_15() { return &___m_UpdateCallback_15; }
inline void set_m_UpdateCallback_15(Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * value)
{
___m_UpdateCallback_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateCallback_15), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<System.Collections.Generic.IList`1<UnityEngine.ResourceManagement.ResourceLocations.IResourceLocation>>
struct AsyncOperationBase_1_tF0B78ADA86A71AB5A99C609AC1BC7FB1C767410B : public RuntimeObject
{
public:
// TObject UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::<Result>k__BackingField
RuntimeObject* ___U3CResultU3Ek__BackingField_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_referenceCount
int32_t ___m_referenceCount_1;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationStatus UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Status
int32_t ___m_Status_2;
// System.Exception UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Error
Exception_t * ___m_Error_3;
// UnityEngine.ResourceManagement.ResourceManager UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_RM
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * ___m_RM_4;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Version
int32_t ___m_Version_5;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_DestroyedAction
DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * ___m_DestroyedAction_6;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<TObject>> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_CompletedActionT
DelegateList_1_t4370C6E561DD94E4B574735CCC1114C26E1FAFAF * ___m_CompletedActionT_7;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.IAsyncOperation> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_OnDestroyAction
Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * ___m_OnDestroyAction_8;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_dependencyCompleteAction
Action_1_t6634F94209C51241AB52BDC921720558A925806B * ___m_dependencyCompleteAction_9;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::HasExecuted
bool ___HasExecuted_10;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::<IsRunning>k__BackingField
bool ___U3CIsRunningU3Ek__BackingField_11;
// System.Threading.EventWaitHandle UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_waitHandle
EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * ___m_waitHandle_12;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_InDeferredCallbackQueue
bool ___m_InDeferredCallbackQueue_13;
// DelegateList`1<System.Single> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_UpdateCallbacks
DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * ___m_UpdateCallbacks_14;
// System.Action`1<System.Single> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_UpdateCallback
Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * ___m_UpdateCallback_15;
public:
inline static int32_t get_offset_of_U3CResultU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tF0B78ADA86A71AB5A99C609AC1BC7FB1C767410B, ___U3CResultU3Ek__BackingField_0)); }
inline RuntimeObject* get_U3CResultU3Ek__BackingField_0() const { return ___U3CResultU3Ek__BackingField_0; }
inline RuntimeObject** get_address_of_U3CResultU3Ek__BackingField_0() { return &___U3CResultU3Ek__BackingField_0; }
inline void set_U3CResultU3Ek__BackingField_0(RuntimeObject* value)
{
___U3CResultU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CResultU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_m_referenceCount_1() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tF0B78ADA86A71AB5A99C609AC1BC7FB1C767410B, ___m_referenceCount_1)); }
inline int32_t get_m_referenceCount_1() const { return ___m_referenceCount_1; }
inline int32_t* get_address_of_m_referenceCount_1() { return &___m_referenceCount_1; }
inline void set_m_referenceCount_1(int32_t value)
{
___m_referenceCount_1 = value;
}
inline static int32_t get_offset_of_m_Status_2() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tF0B78ADA86A71AB5A99C609AC1BC7FB1C767410B, ___m_Status_2)); }
inline int32_t get_m_Status_2() const { return ___m_Status_2; }
inline int32_t* get_address_of_m_Status_2() { return &___m_Status_2; }
inline void set_m_Status_2(int32_t value)
{
___m_Status_2 = value;
}
inline static int32_t get_offset_of_m_Error_3() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tF0B78ADA86A71AB5A99C609AC1BC7FB1C767410B, ___m_Error_3)); }
inline Exception_t * get_m_Error_3() const { return ___m_Error_3; }
inline Exception_t ** get_address_of_m_Error_3() { return &___m_Error_3; }
inline void set_m_Error_3(Exception_t * value)
{
___m_Error_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Error_3), (void*)value);
}
inline static int32_t get_offset_of_m_RM_4() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tF0B78ADA86A71AB5A99C609AC1BC7FB1C767410B, ___m_RM_4)); }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * get_m_RM_4() const { return ___m_RM_4; }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 ** get_address_of_m_RM_4() { return &___m_RM_4; }
inline void set_m_RM_4(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * value)
{
___m_RM_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RM_4), (void*)value);
}
inline static int32_t get_offset_of_m_Version_5() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tF0B78ADA86A71AB5A99C609AC1BC7FB1C767410B, ___m_Version_5)); }
inline int32_t get_m_Version_5() const { return ___m_Version_5; }
inline int32_t* get_address_of_m_Version_5() { return &___m_Version_5; }
inline void set_m_Version_5(int32_t value)
{
___m_Version_5 = value;
}
inline static int32_t get_offset_of_m_DestroyedAction_6() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tF0B78ADA86A71AB5A99C609AC1BC7FB1C767410B, ___m_DestroyedAction_6)); }
inline DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * get_m_DestroyedAction_6() const { return ___m_DestroyedAction_6; }
inline DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 ** get_address_of_m_DestroyedAction_6() { return &___m_DestroyedAction_6; }
inline void set_m_DestroyedAction_6(DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * value)
{
___m_DestroyedAction_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DestroyedAction_6), (void*)value);
}
inline static int32_t get_offset_of_m_CompletedActionT_7() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tF0B78ADA86A71AB5A99C609AC1BC7FB1C767410B, ___m_CompletedActionT_7)); }
inline DelegateList_1_t4370C6E561DD94E4B574735CCC1114C26E1FAFAF * get_m_CompletedActionT_7() const { return ___m_CompletedActionT_7; }
inline DelegateList_1_t4370C6E561DD94E4B574735CCC1114C26E1FAFAF ** get_address_of_m_CompletedActionT_7() { return &___m_CompletedActionT_7; }
inline void set_m_CompletedActionT_7(DelegateList_1_t4370C6E561DD94E4B574735CCC1114C26E1FAFAF * value)
{
___m_CompletedActionT_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CompletedActionT_7), (void*)value);
}
inline static int32_t get_offset_of_m_OnDestroyAction_8() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tF0B78ADA86A71AB5A99C609AC1BC7FB1C767410B, ___m_OnDestroyAction_8)); }
inline Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * get_m_OnDestroyAction_8() const { return ___m_OnDestroyAction_8; }
inline Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D ** get_address_of_m_OnDestroyAction_8() { return &___m_OnDestroyAction_8; }
inline void set_m_OnDestroyAction_8(Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * value)
{
___m_OnDestroyAction_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnDestroyAction_8), (void*)value);
}
inline static int32_t get_offset_of_m_dependencyCompleteAction_9() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tF0B78ADA86A71AB5A99C609AC1BC7FB1C767410B, ___m_dependencyCompleteAction_9)); }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B * get_m_dependencyCompleteAction_9() const { return ___m_dependencyCompleteAction_9; }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B ** get_address_of_m_dependencyCompleteAction_9() { return &___m_dependencyCompleteAction_9; }
inline void set_m_dependencyCompleteAction_9(Action_1_t6634F94209C51241AB52BDC921720558A925806B * value)
{
___m_dependencyCompleteAction_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_dependencyCompleteAction_9), (void*)value);
}
inline static int32_t get_offset_of_HasExecuted_10() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tF0B78ADA86A71AB5A99C609AC1BC7FB1C767410B, ___HasExecuted_10)); }
inline bool get_HasExecuted_10() const { return ___HasExecuted_10; }
inline bool* get_address_of_HasExecuted_10() { return &___HasExecuted_10; }
inline void set_HasExecuted_10(bool value)
{
___HasExecuted_10 = value;
}
inline static int32_t get_offset_of_U3CIsRunningU3Ek__BackingField_11() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tF0B78ADA86A71AB5A99C609AC1BC7FB1C767410B, ___U3CIsRunningU3Ek__BackingField_11)); }
inline bool get_U3CIsRunningU3Ek__BackingField_11() const { return ___U3CIsRunningU3Ek__BackingField_11; }
inline bool* get_address_of_U3CIsRunningU3Ek__BackingField_11() { return &___U3CIsRunningU3Ek__BackingField_11; }
inline void set_U3CIsRunningU3Ek__BackingField_11(bool value)
{
___U3CIsRunningU3Ek__BackingField_11 = value;
}
inline static int32_t get_offset_of_m_waitHandle_12() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tF0B78ADA86A71AB5A99C609AC1BC7FB1C767410B, ___m_waitHandle_12)); }
inline EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * get_m_waitHandle_12() const { return ___m_waitHandle_12; }
inline EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C ** get_address_of_m_waitHandle_12() { return &___m_waitHandle_12; }
inline void set_m_waitHandle_12(EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * value)
{
___m_waitHandle_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_waitHandle_12), (void*)value);
}
inline static int32_t get_offset_of_m_InDeferredCallbackQueue_13() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tF0B78ADA86A71AB5A99C609AC1BC7FB1C767410B, ___m_InDeferredCallbackQueue_13)); }
inline bool get_m_InDeferredCallbackQueue_13() const { return ___m_InDeferredCallbackQueue_13; }
inline bool* get_address_of_m_InDeferredCallbackQueue_13() { return &___m_InDeferredCallbackQueue_13; }
inline void set_m_InDeferredCallbackQueue_13(bool value)
{
___m_InDeferredCallbackQueue_13 = value;
}
inline static int32_t get_offset_of_m_UpdateCallbacks_14() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tF0B78ADA86A71AB5A99C609AC1BC7FB1C767410B, ___m_UpdateCallbacks_14)); }
inline DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * get_m_UpdateCallbacks_14() const { return ___m_UpdateCallbacks_14; }
inline DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D ** get_address_of_m_UpdateCallbacks_14() { return &___m_UpdateCallbacks_14; }
inline void set_m_UpdateCallbacks_14(DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * value)
{
___m_UpdateCallbacks_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateCallbacks_14), (void*)value);
}
inline static int32_t get_offset_of_m_UpdateCallback_15() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tF0B78ADA86A71AB5A99C609AC1BC7FB1C767410B, ___m_UpdateCallback_15)); }
inline Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * get_m_UpdateCallback_15() const { return ___m_UpdateCallback_15; }
inline Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 ** get_address_of_m_UpdateCallback_15() { return &___m_UpdateCallback_15; }
inline void set_m_UpdateCallback_15(Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * value)
{
___m_UpdateCallback_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateCallback_15), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<System.Boolean>
struct AsyncOperationBase_1_tDFA3FD5BE5B06161B2832AF342050591DB171B7C : public RuntimeObject
{
public:
// TObject UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::<Result>k__BackingField
bool ___U3CResultU3Ek__BackingField_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_referenceCount
int32_t ___m_referenceCount_1;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationStatus UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Status
int32_t ___m_Status_2;
// System.Exception UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Error
Exception_t * ___m_Error_3;
// UnityEngine.ResourceManagement.ResourceManager UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_RM
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * ___m_RM_4;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Version
int32_t ___m_Version_5;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_DestroyedAction
DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * ___m_DestroyedAction_6;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<TObject>> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_CompletedActionT
DelegateList_1_t7C6B5AA750A2379160BF0B0D649325C220A3F4F5 * ___m_CompletedActionT_7;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.IAsyncOperation> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_OnDestroyAction
Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * ___m_OnDestroyAction_8;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_dependencyCompleteAction
Action_1_t6634F94209C51241AB52BDC921720558A925806B * ___m_dependencyCompleteAction_9;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::HasExecuted
bool ___HasExecuted_10;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::<IsRunning>k__BackingField
bool ___U3CIsRunningU3Ek__BackingField_11;
// System.Threading.EventWaitHandle UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_waitHandle
EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * ___m_waitHandle_12;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_InDeferredCallbackQueue
bool ___m_InDeferredCallbackQueue_13;
// DelegateList`1<System.Single> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_UpdateCallbacks
DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * ___m_UpdateCallbacks_14;
// System.Action`1<System.Single> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_UpdateCallback
Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * ___m_UpdateCallback_15;
public:
inline static int32_t get_offset_of_U3CResultU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tDFA3FD5BE5B06161B2832AF342050591DB171B7C, ___U3CResultU3Ek__BackingField_0)); }
inline bool get_U3CResultU3Ek__BackingField_0() const { return ___U3CResultU3Ek__BackingField_0; }
inline bool* get_address_of_U3CResultU3Ek__BackingField_0() { return &___U3CResultU3Ek__BackingField_0; }
inline void set_U3CResultU3Ek__BackingField_0(bool value)
{
___U3CResultU3Ek__BackingField_0 = value;
}
inline static int32_t get_offset_of_m_referenceCount_1() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tDFA3FD5BE5B06161B2832AF342050591DB171B7C, ___m_referenceCount_1)); }
inline int32_t get_m_referenceCount_1() const { return ___m_referenceCount_1; }
inline int32_t* get_address_of_m_referenceCount_1() { return &___m_referenceCount_1; }
inline void set_m_referenceCount_1(int32_t value)
{
___m_referenceCount_1 = value;
}
inline static int32_t get_offset_of_m_Status_2() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tDFA3FD5BE5B06161B2832AF342050591DB171B7C, ___m_Status_2)); }
inline int32_t get_m_Status_2() const { return ___m_Status_2; }
inline int32_t* get_address_of_m_Status_2() { return &___m_Status_2; }
inline void set_m_Status_2(int32_t value)
{
___m_Status_2 = value;
}
inline static int32_t get_offset_of_m_Error_3() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tDFA3FD5BE5B06161B2832AF342050591DB171B7C, ___m_Error_3)); }
inline Exception_t * get_m_Error_3() const { return ___m_Error_3; }
inline Exception_t ** get_address_of_m_Error_3() { return &___m_Error_3; }
inline void set_m_Error_3(Exception_t * value)
{
___m_Error_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Error_3), (void*)value);
}
inline static int32_t get_offset_of_m_RM_4() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tDFA3FD5BE5B06161B2832AF342050591DB171B7C, ___m_RM_4)); }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * get_m_RM_4() const { return ___m_RM_4; }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 ** get_address_of_m_RM_4() { return &___m_RM_4; }
inline void set_m_RM_4(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * value)
{
___m_RM_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RM_4), (void*)value);
}
inline static int32_t get_offset_of_m_Version_5() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tDFA3FD5BE5B06161B2832AF342050591DB171B7C, ___m_Version_5)); }
inline int32_t get_m_Version_5() const { return ___m_Version_5; }
inline int32_t* get_address_of_m_Version_5() { return &___m_Version_5; }
inline void set_m_Version_5(int32_t value)
{
___m_Version_5 = value;
}
inline static int32_t get_offset_of_m_DestroyedAction_6() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tDFA3FD5BE5B06161B2832AF342050591DB171B7C, ___m_DestroyedAction_6)); }
inline DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * get_m_DestroyedAction_6() const { return ___m_DestroyedAction_6; }
inline DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 ** get_address_of_m_DestroyedAction_6() { return &___m_DestroyedAction_6; }
inline void set_m_DestroyedAction_6(DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * value)
{
___m_DestroyedAction_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DestroyedAction_6), (void*)value);
}
inline static int32_t get_offset_of_m_CompletedActionT_7() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tDFA3FD5BE5B06161B2832AF342050591DB171B7C, ___m_CompletedActionT_7)); }
inline DelegateList_1_t7C6B5AA750A2379160BF0B0D649325C220A3F4F5 * get_m_CompletedActionT_7() const { return ___m_CompletedActionT_7; }
inline DelegateList_1_t7C6B5AA750A2379160BF0B0D649325C220A3F4F5 ** get_address_of_m_CompletedActionT_7() { return &___m_CompletedActionT_7; }
inline void set_m_CompletedActionT_7(DelegateList_1_t7C6B5AA750A2379160BF0B0D649325C220A3F4F5 * value)
{
___m_CompletedActionT_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CompletedActionT_7), (void*)value);
}
inline static int32_t get_offset_of_m_OnDestroyAction_8() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tDFA3FD5BE5B06161B2832AF342050591DB171B7C, ___m_OnDestroyAction_8)); }
inline Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * get_m_OnDestroyAction_8() const { return ___m_OnDestroyAction_8; }
inline Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D ** get_address_of_m_OnDestroyAction_8() { return &___m_OnDestroyAction_8; }
inline void set_m_OnDestroyAction_8(Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * value)
{
___m_OnDestroyAction_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnDestroyAction_8), (void*)value);
}
inline static int32_t get_offset_of_m_dependencyCompleteAction_9() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tDFA3FD5BE5B06161B2832AF342050591DB171B7C, ___m_dependencyCompleteAction_9)); }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B * get_m_dependencyCompleteAction_9() const { return ___m_dependencyCompleteAction_9; }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B ** get_address_of_m_dependencyCompleteAction_9() { return &___m_dependencyCompleteAction_9; }
inline void set_m_dependencyCompleteAction_9(Action_1_t6634F94209C51241AB52BDC921720558A925806B * value)
{
___m_dependencyCompleteAction_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_dependencyCompleteAction_9), (void*)value);
}
inline static int32_t get_offset_of_HasExecuted_10() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tDFA3FD5BE5B06161B2832AF342050591DB171B7C, ___HasExecuted_10)); }
inline bool get_HasExecuted_10() const { return ___HasExecuted_10; }
inline bool* get_address_of_HasExecuted_10() { return &___HasExecuted_10; }
inline void set_HasExecuted_10(bool value)
{
___HasExecuted_10 = value;
}
inline static int32_t get_offset_of_U3CIsRunningU3Ek__BackingField_11() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tDFA3FD5BE5B06161B2832AF342050591DB171B7C, ___U3CIsRunningU3Ek__BackingField_11)); }
inline bool get_U3CIsRunningU3Ek__BackingField_11() const { return ___U3CIsRunningU3Ek__BackingField_11; }
inline bool* get_address_of_U3CIsRunningU3Ek__BackingField_11() { return &___U3CIsRunningU3Ek__BackingField_11; }
inline void set_U3CIsRunningU3Ek__BackingField_11(bool value)
{
___U3CIsRunningU3Ek__BackingField_11 = value;
}
inline static int32_t get_offset_of_m_waitHandle_12() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tDFA3FD5BE5B06161B2832AF342050591DB171B7C, ___m_waitHandle_12)); }
inline EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * get_m_waitHandle_12() const { return ___m_waitHandle_12; }
inline EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C ** get_address_of_m_waitHandle_12() { return &___m_waitHandle_12; }
inline void set_m_waitHandle_12(EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * value)
{
___m_waitHandle_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_waitHandle_12), (void*)value);
}
inline static int32_t get_offset_of_m_InDeferredCallbackQueue_13() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tDFA3FD5BE5B06161B2832AF342050591DB171B7C, ___m_InDeferredCallbackQueue_13)); }
inline bool get_m_InDeferredCallbackQueue_13() const { return ___m_InDeferredCallbackQueue_13; }
inline bool* get_address_of_m_InDeferredCallbackQueue_13() { return &___m_InDeferredCallbackQueue_13; }
inline void set_m_InDeferredCallbackQueue_13(bool value)
{
___m_InDeferredCallbackQueue_13 = value;
}
inline static int32_t get_offset_of_m_UpdateCallbacks_14() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tDFA3FD5BE5B06161B2832AF342050591DB171B7C, ___m_UpdateCallbacks_14)); }
inline DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * get_m_UpdateCallbacks_14() const { return ___m_UpdateCallbacks_14; }
inline DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D ** get_address_of_m_UpdateCallbacks_14() { return &___m_UpdateCallbacks_14; }
inline void set_m_UpdateCallbacks_14(DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * value)
{
___m_UpdateCallbacks_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateCallbacks_14), (void*)value);
}
inline static int32_t get_offset_of_m_UpdateCallback_15() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tDFA3FD5BE5B06161B2832AF342050591DB171B7C, ___m_UpdateCallback_15)); }
inline Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * get_m_UpdateCallback_15() const { return ___m_UpdateCallback_15; }
inline Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 ** get_address_of_m_UpdateCallback_15() { return &___m_UpdateCallback_15; }
inline void set_m_UpdateCallback_15(Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * value)
{
___m_UpdateCallback_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateCallback_15), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<UnityEngine.GameObject>
struct AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0 : public RuntimeObject
{
public:
// TObject UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::<Result>k__BackingField
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___U3CResultU3Ek__BackingField_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_referenceCount
int32_t ___m_referenceCount_1;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationStatus UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Status
int32_t ___m_Status_2;
// System.Exception UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Error
Exception_t * ___m_Error_3;
// UnityEngine.ResourceManagement.ResourceManager UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_RM
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * ___m_RM_4;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Version
int32_t ___m_Version_5;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_DestroyedAction
DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * ___m_DestroyedAction_6;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<TObject>> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_CompletedActionT
DelegateList_1_t4BD9CC94817866F025532E565A265A8D779CA3C6 * ___m_CompletedActionT_7;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.IAsyncOperation> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_OnDestroyAction
Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * ___m_OnDestroyAction_8;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_dependencyCompleteAction
Action_1_t6634F94209C51241AB52BDC921720558A925806B * ___m_dependencyCompleteAction_9;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::HasExecuted
bool ___HasExecuted_10;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::<IsRunning>k__BackingField
bool ___U3CIsRunningU3Ek__BackingField_11;
// System.Threading.EventWaitHandle UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_waitHandle
EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * ___m_waitHandle_12;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_InDeferredCallbackQueue
bool ___m_InDeferredCallbackQueue_13;
// DelegateList`1<System.Single> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_UpdateCallbacks
DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * ___m_UpdateCallbacks_14;
// System.Action`1<System.Single> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_UpdateCallback
Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * ___m_UpdateCallback_15;
public:
inline static int32_t get_offset_of_U3CResultU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0, ___U3CResultU3Ek__BackingField_0)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_U3CResultU3Ek__BackingField_0() const { return ___U3CResultU3Ek__BackingField_0; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_U3CResultU3Ek__BackingField_0() { return &___U3CResultU3Ek__BackingField_0; }
inline void set_U3CResultU3Ek__BackingField_0(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___U3CResultU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CResultU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_m_referenceCount_1() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0, ___m_referenceCount_1)); }
inline int32_t get_m_referenceCount_1() const { return ___m_referenceCount_1; }
inline int32_t* get_address_of_m_referenceCount_1() { return &___m_referenceCount_1; }
inline void set_m_referenceCount_1(int32_t value)
{
___m_referenceCount_1 = value;
}
inline static int32_t get_offset_of_m_Status_2() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0, ___m_Status_2)); }
inline int32_t get_m_Status_2() const { return ___m_Status_2; }
inline int32_t* get_address_of_m_Status_2() { return &___m_Status_2; }
inline void set_m_Status_2(int32_t value)
{
___m_Status_2 = value;
}
inline static int32_t get_offset_of_m_Error_3() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0, ___m_Error_3)); }
inline Exception_t * get_m_Error_3() const { return ___m_Error_3; }
inline Exception_t ** get_address_of_m_Error_3() { return &___m_Error_3; }
inline void set_m_Error_3(Exception_t * value)
{
___m_Error_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Error_3), (void*)value);
}
inline static int32_t get_offset_of_m_RM_4() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0, ___m_RM_4)); }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * get_m_RM_4() const { return ___m_RM_4; }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 ** get_address_of_m_RM_4() { return &___m_RM_4; }
inline void set_m_RM_4(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * value)
{
___m_RM_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RM_4), (void*)value);
}
inline static int32_t get_offset_of_m_Version_5() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0, ___m_Version_5)); }
inline int32_t get_m_Version_5() const { return ___m_Version_5; }
inline int32_t* get_address_of_m_Version_5() { return &___m_Version_5; }
inline void set_m_Version_5(int32_t value)
{
___m_Version_5 = value;
}
inline static int32_t get_offset_of_m_DestroyedAction_6() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0, ___m_DestroyedAction_6)); }
inline DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * get_m_DestroyedAction_6() const { return ___m_DestroyedAction_6; }
inline DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 ** get_address_of_m_DestroyedAction_6() { return &___m_DestroyedAction_6; }
inline void set_m_DestroyedAction_6(DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * value)
{
___m_DestroyedAction_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DestroyedAction_6), (void*)value);
}
inline static int32_t get_offset_of_m_CompletedActionT_7() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0, ___m_CompletedActionT_7)); }
inline DelegateList_1_t4BD9CC94817866F025532E565A265A8D779CA3C6 * get_m_CompletedActionT_7() const { return ___m_CompletedActionT_7; }
inline DelegateList_1_t4BD9CC94817866F025532E565A265A8D779CA3C6 ** get_address_of_m_CompletedActionT_7() { return &___m_CompletedActionT_7; }
inline void set_m_CompletedActionT_7(DelegateList_1_t4BD9CC94817866F025532E565A265A8D779CA3C6 * value)
{
___m_CompletedActionT_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CompletedActionT_7), (void*)value);
}
inline static int32_t get_offset_of_m_OnDestroyAction_8() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0, ___m_OnDestroyAction_8)); }
inline Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * get_m_OnDestroyAction_8() const { return ___m_OnDestroyAction_8; }
inline Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D ** get_address_of_m_OnDestroyAction_8() { return &___m_OnDestroyAction_8; }
inline void set_m_OnDestroyAction_8(Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * value)
{
___m_OnDestroyAction_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnDestroyAction_8), (void*)value);
}
inline static int32_t get_offset_of_m_dependencyCompleteAction_9() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0, ___m_dependencyCompleteAction_9)); }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B * get_m_dependencyCompleteAction_9() const { return ___m_dependencyCompleteAction_9; }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B ** get_address_of_m_dependencyCompleteAction_9() { return &___m_dependencyCompleteAction_9; }
inline void set_m_dependencyCompleteAction_9(Action_1_t6634F94209C51241AB52BDC921720558A925806B * value)
{
___m_dependencyCompleteAction_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_dependencyCompleteAction_9), (void*)value);
}
inline static int32_t get_offset_of_HasExecuted_10() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0, ___HasExecuted_10)); }
inline bool get_HasExecuted_10() const { return ___HasExecuted_10; }
inline bool* get_address_of_HasExecuted_10() { return &___HasExecuted_10; }
inline void set_HasExecuted_10(bool value)
{
___HasExecuted_10 = value;
}
inline static int32_t get_offset_of_U3CIsRunningU3Ek__BackingField_11() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0, ___U3CIsRunningU3Ek__BackingField_11)); }
inline bool get_U3CIsRunningU3Ek__BackingField_11() const { return ___U3CIsRunningU3Ek__BackingField_11; }
inline bool* get_address_of_U3CIsRunningU3Ek__BackingField_11() { return &___U3CIsRunningU3Ek__BackingField_11; }
inline void set_U3CIsRunningU3Ek__BackingField_11(bool value)
{
___U3CIsRunningU3Ek__BackingField_11 = value;
}
inline static int32_t get_offset_of_m_waitHandle_12() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0, ___m_waitHandle_12)); }
inline EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * get_m_waitHandle_12() const { return ___m_waitHandle_12; }
inline EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C ** get_address_of_m_waitHandle_12() { return &___m_waitHandle_12; }
inline void set_m_waitHandle_12(EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * value)
{
___m_waitHandle_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_waitHandle_12), (void*)value);
}
inline static int32_t get_offset_of_m_InDeferredCallbackQueue_13() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0, ___m_InDeferredCallbackQueue_13)); }
inline bool get_m_InDeferredCallbackQueue_13() const { return ___m_InDeferredCallbackQueue_13; }
inline bool* get_address_of_m_InDeferredCallbackQueue_13() { return &___m_InDeferredCallbackQueue_13; }
inline void set_m_InDeferredCallbackQueue_13(bool value)
{
___m_InDeferredCallbackQueue_13 = value;
}
inline static int32_t get_offset_of_m_UpdateCallbacks_14() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0, ___m_UpdateCallbacks_14)); }
inline DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * get_m_UpdateCallbacks_14() const { return ___m_UpdateCallbacks_14; }
inline DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D ** get_address_of_m_UpdateCallbacks_14() { return &___m_UpdateCallbacks_14; }
inline void set_m_UpdateCallbacks_14(DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * value)
{
___m_UpdateCallbacks_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateCallbacks_14), (void*)value);
}
inline static int32_t get_offset_of_m_UpdateCallback_15() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0, ___m_UpdateCallback_15)); }
inline Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * get_m_UpdateCallback_15() const { return ___m_UpdateCallback_15; }
inline Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 ** get_address_of_m_UpdateCallback_15() { return &___m_UpdateCallback_15; }
inline void set_m_UpdateCallback_15(Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * value)
{
___m_UpdateCallback_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateCallback_15), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<UnityEngine.AddressableAssets.ResourceLocators.IResourceLocator>
struct AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA : public RuntimeObject
{
public:
// TObject UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::<Result>k__BackingField
RuntimeObject* ___U3CResultU3Ek__BackingField_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_referenceCount
int32_t ___m_referenceCount_1;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationStatus UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Status
int32_t ___m_Status_2;
// System.Exception UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Error
Exception_t * ___m_Error_3;
// UnityEngine.ResourceManagement.ResourceManager UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_RM
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * ___m_RM_4;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Version
int32_t ___m_Version_5;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_DestroyedAction
DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * ___m_DestroyedAction_6;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<TObject>> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_CompletedActionT
DelegateList_1_t1A664E16725AD5ACFDAEF6F74F8B730CB372EEC7 * ___m_CompletedActionT_7;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.IAsyncOperation> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_OnDestroyAction
Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * ___m_OnDestroyAction_8;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_dependencyCompleteAction
Action_1_t6634F94209C51241AB52BDC921720558A925806B * ___m_dependencyCompleteAction_9;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::HasExecuted
bool ___HasExecuted_10;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::<IsRunning>k__BackingField
bool ___U3CIsRunningU3Ek__BackingField_11;
// System.Threading.EventWaitHandle UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_waitHandle
EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * ___m_waitHandle_12;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_InDeferredCallbackQueue
bool ___m_InDeferredCallbackQueue_13;
// DelegateList`1<System.Single> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_UpdateCallbacks
DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * ___m_UpdateCallbacks_14;
// System.Action`1<System.Single> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_UpdateCallback
Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * ___m_UpdateCallback_15;
public:
inline static int32_t get_offset_of_U3CResultU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA, ___U3CResultU3Ek__BackingField_0)); }
inline RuntimeObject* get_U3CResultU3Ek__BackingField_0() const { return ___U3CResultU3Ek__BackingField_0; }
inline RuntimeObject** get_address_of_U3CResultU3Ek__BackingField_0() { return &___U3CResultU3Ek__BackingField_0; }
inline void set_U3CResultU3Ek__BackingField_0(RuntimeObject* value)
{
___U3CResultU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CResultU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_m_referenceCount_1() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA, ___m_referenceCount_1)); }
inline int32_t get_m_referenceCount_1() const { return ___m_referenceCount_1; }
inline int32_t* get_address_of_m_referenceCount_1() { return &___m_referenceCount_1; }
inline void set_m_referenceCount_1(int32_t value)
{
___m_referenceCount_1 = value;
}
inline static int32_t get_offset_of_m_Status_2() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA, ___m_Status_2)); }
inline int32_t get_m_Status_2() const { return ___m_Status_2; }
inline int32_t* get_address_of_m_Status_2() { return &___m_Status_2; }
inline void set_m_Status_2(int32_t value)
{
___m_Status_2 = value;
}
inline static int32_t get_offset_of_m_Error_3() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA, ___m_Error_3)); }
inline Exception_t * get_m_Error_3() const { return ___m_Error_3; }
inline Exception_t ** get_address_of_m_Error_3() { return &___m_Error_3; }
inline void set_m_Error_3(Exception_t * value)
{
___m_Error_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Error_3), (void*)value);
}
inline static int32_t get_offset_of_m_RM_4() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA, ___m_RM_4)); }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * get_m_RM_4() const { return ___m_RM_4; }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 ** get_address_of_m_RM_4() { return &___m_RM_4; }
inline void set_m_RM_4(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * value)
{
___m_RM_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RM_4), (void*)value);
}
inline static int32_t get_offset_of_m_Version_5() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA, ___m_Version_5)); }
inline int32_t get_m_Version_5() const { return ___m_Version_5; }
inline int32_t* get_address_of_m_Version_5() { return &___m_Version_5; }
inline void set_m_Version_5(int32_t value)
{
___m_Version_5 = value;
}
inline static int32_t get_offset_of_m_DestroyedAction_6() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA, ___m_DestroyedAction_6)); }
inline DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * get_m_DestroyedAction_6() const { return ___m_DestroyedAction_6; }
inline DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 ** get_address_of_m_DestroyedAction_6() { return &___m_DestroyedAction_6; }
inline void set_m_DestroyedAction_6(DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * value)
{
___m_DestroyedAction_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DestroyedAction_6), (void*)value);
}
inline static int32_t get_offset_of_m_CompletedActionT_7() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA, ___m_CompletedActionT_7)); }
inline DelegateList_1_t1A664E16725AD5ACFDAEF6F74F8B730CB372EEC7 * get_m_CompletedActionT_7() const { return ___m_CompletedActionT_7; }
inline DelegateList_1_t1A664E16725AD5ACFDAEF6F74F8B730CB372EEC7 ** get_address_of_m_CompletedActionT_7() { return &___m_CompletedActionT_7; }
inline void set_m_CompletedActionT_7(DelegateList_1_t1A664E16725AD5ACFDAEF6F74F8B730CB372EEC7 * value)
{
___m_CompletedActionT_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CompletedActionT_7), (void*)value);
}
inline static int32_t get_offset_of_m_OnDestroyAction_8() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA, ___m_OnDestroyAction_8)); }
inline Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * get_m_OnDestroyAction_8() const { return ___m_OnDestroyAction_8; }
inline Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D ** get_address_of_m_OnDestroyAction_8() { return &___m_OnDestroyAction_8; }
inline void set_m_OnDestroyAction_8(Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * value)
{
___m_OnDestroyAction_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnDestroyAction_8), (void*)value);
}
inline static int32_t get_offset_of_m_dependencyCompleteAction_9() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA, ___m_dependencyCompleteAction_9)); }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B * get_m_dependencyCompleteAction_9() const { return ___m_dependencyCompleteAction_9; }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B ** get_address_of_m_dependencyCompleteAction_9() { return &___m_dependencyCompleteAction_9; }
inline void set_m_dependencyCompleteAction_9(Action_1_t6634F94209C51241AB52BDC921720558A925806B * value)
{
___m_dependencyCompleteAction_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_dependencyCompleteAction_9), (void*)value);
}
inline static int32_t get_offset_of_HasExecuted_10() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA, ___HasExecuted_10)); }
inline bool get_HasExecuted_10() const { return ___HasExecuted_10; }
inline bool* get_address_of_HasExecuted_10() { return &___HasExecuted_10; }
inline void set_HasExecuted_10(bool value)
{
___HasExecuted_10 = value;
}
inline static int32_t get_offset_of_U3CIsRunningU3Ek__BackingField_11() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA, ___U3CIsRunningU3Ek__BackingField_11)); }
inline bool get_U3CIsRunningU3Ek__BackingField_11() const { return ___U3CIsRunningU3Ek__BackingField_11; }
inline bool* get_address_of_U3CIsRunningU3Ek__BackingField_11() { return &___U3CIsRunningU3Ek__BackingField_11; }
inline void set_U3CIsRunningU3Ek__BackingField_11(bool value)
{
___U3CIsRunningU3Ek__BackingField_11 = value;
}
inline static int32_t get_offset_of_m_waitHandle_12() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA, ___m_waitHandle_12)); }
inline EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * get_m_waitHandle_12() const { return ___m_waitHandle_12; }
inline EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C ** get_address_of_m_waitHandle_12() { return &___m_waitHandle_12; }
inline void set_m_waitHandle_12(EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * value)
{
___m_waitHandle_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_waitHandle_12), (void*)value);
}
inline static int32_t get_offset_of_m_InDeferredCallbackQueue_13() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA, ___m_InDeferredCallbackQueue_13)); }
inline bool get_m_InDeferredCallbackQueue_13() const { return ___m_InDeferredCallbackQueue_13; }
inline bool* get_address_of_m_InDeferredCallbackQueue_13() { return &___m_InDeferredCallbackQueue_13; }
inline void set_m_InDeferredCallbackQueue_13(bool value)
{
___m_InDeferredCallbackQueue_13 = value;
}
inline static int32_t get_offset_of_m_UpdateCallbacks_14() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA, ___m_UpdateCallbacks_14)); }
inline DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * get_m_UpdateCallbacks_14() const { return ___m_UpdateCallbacks_14; }
inline DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D ** get_address_of_m_UpdateCallbacks_14() { return &___m_UpdateCallbacks_14; }
inline void set_m_UpdateCallbacks_14(DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * value)
{
___m_UpdateCallbacks_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateCallbacks_14), (void*)value);
}
inline static int32_t get_offset_of_m_UpdateCallback_15() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA, ___m_UpdateCallback_15)); }
inline Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * get_m_UpdateCallback_15() const { return ___m_UpdateCallback_15; }
inline Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 ** get_address_of_m_UpdateCallback_15() { return &___m_UpdateCallback_15; }
inline void set_m_UpdateCallback_15(Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * value)
{
___m_UpdateCallback_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateCallback_15), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<UnityEngine.Localization.Settings.LocalizationSettings>
struct AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B : public RuntimeObject
{
public:
// TObject UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::<Result>k__BackingField
LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660 * ___U3CResultU3Ek__BackingField_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_referenceCount
int32_t ___m_referenceCount_1;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationStatus UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Status
int32_t ___m_Status_2;
// System.Exception UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Error
Exception_t * ___m_Error_3;
// UnityEngine.ResourceManagement.ResourceManager UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_RM
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * ___m_RM_4;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Version
int32_t ___m_Version_5;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_DestroyedAction
DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * ___m_DestroyedAction_6;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<TObject>> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_CompletedActionT
DelegateList_1_t80C7819818DD17C1AFF25C069F645172A7F78EFD * ___m_CompletedActionT_7;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.IAsyncOperation> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_OnDestroyAction
Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * ___m_OnDestroyAction_8;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_dependencyCompleteAction
Action_1_t6634F94209C51241AB52BDC921720558A925806B * ___m_dependencyCompleteAction_9;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::HasExecuted
bool ___HasExecuted_10;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::<IsRunning>k__BackingField
bool ___U3CIsRunningU3Ek__BackingField_11;
// System.Threading.EventWaitHandle UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_waitHandle
EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * ___m_waitHandle_12;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_InDeferredCallbackQueue
bool ___m_InDeferredCallbackQueue_13;
// DelegateList`1<System.Single> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_UpdateCallbacks
DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * ___m_UpdateCallbacks_14;
// System.Action`1<System.Single> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_UpdateCallback
Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * ___m_UpdateCallback_15;
public:
inline static int32_t get_offset_of_U3CResultU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B, ___U3CResultU3Ek__BackingField_0)); }
inline LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660 * get_U3CResultU3Ek__BackingField_0() const { return ___U3CResultU3Ek__BackingField_0; }
inline LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660 ** get_address_of_U3CResultU3Ek__BackingField_0() { return &___U3CResultU3Ek__BackingField_0; }
inline void set_U3CResultU3Ek__BackingField_0(LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660 * value)
{
___U3CResultU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CResultU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_m_referenceCount_1() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B, ___m_referenceCount_1)); }
inline int32_t get_m_referenceCount_1() const { return ___m_referenceCount_1; }
inline int32_t* get_address_of_m_referenceCount_1() { return &___m_referenceCount_1; }
inline void set_m_referenceCount_1(int32_t value)
{
___m_referenceCount_1 = value;
}
inline static int32_t get_offset_of_m_Status_2() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B, ___m_Status_2)); }
inline int32_t get_m_Status_2() const { return ___m_Status_2; }
inline int32_t* get_address_of_m_Status_2() { return &___m_Status_2; }
inline void set_m_Status_2(int32_t value)
{
___m_Status_2 = value;
}
inline static int32_t get_offset_of_m_Error_3() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B, ___m_Error_3)); }
inline Exception_t * get_m_Error_3() const { return ___m_Error_3; }
inline Exception_t ** get_address_of_m_Error_3() { return &___m_Error_3; }
inline void set_m_Error_3(Exception_t * value)
{
___m_Error_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Error_3), (void*)value);
}
inline static int32_t get_offset_of_m_RM_4() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B, ___m_RM_4)); }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * get_m_RM_4() const { return ___m_RM_4; }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 ** get_address_of_m_RM_4() { return &___m_RM_4; }
inline void set_m_RM_4(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * value)
{
___m_RM_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RM_4), (void*)value);
}
inline static int32_t get_offset_of_m_Version_5() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B, ___m_Version_5)); }
inline int32_t get_m_Version_5() const { return ___m_Version_5; }
inline int32_t* get_address_of_m_Version_5() { return &___m_Version_5; }
inline void set_m_Version_5(int32_t value)
{
___m_Version_5 = value;
}
inline static int32_t get_offset_of_m_DestroyedAction_6() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B, ___m_DestroyedAction_6)); }
inline DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * get_m_DestroyedAction_6() const { return ___m_DestroyedAction_6; }
inline DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 ** get_address_of_m_DestroyedAction_6() { return &___m_DestroyedAction_6; }
inline void set_m_DestroyedAction_6(DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * value)
{
___m_DestroyedAction_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DestroyedAction_6), (void*)value);
}
inline static int32_t get_offset_of_m_CompletedActionT_7() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B, ___m_CompletedActionT_7)); }
inline DelegateList_1_t80C7819818DD17C1AFF25C069F645172A7F78EFD * get_m_CompletedActionT_7() const { return ___m_CompletedActionT_7; }
inline DelegateList_1_t80C7819818DD17C1AFF25C069F645172A7F78EFD ** get_address_of_m_CompletedActionT_7() { return &___m_CompletedActionT_7; }
inline void set_m_CompletedActionT_7(DelegateList_1_t80C7819818DD17C1AFF25C069F645172A7F78EFD * value)
{
___m_CompletedActionT_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CompletedActionT_7), (void*)value);
}
inline static int32_t get_offset_of_m_OnDestroyAction_8() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B, ___m_OnDestroyAction_8)); }
inline Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * get_m_OnDestroyAction_8() const { return ___m_OnDestroyAction_8; }
inline Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D ** get_address_of_m_OnDestroyAction_8() { return &___m_OnDestroyAction_8; }
inline void set_m_OnDestroyAction_8(Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * value)
{
___m_OnDestroyAction_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnDestroyAction_8), (void*)value);
}
inline static int32_t get_offset_of_m_dependencyCompleteAction_9() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B, ___m_dependencyCompleteAction_9)); }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B * get_m_dependencyCompleteAction_9() const { return ___m_dependencyCompleteAction_9; }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B ** get_address_of_m_dependencyCompleteAction_9() { return &___m_dependencyCompleteAction_9; }
inline void set_m_dependencyCompleteAction_9(Action_1_t6634F94209C51241AB52BDC921720558A925806B * value)
{
___m_dependencyCompleteAction_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_dependencyCompleteAction_9), (void*)value);
}
inline static int32_t get_offset_of_HasExecuted_10() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B, ___HasExecuted_10)); }
inline bool get_HasExecuted_10() const { return ___HasExecuted_10; }
inline bool* get_address_of_HasExecuted_10() { return &___HasExecuted_10; }
inline void set_HasExecuted_10(bool value)
{
___HasExecuted_10 = value;
}
inline static int32_t get_offset_of_U3CIsRunningU3Ek__BackingField_11() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B, ___U3CIsRunningU3Ek__BackingField_11)); }
inline bool get_U3CIsRunningU3Ek__BackingField_11() const { return ___U3CIsRunningU3Ek__BackingField_11; }
inline bool* get_address_of_U3CIsRunningU3Ek__BackingField_11() { return &___U3CIsRunningU3Ek__BackingField_11; }
inline void set_U3CIsRunningU3Ek__BackingField_11(bool value)
{
___U3CIsRunningU3Ek__BackingField_11 = value;
}
inline static int32_t get_offset_of_m_waitHandle_12() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B, ___m_waitHandle_12)); }
inline EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * get_m_waitHandle_12() const { return ___m_waitHandle_12; }
inline EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C ** get_address_of_m_waitHandle_12() { return &___m_waitHandle_12; }
inline void set_m_waitHandle_12(EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * value)
{
___m_waitHandle_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_waitHandle_12), (void*)value);
}
inline static int32_t get_offset_of_m_InDeferredCallbackQueue_13() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B, ___m_InDeferredCallbackQueue_13)); }
inline bool get_m_InDeferredCallbackQueue_13() const { return ___m_InDeferredCallbackQueue_13; }
inline bool* get_address_of_m_InDeferredCallbackQueue_13() { return &___m_InDeferredCallbackQueue_13; }
inline void set_m_InDeferredCallbackQueue_13(bool value)
{
___m_InDeferredCallbackQueue_13 = value;
}
inline static int32_t get_offset_of_m_UpdateCallbacks_14() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B, ___m_UpdateCallbacks_14)); }
inline DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * get_m_UpdateCallbacks_14() const { return ___m_UpdateCallbacks_14; }
inline DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D ** get_address_of_m_UpdateCallbacks_14() { return &___m_UpdateCallbacks_14; }
inline void set_m_UpdateCallbacks_14(DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * value)
{
___m_UpdateCallbacks_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateCallbacks_14), (void*)value);
}
inline static int32_t get_offset_of_m_UpdateCallback_15() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B, ___m_UpdateCallback_15)); }
inline Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * get_m_UpdateCallback_15() const { return ___m_UpdateCallback_15; }
inline Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 ** get_address_of_m_UpdateCallback_15() { return &___m_UpdateCallback_15; }
inline void set_m_UpdateCallback_15(Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * value)
{
___m_UpdateCallback_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateCallback_15), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1<System.String>
struct AsyncOperationBase_1_tAC7E097BF97B3B9F639444C52B31F7E76FDFDB34 : public RuntimeObject
{
public:
// TObject UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::<Result>k__BackingField
String_t* ___U3CResultU3Ek__BackingField_0;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_referenceCount
int32_t ___m_referenceCount_1;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationStatus UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Status
int32_t ___m_Status_2;
// System.Exception UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Error
Exception_t * ___m_Error_3;
// UnityEngine.ResourceManagement.ResourceManager UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_RM
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * ___m_RM_4;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_Version
int32_t ___m_Version_5;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_DestroyedAction
DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * ___m_DestroyedAction_6;
// DelegateList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<TObject>> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_CompletedActionT
DelegateList_1_t7E28BDF4FA17F5CF5BA5E6B97D0448726ED59020 * ___m_CompletedActionT_7;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.IAsyncOperation> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_OnDestroyAction
Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * ___m_OnDestroyAction_8;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_dependencyCompleteAction
Action_1_t6634F94209C51241AB52BDC921720558A925806B * ___m_dependencyCompleteAction_9;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::HasExecuted
bool ___HasExecuted_10;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::<IsRunning>k__BackingField
bool ___U3CIsRunningU3Ek__BackingField_11;
// System.Threading.EventWaitHandle UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_waitHandle
EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * ___m_waitHandle_12;
// System.Boolean UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_InDeferredCallbackQueue
bool ___m_InDeferredCallbackQueue_13;
// DelegateList`1<System.Single> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_UpdateCallbacks
DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * ___m_UpdateCallbacks_14;
// System.Action`1<System.Single> UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationBase`1::m_UpdateCallback
Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * ___m_UpdateCallback_15;
public:
inline static int32_t get_offset_of_U3CResultU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tAC7E097BF97B3B9F639444C52B31F7E76FDFDB34, ___U3CResultU3Ek__BackingField_0)); }
inline String_t* get_U3CResultU3Ek__BackingField_0() const { return ___U3CResultU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CResultU3Ek__BackingField_0() { return &___U3CResultU3Ek__BackingField_0; }
inline void set_U3CResultU3Ek__BackingField_0(String_t* value)
{
___U3CResultU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CResultU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_m_referenceCount_1() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tAC7E097BF97B3B9F639444C52B31F7E76FDFDB34, ___m_referenceCount_1)); }
inline int32_t get_m_referenceCount_1() const { return ___m_referenceCount_1; }
inline int32_t* get_address_of_m_referenceCount_1() { return &___m_referenceCount_1; }
inline void set_m_referenceCount_1(int32_t value)
{
___m_referenceCount_1 = value;
}
inline static int32_t get_offset_of_m_Status_2() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tAC7E097BF97B3B9F639444C52B31F7E76FDFDB34, ___m_Status_2)); }
inline int32_t get_m_Status_2() const { return ___m_Status_2; }
inline int32_t* get_address_of_m_Status_2() { return &___m_Status_2; }
inline void set_m_Status_2(int32_t value)
{
___m_Status_2 = value;
}
inline static int32_t get_offset_of_m_Error_3() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tAC7E097BF97B3B9F639444C52B31F7E76FDFDB34, ___m_Error_3)); }
inline Exception_t * get_m_Error_3() const { return ___m_Error_3; }
inline Exception_t ** get_address_of_m_Error_3() { return &___m_Error_3; }
inline void set_m_Error_3(Exception_t * value)
{
___m_Error_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Error_3), (void*)value);
}
inline static int32_t get_offset_of_m_RM_4() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tAC7E097BF97B3B9F639444C52B31F7E76FDFDB34, ___m_RM_4)); }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * get_m_RM_4() const { return ___m_RM_4; }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 ** get_address_of_m_RM_4() { return &___m_RM_4; }
inline void set_m_RM_4(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * value)
{
___m_RM_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RM_4), (void*)value);
}
inline static int32_t get_offset_of_m_Version_5() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tAC7E097BF97B3B9F639444C52B31F7E76FDFDB34, ___m_Version_5)); }
inline int32_t get_m_Version_5() const { return ___m_Version_5; }
inline int32_t* get_address_of_m_Version_5() { return &___m_Version_5; }
inline void set_m_Version_5(int32_t value)
{
___m_Version_5 = value;
}
inline static int32_t get_offset_of_m_DestroyedAction_6() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tAC7E097BF97B3B9F639444C52B31F7E76FDFDB34, ___m_DestroyedAction_6)); }
inline DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * get_m_DestroyedAction_6() const { return ___m_DestroyedAction_6; }
inline DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 ** get_address_of_m_DestroyedAction_6() { return &___m_DestroyedAction_6; }
inline void set_m_DestroyedAction_6(DelegateList_1_tEE43E46533E305A3EC7853BB615F872878A2A503 * value)
{
___m_DestroyedAction_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DestroyedAction_6), (void*)value);
}
inline static int32_t get_offset_of_m_CompletedActionT_7() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tAC7E097BF97B3B9F639444C52B31F7E76FDFDB34, ___m_CompletedActionT_7)); }
inline DelegateList_1_t7E28BDF4FA17F5CF5BA5E6B97D0448726ED59020 * get_m_CompletedActionT_7() const { return ___m_CompletedActionT_7; }
inline DelegateList_1_t7E28BDF4FA17F5CF5BA5E6B97D0448726ED59020 ** get_address_of_m_CompletedActionT_7() { return &___m_CompletedActionT_7; }
inline void set_m_CompletedActionT_7(DelegateList_1_t7E28BDF4FA17F5CF5BA5E6B97D0448726ED59020 * value)
{
___m_CompletedActionT_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CompletedActionT_7), (void*)value);
}
inline static int32_t get_offset_of_m_OnDestroyAction_8() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tAC7E097BF97B3B9F639444C52B31F7E76FDFDB34, ___m_OnDestroyAction_8)); }
inline Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * get_m_OnDestroyAction_8() const { return ___m_OnDestroyAction_8; }
inline Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D ** get_address_of_m_OnDestroyAction_8() { return &___m_OnDestroyAction_8; }
inline void set_m_OnDestroyAction_8(Action_1_t1D81F9A5889336016171AB3CD9C0979E8E952D1D * value)
{
___m_OnDestroyAction_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnDestroyAction_8), (void*)value);
}
inline static int32_t get_offset_of_m_dependencyCompleteAction_9() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tAC7E097BF97B3B9F639444C52B31F7E76FDFDB34, ___m_dependencyCompleteAction_9)); }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B * get_m_dependencyCompleteAction_9() const { return ___m_dependencyCompleteAction_9; }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B ** get_address_of_m_dependencyCompleteAction_9() { return &___m_dependencyCompleteAction_9; }
inline void set_m_dependencyCompleteAction_9(Action_1_t6634F94209C51241AB52BDC921720558A925806B * value)
{
___m_dependencyCompleteAction_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_dependencyCompleteAction_9), (void*)value);
}
inline static int32_t get_offset_of_HasExecuted_10() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tAC7E097BF97B3B9F639444C52B31F7E76FDFDB34, ___HasExecuted_10)); }
inline bool get_HasExecuted_10() const { return ___HasExecuted_10; }
inline bool* get_address_of_HasExecuted_10() { return &___HasExecuted_10; }
inline void set_HasExecuted_10(bool value)
{
___HasExecuted_10 = value;
}
inline static int32_t get_offset_of_U3CIsRunningU3Ek__BackingField_11() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tAC7E097BF97B3B9F639444C52B31F7E76FDFDB34, ___U3CIsRunningU3Ek__BackingField_11)); }
inline bool get_U3CIsRunningU3Ek__BackingField_11() const { return ___U3CIsRunningU3Ek__BackingField_11; }
inline bool* get_address_of_U3CIsRunningU3Ek__BackingField_11() { return &___U3CIsRunningU3Ek__BackingField_11; }
inline void set_U3CIsRunningU3Ek__BackingField_11(bool value)
{
___U3CIsRunningU3Ek__BackingField_11 = value;
}
inline static int32_t get_offset_of_m_waitHandle_12() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tAC7E097BF97B3B9F639444C52B31F7E76FDFDB34, ___m_waitHandle_12)); }
inline EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * get_m_waitHandle_12() const { return ___m_waitHandle_12; }
inline EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C ** get_address_of_m_waitHandle_12() { return &___m_waitHandle_12; }
inline void set_m_waitHandle_12(EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C * value)
{
___m_waitHandle_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_waitHandle_12), (void*)value);
}
inline static int32_t get_offset_of_m_InDeferredCallbackQueue_13() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tAC7E097BF97B3B9F639444C52B31F7E76FDFDB34, ___m_InDeferredCallbackQueue_13)); }
inline bool get_m_InDeferredCallbackQueue_13() const { return ___m_InDeferredCallbackQueue_13; }
inline bool* get_address_of_m_InDeferredCallbackQueue_13() { return &___m_InDeferredCallbackQueue_13; }
inline void set_m_InDeferredCallbackQueue_13(bool value)
{
___m_InDeferredCallbackQueue_13 = value;
}
inline static int32_t get_offset_of_m_UpdateCallbacks_14() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tAC7E097BF97B3B9F639444C52B31F7E76FDFDB34, ___m_UpdateCallbacks_14)); }
inline DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * get_m_UpdateCallbacks_14() const { return ___m_UpdateCallbacks_14; }
inline DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D ** get_address_of_m_UpdateCallbacks_14() { return &___m_UpdateCallbacks_14; }
inline void set_m_UpdateCallbacks_14(DelegateList_1_t160D08954252A3DE253C53A7F9B2774406AAA31D * value)
{
___m_UpdateCallbacks_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateCallbacks_14), (void*)value);
}
inline static int32_t get_offset_of_m_UpdateCallback_15() { return static_cast<int32_t>(offsetof(AsyncOperationBase_1_tAC7E097BF97B3B9F639444C52B31F7E76FDFDB34, ___m_UpdateCallback_15)); }
inline Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * get_m_UpdateCallback_15() const { return ___m_UpdateCallback_15; }
inline Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 ** get_address_of_m_UpdateCallback_15() { return &___m_UpdateCallback_15; }
inline void set_m_UpdateCallback_15(Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * value)
{
___m_UpdateCallback_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateCallback_15), (void*)value);
}
};
// UnityEngine.IntegratedSubsystemDescriptor`1<UnityEngine.XR.XRDisplaySubsystem>
struct IntegratedSubsystemDescriptor_1_tFDF96CDD8FD2E980FF0C62E8161C66AF9FC212E2 : public IntegratedSubsystemDescriptor_tDC8AF8E5B67B983E4492D784A419F01693926D7A
{
public:
public:
};
// Native definition for P/Invoke marshalling of UnityEngine.IntegratedSubsystemDescriptor`1
#ifndef IntegratedSubsystemDescriptor_1_t887CBD2C6B2D4D32DE18C1E1EB73CF2F1167F58B_marshaled_pinvoke_define
#define IntegratedSubsystemDescriptor_1_t887CBD2C6B2D4D32DE18C1E1EB73CF2F1167F58B_marshaled_pinvoke_define
struct IntegratedSubsystemDescriptor_1_t887CBD2C6B2D4D32DE18C1E1EB73CF2F1167F58B_marshaled_pinvoke : public IntegratedSubsystemDescriptor_tDC8AF8E5B67B983E4492D784A419F01693926D7A_marshaled_pinvoke
{
};
#endif
// Native definition for COM marshalling of UnityEngine.IntegratedSubsystemDescriptor`1
#ifndef IntegratedSubsystemDescriptor_1_t887CBD2C6B2D4D32DE18C1E1EB73CF2F1167F58B_marshaled_com_define
#define IntegratedSubsystemDescriptor_1_t887CBD2C6B2D4D32DE18C1E1EB73CF2F1167F58B_marshaled_com_define
struct IntegratedSubsystemDescriptor_1_t887CBD2C6B2D4D32DE18C1E1EB73CF2F1167F58B_marshaled_com : public IntegratedSubsystemDescriptor_tDC8AF8E5B67B983E4492D784A419F01693926D7A_marshaled_com
{
};
#endif
// UnityEngine.IntegratedSubsystemDescriptor`1<UnityEngine.XR.XRInputSubsystem>
struct IntegratedSubsystemDescriptor_1_t7D61E241AA40ECC23A367A5FAF509A54B1F77EF2 : public IntegratedSubsystemDescriptor_tDC8AF8E5B67B983E4492D784A419F01693926D7A
{
public:
public:
};
// Native definition for P/Invoke marshalling of UnityEngine.IntegratedSubsystemDescriptor`1
#ifndef IntegratedSubsystemDescriptor_1_t887CBD2C6B2D4D32DE18C1E1EB73CF2F1167F58B_marshaled_pinvoke_define
#define IntegratedSubsystemDescriptor_1_t887CBD2C6B2D4D32DE18C1E1EB73CF2F1167F58B_marshaled_pinvoke_define
struct IntegratedSubsystemDescriptor_1_t887CBD2C6B2D4D32DE18C1E1EB73CF2F1167F58B_marshaled_pinvoke : public IntegratedSubsystemDescriptor_tDC8AF8E5B67B983E4492D784A419F01693926D7A_marshaled_pinvoke
{
};
#endif
// Native definition for COM marshalling of UnityEngine.IntegratedSubsystemDescriptor`1
#ifndef IntegratedSubsystemDescriptor_1_t887CBD2C6B2D4D32DE18C1E1EB73CF2F1167F58B_marshaled_com_define
#define IntegratedSubsystemDescriptor_1_t887CBD2C6B2D4D32DE18C1E1EB73CF2F1167F58B_marshaled_com_define
struct IntegratedSubsystemDescriptor_1_t887CBD2C6B2D4D32DE18C1E1EB73CF2F1167F58B_marshaled_com : public IntegratedSubsystemDescriptor_tDC8AF8E5B67B983E4492D784A419F01693926D7A_marshaled_com
{
};
#endif
// UnityEngine.IntegratedSubsystemDescriptor`1<UnityEngine.XR.XRMeshSubsystem>
struct IntegratedSubsystemDescriptor_1_t822E08B2CE1EC68FE74F71A682C9ECC6D52A6E89 : public IntegratedSubsystemDescriptor_tDC8AF8E5B67B983E4492D784A419F01693926D7A
{
public:
public:
};
// Native definition for P/Invoke marshalling of UnityEngine.IntegratedSubsystemDescriptor`1
#ifndef IntegratedSubsystemDescriptor_1_t887CBD2C6B2D4D32DE18C1E1EB73CF2F1167F58B_marshaled_pinvoke_define
#define IntegratedSubsystemDescriptor_1_t887CBD2C6B2D4D32DE18C1E1EB73CF2F1167F58B_marshaled_pinvoke_define
struct IntegratedSubsystemDescriptor_1_t887CBD2C6B2D4D32DE18C1E1EB73CF2F1167F58B_marshaled_pinvoke : public IntegratedSubsystemDescriptor_tDC8AF8E5B67B983E4492D784A419F01693926D7A_marshaled_pinvoke
{
};
#endif
// Native definition for COM marshalling of UnityEngine.IntegratedSubsystemDescriptor`1
#ifndef IntegratedSubsystemDescriptor_1_t887CBD2C6B2D4D32DE18C1E1EB73CF2F1167F58B_marshaled_com_define
#define IntegratedSubsystemDescriptor_1_t887CBD2C6B2D4D32DE18C1E1EB73CF2F1167F58B_marshaled_com_define
struct IntegratedSubsystemDescriptor_1_t887CBD2C6B2D4D32DE18C1E1EB73CF2F1167F58B_marshaled_com : public IntegratedSubsystemDescriptor_tDC8AF8E5B67B983E4492D784A419F01693926D7A_marshaled_com
{
};
#endif
// UnityEngine.IntegratedSubsystem`1<UnityEngine.XR.XRDisplaySubsystemDescriptor>
struct IntegratedSubsystem_1_t2737E0F52E6DC7B2E3D42D1B05C5FD7C9FDE4EA4 : public IntegratedSubsystem_t8FB3A371F812CF9521903AC016C64E95C7412002
{
public:
public:
};
// UnityEngine.IntegratedSubsystem`1<UnityEngine.XR.XRInputSubsystemDescriptor>
struct IntegratedSubsystem_1_tD5C4AF38726B9433CFC3CA0F889D8C8C2535AEFE : public IntegratedSubsystem_t8FB3A371F812CF9521903AC016C64E95C7412002
{
public:
public:
};
// UnityEngine.IntegratedSubsystem`1<UnityEngine.XR.XRMeshSubsystemDescriptor>
struct IntegratedSubsystem_1_t902A5B61CE879B3CD855E5CE6CAEEB1B9752E840 : public IntegratedSubsystem_t8FB3A371F812CF9521903AC016C64E95C7412002
{
public:
public:
};
// Unity.Collections.NativeArray`1<UnityEngine.Rendering.BatchVisibility>
struct NativeArray_1_t18D233A2E30E28048C1252473AFD0799557294DA
{
public:
// System.Void* Unity.Collections.NativeArray`1::m_Buffer
void* ___m_Buffer_0;
// System.Int32 Unity.Collections.NativeArray`1::m_Length
int32_t ___m_Length_1;
// Unity.Collections.Allocator Unity.Collections.NativeArray`1::m_AllocatorLabel
int32_t ___m_AllocatorLabel_2;
public:
inline static int32_t get_offset_of_m_Buffer_0() { return static_cast<int32_t>(offsetof(NativeArray_1_t18D233A2E30E28048C1252473AFD0799557294DA, ___m_Buffer_0)); }
inline void* get_m_Buffer_0() const { return ___m_Buffer_0; }
inline void** get_address_of_m_Buffer_0() { return &___m_Buffer_0; }
inline void set_m_Buffer_0(void* value)
{
___m_Buffer_0 = value;
}
inline static int32_t get_offset_of_m_Length_1() { return static_cast<int32_t>(offsetof(NativeArray_1_t18D233A2E30E28048C1252473AFD0799557294DA, ___m_Length_1)); }
inline int32_t get_m_Length_1() const { return ___m_Length_1; }
inline int32_t* get_address_of_m_Length_1() { return &___m_Length_1; }
inline void set_m_Length_1(int32_t value)
{
___m_Length_1 = value;
}
inline static int32_t get_offset_of_m_AllocatorLabel_2() { return static_cast<int32_t>(offsetof(NativeArray_1_t18D233A2E30E28048C1252473AFD0799557294DA, ___m_AllocatorLabel_2)); }
inline int32_t get_m_AllocatorLabel_2() const { return ___m_AllocatorLabel_2; }
inline int32_t* get_address_of_m_AllocatorLabel_2() { return &___m_AllocatorLabel_2; }
inline void set_m_AllocatorLabel_2(int32_t value)
{
___m_AllocatorLabel_2 = value;
}
};
// Unity.Collections.NativeArray`1<System.Byte>
struct NativeArray_1_t3C2855C5B238E8C6739D4C17833F244B95C0F785
{
public:
// System.Void* Unity.Collections.NativeArray`1::m_Buffer
void* ___m_Buffer_0;
// System.Int32 Unity.Collections.NativeArray`1::m_Length
int32_t ___m_Length_1;
// Unity.Collections.Allocator Unity.Collections.NativeArray`1::m_AllocatorLabel
int32_t ___m_AllocatorLabel_2;
public:
inline static int32_t get_offset_of_m_Buffer_0() { return static_cast<int32_t>(offsetof(NativeArray_1_t3C2855C5B238E8C6739D4C17833F244B95C0F785, ___m_Buffer_0)); }
inline void* get_m_Buffer_0() const { return ___m_Buffer_0; }
inline void** get_address_of_m_Buffer_0() { return &___m_Buffer_0; }
inline void set_m_Buffer_0(void* value)
{
___m_Buffer_0 = value;
}
inline static int32_t get_offset_of_m_Length_1() { return static_cast<int32_t>(offsetof(NativeArray_1_t3C2855C5B238E8C6739D4C17833F244B95C0F785, ___m_Length_1)); }
inline int32_t get_m_Length_1() const { return ___m_Length_1; }
inline int32_t* get_address_of_m_Length_1() { return &___m_Length_1; }
inline void set_m_Length_1(int32_t value)
{
___m_Length_1 = value;
}
inline static int32_t get_offset_of_m_AllocatorLabel_2() { return static_cast<int32_t>(offsetof(NativeArray_1_t3C2855C5B238E8C6739D4C17833F244B95C0F785, ___m_AllocatorLabel_2)); }
inline int32_t get_m_AllocatorLabel_2() const { return ___m_AllocatorLabel_2; }
inline int32_t* get_address_of_m_AllocatorLabel_2() { return &___m_AllocatorLabel_2; }
inline void set_m_AllocatorLabel_2(int32_t value)
{
___m_AllocatorLabel_2 = value;
}
};
// Unity.Collections.NativeArray`1<System.Int32>
struct NativeArray_1_tD60079F06B473C85CF6C2BB4F2D203F38191AE99
{
public:
// System.Void* Unity.Collections.NativeArray`1::m_Buffer
void* ___m_Buffer_0;
// System.Int32 Unity.Collections.NativeArray`1::m_Length
int32_t ___m_Length_1;
// Unity.Collections.Allocator Unity.Collections.NativeArray`1::m_AllocatorLabel
int32_t ___m_AllocatorLabel_2;
public:
inline static int32_t get_offset_of_m_Buffer_0() { return static_cast<int32_t>(offsetof(NativeArray_1_tD60079F06B473C85CF6C2BB4F2D203F38191AE99, ___m_Buffer_0)); }
inline void* get_m_Buffer_0() const { return ___m_Buffer_0; }
inline void** get_address_of_m_Buffer_0() { return &___m_Buffer_0; }
inline void set_m_Buffer_0(void* value)
{
___m_Buffer_0 = value;
}
inline static int32_t get_offset_of_m_Length_1() { return static_cast<int32_t>(offsetof(NativeArray_1_tD60079F06B473C85CF6C2BB4F2D203F38191AE99, ___m_Length_1)); }
inline int32_t get_m_Length_1() const { return ___m_Length_1; }
inline int32_t* get_address_of_m_Length_1() { return &___m_Length_1; }
inline void set_m_Length_1(int32_t value)
{
___m_Length_1 = value;
}
inline static int32_t get_offset_of_m_AllocatorLabel_2() { return static_cast<int32_t>(offsetof(NativeArray_1_tD60079F06B473C85CF6C2BB4F2D203F38191AE99, ___m_AllocatorLabel_2)); }
inline int32_t get_m_AllocatorLabel_2() const { return ___m_AllocatorLabel_2; }
inline int32_t* get_address_of_m_AllocatorLabel_2() { return &___m_AllocatorLabel_2; }
inline void set_m_AllocatorLabel_2(int32_t value)
{
___m_AllocatorLabel_2 = value;
}
};
// Unity.Collections.NativeArray`1<UnityEngine.Experimental.GlobalIllumination.LightDataGI>
struct NativeArray_1_tF6A10DD2511425342F2B1B19CF0EA313D4F300D2
{
public:
// System.Void* Unity.Collections.NativeArray`1::m_Buffer
void* ___m_Buffer_0;
// System.Int32 Unity.Collections.NativeArray`1::m_Length
int32_t ___m_Length_1;
// Unity.Collections.Allocator Unity.Collections.NativeArray`1::m_AllocatorLabel
int32_t ___m_AllocatorLabel_2;
public:
inline static int32_t get_offset_of_m_Buffer_0() { return static_cast<int32_t>(offsetof(NativeArray_1_tF6A10DD2511425342F2B1B19CF0EA313D4F300D2, ___m_Buffer_0)); }
inline void* get_m_Buffer_0() const { return ___m_Buffer_0; }
inline void** get_address_of_m_Buffer_0() { return &___m_Buffer_0; }
inline void set_m_Buffer_0(void* value)
{
___m_Buffer_0 = value;
}
inline static int32_t get_offset_of_m_Length_1() { return static_cast<int32_t>(offsetof(NativeArray_1_tF6A10DD2511425342F2B1B19CF0EA313D4F300D2, ___m_Length_1)); }
inline int32_t get_m_Length_1() const { return ___m_Length_1; }
inline int32_t* get_address_of_m_Length_1() { return &___m_Length_1; }
inline void set_m_Length_1(int32_t value)
{
___m_Length_1 = value;
}
inline static int32_t get_offset_of_m_AllocatorLabel_2() { return static_cast<int32_t>(offsetof(NativeArray_1_tF6A10DD2511425342F2B1B19CF0EA313D4F300D2, ___m_AllocatorLabel_2)); }
inline int32_t get_m_AllocatorLabel_2() const { return ___m_AllocatorLabel_2; }
inline int32_t* get_address_of_m_AllocatorLabel_2() { return &___m_AllocatorLabel_2; }
inline void set_m_AllocatorLabel_2(int32_t value)
{
___m_AllocatorLabel_2 = value;
}
};
// Unity.Collections.NativeArray`1<UnityEngine.Plane>
struct NativeArray_1_t527C586787ACD1AD75E3C78BFB024FFA9925662E
{
public:
// System.Void* Unity.Collections.NativeArray`1::m_Buffer
void* ___m_Buffer_0;
// System.Int32 Unity.Collections.NativeArray`1::m_Length
int32_t ___m_Length_1;
// Unity.Collections.Allocator Unity.Collections.NativeArray`1::m_AllocatorLabel
int32_t ___m_AllocatorLabel_2;
public:
inline static int32_t get_offset_of_m_Buffer_0() { return static_cast<int32_t>(offsetof(NativeArray_1_t527C586787ACD1AD75E3C78BFB024FFA9925662E, ___m_Buffer_0)); }
inline void* get_m_Buffer_0() const { return ___m_Buffer_0; }
inline void** get_address_of_m_Buffer_0() { return &___m_Buffer_0; }
inline void set_m_Buffer_0(void* value)
{
___m_Buffer_0 = value;
}
inline static int32_t get_offset_of_m_Length_1() { return static_cast<int32_t>(offsetof(NativeArray_1_t527C586787ACD1AD75E3C78BFB024FFA9925662E, ___m_Length_1)); }
inline int32_t get_m_Length_1() const { return ___m_Length_1; }
inline int32_t* get_address_of_m_Length_1() { return &___m_Length_1; }
inline void set_m_Length_1(int32_t value)
{
___m_Length_1 = value;
}
inline static int32_t get_offset_of_m_AllocatorLabel_2() { return static_cast<int32_t>(offsetof(NativeArray_1_t527C586787ACD1AD75E3C78BFB024FFA9925662E, ___m_AllocatorLabel_2)); }
inline int32_t get_m_AllocatorLabel_2() const { return ___m_AllocatorLabel_2; }
inline int32_t* get_address_of_m_AllocatorLabel_2() { return &___m_AllocatorLabel_2; }
inline void set_m_AllocatorLabel_2(int32_t value)
{
___m_AllocatorLabel_2 = value;
}
};
// Unity.Collections.NativeArray`1<System.Single>
struct NativeArray_1_t5F920DC5A531D604D161A0FAD3479B5BFE0D9232
{
public:
// System.Void* Unity.Collections.NativeArray`1::m_Buffer
void* ___m_Buffer_0;
// System.Int32 Unity.Collections.NativeArray`1::m_Length
int32_t ___m_Length_1;
// Unity.Collections.Allocator Unity.Collections.NativeArray`1::m_AllocatorLabel
int32_t ___m_AllocatorLabel_2;
public:
inline static int32_t get_offset_of_m_Buffer_0() { return static_cast<int32_t>(offsetof(NativeArray_1_t5F920DC5A531D604D161A0FAD3479B5BFE0D9232, ___m_Buffer_0)); }
inline void* get_m_Buffer_0() const { return ___m_Buffer_0; }
inline void** get_address_of_m_Buffer_0() { return &___m_Buffer_0; }
inline void set_m_Buffer_0(void* value)
{
___m_Buffer_0 = value;
}
inline static int32_t get_offset_of_m_Length_1() { return static_cast<int32_t>(offsetof(NativeArray_1_t5F920DC5A531D604D161A0FAD3479B5BFE0D9232, ___m_Length_1)); }
inline int32_t get_m_Length_1() const { return ___m_Length_1; }
inline int32_t* get_address_of_m_Length_1() { return &___m_Length_1; }
inline void set_m_Length_1(int32_t value)
{
___m_Length_1 = value;
}
inline static int32_t get_offset_of_m_AllocatorLabel_2() { return static_cast<int32_t>(offsetof(NativeArray_1_t5F920DC5A531D604D161A0FAD3479B5BFE0D9232, ___m_AllocatorLabel_2)); }
inline int32_t get_m_AllocatorLabel_2() const { return ___m_AllocatorLabel_2; }
inline int32_t* get_address_of_m_AllocatorLabel_2() { return &___m_AllocatorLabel_2; }
inline void set_m_AllocatorLabel_2(int32_t value)
{
___m_AllocatorLabel_2 = value;
}
};
// Unity.Collections.NativeArray`1<System.UInt64>
struct NativeArray_1_t9D118727A643E61710D0A4DF5B0C8CD1A918A40B
{
public:
// System.Void* Unity.Collections.NativeArray`1::m_Buffer
void* ___m_Buffer_0;
// System.Int32 Unity.Collections.NativeArray`1::m_Length
int32_t ___m_Length_1;
// Unity.Collections.Allocator Unity.Collections.NativeArray`1::m_AllocatorLabel
int32_t ___m_AllocatorLabel_2;
public:
inline static int32_t get_offset_of_m_Buffer_0() { return static_cast<int32_t>(offsetof(NativeArray_1_t9D118727A643E61710D0A4DF5B0C8CD1A918A40B, ___m_Buffer_0)); }
inline void* get_m_Buffer_0() const { return ___m_Buffer_0; }
inline void** get_address_of_m_Buffer_0() { return &___m_Buffer_0; }
inline void set_m_Buffer_0(void* value)
{
___m_Buffer_0 = value;
}
inline static int32_t get_offset_of_m_Length_1() { return static_cast<int32_t>(offsetof(NativeArray_1_t9D118727A643E61710D0A4DF5B0C8CD1A918A40B, ___m_Length_1)); }
inline int32_t get_m_Length_1() const { return ___m_Length_1; }
inline int32_t* get_address_of_m_Length_1() { return &___m_Length_1; }
inline void set_m_Length_1(int32_t value)
{
___m_Length_1 = value;
}
inline static int32_t get_offset_of_m_AllocatorLabel_2() { return static_cast<int32_t>(offsetof(NativeArray_1_t9D118727A643E61710D0A4DF5B0C8CD1A918A40B, ___m_AllocatorLabel_2)); }
inline int32_t get_m_AllocatorLabel_2() const { return ___m_AllocatorLabel_2; }
inline int32_t* get_address_of_m_AllocatorLabel_2() { return &___m_AllocatorLabel_2; }
inline void set_m_AllocatorLabel_2(int32_t value)
{
___m_AllocatorLabel_2 = value;
}
};
// Unity.Collections.NativeArray`1<UnityEngine.Vector2>
struct NativeArray_1_t431C85F30275831D1F5D458AB73DFCE050693BC0
{
public:
// System.Void* Unity.Collections.NativeArray`1::m_Buffer
void* ___m_Buffer_0;
// System.Int32 Unity.Collections.NativeArray`1::m_Length
int32_t ___m_Length_1;
// Unity.Collections.Allocator Unity.Collections.NativeArray`1::m_AllocatorLabel
int32_t ___m_AllocatorLabel_2;
public:
inline static int32_t get_offset_of_m_Buffer_0() { return static_cast<int32_t>(offsetof(NativeArray_1_t431C85F30275831D1F5D458AB73DFCE050693BC0, ___m_Buffer_0)); }
inline void* get_m_Buffer_0() const { return ___m_Buffer_0; }
inline void** get_address_of_m_Buffer_0() { return &___m_Buffer_0; }
inline void set_m_Buffer_0(void* value)
{
___m_Buffer_0 = value;
}
inline static int32_t get_offset_of_m_Length_1() { return static_cast<int32_t>(offsetof(NativeArray_1_t431C85F30275831D1F5D458AB73DFCE050693BC0, ___m_Length_1)); }
inline int32_t get_m_Length_1() const { return ___m_Length_1; }
inline int32_t* get_address_of_m_Length_1() { return &___m_Length_1; }
inline void set_m_Length_1(int32_t value)
{
___m_Length_1 = value;
}
inline static int32_t get_offset_of_m_AllocatorLabel_2() { return static_cast<int32_t>(offsetof(NativeArray_1_t431C85F30275831D1F5D458AB73DFCE050693BC0, ___m_AllocatorLabel_2)); }
inline int32_t get_m_AllocatorLabel_2() const { return ___m_AllocatorLabel_2; }
inline int32_t* get_address_of_m_AllocatorLabel_2() { return &___m_AllocatorLabel_2; }
inline void set_m_AllocatorLabel_2(int32_t value)
{
___m_AllocatorLabel_2 = value;
}
};
// Unity.Collections.NativeArray`1<UnityEngine.Vector3>
struct NativeArray_1_t2577BCA09CA248EFB78BD7FDA7F09D5C395DFF52
{
public:
// System.Void* Unity.Collections.NativeArray`1::m_Buffer
void* ___m_Buffer_0;
// System.Int32 Unity.Collections.NativeArray`1::m_Length
int32_t ___m_Length_1;
// Unity.Collections.Allocator Unity.Collections.NativeArray`1::m_AllocatorLabel
int32_t ___m_AllocatorLabel_2;
public:
inline static int32_t get_offset_of_m_Buffer_0() { return static_cast<int32_t>(offsetof(NativeArray_1_t2577BCA09CA248EFB78BD7FDA7F09D5C395DFF52, ___m_Buffer_0)); }
inline void* get_m_Buffer_0() const { return ___m_Buffer_0; }
inline void** get_address_of_m_Buffer_0() { return &___m_Buffer_0; }
inline void set_m_Buffer_0(void* value)
{
___m_Buffer_0 = value;
}
inline static int32_t get_offset_of_m_Length_1() { return static_cast<int32_t>(offsetof(NativeArray_1_t2577BCA09CA248EFB78BD7FDA7F09D5C395DFF52, ___m_Length_1)); }
inline int32_t get_m_Length_1() const { return ___m_Length_1; }
inline int32_t* get_address_of_m_Length_1() { return &___m_Length_1; }
inline void set_m_Length_1(int32_t value)
{
___m_Length_1 = value;
}
inline static int32_t get_offset_of_m_AllocatorLabel_2() { return static_cast<int32_t>(offsetof(NativeArray_1_t2577BCA09CA248EFB78BD7FDA7F09D5C395DFF52, ___m_AllocatorLabel_2)); }
inline int32_t get_m_AllocatorLabel_2() const { return ___m_AllocatorLabel_2; }
inline int32_t* get_address_of_m_AllocatorLabel_2() { return &___m_AllocatorLabel_2; }
inline void set_m_AllocatorLabel_2(int32_t value)
{
___m_AllocatorLabel_2 = value;
}
};
// Unity.Collections.NativeArray`1<UnityEngine.XR.ARSubsystems.XRHumanBodyJoint>
struct NativeArray_1_t733A71EE29E0C7D2F944E30A1729F085DEB1138C
{
public:
// System.Void* Unity.Collections.NativeArray`1::m_Buffer
void* ___m_Buffer_0;
// System.Int32 Unity.Collections.NativeArray`1::m_Length
int32_t ___m_Length_1;
// Unity.Collections.Allocator Unity.Collections.NativeArray`1::m_AllocatorLabel
int32_t ___m_AllocatorLabel_2;
public:
inline static int32_t get_offset_of_m_Buffer_0() { return static_cast<int32_t>(offsetof(NativeArray_1_t733A71EE29E0C7D2F944E30A1729F085DEB1138C, ___m_Buffer_0)); }
inline void* get_m_Buffer_0() const { return ___m_Buffer_0; }
inline void** get_address_of_m_Buffer_0() { return &___m_Buffer_0; }
inline void set_m_Buffer_0(void* value)
{
___m_Buffer_0 = value;
}
inline static int32_t get_offset_of_m_Length_1() { return static_cast<int32_t>(offsetof(NativeArray_1_t733A71EE29E0C7D2F944E30A1729F085DEB1138C, ___m_Length_1)); }
inline int32_t get_m_Length_1() const { return ___m_Length_1; }
inline int32_t* get_address_of_m_Length_1() { return &___m_Length_1; }
inline void set_m_Length_1(int32_t value)
{
___m_Length_1 = value;
}
inline static int32_t get_offset_of_m_AllocatorLabel_2() { return static_cast<int32_t>(offsetof(NativeArray_1_t733A71EE29E0C7D2F944E30A1729F085DEB1138C, ___m_AllocatorLabel_2)); }
inline int32_t get_m_AllocatorLabel_2() const { return ___m_AllocatorLabel_2; }
inline int32_t* get_address_of_m_AllocatorLabel_2() { return &___m_AllocatorLabel_2; }
inline void set_m_AllocatorLabel_2(int32_t value)
{
___m_AllocatorLabel_2 = value;
}
};
// Unity.Collections.NativeArray`1<UnityEngine.XR.ARSubsystems.XRRaycastHit>
struct NativeArray_1_t35F2E89DF840C06C68595E9289A07A26CBB07FCB
{
public:
// System.Void* Unity.Collections.NativeArray`1::m_Buffer
void* ___m_Buffer_0;
// System.Int32 Unity.Collections.NativeArray`1::m_Length
int32_t ___m_Length_1;
// Unity.Collections.Allocator Unity.Collections.NativeArray`1::m_AllocatorLabel
int32_t ___m_AllocatorLabel_2;
public:
inline static int32_t get_offset_of_m_Buffer_0() { return static_cast<int32_t>(offsetof(NativeArray_1_t35F2E89DF840C06C68595E9289A07A26CBB07FCB, ___m_Buffer_0)); }
inline void* get_m_Buffer_0() const { return ___m_Buffer_0; }
inline void** get_address_of_m_Buffer_0() { return &___m_Buffer_0; }
inline void set_m_Buffer_0(void* value)
{
___m_Buffer_0 = value;
}
inline static int32_t get_offset_of_m_Length_1() { return static_cast<int32_t>(offsetof(NativeArray_1_t35F2E89DF840C06C68595E9289A07A26CBB07FCB, ___m_Length_1)); }
inline int32_t get_m_Length_1() const { return ___m_Length_1; }
inline int32_t* get_address_of_m_Length_1() { return &___m_Length_1; }
inline void set_m_Length_1(int32_t value)
{
___m_Length_1 = value;
}
inline static int32_t get_offset_of_m_AllocatorLabel_2() { return static_cast<int32_t>(offsetof(NativeArray_1_t35F2E89DF840C06C68595E9289A07A26CBB07FCB, ___m_AllocatorLabel_2)); }
inline int32_t get_m_AllocatorLabel_2() const { return ___m_AllocatorLabel_2; }
inline int32_t* get_address_of_m_AllocatorLabel_2() { return &___m_AllocatorLabel_2; }
inline void set_m_AllocatorLabel_2(int32_t value)
{
___m_AllocatorLabel_2 = value;
}
};
// Unity.Collections.NativeArray`1<UnityEngine.XR.ARFoundation.ARPointCloudManager/PointCloudRaycastInfo>
struct NativeArray_1_tB6E97581BF5878BBE04DA5C6C7173C33D56114DD
{
public:
// System.Void* Unity.Collections.NativeArray`1::m_Buffer
void* ___m_Buffer_0;
// System.Int32 Unity.Collections.NativeArray`1::m_Length
int32_t ___m_Length_1;
// Unity.Collections.Allocator Unity.Collections.NativeArray`1::m_AllocatorLabel
int32_t ___m_AllocatorLabel_2;
public:
inline static int32_t get_offset_of_m_Buffer_0() { return static_cast<int32_t>(offsetof(NativeArray_1_tB6E97581BF5878BBE04DA5C6C7173C33D56114DD, ___m_Buffer_0)); }
inline void* get_m_Buffer_0() const { return ___m_Buffer_0; }
inline void** get_address_of_m_Buffer_0() { return &___m_Buffer_0; }
inline void set_m_Buffer_0(void* value)
{
___m_Buffer_0 = value;
}
inline static int32_t get_offset_of_m_Length_1() { return static_cast<int32_t>(offsetof(NativeArray_1_tB6E97581BF5878BBE04DA5C6C7173C33D56114DD, ___m_Length_1)); }
inline int32_t get_m_Length_1() const { return ___m_Length_1; }
inline int32_t* get_address_of_m_Length_1() { return &___m_Length_1; }
inline void set_m_Length_1(int32_t value)
{
___m_Length_1 = value;
}
inline static int32_t get_offset_of_m_AllocatorLabel_2() { return static_cast<int32_t>(offsetof(NativeArray_1_tB6E97581BF5878BBE04DA5C6C7173C33D56114DD, ___m_AllocatorLabel_2)); }
inline int32_t get_m_AllocatorLabel_2() const { return ___m_AllocatorLabel_2; }
inline int32_t* get_address_of_m_AllocatorLabel_2() { return &___m_AllocatorLabel_2; }
inline void set_m_AllocatorLabel_2(int32_t value)
{
___m_AllocatorLabel_2 = value;
}
};
// System.Nullable`1<UnityEngine.CameraClearFlags>
struct Nullable_1_t9F0E3D30423323307F09384F465C3E740846492D
{
public:
// T System.Nullable`1::value
int32_t ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_t9F0E3D30423323307F09384F465C3E740846492D, ___value_0)); }
inline int32_t get_value_0() const { return ___value_0; }
inline int32_t* get_address_of_value_0() { return &___value_0; }
inline void set_value_0(int32_t value)
{
___value_0 = value;
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_t9F0E3D30423323307F09384F465C3E740846492D, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// TMPro.TMP_TextProcessingStack`1<TMPro.FontWeight>
struct TMP_TextProcessingStack_1_tC2FDE14AC486023AEB4D20CB306F9198CBE168C7
{
public:
// T[] TMPro.TMP_TextProcessingStack`1::itemStack
FontWeightU5BU5D_t0C9E436904E570F798885BC6F264C7AE6608B5C6* ___itemStack_0;
// System.Int32 TMPro.TMP_TextProcessingStack`1::index
int32_t ___index_1;
// T TMPro.TMP_TextProcessingStack`1::m_DefaultItem
int32_t ___m_DefaultItem_2;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_Capacity
int32_t ___m_Capacity_3;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_RolloverSize
int32_t ___m_RolloverSize_4;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_Count
int32_t ___m_Count_5;
public:
inline static int32_t get_offset_of_itemStack_0() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_tC2FDE14AC486023AEB4D20CB306F9198CBE168C7, ___itemStack_0)); }
inline FontWeightU5BU5D_t0C9E436904E570F798885BC6F264C7AE6608B5C6* get_itemStack_0() const { return ___itemStack_0; }
inline FontWeightU5BU5D_t0C9E436904E570F798885BC6F264C7AE6608B5C6** get_address_of_itemStack_0() { return &___itemStack_0; }
inline void set_itemStack_0(FontWeightU5BU5D_t0C9E436904E570F798885BC6F264C7AE6608B5C6* value)
{
___itemStack_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___itemStack_0), (void*)value);
}
inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_tC2FDE14AC486023AEB4D20CB306F9198CBE168C7, ___index_1)); }
inline int32_t get_index_1() const { return ___index_1; }
inline int32_t* get_address_of_index_1() { return &___index_1; }
inline void set_index_1(int32_t value)
{
___index_1 = value;
}
inline static int32_t get_offset_of_m_DefaultItem_2() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_tC2FDE14AC486023AEB4D20CB306F9198CBE168C7, ___m_DefaultItem_2)); }
inline int32_t get_m_DefaultItem_2() const { return ___m_DefaultItem_2; }
inline int32_t* get_address_of_m_DefaultItem_2() { return &___m_DefaultItem_2; }
inline void set_m_DefaultItem_2(int32_t value)
{
___m_DefaultItem_2 = value;
}
inline static int32_t get_offset_of_m_Capacity_3() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_tC2FDE14AC486023AEB4D20CB306F9198CBE168C7, ___m_Capacity_3)); }
inline int32_t get_m_Capacity_3() const { return ___m_Capacity_3; }
inline int32_t* get_address_of_m_Capacity_3() { return &___m_Capacity_3; }
inline void set_m_Capacity_3(int32_t value)
{
___m_Capacity_3 = value;
}
inline static int32_t get_offset_of_m_RolloverSize_4() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_tC2FDE14AC486023AEB4D20CB306F9198CBE168C7, ___m_RolloverSize_4)); }
inline int32_t get_m_RolloverSize_4() const { return ___m_RolloverSize_4; }
inline int32_t* get_address_of_m_RolloverSize_4() { return &___m_RolloverSize_4; }
inline void set_m_RolloverSize_4(int32_t value)
{
___m_RolloverSize_4 = value;
}
inline static int32_t get_offset_of_m_Count_5() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_tC2FDE14AC486023AEB4D20CB306F9198CBE168C7, ___m_Count_5)); }
inline int32_t get_m_Count_5() const { return ___m_Count_5; }
inline int32_t* get_address_of_m_Count_5() { return &___m_Count_5; }
inline void set_m_Count_5(int32_t value)
{
___m_Count_5 = value;
}
};
// TMPro.TMP_TextProcessingStack`1<TMPro.HighlightState>
struct TMP_TextProcessingStack_1_t091E8E0507335193E71397075A9E75FFE125381E
{
public:
// T[] TMPro.TMP_TextProcessingStack`1::itemStack
HighlightStateU5BU5D_t8150DD4545DE751DD24E4106F1E66C41DFFE38EA* ___itemStack_0;
// System.Int32 TMPro.TMP_TextProcessingStack`1::index
int32_t ___index_1;
// T TMPro.TMP_TextProcessingStack`1::m_DefaultItem
HighlightState_t52CE27A1187034A1037ABC13A70BAEE4AC3B5759 ___m_DefaultItem_2;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_Capacity
int32_t ___m_Capacity_3;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_RolloverSize
int32_t ___m_RolloverSize_4;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_Count
int32_t ___m_Count_5;
public:
inline static int32_t get_offset_of_itemStack_0() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t091E8E0507335193E71397075A9E75FFE125381E, ___itemStack_0)); }
inline HighlightStateU5BU5D_t8150DD4545DE751DD24E4106F1E66C41DFFE38EA* get_itemStack_0() const { return ___itemStack_0; }
inline HighlightStateU5BU5D_t8150DD4545DE751DD24E4106F1E66C41DFFE38EA** get_address_of_itemStack_0() { return &___itemStack_0; }
inline void set_itemStack_0(HighlightStateU5BU5D_t8150DD4545DE751DD24E4106F1E66C41DFFE38EA* value)
{
___itemStack_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___itemStack_0), (void*)value);
}
inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t091E8E0507335193E71397075A9E75FFE125381E, ___index_1)); }
inline int32_t get_index_1() const { return ___index_1; }
inline int32_t* get_address_of_index_1() { return &___index_1; }
inline void set_index_1(int32_t value)
{
___index_1 = value;
}
inline static int32_t get_offset_of_m_DefaultItem_2() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t091E8E0507335193E71397075A9E75FFE125381E, ___m_DefaultItem_2)); }
inline HighlightState_t52CE27A1187034A1037ABC13A70BAEE4AC3B5759 get_m_DefaultItem_2() const { return ___m_DefaultItem_2; }
inline HighlightState_t52CE27A1187034A1037ABC13A70BAEE4AC3B5759 * get_address_of_m_DefaultItem_2() { return &___m_DefaultItem_2; }
inline void set_m_DefaultItem_2(HighlightState_t52CE27A1187034A1037ABC13A70BAEE4AC3B5759 value)
{
___m_DefaultItem_2 = value;
}
inline static int32_t get_offset_of_m_Capacity_3() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t091E8E0507335193E71397075A9E75FFE125381E, ___m_Capacity_3)); }
inline int32_t get_m_Capacity_3() const { return ___m_Capacity_3; }
inline int32_t* get_address_of_m_Capacity_3() { return &___m_Capacity_3; }
inline void set_m_Capacity_3(int32_t value)
{
___m_Capacity_3 = value;
}
inline static int32_t get_offset_of_m_RolloverSize_4() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t091E8E0507335193E71397075A9E75FFE125381E, ___m_RolloverSize_4)); }
inline int32_t get_m_RolloverSize_4() const { return ___m_RolloverSize_4; }
inline int32_t* get_address_of_m_RolloverSize_4() { return &___m_RolloverSize_4; }
inline void set_m_RolloverSize_4(int32_t value)
{
___m_RolloverSize_4 = value;
}
inline static int32_t get_offset_of_m_Count_5() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t091E8E0507335193E71397075A9E75FFE125381E, ___m_Count_5)); }
inline int32_t get_m_Count_5() const { return ___m_Count_5; }
inline int32_t* get_address_of_m_Count_5() { return &___m_Count_5; }
inline void set_m_Count_5(int32_t value)
{
___m_Count_5 = value;
}
};
// TMPro.TMP_TextProcessingStack`1<TMPro.HorizontalAlignmentOptions>
struct TMP_TextProcessingStack_1_t860FCBD32172CBAC38125AB43150338E7CF55B1B
{
public:
// T[] TMPro.TMP_TextProcessingStack`1::itemStack
HorizontalAlignmentOptionsU5BU5D_t57D37E3CA431B98ECF9444788AA9C047B990DDBB* ___itemStack_0;
// System.Int32 TMPro.TMP_TextProcessingStack`1::index
int32_t ___index_1;
// T TMPro.TMP_TextProcessingStack`1::m_DefaultItem
int32_t ___m_DefaultItem_2;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_Capacity
int32_t ___m_Capacity_3;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_RolloverSize
int32_t ___m_RolloverSize_4;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_Count
int32_t ___m_Count_5;
public:
inline static int32_t get_offset_of_itemStack_0() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t860FCBD32172CBAC38125AB43150338E7CF55B1B, ___itemStack_0)); }
inline HorizontalAlignmentOptionsU5BU5D_t57D37E3CA431B98ECF9444788AA9C047B990DDBB* get_itemStack_0() const { return ___itemStack_0; }
inline HorizontalAlignmentOptionsU5BU5D_t57D37E3CA431B98ECF9444788AA9C047B990DDBB** get_address_of_itemStack_0() { return &___itemStack_0; }
inline void set_itemStack_0(HorizontalAlignmentOptionsU5BU5D_t57D37E3CA431B98ECF9444788AA9C047B990DDBB* value)
{
___itemStack_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___itemStack_0), (void*)value);
}
inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t860FCBD32172CBAC38125AB43150338E7CF55B1B, ___index_1)); }
inline int32_t get_index_1() const { return ___index_1; }
inline int32_t* get_address_of_index_1() { return &___index_1; }
inline void set_index_1(int32_t value)
{
___index_1 = value;
}
inline static int32_t get_offset_of_m_DefaultItem_2() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t860FCBD32172CBAC38125AB43150338E7CF55B1B, ___m_DefaultItem_2)); }
inline int32_t get_m_DefaultItem_2() const { return ___m_DefaultItem_2; }
inline int32_t* get_address_of_m_DefaultItem_2() { return &___m_DefaultItem_2; }
inline void set_m_DefaultItem_2(int32_t value)
{
___m_DefaultItem_2 = value;
}
inline static int32_t get_offset_of_m_Capacity_3() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t860FCBD32172CBAC38125AB43150338E7CF55B1B, ___m_Capacity_3)); }
inline int32_t get_m_Capacity_3() const { return ___m_Capacity_3; }
inline int32_t* get_address_of_m_Capacity_3() { return &___m_Capacity_3; }
inline void set_m_Capacity_3(int32_t value)
{
___m_Capacity_3 = value;
}
inline static int32_t get_offset_of_m_RolloverSize_4() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t860FCBD32172CBAC38125AB43150338E7CF55B1B, ___m_RolloverSize_4)); }
inline int32_t get_m_RolloverSize_4() const { return ___m_RolloverSize_4; }
inline int32_t* get_address_of_m_RolloverSize_4() { return &___m_RolloverSize_4; }
inline void set_m_RolloverSize_4(int32_t value)
{
___m_RolloverSize_4 = value;
}
inline static int32_t get_offset_of_m_Count_5() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t860FCBD32172CBAC38125AB43150338E7CF55B1B, ___m_Count_5)); }
inline int32_t get_m_Count_5() const { return ___m_Count_5; }
inline int32_t* get_address_of_m_Count_5() { return &___m_Count_5; }
inline void set_m_Count_5(int32_t value)
{
___m_Count_5 = value;
}
};
// System.Threading.Tasks.Task`1<System.Boolean>
struct Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849 : public Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60
{
public:
// TResult System.Threading.Tasks.Task`1::m_result
bool ___m_result_22;
public:
inline static int32_t get_offset_of_m_result_22() { return static_cast<int32_t>(offsetof(Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849, ___m_result_22)); }
inline bool get_m_result_22() const { return ___m_result_22; }
inline bool* get_address_of_m_result_22() { return &___m_result_22; }
inline void set_m_result_22(bool value)
{
___m_result_22 = value;
}
};
struct Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849_StaticFields
{
public:
// System.Threading.Tasks.TaskFactory`1<TResult> System.Threading.Tasks.Task`1::s_Factory
TaskFactory_1_t069438A73348A2B1B34A2C68E0478EE107ECCFC7 * ___s_Factory_23;
// System.Func`2<System.Threading.Tasks.Task`1<System.Threading.Tasks.Task>,System.Threading.Tasks.Task`1<TResult>> System.Threading.Tasks.Task`1::TaskWhenAnyCast
Func_2_t24DC43D57AB022882FE433E3B16B6D7E4BD14BB4 * ___TaskWhenAnyCast_24;
public:
inline static int32_t get_offset_of_s_Factory_23() { return static_cast<int32_t>(offsetof(Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849_StaticFields, ___s_Factory_23)); }
inline TaskFactory_1_t069438A73348A2B1B34A2C68E0478EE107ECCFC7 * get_s_Factory_23() const { return ___s_Factory_23; }
inline TaskFactory_1_t069438A73348A2B1B34A2C68E0478EE107ECCFC7 ** get_address_of_s_Factory_23() { return &___s_Factory_23; }
inline void set_s_Factory_23(TaskFactory_1_t069438A73348A2B1B34A2C68E0478EE107ECCFC7 * value)
{
___s_Factory_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Factory_23), (void*)value);
}
inline static int32_t get_offset_of_TaskWhenAnyCast_24() { return static_cast<int32_t>(offsetof(Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849_StaticFields, ___TaskWhenAnyCast_24)); }
inline Func_2_t24DC43D57AB022882FE433E3B16B6D7E4BD14BB4 * get_TaskWhenAnyCast_24() const { return ___TaskWhenAnyCast_24; }
inline Func_2_t24DC43D57AB022882FE433E3B16B6D7E4BD14BB4 ** get_address_of_TaskWhenAnyCast_24() { return &___TaskWhenAnyCast_24; }
inline void set_TaskWhenAnyCast_24(Func_2_t24DC43D57AB022882FE433E3B16B6D7E4BD14BB4 * value)
{
___TaskWhenAnyCast_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___TaskWhenAnyCast_24), (void*)value);
}
};
// System.Threading.Tasks.Task`1<System.Int32>
struct Task_1_tEF253D967DB628A9F8A389A9F2E4516871FD3725 : public Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60
{
public:
// TResult System.Threading.Tasks.Task`1::m_result
int32_t ___m_result_22;
public:
inline static int32_t get_offset_of_m_result_22() { return static_cast<int32_t>(offsetof(Task_1_tEF253D967DB628A9F8A389A9F2E4516871FD3725, ___m_result_22)); }
inline int32_t get_m_result_22() const { return ___m_result_22; }
inline int32_t* get_address_of_m_result_22() { return &___m_result_22; }
inline void set_m_result_22(int32_t value)
{
___m_result_22 = value;
}
};
struct Task_1_tEF253D967DB628A9F8A389A9F2E4516871FD3725_StaticFields
{
public:
// System.Threading.Tasks.TaskFactory`1<TResult> System.Threading.Tasks.Task`1::s_Factory
TaskFactory_1_tCA6286B86C0D5D6C00D5A0DFE56F7E48A482DD5E * ___s_Factory_23;
// System.Func`2<System.Threading.Tasks.Task`1<System.Threading.Tasks.Task>,System.Threading.Tasks.Task`1<TResult>> System.Threading.Tasks.Task`1::TaskWhenAnyCast
Func_2_t53CFE8804C8D1C2FE8CC9204CF5DA5B98EC444D0 * ___TaskWhenAnyCast_24;
public:
inline static int32_t get_offset_of_s_Factory_23() { return static_cast<int32_t>(offsetof(Task_1_tEF253D967DB628A9F8A389A9F2E4516871FD3725_StaticFields, ___s_Factory_23)); }
inline TaskFactory_1_tCA6286B86C0D5D6C00D5A0DFE56F7E48A482DD5E * get_s_Factory_23() const { return ___s_Factory_23; }
inline TaskFactory_1_tCA6286B86C0D5D6C00D5A0DFE56F7E48A482DD5E ** get_address_of_s_Factory_23() { return &___s_Factory_23; }
inline void set_s_Factory_23(TaskFactory_1_tCA6286B86C0D5D6C00D5A0DFE56F7E48A482DD5E * value)
{
___s_Factory_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Factory_23), (void*)value);
}
inline static int32_t get_offset_of_TaskWhenAnyCast_24() { return static_cast<int32_t>(offsetof(Task_1_tEF253D967DB628A9F8A389A9F2E4516871FD3725_StaticFields, ___TaskWhenAnyCast_24)); }
inline Func_2_t53CFE8804C8D1C2FE8CC9204CF5DA5B98EC444D0 * get_TaskWhenAnyCast_24() const { return ___TaskWhenAnyCast_24; }
inline Func_2_t53CFE8804C8D1C2FE8CC9204CF5DA5B98EC444D0 ** get_address_of_TaskWhenAnyCast_24() { return &___TaskWhenAnyCast_24; }
inline void set_TaskWhenAnyCast_24(Func_2_t53CFE8804C8D1C2FE8CC9204CF5DA5B98EC444D0 * value)
{
___TaskWhenAnyCast_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___TaskWhenAnyCast_24), (void*)value);
}
};
// System.Threading.Tasks.Task`1<System.Threading.Tasks.Task>
struct Task_1_t24E932728D4BE67BFA41487F43AE4FAEBBAC7284 : public Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60
{
public:
// TResult System.Threading.Tasks.Task`1::m_result
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * ___m_result_22;
public:
inline static int32_t get_offset_of_m_result_22() { return static_cast<int32_t>(offsetof(Task_1_t24E932728D4BE67BFA41487F43AE4FAEBBAC7284, ___m_result_22)); }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * get_m_result_22() const { return ___m_result_22; }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 ** get_address_of_m_result_22() { return &___m_result_22; }
inline void set_m_result_22(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * value)
{
___m_result_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_result_22), (void*)value);
}
};
struct Task_1_t24E932728D4BE67BFA41487F43AE4FAEBBAC7284_StaticFields
{
public:
// System.Threading.Tasks.TaskFactory`1<TResult> System.Threading.Tasks.Task`1::s_Factory
TaskFactory_1_t4720246ADD352D9004AFCAA652A1A240B620DE4E * ___s_Factory_23;
// System.Func`2<System.Threading.Tasks.Task`1<System.Threading.Tasks.Task>,System.Threading.Tasks.Task`1<TResult>> System.Threading.Tasks.Task`1::TaskWhenAnyCast
Func_2_t59E5EE359C575BAE84083A82848C07C4F342D995 * ___TaskWhenAnyCast_24;
public:
inline static int32_t get_offset_of_s_Factory_23() { return static_cast<int32_t>(offsetof(Task_1_t24E932728D4BE67BFA41487F43AE4FAEBBAC7284_StaticFields, ___s_Factory_23)); }
inline TaskFactory_1_t4720246ADD352D9004AFCAA652A1A240B620DE4E * get_s_Factory_23() const { return ___s_Factory_23; }
inline TaskFactory_1_t4720246ADD352D9004AFCAA652A1A240B620DE4E ** get_address_of_s_Factory_23() { return &___s_Factory_23; }
inline void set_s_Factory_23(TaskFactory_1_t4720246ADD352D9004AFCAA652A1A240B620DE4E * value)
{
___s_Factory_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Factory_23), (void*)value);
}
inline static int32_t get_offset_of_TaskWhenAnyCast_24() { return static_cast<int32_t>(offsetof(Task_1_t24E932728D4BE67BFA41487F43AE4FAEBBAC7284_StaticFields, ___TaskWhenAnyCast_24)); }
inline Func_2_t59E5EE359C575BAE84083A82848C07C4F342D995 * get_TaskWhenAnyCast_24() const { return ___TaskWhenAnyCast_24; }
inline Func_2_t59E5EE359C575BAE84083A82848C07C4F342D995 ** get_address_of_TaskWhenAnyCast_24() { return &___TaskWhenAnyCast_24; }
inline void set_TaskWhenAnyCast_24(Func_2_t59E5EE359C575BAE84083A82848C07C4F342D995 * value)
{
___TaskWhenAnyCast_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___TaskWhenAnyCast_24), (void*)value);
}
};
// System.Threading.Tasks.Task`1<System.Threading.Tasks.VoidTaskResult>
struct Task_1_t65FD5EE287B61746F015BBC8E90A97D38D258FB3 : public Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60
{
public:
// TResult System.Threading.Tasks.Task`1::m_result
VoidTaskResult_t28D1A323545DE024749196472558F49F1AAF0004 ___m_result_22;
public:
inline static int32_t get_offset_of_m_result_22() { return static_cast<int32_t>(offsetof(Task_1_t65FD5EE287B61746F015BBC8E90A97D38D258FB3, ___m_result_22)); }
inline VoidTaskResult_t28D1A323545DE024749196472558F49F1AAF0004 get_m_result_22() const { return ___m_result_22; }
inline VoidTaskResult_t28D1A323545DE024749196472558F49F1AAF0004 * get_address_of_m_result_22() { return &___m_result_22; }
inline void set_m_result_22(VoidTaskResult_t28D1A323545DE024749196472558F49F1AAF0004 value)
{
___m_result_22 = value;
}
};
struct Task_1_t65FD5EE287B61746F015BBC8E90A97D38D258FB3_StaticFields
{
public:
// System.Threading.Tasks.TaskFactory`1<TResult> System.Threading.Tasks.Task`1::s_Factory
TaskFactory_1_tFD6C5BE88624171209DEA49929EA276401AC9F4B * ___s_Factory_23;
// System.Func`2<System.Threading.Tasks.Task`1<System.Threading.Tasks.Task>,System.Threading.Tasks.Task`1<TResult>> System.Threading.Tasks.Task`1::TaskWhenAnyCast
Func_2_t99C75F5817AC4490145734D823B7E8ED9A840728 * ___TaskWhenAnyCast_24;
public:
inline static int32_t get_offset_of_s_Factory_23() { return static_cast<int32_t>(offsetof(Task_1_t65FD5EE287B61746F015BBC8E90A97D38D258FB3_StaticFields, ___s_Factory_23)); }
inline TaskFactory_1_tFD6C5BE88624171209DEA49929EA276401AC9F4B * get_s_Factory_23() const { return ___s_Factory_23; }
inline TaskFactory_1_tFD6C5BE88624171209DEA49929EA276401AC9F4B ** get_address_of_s_Factory_23() { return &___s_Factory_23; }
inline void set_s_Factory_23(TaskFactory_1_tFD6C5BE88624171209DEA49929EA276401AC9F4B * value)
{
___s_Factory_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Factory_23), (void*)value);
}
inline static int32_t get_offset_of_TaskWhenAnyCast_24() { return static_cast<int32_t>(offsetof(Task_1_t65FD5EE287B61746F015BBC8E90A97D38D258FB3_StaticFields, ___TaskWhenAnyCast_24)); }
inline Func_2_t99C75F5817AC4490145734D823B7E8ED9A840728 * get_TaskWhenAnyCast_24() const { return ___TaskWhenAnyCast_24; }
inline Func_2_t99C75F5817AC4490145734D823B7E8ED9A840728 ** get_address_of_TaskWhenAnyCast_24() { return &___TaskWhenAnyCast_24; }
inline void set_TaskWhenAnyCast_24(Func_2_t99C75F5817AC4490145734D823B7E8ED9A840728 * value)
{
___TaskWhenAnyCast_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___TaskWhenAnyCast_24), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARLightEstimationData
struct ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423
{
public:
// System.Nullable`1<System.Single> UnityEngine.XR.ARFoundation.ARLightEstimationData::<averageColorTemperature>k__BackingField
Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A ___U3CaverageColorTemperatureU3Ek__BackingField_0;
// System.Nullable`1<UnityEngine.Color> UnityEngine.XR.ARFoundation.ARLightEstimationData::<colorCorrection>k__BackingField
Nullable_1_tA06400BA484934D9CEBAF66D0E71C822EF09A498 ___U3CcolorCorrectionU3Ek__BackingField_1;
// System.Nullable`1<System.Single> UnityEngine.XR.ARFoundation.ARLightEstimationData::<mainLightIntensityLumens>k__BackingField
Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A ___U3CmainLightIntensityLumensU3Ek__BackingField_2;
// System.Nullable`1<UnityEngine.Color> UnityEngine.XR.ARFoundation.ARLightEstimationData::<mainLightColor>k__BackingField
Nullable_1_tA06400BA484934D9CEBAF66D0E71C822EF09A498 ___U3CmainLightColorU3Ek__BackingField_3;
// System.Nullable`1<UnityEngine.Vector3> UnityEngine.XR.ARFoundation.ARLightEstimationData::<mainLightDirection>k__BackingField
Nullable_1_t1829213F3538788DF79B4659AFC9D6A9C90C3258 ___U3CmainLightDirectionU3Ek__BackingField_4;
// System.Nullable`1<UnityEngine.Rendering.SphericalHarmonicsL2> UnityEngine.XR.ARFoundation.ARLightEstimationData::<ambientSphericalHarmonics>k__BackingField
Nullable_1_t87378933461FE259D349B667A2D4FE02B800A81E ___U3CambientSphericalHarmonicsU3Ek__BackingField_5;
// System.Nullable`1<System.Single> UnityEngine.XR.ARFoundation.ARLightEstimationData::m_AverageBrightness
Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A ___m_AverageBrightness_6;
// System.Nullable`1<System.Single> UnityEngine.XR.ARFoundation.ARLightEstimationData::m_AverageIntensityInLumens
Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A ___m_AverageIntensityInLumens_7;
// System.Nullable`1<System.Single> UnityEngine.XR.ARFoundation.ARLightEstimationData::m_MainLightBrightness
Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A ___m_MainLightBrightness_8;
public:
inline static int32_t get_offset_of_U3CaverageColorTemperatureU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423, ___U3CaverageColorTemperatureU3Ek__BackingField_0)); }
inline Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A get_U3CaverageColorTemperatureU3Ek__BackingField_0() const { return ___U3CaverageColorTemperatureU3Ek__BackingField_0; }
inline Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A * get_address_of_U3CaverageColorTemperatureU3Ek__BackingField_0() { return &___U3CaverageColorTemperatureU3Ek__BackingField_0; }
inline void set_U3CaverageColorTemperatureU3Ek__BackingField_0(Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A value)
{
___U3CaverageColorTemperatureU3Ek__BackingField_0 = value;
}
inline static int32_t get_offset_of_U3CcolorCorrectionU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423, ___U3CcolorCorrectionU3Ek__BackingField_1)); }
inline Nullable_1_tA06400BA484934D9CEBAF66D0E71C822EF09A498 get_U3CcolorCorrectionU3Ek__BackingField_1() const { return ___U3CcolorCorrectionU3Ek__BackingField_1; }
inline Nullable_1_tA06400BA484934D9CEBAF66D0E71C822EF09A498 * get_address_of_U3CcolorCorrectionU3Ek__BackingField_1() { return &___U3CcolorCorrectionU3Ek__BackingField_1; }
inline void set_U3CcolorCorrectionU3Ek__BackingField_1(Nullable_1_tA06400BA484934D9CEBAF66D0E71C822EF09A498 value)
{
___U3CcolorCorrectionU3Ek__BackingField_1 = value;
}
inline static int32_t get_offset_of_U3CmainLightIntensityLumensU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423, ___U3CmainLightIntensityLumensU3Ek__BackingField_2)); }
inline Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A get_U3CmainLightIntensityLumensU3Ek__BackingField_2() const { return ___U3CmainLightIntensityLumensU3Ek__BackingField_2; }
inline Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A * get_address_of_U3CmainLightIntensityLumensU3Ek__BackingField_2() { return &___U3CmainLightIntensityLumensU3Ek__BackingField_2; }
inline void set_U3CmainLightIntensityLumensU3Ek__BackingField_2(Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A value)
{
___U3CmainLightIntensityLumensU3Ek__BackingField_2 = value;
}
inline static int32_t get_offset_of_U3CmainLightColorU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423, ___U3CmainLightColorU3Ek__BackingField_3)); }
inline Nullable_1_tA06400BA484934D9CEBAF66D0E71C822EF09A498 get_U3CmainLightColorU3Ek__BackingField_3() const { return ___U3CmainLightColorU3Ek__BackingField_3; }
inline Nullable_1_tA06400BA484934D9CEBAF66D0E71C822EF09A498 * get_address_of_U3CmainLightColorU3Ek__BackingField_3() { return &___U3CmainLightColorU3Ek__BackingField_3; }
inline void set_U3CmainLightColorU3Ek__BackingField_3(Nullable_1_tA06400BA484934D9CEBAF66D0E71C822EF09A498 value)
{
___U3CmainLightColorU3Ek__BackingField_3 = value;
}
inline static int32_t get_offset_of_U3CmainLightDirectionU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423, ___U3CmainLightDirectionU3Ek__BackingField_4)); }
inline Nullable_1_t1829213F3538788DF79B4659AFC9D6A9C90C3258 get_U3CmainLightDirectionU3Ek__BackingField_4() const { return ___U3CmainLightDirectionU3Ek__BackingField_4; }
inline Nullable_1_t1829213F3538788DF79B4659AFC9D6A9C90C3258 * get_address_of_U3CmainLightDirectionU3Ek__BackingField_4() { return &___U3CmainLightDirectionU3Ek__BackingField_4; }
inline void set_U3CmainLightDirectionU3Ek__BackingField_4(Nullable_1_t1829213F3538788DF79B4659AFC9D6A9C90C3258 value)
{
___U3CmainLightDirectionU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3CambientSphericalHarmonicsU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423, ___U3CambientSphericalHarmonicsU3Ek__BackingField_5)); }
inline Nullable_1_t87378933461FE259D349B667A2D4FE02B800A81E get_U3CambientSphericalHarmonicsU3Ek__BackingField_5() const { return ___U3CambientSphericalHarmonicsU3Ek__BackingField_5; }
inline Nullable_1_t87378933461FE259D349B667A2D4FE02B800A81E * get_address_of_U3CambientSphericalHarmonicsU3Ek__BackingField_5() { return &___U3CambientSphericalHarmonicsU3Ek__BackingField_5; }
inline void set_U3CambientSphericalHarmonicsU3Ek__BackingField_5(Nullable_1_t87378933461FE259D349B667A2D4FE02B800A81E value)
{
___U3CambientSphericalHarmonicsU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_m_AverageBrightness_6() { return static_cast<int32_t>(offsetof(ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423, ___m_AverageBrightness_6)); }
inline Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A get_m_AverageBrightness_6() const { return ___m_AverageBrightness_6; }
inline Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A * get_address_of_m_AverageBrightness_6() { return &___m_AverageBrightness_6; }
inline void set_m_AverageBrightness_6(Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A value)
{
___m_AverageBrightness_6 = value;
}
inline static int32_t get_offset_of_m_AverageIntensityInLumens_7() { return static_cast<int32_t>(offsetof(ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423, ___m_AverageIntensityInLumens_7)); }
inline Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A get_m_AverageIntensityInLumens_7() const { return ___m_AverageIntensityInLumens_7; }
inline Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A * get_address_of_m_AverageIntensityInLumens_7() { return &___m_AverageIntensityInLumens_7; }
inline void set_m_AverageIntensityInLumens_7(Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A value)
{
___m_AverageIntensityInLumens_7 = value;
}
inline static int32_t get_offset_of_m_MainLightBrightness_8() { return static_cast<int32_t>(offsetof(ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423, ___m_MainLightBrightness_8)); }
inline Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A get_m_MainLightBrightness_8() const { return ___m_MainLightBrightness_8; }
inline Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A * get_address_of_m_MainLightBrightness_8() { return &___m_MainLightBrightness_8; }
inline void set_m_MainLightBrightness_8(Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A value)
{
___m_MainLightBrightness_8 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARFoundation.ARLightEstimationData
struct ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423_marshaled_pinvoke
{
Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A ___U3CaverageColorTemperatureU3Ek__BackingField_0;
Nullable_1_tA06400BA484934D9CEBAF66D0E71C822EF09A498 ___U3CcolorCorrectionU3Ek__BackingField_1;
Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A ___U3CmainLightIntensityLumensU3Ek__BackingField_2;
Nullable_1_tA06400BA484934D9CEBAF66D0E71C822EF09A498 ___U3CmainLightColorU3Ek__BackingField_3;
Nullable_1_t1829213F3538788DF79B4659AFC9D6A9C90C3258 ___U3CmainLightDirectionU3Ek__BackingField_4;
Nullable_1_t87378933461FE259D349B667A2D4FE02B800A81E ___U3CambientSphericalHarmonicsU3Ek__BackingField_5;
Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A ___m_AverageBrightness_6;
Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A ___m_AverageIntensityInLumens_7;
Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A ___m_MainLightBrightness_8;
};
// Native definition for COM marshalling of UnityEngine.XR.ARFoundation.ARLightEstimationData
struct ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423_marshaled_com
{
Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A ___U3CaverageColorTemperatureU3Ek__BackingField_0;
Nullable_1_tA06400BA484934D9CEBAF66D0E71C822EF09A498 ___U3CcolorCorrectionU3Ek__BackingField_1;
Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A ___U3CmainLightIntensityLumensU3Ek__BackingField_2;
Nullable_1_tA06400BA484934D9CEBAF66D0E71C822EF09A498 ___U3CmainLightColorU3Ek__BackingField_3;
Nullable_1_t1829213F3538788DF79B4659AFC9D6A9C90C3258 ___U3CmainLightDirectionU3Ek__BackingField_4;
Nullable_1_t87378933461FE259D349B667A2D4FE02B800A81E ___U3CambientSphericalHarmonicsU3Ek__BackingField_5;
Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A ___m_AverageBrightness_6;
Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A ___m_AverageIntensityInLumens_7;
Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A ___m_MainLightBrightness_8;
};
// UnityEngine.XR.ARSubsystems.AddReferenceImageJobState
struct AddReferenceImageJobState_t6818A53BD54BDCDCA326D660A1575F66DF832633
{
public:
// System.IntPtr UnityEngine.XR.ARSubsystems.AddReferenceImageJobState::m_Handle
intptr_t ___m_Handle_0;
// UnityEngine.XR.ARSubsystems.MutableRuntimeReferenceImageLibrary UnityEngine.XR.ARSubsystems.AddReferenceImageJobState::m_Library
MutableRuntimeReferenceImageLibrary_t887376CE46B48DEEC6E8655D429BADCA6E3C7EAA * ___m_Library_1;
// Unity.Jobs.JobHandle UnityEngine.XR.ARSubsystems.AddReferenceImageJobState::<jobHandle>k__BackingField
JobHandle_t8AEB8D31C25D7774C71D62B0C662525E6E36D847 ___U3CjobHandleU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(AddReferenceImageJobState_t6818A53BD54BDCDCA326D660A1575F66DF832633, ___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_Library_1() { return static_cast<int32_t>(offsetof(AddReferenceImageJobState_t6818A53BD54BDCDCA326D660A1575F66DF832633, ___m_Library_1)); }
inline MutableRuntimeReferenceImageLibrary_t887376CE46B48DEEC6E8655D429BADCA6E3C7EAA * get_m_Library_1() const { return ___m_Library_1; }
inline MutableRuntimeReferenceImageLibrary_t887376CE46B48DEEC6E8655D429BADCA6E3C7EAA ** get_address_of_m_Library_1() { return &___m_Library_1; }
inline void set_m_Library_1(MutableRuntimeReferenceImageLibrary_t887376CE46B48DEEC6E8655D429BADCA6E3C7EAA * value)
{
___m_Library_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Library_1), (void*)value);
}
inline static int32_t get_offset_of_U3CjobHandleU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(AddReferenceImageJobState_t6818A53BD54BDCDCA326D660A1575F66DF832633, ___U3CjobHandleU3Ek__BackingField_2)); }
inline JobHandle_t8AEB8D31C25D7774C71D62B0C662525E6E36D847 get_U3CjobHandleU3Ek__BackingField_2() const { return ___U3CjobHandleU3Ek__BackingField_2; }
inline JobHandle_t8AEB8D31C25D7774C71D62B0C662525E6E36D847 * get_address_of_U3CjobHandleU3Ek__BackingField_2() { return &___U3CjobHandleU3Ek__BackingField_2; }
inline void set_U3CjobHandleU3Ek__BackingField_2(JobHandle_t8AEB8D31C25D7774C71D62B0C662525E6E36D847 value)
{
___U3CjobHandleU3Ek__BackingField_2 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARSubsystems.AddReferenceImageJobState
struct AddReferenceImageJobState_t6818A53BD54BDCDCA326D660A1575F66DF832633_marshaled_pinvoke
{
intptr_t ___m_Handle_0;
MutableRuntimeReferenceImageLibrary_t887376CE46B48DEEC6E8655D429BADCA6E3C7EAA * ___m_Library_1;
JobHandle_t8AEB8D31C25D7774C71D62B0C662525E6E36D847 ___U3CjobHandleU3Ek__BackingField_2;
};
// Native definition for COM marshalling of UnityEngine.XR.ARSubsystems.AddReferenceImageJobState
struct AddReferenceImageJobState_t6818A53BD54BDCDCA326D660A1575F66DF832633_marshaled_com
{
intptr_t ___m_Handle_0;
MutableRuntimeReferenceImageLibrary_t887376CE46B48DEEC6E8655D429BADCA6E3C7EAA * ___m_Library_1;
JobHandle_t8AEB8D31C25D7774C71D62B0C662525E6E36D847 ___U3CjobHandleU3Ek__BackingField_2;
};
// System.AggregateException
struct AggregateException_t45A871D3DBDA3E28FBCD8DF21F6772238FC55BD1 : public Exception_t
{
public:
// System.Collections.ObjectModel.ReadOnlyCollection`1<System.Exception> System.AggregateException::m_innerExceptions
ReadOnlyCollection_1_t06CAAF5787D8FDE0CB0F04082673EC9B212451BE * ___m_innerExceptions_17;
public:
inline static int32_t get_offset_of_m_innerExceptions_17() { return static_cast<int32_t>(offsetof(AggregateException_t45A871D3DBDA3E28FBCD8DF21F6772238FC55BD1, ___m_innerExceptions_17)); }
inline ReadOnlyCollection_1_t06CAAF5787D8FDE0CB0F04082673EC9B212451BE * get_m_innerExceptions_17() const { return ___m_innerExceptions_17; }
inline ReadOnlyCollection_1_t06CAAF5787D8FDE0CB0F04082673EC9B212451BE ** get_address_of_m_innerExceptions_17() { return &___m_innerExceptions_17; }
inline void set_m_innerExceptions_17(ReadOnlyCollection_1_t06CAAF5787D8FDE0CB0F04082673EC9B212451BE * value)
{
___m_innerExceptions_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_innerExceptions_17), (void*)value);
}
};
// UnityEngine.Animations.AnimationClipPlayable
struct AnimationClipPlayable_t6386488B0C0300A21A352B4C17B9E6D5D38DF953
{
public:
// UnityEngine.Playables.PlayableHandle UnityEngine.Animations.AnimationClipPlayable::m_Handle
PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(AnimationClipPlayable_t6386488B0C0300A21A352B4C17B9E6D5D38DF953, ___m_Handle_0)); }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A value)
{
___m_Handle_0 = value;
}
};
// UnityEngine.AnimationEvent
struct AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF : public RuntimeObject
{
public:
// System.Single UnityEngine.AnimationEvent::m_Time
float ___m_Time_0;
// System.String UnityEngine.AnimationEvent::m_FunctionName
String_t* ___m_FunctionName_1;
// System.String UnityEngine.AnimationEvent::m_StringParameter
String_t* ___m_StringParameter_2;
// UnityEngine.Object UnityEngine.AnimationEvent::m_ObjectReferenceParameter
Object_tF2F3778131EFF286AF62B7B013A170F95A91571A * ___m_ObjectReferenceParameter_3;
// System.Single UnityEngine.AnimationEvent::m_FloatParameter
float ___m_FloatParameter_4;
// System.Int32 UnityEngine.AnimationEvent::m_IntParameter
int32_t ___m_IntParameter_5;
// System.Int32 UnityEngine.AnimationEvent::m_MessageOptions
int32_t ___m_MessageOptions_6;
// UnityEngine.AnimationEventSource UnityEngine.AnimationEvent::m_Source
int32_t ___m_Source_7;
// UnityEngine.AnimationState UnityEngine.AnimationEvent::m_StateSender
AnimationState_tDB7088046A65ABCEC66B45147693CA0AD803A3AD * ___m_StateSender_8;
// UnityEngine.AnimatorStateInfo UnityEngine.AnimationEvent::m_AnimatorStateInfo
AnimatorStateInfo_t052E146D2DB1EC155950ECA45734BF57134258AA ___m_AnimatorStateInfo_9;
// UnityEngine.AnimatorClipInfo UnityEngine.AnimationEvent::m_AnimatorClipInfo
AnimatorClipInfo_t758011D6F2B4C04893FCD364DAA936C801FBC610 ___m_AnimatorClipInfo_10;
public:
inline static int32_t get_offset_of_m_Time_0() { return static_cast<int32_t>(offsetof(AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF, ___m_Time_0)); }
inline float get_m_Time_0() const { return ___m_Time_0; }
inline float* get_address_of_m_Time_0() { return &___m_Time_0; }
inline void set_m_Time_0(float value)
{
___m_Time_0 = value;
}
inline static int32_t get_offset_of_m_FunctionName_1() { return static_cast<int32_t>(offsetof(AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF, ___m_FunctionName_1)); }
inline String_t* get_m_FunctionName_1() const { return ___m_FunctionName_1; }
inline String_t** get_address_of_m_FunctionName_1() { return &___m_FunctionName_1; }
inline void set_m_FunctionName_1(String_t* value)
{
___m_FunctionName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_FunctionName_1), (void*)value);
}
inline static int32_t get_offset_of_m_StringParameter_2() { return static_cast<int32_t>(offsetof(AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF, ___m_StringParameter_2)); }
inline String_t* get_m_StringParameter_2() const { return ___m_StringParameter_2; }
inline String_t** get_address_of_m_StringParameter_2() { return &___m_StringParameter_2; }
inline void set_m_StringParameter_2(String_t* value)
{
___m_StringParameter_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_StringParameter_2), (void*)value);
}
inline static int32_t get_offset_of_m_ObjectReferenceParameter_3() { return static_cast<int32_t>(offsetof(AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF, ___m_ObjectReferenceParameter_3)); }
inline Object_tF2F3778131EFF286AF62B7B013A170F95A91571A * get_m_ObjectReferenceParameter_3() const { return ___m_ObjectReferenceParameter_3; }
inline Object_tF2F3778131EFF286AF62B7B013A170F95A91571A ** get_address_of_m_ObjectReferenceParameter_3() { return &___m_ObjectReferenceParameter_3; }
inline void set_m_ObjectReferenceParameter_3(Object_tF2F3778131EFF286AF62B7B013A170F95A91571A * value)
{
___m_ObjectReferenceParameter_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ObjectReferenceParameter_3), (void*)value);
}
inline static int32_t get_offset_of_m_FloatParameter_4() { return static_cast<int32_t>(offsetof(AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF, ___m_FloatParameter_4)); }
inline float get_m_FloatParameter_4() const { return ___m_FloatParameter_4; }
inline float* get_address_of_m_FloatParameter_4() { return &___m_FloatParameter_4; }
inline void set_m_FloatParameter_4(float value)
{
___m_FloatParameter_4 = value;
}
inline static int32_t get_offset_of_m_IntParameter_5() { return static_cast<int32_t>(offsetof(AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF, ___m_IntParameter_5)); }
inline int32_t get_m_IntParameter_5() const { return ___m_IntParameter_5; }
inline int32_t* get_address_of_m_IntParameter_5() { return &___m_IntParameter_5; }
inline void set_m_IntParameter_5(int32_t value)
{
___m_IntParameter_5 = value;
}
inline static int32_t get_offset_of_m_MessageOptions_6() { return static_cast<int32_t>(offsetof(AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF, ___m_MessageOptions_6)); }
inline int32_t get_m_MessageOptions_6() const { return ___m_MessageOptions_6; }
inline int32_t* get_address_of_m_MessageOptions_6() { return &___m_MessageOptions_6; }
inline void set_m_MessageOptions_6(int32_t value)
{
___m_MessageOptions_6 = value;
}
inline static int32_t get_offset_of_m_Source_7() { return static_cast<int32_t>(offsetof(AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF, ___m_Source_7)); }
inline int32_t get_m_Source_7() const { return ___m_Source_7; }
inline int32_t* get_address_of_m_Source_7() { return &___m_Source_7; }
inline void set_m_Source_7(int32_t value)
{
___m_Source_7 = value;
}
inline static int32_t get_offset_of_m_StateSender_8() { return static_cast<int32_t>(offsetof(AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF, ___m_StateSender_8)); }
inline AnimationState_tDB7088046A65ABCEC66B45147693CA0AD803A3AD * get_m_StateSender_8() const { return ___m_StateSender_8; }
inline AnimationState_tDB7088046A65ABCEC66B45147693CA0AD803A3AD ** get_address_of_m_StateSender_8() { return &___m_StateSender_8; }
inline void set_m_StateSender_8(AnimationState_tDB7088046A65ABCEC66B45147693CA0AD803A3AD * value)
{
___m_StateSender_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_StateSender_8), (void*)value);
}
inline static int32_t get_offset_of_m_AnimatorStateInfo_9() { return static_cast<int32_t>(offsetof(AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF, ___m_AnimatorStateInfo_9)); }
inline AnimatorStateInfo_t052E146D2DB1EC155950ECA45734BF57134258AA get_m_AnimatorStateInfo_9() const { return ___m_AnimatorStateInfo_9; }
inline AnimatorStateInfo_t052E146D2DB1EC155950ECA45734BF57134258AA * get_address_of_m_AnimatorStateInfo_9() { return &___m_AnimatorStateInfo_9; }
inline void set_m_AnimatorStateInfo_9(AnimatorStateInfo_t052E146D2DB1EC155950ECA45734BF57134258AA value)
{
___m_AnimatorStateInfo_9 = value;
}
inline static int32_t get_offset_of_m_AnimatorClipInfo_10() { return static_cast<int32_t>(offsetof(AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF, ___m_AnimatorClipInfo_10)); }
inline AnimatorClipInfo_t758011D6F2B4C04893FCD364DAA936C801FBC610 get_m_AnimatorClipInfo_10() const { return ___m_AnimatorClipInfo_10; }
inline AnimatorClipInfo_t758011D6F2B4C04893FCD364DAA936C801FBC610 * get_address_of_m_AnimatorClipInfo_10() { return &___m_AnimatorClipInfo_10; }
inline void set_m_AnimatorClipInfo_10(AnimatorClipInfo_t758011D6F2B4C04893FCD364DAA936C801FBC610 value)
{
___m_AnimatorClipInfo_10 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.AnimationEvent
struct AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF_marshaled_pinvoke
{
float ___m_Time_0;
char* ___m_FunctionName_1;
char* ___m_StringParameter_2;
Object_tF2F3778131EFF286AF62B7B013A170F95A91571A_marshaled_pinvoke ___m_ObjectReferenceParameter_3;
float ___m_FloatParameter_4;
int32_t ___m_IntParameter_5;
int32_t ___m_MessageOptions_6;
int32_t ___m_Source_7;
AnimationState_tDB7088046A65ABCEC66B45147693CA0AD803A3AD * ___m_StateSender_8;
AnimatorStateInfo_t052E146D2DB1EC155950ECA45734BF57134258AA ___m_AnimatorStateInfo_9;
AnimatorClipInfo_t758011D6F2B4C04893FCD364DAA936C801FBC610 ___m_AnimatorClipInfo_10;
};
// Native definition for COM marshalling of UnityEngine.AnimationEvent
struct AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF_marshaled_com
{
float ___m_Time_0;
Il2CppChar* ___m_FunctionName_1;
Il2CppChar* ___m_StringParameter_2;
Object_tF2F3778131EFF286AF62B7B013A170F95A91571A_marshaled_com* ___m_ObjectReferenceParameter_3;
float ___m_FloatParameter_4;
int32_t ___m_IntParameter_5;
int32_t ___m_MessageOptions_6;
int32_t ___m_Source_7;
AnimationState_tDB7088046A65ABCEC66B45147693CA0AD803A3AD * ___m_StateSender_8;
AnimatorStateInfo_t052E146D2DB1EC155950ECA45734BF57134258AA ___m_AnimatorStateInfo_9;
AnimatorClipInfo_t758011D6F2B4C04893FCD364DAA936C801FBC610 ___m_AnimatorClipInfo_10;
};
// UnityEngine.Animations.AnimationLayerMixerPlayable
struct AnimationLayerMixerPlayable_tF647DD9BCA6E0F49367A5F13AAE0D5B093A91880
{
public:
// UnityEngine.Playables.PlayableHandle UnityEngine.Animations.AnimationLayerMixerPlayable::m_Handle
PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(AnimationLayerMixerPlayable_tF647DD9BCA6E0F49367A5F13AAE0D5B093A91880, ___m_Handle_0)); }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A value)
{
___m_Handle_0 = value;
}
};
struct AnimationLayerMixerPlayable_tF647DD9BCA6E0F49367A5F13AAE0D5B093A91880_StaticFields
{
public:
// UnityEngine.Animations.AnimationLayerMixerPlayable UnityEngine.Animations.AnimationLayerMixerPlayable::m_NullPlayable
AnimationLayerMixerPlayable_tF647DD9BCA6E0F49367A5F13AAE0D5B093A91880 ___m_NullPlayable_1;
public:
inline static int32_t get_offset_of_m_NullPlayable_1() { return static_cast<int32_t>(offsetof(AnimationLayerMixerPlayable_tF647DD9BCA6E0F49367A5F13AAE0D5B093A91880_StaticFields, ___m_NullPlayable_1)); }
inline AnimationLayerMixerPlayable_tF647DD9BCA6E0F49367A5F13AAE0D5B093A91880 get_m_NullPlayable_1() const { return ___m_NullPlayable_1; }
inline AnimationLayerMixerPlayable_tF647DD9BCA6E0F49367A5F13AAE0D5B093A91880 * get_address_of_m_NullPlayable_1() { return &___m_NullPlayable_1; }
inline void set_m_NullPlayable_1(AnimationLayerMixerPlayable_tF647DD9BCA6E0F49367A5F13AAE0D5B093A91880 value)
{
___m_NullPlayable_1 = value;
}
};
// UnityEngine.Animations.AnimationMixerPlayable
struct AnimationMixerPlayable_t7C6D407FE0D55712B07081F8114CFA347F124741
{
public:
// UnityEngine.Playables.PlayableHandle UnityEngine.Animations.AnimationMixerPlayable::m_Handle
PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(AnimationMixerPlayable_t7C6D407FE0D55712B07081F8114CFA347F124741, ___m_Handle_0)); }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A value)
{
___m_Handle_0 = value;
}
};
struct AnimationMixerPlayable_t7C6D407FE0D55712B07081F8114CFA347F124741_StaticFields
{
public:
// UnityEngine.Animations.AnimationMixerPlayable UnityEngine.Animations.AnimationMixerPlayable::m_NullPlayable
AnimationMixerPlayable_t7C6D407FE0D55712B07081F8114CFA347F124741 ___m_NullPlayable_1;
public:
inline static int32_t get_offset_of_m_NullPlayable_1() { return static_cast<int32_t>(offsetof(AnimationMixerPlayable_t7C6D407FE0D55712B07081F8114CFA347F124741_StaticFields, ___m_NullPlayable_1)); }
inline AnimationMixerPlayable_t7C6D407FE0D55712B07081F8114CFA347F124741 get_m_NullPlayable_1() const { return ___m_NullPlayable_1; }
inline AnimationMixerPlayable_t7C6D407FE0D55712B07081F8114CFA347F124741 * get_address_of_m_NullPlayable_1() { return &___m_NullPlayable_1; }
inline void set_m_NullPlayable_1(AnimationMixerPlayable_t7C6D407FE0D55712B07081F8114CFA347F124741 value)
{
___m_NullPlayable_1 = value;
}
};
// UnityEngine.Animations.AnimationMotionXToDeltaPlayable
struct AnimationMotionXToDeltaPlayable_t6E21B629D4689F5E3CFCFACA0B31411082773076
{
public:
// UnityEngine.Playables.PlayableHandle UnityEngine.Animations.AnimationMotionXToDeltaPlayable::m_Handle
PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(AnimationMotionXToDeltaPlayable_t6E21B629D4689F5E3CFCFACA0B31411082773076, ___m_Handle_0)); }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A value)
{
___m_Handle_0 = value;
}
};
struct AnimationMotionXToDeltaPlayable_t6E21B629D4689F5E3CFCFACA0B31411082773076_StaticFields
{
public:
// UnityEngine.Animations.AnimationMotionXToDeltaPlayable UnityEngine.Animations.AnimationMotionXToDeltaPlayable::m_NullPlayable
AnimationMotionXToDeltaPlayable_t6E21B629D4689F5E3CFCFACA0B31411082773076 ___m_NullPlayable_1;
public:
inline static int32_t get_offset_of_m_NullPlayable_1() { return static_cast<int32_t>(offsetof(AnimationMotionXToDeltaPlayable_t6E21B629D4689F5E3CFCFACA0B31411082773076_StaticFields, ___m_NullPlayable_1)); }
inline AnimationMotionXToDeltaPlayable_t6E21B629D4689F5E3CFCFACA0B31411082773076 get_m_NullPlayable_1() const { return ___m_NullPlayable_1; }
inline AnimationMotionXToDeltaPlayable_t6E21B629D4689F5E3CFCFACA0B31411082773076 * get_address_of_m_NullPlayable_1() { return &___m_NullPlayable_1; }
inline void set_m_NullPlayable_1(AnimationMotionXToDeltaPlayable_t6E21B629D4689F5E3CFCFACA0B31411082773076 value)
{
___m_NullPlayable_1 = value;
}
};
// UnityEngine.Animations.AnimationOffsetPlayable
struct AnimationOffsetPlayable_tBB8333A8E35A23D8FAA2D34E35FF02BD53FF9941
{
public:
// UnityEngine.Playables.PlayableHandle UnityEngine.Animations.AnimationOffsetPlayable::m_Handle
PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(AnimationOffsetPlayable_tBB8333A8E35A23D8FAA2D34E35FF02BD53FF9941, ___m_Handle_0)); }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A value)
{
___m_Handle_0 = value;
}
};
struct AnimationOffsetPlayable_tBB8333A8E35A23D8FAA2D34E35FF02BD53FF9941_StaticFields
{
public:
// UnityEngine.Animations.AnimationOffsetPlayable UnityEngine.Animations.AnimationOffsetPlayable::m_NullPlayable
AnimationOffsetPlayable_tBB8333A8E35A23D8FAA2D34E35FF02BD53FF9941 ___m_NullPlayable_1;
public:
inline static int32_t get_offset_of_m_NullPlayable_1() { return static_cast<int32_t>(offsetof(AnimationOffsetPlayable_tBB8333A8E35A23D8FAA2D34E35FF02BD53FF9941_StaticFields, ___m_NullPlayable_1)); }
inline AnimationOffsetPlayable_tBB8333A8E35A23D8FAA2D34E35FF02BD53FF9941 get_m_NullPlayable_1() const { return ___m_NullPlayable_1; }
inline AnimationOffsetPlayable_tBB8333A8E35A23D8FAA2D34E35FF02BD53FF9941 * get_address_of_m_NullPlayable_1() { return &___m_NullPlayable_1; }
inline void set_m_NullPlayable_1(AnimationOffsetPlayable_tBB8333A8E35A23D8FAA2D34E35FF02BD53FF9941 value)
{
___m_NullPlayable_1 = value;
}
};
// UnityEngine.Animations.AnimationPlayableOutput
struct AnimationPlayableOutput_t14570F3E63619E52ABB0B0306D4F4AAA6225DE17
{
public:
// UnityEngine.Playables.PlayableOutputHandle UnityEngine.Animations.AnimationPlayableOutput::m_Handle
PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(AnimationPlayableOutput_t14570F3E63619E52ABB0B0306D4F4AAA6225DE17, ___m_Handle_0)); }
inline PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 value)
{
___m_Handle_0 = value;
}
};
// UnityEngine.Animations.AnimationPosePlayable
struct AnimationPosePlayable_t455DFF8AB153FC8930BD1B79342EC791033662B9
{
public:
// UnityEngine.Playables.PlayableHandle UnityEngine.Animations.AnimationPosePlayable::m_Handle
PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(AnimationPosePlayable_t455DFF8AB153FC8930BD1B79342EC791033662B9, ___m_Handle_0)); }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A value)
{
___m_Handle_0 = value;
}
};
struct AnimationPosePlayable_t455DFF8AB153FC8930BD1B79342EC791033662B9_StaticFields
{
public:
// UnityEngine.Animations.AnimationPosePlayable UnityEngine.Animations.AnimationPosePlayable::m_NullPlayable
AnimationPosePlayable_t455DFF8AB153FC8930BD1B79342EC791033662B9 ___m_NullPlayable_1;
public:
inline static int32_t get_offset_of_m_NullPlayable_1() { return static_cast<int32_t>(offsetof(AnimationPosePlayable_t455DFF8AB153FC8930BD1B79342EC791033662B9_StaticFields, ___m_NullPlayable_1)); }
inline AnimationPosePlayable_t455DFF8AB153FC8930BD1B79342EC791033662B9 get_m_NullPlayable_1() const { return ___m_NullPlayable_1; }
inline AnimationPosePlayable_t455DFF8AB153FC8930BD1B79342EC791033662B9 * get_address_of_m_NullPlayable_1() { return &___m_NullPlayable_1; }
inline void set_m_NullPlayable_1(AnimationPosePlayable_t455DFF8AB153FC8930BD1B79342EC791033662B9 value)
{
___m_NullPlayable_1 = value;
}
};
// UnityEngine.Animations.AnimationRemoveScalePlayable
struct AnimationRemoveScalePlayable_t774D428669D5CF715E9A7E80E52A619AECC80429
{
public:
// UnityEngine.Playables.PlayableHandle UnityEngine.Animations.AnimationRemoveScalePlayable::m_Handle
PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(AnimationRemoveScalePlayable_t774D428669D5CF715E9A7E80E52A619AECC80429, ___m_Handle_0)); }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A value)
{
___m_Handle_0 = value;
}
};
struct AnimationRemoveScalePlayable_t774D428669D5CF715E9A7E80E52A619AECC80429_StaticFields
{
public:
// UnityEngine.Animations.AnimationRemoveScalePlayable UnityEngine.Animations.AnimationRemoveScalePlayable::m_NullPlayable
AnimationRemoveScalePlayable_t774D428669D5CF715E9A7E80E52A619AECC80429 ___m_NullPlayable_1;
public:
inline static int32_t get_offset_of_m_NullPlayable_1() { return static_cast<int32_t>(offsetof(AnimationRemoveScalePlayable_t774D428669D5CF715E9A7E80E52A619AECC80429_StaticFields, ___m_NullPlayable_1)); }
inline AnimationRemoveScalePlayable_t774D428669D5CF715E9A7E80E52A619AECC80429 get_m_NullPlayable_1() const { return ___m_NullPlayable_1; }
inline AnimationRemoveScalePlayable_t774D428669D5CF715E9A7E80E52A619AECC80429 * get_address_of_m_NullPlayable_1() { return &___m_NullPlayable_1; }
inline void set_m_NullPlayable_1(AnimationRemoveScalePlayable_t774D428669D5CF715E9A7E80E52A619AECC80429 value)
{
___m_NullPlayable_1 = value;
}
};
// UnityEngine.Animations.AnimationScriptPlayable
struct AnimationScriptPlayable_tC1413FB51680271522811045B1BAA555B8F01C6B
{
public:
// UnityEngine.Playables.PlayableHandle UnityEngine.Animations.AnimationScriptPlayable::m_Handle
PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(AnimationScriptPlayable_tC1413FB51680271522811045B1BAA555B8F01C6B, ___m_Handle_0)); }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A value)
{
___m_Handle_0 = value;
}
};
struct AnimationScriptPlayable_tC1413FB51680271522811045B1BAA555B8F01C6B_StaticFields
{
public:
// UnityEngine.Animations.AnimationScriptPlayable UnityEngine.Animations.AnimationScriptPlayable::m_NullPlayable
AnimationScriptPlayable_tC1413FB51680271522811045B1BAA555B8F01C6B ___m_NullPlayable_1;
public:
inline static int32_t get_offset_of_m_NullPlayable_1() { return static_cast<int32_t>(offsetof(AnimationScriptPlayable_tC1413FB51680271522811045B1BAA555B8F01C6B_StaticFields, ___m_NullPlayable_1)); }
inline AnimationScriptPlayable_tC1413FB51680271522811045B1BAA555B8F01C6B get_m_NullPlayable_1() const { return ___m_NullPlayable_1; }
inline AnimationScriptPlayable_tC1413FB51680271522811045B1BAA555B8F01C6B * get_address_of_m_NullPlayable_1() { return &___m_NullPlayable_1; }
inline void set_m_NullPlayable_1(AnimationScriptPlayable_tC1413FB51680271522811045B1BAA555B8F01C6B value)
{
___m_NullPlayable_1 = value;
}
};
// UnityEngine.AnimationState
struct AnimationState_tDB7088046A65ABCEC66B45147693CA0AD803A3AD : public TrackedReference_t17AA313389C655DCF279F96A2D85332B29596514
{
public:
public:
};
// UnityEngine.Animations.AnimatorControllerPlayable
struct AnimatorControllerPlayable_tEABD56FA5A36BD337DA6E049FCB4F1D521DA17A4
{
public:
// UnityEngine.Playables.PlayableHandle UnityEngine.Animations.AnimatorControllerPlayable::m_Handle
PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(AnimatorControllerPlayable_tEABD56FA5A36BD337DA6E049FCB4F1D521DA17A4, ___m_Handle_0)); }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A value)
{
___m_Handle_0 = value;
}
};
struct AnimatorControllerPlayable_tEABD56FA5A36BD337DA6E049FCB4F1D521DA17A4_StaticFields
{
public:
// UnityEngine.Animations.AnimatorControllerPlayable UnityEngine.Animations.AnimatorControllerPlayable::m_NullPlayable
AnimatorControllerPlayable_tEABD56FA5A36BD337DA6E049FCB4F1D521DA17A4 ___m_NullPlayable_1;
public:
inline static int32_t get_offset_of_m_NullPlayable_1() { return static_cast<int32_t>(offsetof(AnimatorControllerPlayable_tEABD56FA5A36BD337DA6E049FCB4F1D521DA17A4_StaticFields, ___m_NullPlayable_1)); }
inline AnimatorControllerPlayable_tEABD56FA5A36BD337DA6E049FCB4F1D521DA17A4 get_m_NullPlayable_1() const { return ___m_NullPlayable_1; }
inline AnimatorControllerPlayable_tEABD56FA5A36BD337DA6E049FCB4F1D521DA17A4 * get_address_of_m_NullPlayable_1() { return &___m_NullPlayable_1; }
inline void set_m_NullPlayable_1(AnimatorControllerPlayable_tEABD56FA5A36BD337DA6E049FCB4F1D521DA17A4 value)
{
___m_NullPlayable_1 = value;
}
};
// System.ApplicationException
struct ApplicationException_t8D709C0445A040467C6A632AD7F742B25AB2A407 : public Exception_t
{
public:
public:
};
// System.Reflection.Emit.AssemblyBuilder
struct AssemblyBuilder_tFEB653B004BDECE75886F91C5B20F91C8191E84D : public Assembly_t
{
public:
public:
};
// System.Reflection.AssemblyName
struct AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824 : public RuntimeObject
{
public:
// System.String System.Reflection.AssemblyName::name
String_t* ___name_0;
// System.String System.Reflection.AssemblyName::codebase
String_t* ___codebase_1;
// System.Int32 System.Reflection.AssemblyName::major
int32_t ___major_2;
// System.Int32 System.Reflection.AssemblyName::minor
int32_t ___minor_3;
// System.Int32 System.Reflection.AssemblyName::build
int32_t ___build_4;
// System.Int32 System.Reflection.AssemblyName::revision
int32_t ___revision_5;
// System.Globalization.CultureInfo System.Reflection.AssemblyName::cultureinfo
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * ___cultureinfo_6;
// System.Reflection.AssemblyNameFlags System.Reflection.AssemblyName::flags
int32_t ___flags_7;
// System.Configuration.Assemblies.AssemblyHashAlgorithm System.Reflection.AssemblyName::hashalg
int32_t ___hashalg_8;
// System.Reflection.StrongNameKeyPair System.Reflection.AssemblyName::keypair
StrongNameKeyPair_tCA4C0AB8B98C6C03134BC8AB17DD4C76D8091FDF * ___keypair_9;
// System.Byte[] System.Reflection.AssemblyName::publicKey
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___publicKey_10;
// System.Byte[] System.Reflection.AssemblyName::keyToken
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___keyToken_11;
// System.Configuration.Assemblies.AssemblyVersionCompatibility System.Reflection.AssemblyName::versioncompat
int32_t ___versioncompat_12;
// System.Version System.Reflection.AssemblyName::version
Version_tBDAEDED25425A1D09910468B8BD1759115646E3C * ___version_13;
// System.Reflection.ProcessorArchitecture System.Reflection.AssemblyName::processor_architecture
int32_t ___processor_architecture_14;
// System.Reflection.AssemblyContentType System.Reflection.AssemblyName::contentType
int32_t ___contentType_15;
public:
inline static int32_t get_offset_of_name_0() { return static_cast<int32_t>(offsetof(AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824, ___name_0)); }
inline String_t* get_name_0() const { return ___name_0; }
inline String_t** get_address_of_name_0() { return &___name_0; }
inline void set_name_0(String_t* value)
{
___name_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_0), (void*)value);
}
inline static int32_t get_offset_of_codebase_1() { return static_cast<int32_t>(offsetof(AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824, ___codebase_1)); }
inline String_t* get_codebase_1() const { return ___codebase_1; }
inline String_t** get_address_of_codebase_1() { return &___codebase_1; }
inline void set_codebase_1(String_t* value)
{
___codebase_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___codebase_1), (void*)value);
}
inline static int32_t get_offset_of_major_2() { return static_cast<int32_t>(offsetof(AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824, ___major_2)); }
inline int32_t get_major_2() const { return ___major_2; }
inline int32_t* get_address_of_major_2() { return &___major_2; }
inline void set_major_2(int32_t value)
{
___major_2 = value;
}
inline static int32_t get_offset_of_minor_3() { return static_cast<int32_t>(offsetof(AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824, ___minor_3)); }
inline int32_t get_minor_3() const { return ___minor_3; }
inline int32_t* get_address_of_minor_3() { return &___minor_3; }
inline void set_minor_3(int32_t value)
{
___minor_3 = value;
}
inline static int32_t get_offset_of_build_4() { return static_cast<int32_t>(offsetof(AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824, ___build_4)); }
inline int32_t get_build_4() const { return ___build_4; }
inline int32_t* get_address_of_build_4() { return &___build_4; }
inline void set_build_4(int32_t value)
{
___build_4 = value;
}
inline static int32_t get_offset_of_revision_5() { return static_cast<int32_t>(offsetof(AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824, ___revision_5)); }
inline int32_t get_revision_5() const { return ___revision_5; }
inline int32_t* get_address_of_revision_5() { return &___revision_5; }
inline void set_revision_5(int32_t value)
{
___revision_5 = value;
}
inline static int32_t get_offset_of_cultureinfo_6() { return static_cast<int32_t>(offsetof(AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824, ___cultureinfo_6)); }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * get_cultureinfo_6() const { return ___cultureinfo_6; }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 ** get_address_of_cultureinfo_6() { return &___cultureinfo_6; }
inline void set_cultureinfo_6(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * value)
{
___cultureinfo_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___cultureinfo_6), (void*)value);
}
inline static int32_t get_offset_of_flags_7() { return static_cast<int32_t>(offsetof(AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824, ___flags_7)); }
inline int32_t get_flags_7() const { return ___flags_7; }
inline int32_t* get_address_of_flags_7() { return &___flags_7; }
inline void set_flags_7(int32_t value)
{
___flags_7 = value;
}
inline static int32_t get_offset_of_hashalg_8() { return static_cast<int32_t>(offsetof(AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824, ___hashalg_8)); }
inline int32_t get_hashalg_8() const { return ___hashalg_8; }
inline int32_t* get_address_of_hashalg_8() { return &___hashalg_8; }
inline void set_hashalg_8(int32_t value)
{
___hashalg_8 = value;
}
inline static int32_t get_offset_of_keypair_9() { return static_cast<int32_t>(offsetof(AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824, ___keypair_9)); }
inline StrongNameKeyPair_tCA4C0AB8B98C6C03134BC8AB17DD4C76D8091FDF * get_keypair_9() const { return ___keypair_9; }
inline StrongNameKeyPair_tCA4C0AB8B98C6C03134BC8AB17DD4C76D8091FDF ** get_address_of_keypair_9() { return &___keypair_9; }
inline void set_keypair_9(StrongNameKeyPair_tCA4C0AB8B98C6C03134BC8AB17DD4C76D8091FDF * value)
{
___keypair_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___keypair_9), (void*)value);
}
inline static int32_t get_offset_of_publicKey_10() { return static_cast<int32_t>(offsetof(AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824, ___publicKey_10)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_publicKey_10() const { return ___publicKey_10; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_publicKey_10() { return &___publicKey_10; }
inline void set_publicKey_10(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___publicKey_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___publicKey_10), (void*)value);
}
inline static int32_t get_offset_of_keyToken_11() { return static_cast<int32_t>(offsetof(AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824, ___keyToken_11)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_keyToken_11() const { return ___keyToken_11; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_keyToken_11() { return &___keyToken_11; }
inline void set_keyToken_11(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___keyToken_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___keyToken_11), (void*)value);
}
inline static int32_t get_offset_of_versioncompat_12() { return static_cast<int32_t>(offsetof(AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824, ___versioncompat_12)); }
inline int32_t get_versioncompat_12() const { return ___versioncompat_12; }
inline int32_t* get_address_of_versioncompat_12() { return &___versioncompat_12; }
inline void set_versioncompat_12(int32_t value)
{
___versioncompat_12 = value;
}
inline static int32_t get_offset_of_version_13() { return static_cast<int32_t>(offsetof(AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824, ___version_13)); }
inline Version_tBDAEDED25425A1D09910468B8BD1759115646E3C * get_version_13() const { return ___version_13; }
inline Version_tBDAEDED25425A1D09910468B8BD1759115646E3C ** get_address_of_version_13() { return &___version_13; }
inline void set_version_13(Version_tBDAEDED25425A1D09910468B8BD1759115646E3C * value)
{
___version_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___version_13), (void*)value);
}
inline static int32_t get_offset_of_processor_architecture_14() { return static_cast<int32_t>(offsetof(AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824, ___processor_architecture_14)); }
inline int32_t get_processor_architecture_14() const { return ___processor_architecture_14; }
inline int32_t* get_address_of_processor_architecture_14() { return &___processor_architecture_14; }
inline void set_processor_architecture_14(int32_t value)
{
___processor_architecture_14 = value;
}
inline static int32_t get_offset_of_contentType_15() { return static_cast<int32_t>(offsetof(AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824, ___contentType_15)); }
inline int32_t get_contentType_15() const { return ___contentType_15; }
inline int32_t* get_address_of_contentType_15() { return &___contentType_15; }
inline void set_contentType_15(int32_t value)
{
___contentType_15 = value;
}
};
// Native definition for P/Invoke marshalling of System.Reflection.AssemblyName
struct AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824_marshaled_pinvoke
{
char* ___name_0;
char* ___codebase_1;
int32_t ___major_2;
int32_t ___minor_3;
int32_t ___build_4;
int32_t ___revision_5;
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_marshaled_pinvoke* ___cultureinfo_6;
int32_t ___flags_7;
int32_t ___hashalg_8;
StrongNameKeyPair_tCA4C0AB8B98C6C03134BC8AB17DD4C76D8091FDF * ___keypair_9;
Il2CppSafeArray/*NONE*/* ___publicKey_10;
Il2CppSafeArray/*NONE*/* ___keyToken_11;
int32_t ___versioncompat_12;
Version_tBDAEDED25425A1D09910468B8BD1759115646E3C * ___version_13;
int32_t ___processor_architecture_14;
int32_t ___contentType_15;
};
// Native definition for COM marshalling of System.Reflection.AssemblyName
struct AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824_marshaled_com
{
Il2CppChar* ___name_0;
Il2CppChar* ___codebase_1;
int32_t ___major_2;
int32_t ___minor_3;
int32_t ___build_4;
int32_t ___revision_5;
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_marshaled_com* ___cultureinfo_6;
int32_t ___flags_7;
int32_t ___hashalg_8;
StrongNameKeyPair_tCA4C0AB8B98C6C03134BC8AB17DD4C76D8091FDF * ___keypair_9;
Il2CppSafeArray/*NONE*/* ___publicKey_10;
Il2CppSafeArray/*NONE*/* ___keyToken_11;
int32_t ___versioncompat_12;
Version_tBDAEDED25425A1D09910468B8BD1759115646E3C * ___version_13;
int32_t ___processor_architecture_14;
int32_t ___contentType_15;
};
// UnityEngine.AssetBundle
struct AssetBundle_t4D34D7FDF0F230DC641DC1FCFA2C0E7E9E628FA4 : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// UnityEngine.AssetBundleCreateRequest
struct AssetBundleCreateRequest_t6AB0C8676D1DAA5F624663445F46FAB7D63EAA3A : public AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86
{
public:
public:
};
// Native definition for P/Invoke marshalling of UnityEngine.AssetBundleCreateRequest
struct AssetBundleCreateRequest_t6AB0C8676D1DAA5F624663445F46FAB7D63EAA3A_marshaled_pinvoke : public AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86_marshaled_pinvoke
{
};
// Native definition for COM marshalling of UnityEngine.AssetBundleCreateRequest
struct AssetBundleCreateRequest_t6AB0C8676D1DAA5F624663445F46FAB7D63EAA3A_marshaled_com : public AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86_marshaled_com
{
};
// UnityEngine.AssetBundleRecompressOperation
struct AssetBundleRecompressOperation_t960AA4671D6EB0A10A041FA29B8C2A7D70C07D31 : public AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86
{
public:
public:
};
// Native definition for P/Invoke marshalling of UnityEngine.AssetBundleRecompressOperation
struct AssetBundleRecompressOperation_t960AA4671D6EB0A10A041FA29B8C2A7D70C07D31_marshaled_pinvoke : public AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86_marshaled_pinvoke
{
};
// Native definition for COM marshalling of UnityEngine.AssetBundleRecompressOperation
struct AssetBundleRecompressOperation_t960AA4671D6EB0A10A041FA29B8C2A7D70C07D31_marshaled_com : public AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86_marshaled_com
{
};
// UnityEngine.Localization.Tables.AssetTableEntry
struct AssetTableEntry_t8BC9520DDA3C46AB2690F450901B9B4C7A8A68E7 : public TableEntry_tA427D0F61CA32E93B0D893A4DB2A5BB793DF9F3F
{
public:
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.Localization.Tables.AssetTableEntry::<AsyncOperation>k__BackingField
Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C ___U3CAsyncOperationU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CAsyncOperationU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(AssetTableEntry_t8BC9520DDA3C46AB2690F450901B9B4C7A8A68E7, ___U3CAsyncOperationU3Ek__BackingField_3)); }
inline Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C get_U3CAsyncOperationU3Ek__BackingField_3() const { return ___U3CAsyncOperationU3Ek__BackingField_3; }
inline Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C * get_address_of_U3CAsyncOperationU3Ek__BackingField_3() { return &___U3CAsyncOperationU3Ek__BackingField_3; }
inline void set_U3CAsyncOperationU3Ek__BackingField_3(Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C value)
{
___U3CAsyncOperationU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)&((&(((&___U3CAsyncOperationU3Ek__BackingField_3))->___value_0))->___m_InternalOp_1), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___U3CAsyncOperationU3Ek__BackingField_3))->___value_0))->___m_LocationName_3), (void*)NULL);
#endif
}
};
// Unity.IO.LowLevel.Unsafe.AsyncReadManagerRequestMetric
struct AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0
{
public:
// System.String Unity.IO.LowLevel.Unsafe.AsyncReadManagerRequestMetric::<AssetName>k__BackingField
String_t* ___U3CAssetNameU3Ek__BackingField_0;
// System.String Unity.IO.LowLevel.Unsafe.AsyncReadManagerRequestMetric::<FileName>k__BackingField
String_t* ___U3CFileNameU3Ek__BackingField_1;
// System.UInt64 Unity.IO.LowLevel.Unsafe.AsyncReadManagerRequestMetric::<OffsetBytes>k__BackingField
uint64_t ___U3COffsetBytesU3Ek__BackingField_2;
// System.UInt64 Unity.IO.LowLevel.Unsafe.AsyncReadManagerRequestMetric::<SizeBytes>k__BackingField
uint64_t ___U3CSizeBytesU3Ek__BackingField_3;
// System.UInt64 Unity.IO.LowLevel.Unsafe.AsyncReadManagerRequestMetric::<AssetTypeId>k__BackingField
uint64_t ___U3CAssetTypeIdU3Ek__BackingField_4;
// System.UInt64 Unity.IO.LowLevel.Unsafe.AsyncReadManagerRequestMetric::<CurrentBytesRead>k__BackingField
uint64_t ___U3CCurrentBytesReadU3Ek__BackingField_5;
// System.UInt32 Unity.IO.LowLevel.Unsafe.AsyncReadManagerRequestMetric::<BatchReadCount>k__BackingField
uint32_t ___U3CBatchReadCountU3Ek__BackingField_6;
// System.Boolean Unity.IO.LowLevel.Unsafe.AsyncReadManagerRequestMetric::<IsBatchRead>k__BackingField
bool ___U3CIsBatchReadU3Ek__BackingField_7;
// Unity.IO.LowLevel.Unsafe.ProcessingState Unity.IO.LowLevel.Unsafe.AsyncReadManagerRequestMetric::<State>k__BackingField
int32_t ___U3CStateU3Ek__BackingField_8;
// Unity.IO.LowLevel.Unsafe.FileReadType Unity.IO.LowLevel.Unsafe.AsyncReadManagerRequestMetric::<ReadType>k__BackingField
int32_t ___U3CReadTypeU3Ek__BackingField_9;
// Unity.IO.LowLevel.Unsafe.Priority Unity.IO.LowLevel.Unsafe.AsyncReadManagerRequestMetric::<PriorityLevel>k__BackingField
int32_t ___U3CPriorityLevelU3Ek__BackingField_10;
// Unity.IO.LowLevel.Unsafe.AssetLoadingSubsystem Unity.IO.LowLevel.Unsafe.AsyncReadManagerRequestMetric::<Subsystem>k__BackingField
int32_t ___U3CSubsystemU3Ek__BackingField_11;
// System.Double Unity.IO.LowLevel.Unsafe.AsyncReadManagerRequestMetric::<RequestTimeMicroseconds>k__BackingField
double ___U3CRequestTimeMicrosecondsU3Ek__BackingField_12;
// System.Double Unity.IO.LowLevel.Unsafe.AsyncReadManagerRequestMetric::<TimeInQueueMicroseconds>k__BackingField
double ___U3CTimeInQueueMicrosecondsU3Ek__BackingField_13;
// System.Double Unity.IO.LowLevel.Unsafe.AsyncReadManagerRequestMetric::<TotalTimeMicroseconds>k__BackingField
double ___U3CTotalTimeMicrosecondsU3Ek__BackingField_14;
public:
inline static int32_t get_offset_of_U3CAssetNameU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0, ___U3CAssetNameU3Ek__BackingField_0)); }
inline String_t* get_U3CAssetNameU3Ek__BackingField_0() const { return ___U3CAssetNameU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CAssetNameU3Ek__BackingField_0() { return &___U3CAssetNameU3Ek__BackingField_0; }
inline void set_U3CAssetNameU3Ek__BackingField_0(String_t* value)
{
___U3CAssetNameU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CAssetNameU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CFileNameU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0, ___U3CFileNameU3Ek__BackingField_1)); }
inline String_t* get_U3CFileNameU3Ek__BackingField_1() const { return ___U3CFileNameU3Ek__BackingField_1; }
inline String_t** get_address_of_U3CFileNameU3Ek__BackingField_1() { return &___U3CFileNameU3Ek__BackingField_1; }
inline void set_U3CFileNameU3Ek__BackingField_1(String_t* value)
{
___U3CFileNameU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CFileNameU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3COffsetBytesU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0, ___U3COffsetBytesU3Ek__BackingField_2)); }
inline uint64_t get_U3COffsetBytesU3Ek__BackingField_2() const { return ___U3COffsetBytesU3Ek__BackingField_2; }
inline uint64_t* get_address_of_U3COffsetBytesU3Ek__BackingField_2() { return &___U3COffsetBytesU3Ek__BackingField_2; }
inline void set_U3COffsetBytesU3Ek__BackingField_2(uint64_t value)
{
___U3COffsetBytesU3Ek__BackingField_2 = value;
}
inline static int32_t get_offset_of_U3CSizeBytesU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0, ___U3CSizeBytesU3Ek__BackingField_3)); }
inline uint64_t get_U3CSizeBytesU3Ek__BackingField_3() const { return ___U3CSizeBytesU3Ek__BackingField_3; }
inline uint64_t* get_address_of_U3CSizeBytesU3Ek__BackingField_3() { return &___U3CSizeBytesU3Ek__BackingField_3; }
inline void set_U3CSizeBytesU3Ek__BackingField_3(uint64_t value)
{
___U3CSizeBytesU3Ek__BackingField_3 = value;
}
inline static int32_t get_offset_of_U3CAssetTypeIdU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0, ___U3CAssetTypeIdU3Ek__BackingField_4)); }
inline uint64_t get_U3CAssetTypeIdU3Ek__BackingField_4() const { return ___U3CAssetTypeIdU3Ek__BackingField_4; }
inline uint64_t* get_address_of_U3CAssetTypeIdU3Ek__BackingField_4() { return &___U3CAssetTypeIdU3Ek__BackingField_4; }
inline void set_U3CAssetTypeIdU3Ek__BackingField_4(uint64_t value)
{
___U3CAssetTypeIdU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3CCurrentBytesReadU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0, ___U3CCurrentBytesReadU3Ek__BackingField_5)); }
inline uint64_t get_U3CCurrentBytesReadU3Ek__BackingField_5() const { return ___U3CCurrentBytesReadU3Ek__BackingField_5; }
inline uint64_t* get_address_of_U3CCurrentBytesReadU3Ek__BackingField_5() { return &___U3CCurrentBytesReadU3Ek__BackingField_5; }
inline void set_U3CCurrentBytesReadU3Ek__BackingField_5(uint64_t value)
{
___U3CCurrentBytesReadU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CBatchReadCountU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0, ___U3CBatchReadCountU3Ek__BackingField_6)); }
inline uint32_t get_U3CBatchReadCountU3Ek__BackingField_6() const { return ___U3CBatchReadCountU3Ek__BackingField_6; }
inline uint32_t* get_address_of_U3CBatchReadCountU3Ek__BackingField_6() { return &___U3CBatchReadCountU3Ek__BackingField_6; }
inline void set_U3CBatchReadCountU3Ek__BackingField_6(uint32_t value)
{
___U3CBatchReadCountU3Ek__BackingField_6 = value;
}
inline static int32_t get_offset_of_U3CIsBatchReadU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0, ___U3CIsBatchReadU3Ek__BackingField_7)); }
inline bool get_U3CIsBatchReadU3Ek__BackingField_7() const { return ___U3CIsBatchReadU3Ek__BackingField_7; }
inline bool* get_address_of_U3CIsBatchReadU3Ek__BackingField_7() { return &___U3CIsBatchReadU3Ek__BackingField_7; }
inline void set_U3CIsBatchReadU3Ek__BackingField_7(bool value)
{
___U3CIsBatchReadU3Ek__BackingField_7 = value;
}
inline static int32_t get_offset_of_U3CStateU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0, ___U3CStateU3Ek__BackingField_8)); }
inline int32_t get_U3CStateU3Ek__BackingField_8() const { return ___U3CStateU3Ek__BackingField_8; }
inline int32_t* get_address_of_U3CStateU3Ek__BackingField_8() { return &___U3CStateU3Ek__BackingField_8; }
inline void set_U3CStateU3Ek__BackingField_8(int32_t value)
{
___U3CStateU3Ek__BackingField_8 = value;
}
inline static int32_t get_offset_of_U3CReadTypeU3Ek__BackingField_9() { return static_cast<int32_t>(offsetof(AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0, ___U3CReadTypeU3Ek__BackingField_9)); }
inline int32_t get_U3CReadTypeU3Ek__BackingField_9() const { return ___U3CReadTypeU3Ek__BackingField_9; }
inline int32_t* get_address_of_U3CReadTypeU3Ek__BackingField_9() { return &___U3CReadTypeU3Ek__BackingField_9; }
inline void set_U3CReadTypeU3Ek__BackingField_9(int32_t value)
{
___U3CReadTypeU3Ek__BackingField_9 = value;
}
inline static int32_t get_offset_of_U3CPriorityLevelU3Ek__BackingField_10() { return static_cast<int32_t>(offsetof(AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0, ___U3CPriorityLevelU3Ek__BackingField_10)); }
inline int32_t get_U3CPriorityLevelU3Ek__BackingField_10() const { return ___U3CPriorityLevelU3Ek__BackingField_10; }
inline int32_t* get_address_of_U3CPriorityLevelU3Ek__BackingField_10() { return &___U3CPriorityLevelU3Ek__BackingField_10; }
inline void set_U3CPriorityLevelU3Ek__BackingField_10(int32_t value)
{
___U3CPriorityLevelU3Ek__BackingField_10 = value;
}
inline static int32_t get_offset_of_U3CSubsystemU3Ek__BackingField_11() { return static_cast<int32_t>(offsetof(AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0, ___U3CSubsystemU3Ek__BackingField_11)); }
inline int32_t get_U3CSubsystemU3Ek__BackingField_11() const { return ___U3CSubsystemU3Ek__BackingField_11; }
inline int32_t* get_address_of_U3CSubsystemU3Ek__BackingField_11() { return &___U3CSubsystemU3Ek__BackingField_11; }
inline void set_U3CSubsystemU3Ek__BackingField_11(int32_t value)
{
___U3CSubsystemU3Ek__BackingField_11 = value;
}
inline static int32_t get_offset_of_U3CRequestTimeMicrosecondsU3Ek__BackingField_12() { return static_cast<int32_t>(offsetof(AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0, ___U3CRequestTimeMicrosecondsU3Ek__BackingField_12)); }
inline double get_U3CRequestTimeMicrosecondsU3Ek__BackingField_12() const { return ___U3CRequestTimeMicrosecondsU3Ek__BackingField_12; }
inline double* get_address_of_U3CRequestTimeMicrosecondsU3Ek__BackingField_12() { return &___U3CRequestTimeMicrosecondsU3Ek__BackingField_12; }
inline void set_U3CRequestTimeMicrosecondsU3Ek__BackingField_12(double value)
{
___U3CRequestTimeMicrosecondsU3Ek__BackingField_12 = value;
}
inline static int32_t get_offset_of_U3CTimeInQueueMicrosecondsU3Ek__BackingField_13() { return static_cast<int32_t>(offsetof(AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0, ___U3CTimeInQueueMicrosecondsU3Ek__BackingField_13)); }
inline double get_U3CTimeInQueueMicrosecondsU3Ek__BackingField_13() const { return ___U3CTimeInQueueMicrosecondsU3Ek__BackingField_13; }
inline double* get_address_of_U3CTimeInQueueMicrosecondsU3Ek__BackingField_13() { return &___U3CTimeInQueueMicrosecondsU3Ek__BackingField_13; }
inline void set_U3CTimeInQueueMicrosecondsU3Ek__BackingField_13(double value)
{
___U3CTimeInQueueMicrosecondsU3Ek__BackingField_13 = value;
}
inline static int32_t get_offset_of_U3CTotalTimeMicrosecondsU3Ek__BackingField_14() { return static_cast<int32_t>(offsetof(AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0, ___U3CTotalTimeMicrosecondsU3Ek__BackingField_14)); }
inline double get_U3CTotalTimeMicrosecondsU3Ek__BackingField_14() const { return ___U3CTotalTimeMicrosecondsU3Ek__BackingField_14; }
inline double* get_address_of_U3CTotalTimeMicrosecondsU3Ek__BackingField_14() { return &___U3CTotalTimeMicrosecondsU3Ek__BackingField_14; }
inline void set_U3CTotalTimeMicrosecondsU3Ek__BackingField_14(double value)
{
___U3CTotalTimeMicrosecondsU3Ek__BackingField_14 = value;
}
};
// Native definition for P/Invoke marshalling of Unity.IO.LowLevel.Unsafe.AsyncReadManagerRequestMetric
struct AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0_marshaled_pinvoke
{
char* ___U3CAssetNameU3Ek__BackingField_0;
char* ___U3CFileNameU3Ek__BackingField_1;
uint64_t ___U3COffsetBytesU3Ek__BackingField_2;
uint64_t ___U3CSizeBytesU3Ek__BackingField_3;
uint64_t ___U3CAssetTypeIdU3Ek__BackingField_4;
uint64_t ___U3CCurrentBytesReadU3Ek__BackingField_5;
uint32_t ___U3CBatchReadCountU3Ek__BackingField_6;
int32_t ___U3CIsBatchReadU3Ek__BackingField_7;
int32_t ___U3CStateU3Ek__BackingField_8;
int32_t ___U3CReadTypeU3Ek__BackingField_9;
int32_t ___U3CPriorityLevelU3Ek__BackingField_10;
int32_t ___U3CSubsystemU3Ek__BackingField_11;
double ___U3CRequestTimeMicrosecondsU3Ek__BackingField_12;
double ___U3CTimeInQueueMicrosecondsU3Ek__BackingField_13;
double ___U3CTotalTimeMicrosecondsU3Ek__BackingField_14;
};
// Native definition for COM marshalling of Unity.IO.LowLevel.Unsafe.AsyncReadManagerRequestMetric
struct AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0_marshaled_com
{
Il2CppChar* ___U3CAssetNameU3Ek__BackingField_0;
Il2CppChar* ___U3CFileNameU3Ek__BackingField_1;
uint64_t ___U3COffsetBytesU3Ek__BackingField_2;
uint64_t ___U3CSizeBytesU3Ek__BackingField_3;
uint64_t ___U3CAssetTypeIdU3Ek__BackingField_4;
uint64_t ___U3CCurrentBytesReadU3Ek__BackingField_5;
uint32_t ___U3CBatchReadCountU3Ek__BackingField_6;
int32_t ___U3CIsBatchReadU3Ek__BackingField_7;
int32_t ___U3CStateU3Ek__BackingField_8;
int32_t ___U3CReadTypeU3Ek__BackingField_9;
int32_t ___U3CPriorityLevelU3Ek__BackingField_10;
int32_t ___U3CSubsystemU3Ek__BackingField_11;
double ___U3CRequestTimeMicrosecondsU3Ek__BackingField_12;
double ___U3CTimeInQueueMicrosecondsU3Ek__BackingField_13;
double ___U3CTotalTimeMicrosecondsU3Ek__BackingField_14;
};
// System.Runtime.Remoting.Messaging.AsyncResult
struct AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B : public RuntimeObject
{
public:
// System.Object System.Runtime.Remoting.Messaging.AsyncResult::async_state
RuntimeObject * ___async_state_0;
// System.Threading.WaitHandle System.Runtime.Remoting.Messaging.AsyncResult::handle
WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842 * ___handle_1;
// System.Object System.Runtime.Remoting.Messaging.AsyncResult::async_delegate
RuntimeObject * ___async_delegate_2;
// System.IntPtr System.Runtime.Remoting.Messaging.AsyncResult::data
intptr_t ___data_3;
// System.Object System.Runtime.Remoting.Messaging.AsyncResult::object_data
RuntimeObject * ___object_data_4;
// System.Boolean System.Runtime.Remoting.Messaging.AsyncResult::sync_completed
bool ___sync_completed_5;
// System.Boolean System.Runtime.Remoting.Messaging.AsyncResult::completed
bool ___completed_6;
// System.Boolean System.Runtime.Remoting.Messaging.AsyncResult::endinvoke_called
bool ___endinvoke_called_7;
// System.Object System.Runtime.Remoting.Messaging.AsyncResult::async_callback
RuntimeObject * ___async_callback_8;
// System.Threading.ExecutionContext System.Runtime.Remoting.Messaging.AsyncResult::current
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * ___current_9;
// System.Threading.ExecutionContext System.Runtime.Remoting.Messaging.AsyncResult::original
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * ___original_10;
// System.Int64 System.Runtime.Remoting.Messaging.AsyncResult::add_time
int64_t ___add_time_11;
// System.Runtime.Remoting.Messaging.MonoMethodMessage System.Runtime.Remoting.Messaging.AsyncResult::call_message
MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC * ___call_message_12;
// System.Runtime.Remoting.Messaging.IMessageCtrl System.Runtime.Remoting.Messaging.AsyncResult::message_ctrl
RuntimeObject* ___message_ctrl_13;
// System.Runtime.Remoting.Messaging.IMessage System.Runtime.Remoting.Messaging.AsyncResult::reply_message
RuntimeObject* ___reply_message_14;
// System.Threading.WaitCallback System.Runtime.Remoting.Messaging.AsyncResult::orig_cb
WaitCallback_t82C85517E973DCC6390AFB0BC3C2276F3328A319 * ___orig_cb_15;
public:
inline static int32_t get_offset_of_async_state_0() { return static_cast<int32_t>(offsetof(AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B, ___async_state_0)); }
inline RuntimeObject * get_async_state_0() const { return ___async_state_0; }
inline RuntimeObject ** get_address_of_async_state_0() { return &___async_state_0; }
inline void set_async_state_0(RuntimeObject * value)
{
___async_state_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___async_state_0), (void*)value);
}
inline static int32_t get_offset_of_handle_1() { return static_cast<int32_t>(offsetof(AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B, ___handle_1)); }
inline WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842 * get_handle_1() const { return ___handle_1; }
inline WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842 ** get_address_of_handle_1() { return &___handle_1; }
inline void set_handle_1(WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842 * value)
{
___handle_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___handle_1), (void*)value);
}
inline static int32_t get_offset_of_async_delegate_2() { return static_cast<int32_t>(offsetof(AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B, ___async_delegate_2)); }
inline RuntimeObject * get_async_delegate_2() const { return ___async_delegate_2; }
inline RuntimeObject ** get_address_of_async_delegate_2() { return &___async_delegate_2; }
inline void set_async_delegate_2(RuntimeObject * value)
{
___async_delegate_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___async_delegate_2), (void*)value);
}
inline static int32_t get_offset_of_data_3() { return static_cast<int32_t>(offsetof(AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B, ___data_3)); }
inline intptr_t get_data_3() const { return ___data_3; }
inline intptr_t* get_address_of_data_3() { return &___data_3; }
inline void set_data_3(intptr_t value)
{
___data_3 = value;
}
inline static int32_t get_offset_of_object_data_4() { return static_cast<int32_t>(offsetof(AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B, ___object_data_4)); }
inline RuntimeObject * get_object_data_4() const { return ___object_data_4; }
inline RuntimeObject ** get_address_of_object_data_4() { return &___object_data_4; }
inline void set_object_data_4(RuntimeObject * value)
{
___object_data_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___object_data_4), (void*)value);
}
inline static int32_t get_offset_of_sync_completed_5() { return static_cast<int32_t>(offsetof(AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B, ___sync_completed_5)); }
inline bool get_sync_completed_5() const { return ___sync_completed_5; }
inline bool* get_address_of_sync_completed_5() { return &___sync_completed_5; }
inline void set_sync_completed_5(bool value)
{
___sync_completed_5 = value;
}
inline static int32_t get_offset_of_completed_6() { return static_cast<int32_t>(offsetof(AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B, ___completed_6)); }
inline bool get_completed_6() const { return ___completed_6; }
inline bool* get_address_of_completed_6() { return &___completed_6; }
inline void set_completed_6(bool value)
{
___completed_6 = value;
}
inline static int32_t get_offset_of_endinvoke_called_7() { return static_cast<int32_t>(offsetof(AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B, ___endinvoke_called_7)); }
inline bool get_endinvoke_called_7() const { return ___endinvoke_called_7; }
inline bool* get_address_of_endinvoke_called_7() { return &___endinvoke_called_7; }
inline void set_endinvoke_called_7(bool value)
{
___endinvoke_called_7 = value;
}
inline static int32_t get_offset_of_async_callback_8() { return static_cast<int32_t>(offsetof(AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B, ___async_callback_8)); }
inline RuntimeObject * get_async_callback_8() const { return ___async_callback_8; }
inline RuntimeObject ** get_address_of_async_callback_8() { return &___async_callback_8; }
inline void set_async_callback_8(RuntimeObject * value)
{
___async_callback_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___async_callback_8), (void*)value);
}
inline static int32_t get_offset_of_current_9() { return static_cast<int32_t>(offsetof(AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B, ___current_9)); }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * get_current_9() const { return ___current_9; }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 ** get_address_of_current_9() { return &___current_9; }
inline void set_current_9(ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * value)
{
___current_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___current_9), (void*)value);
}
inline static int32_t get_offset_of_original_10() { return static_cast<int32_t>(offsetof(AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B, ___original_10)); }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * get_original_10() const { return ___original_10; }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 ** get_address_of_original_10() { return &___original_10; }
inline void set_original_10(ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * value)
{
___original_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___original_10), (void*)value);
}
inline static int32_t get_offset_of_add_time_11() { return static_cast<int32_t>(offsetof(AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B, ___add_time_11)); }
inline int64_t get_add_time_11() const { return ___add_time_11; }
inline int64_t* get_address_of_add_time_11() { return &___add_time_11; }
inline void set_add_time_11(int64_t value)
{
___add_time_11 = value;
}
inline static int32_t get_offset_of_call_message_12() { return static_cast<int32_t>(offsetof(AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B, ___call_message_12)); }
inline MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC * get_call_message_12() const { return ___call_message_12; }
inline MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC ** get_address_of_call_message_12() { return &___call_message_12; }
inline void set_call_message_12(MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC * value)
{
___call_message_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___call_message_12), (void*)value);
}
inline static int32_t get_offset_of_message_ctrl_13() { return static_cast<int32_t>(offsetof(AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B, ___message_ctrl_13)); }
inline RuntimeObject* get_message_ctrl_13() const { return ___message_ctrl_13; }
inline RuntimeObject** get_address_of_message_ctrl_13() { return &___message_ctrl_13; }
inline void set_message_ctrl_13(RuntimeObject* value)
{
___message_ctrl_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___message_ctrl_13), (void*)value);
}
inline static int32_t get_offset_of_reply_message_14() { return static_cast<int32_t>(offsetof(AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B, ___reply_message_14)); }
inline RuntimeObject* get_reply_message_14() const { return ___reply_message_14; }
inline RuntimeObject** get_address_of_reply_message_14() { return &___reply_message_14; }
inline void set_reply_message_14(RuntimeObject* value)
{
___reply_message_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___reply_message_14), (void*)value);
}
inline static int32_t get_offset_of_orig_cb_15() { return static_cast<int32_t>(offsetof(AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B, ___orig_cb_15)); }
inline WaitCallback_t82C85517E973DCC6390AFB0BC3C2276F3328A319 * get_orig_cb_15() const { return ___orig_cb_15; }
inline WaitCallback_t82C85517E973DCC6390AFB0BC3C2276F3328A319 ** get_address_of_orig_cb_15() { return &___orig_cb_15; }
inline void set_orig_cb_15(WaitCallback_t82C85517E973DCC6390AFB0BC3C2276F3328A319 * value)
{
___orig_cb_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___orig_cb_15), (void*)value);
}
};
struct AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B_StaticFields
{
public:
// System.Threading.ContextCallback System.Runtime.Remoting.Messaging.AsyncResult::ccb
ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * ___ccb_16;
public:
inline static int32_t get_offset_of_ccb_16() { return static_cast<int32_t>(offsetof(AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B_StaticFields, ___ccb_16)); }
inline ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * get_ccb_16() const { return ___ccb_16; }
inline ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B ** get_address_of_ccb_16() { return &___ccb_16; }
inline void set_ccb_16(ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * value)
{
___ccb_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ccb_16), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Runtime.Remoting.Messaging.AsyncResult
struct AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B_marshaled_pinvoke
{
Il2CppIUnknown* ___async_state_0;
WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842_marshaled_pinvoke ___handle_1;
Il2CppIUnknown* ___async_delegate_2;
intptr_t ___data_3;
Il2CppIUnknown* ___object_data_4;
int32_t ___sync_completed_5;
int32_t ___completed_6;
int32_t ___endinvoke_called_7;
Il2CppIUnknown* ___async_callback_8;
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * ___current_9;
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * ___original_10;
int64_t ___add_time_11;
MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC_marshaled_pinvoke* ___call_message_12;
RuntimeObject* ___message_ctrl_13;
RuntimeObject* ___reply_message_14;
Il2CppMethodPointer ___orig_cb_15;
};
// Native definition for COM marshalling of System.Runtime.Remoting.Messaging.AsyncResult
struct AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B_marshaled_com
{
Il2CppIUnknown* ___async_state_0;
WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842_marshaled_com* ___handle_1;
Il2CppIUnknown* ___async_delegate_2;
intptr_t ___data_3;
Il2CppIUnknown* ___object_data_4;
int32_t ___sync_completed_5;
int32_t ___completed_6;
int32_t ___endinvoke_called_7;
Il2CppIUnknown* ___async_callback_8;
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * ___current_9;
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * ___original_10;
int64_t ___add_time_11;
MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC_marshaled_com* ___call_message_12;
RuntimeObject* ___message_ctrl_13;
RuntimeObject* ___reply_message_14;
Il2CppMethodPointer ___orig_cb_15;
};
// System.AttributeUsageAttribute
struct AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.AttributeTargets System.AttributeUsageAttribute::m_attributeTarget
int32_t ___m_attributeTarget_0;
// System.Boolean System.AttributeUsageAttribute::m_allowMultiple
bool ___m_allowMultiple_1;
// System.Boolean System.AttributeUsageAttribute::m_inherited
bool ___m_inherited_2;
public:
inline static int32_t get_offset_of_m_attributeTarget_0() { return static_cast<int32_t>(offsetof(AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C, ___m_attributeTarget_0)); }
inline int32_t get_m_attributeTarget_0() const { return ___m_attributeTarget_0; }
inline int32_t* get_address_of_m_attributeTarget_0() { return &___m_attributeTarget_0; }
inline void set_m_attributeTarget_0(int32_t value)
{
___m_attributeTarget_0 = value;
}
inline static int32_t get_offset_of_m_allowMultiple_1() { return static_cast<int32_t>(offsetof(AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C, ___m_allowMultiple_1)); }
inline bool get_m_allowMultiple_1() const { return ___m_allowMultiple_1; }
inline bool* get_address_of_m_allowMultiple_1() { return &___m_allowMultiple_1; }
inline void set_m_allowMultiple_1(bool value)
{
___m_allowMultiple_1 = value;
}
inline static int32_t get_offset_of_m_inherited_2() { return static_cast<int32_t>(offsetof(AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C, ___m_inherited_2)); }
inline bool get_m_inherited_2() const { return ___m_inherited_2; }
inline bool* get_address_of_m_inherited_2() { return &___m_inherited_2; }
inline void set_m_inherited_2(bool value)
{
___m_inherited_2 = value;
}
};
struct AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C_StaticFields
{
public:
// System.AttributeUsageAttribute System.AttributeUsageAttribute::Default
AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C * ___Default_3;
public:
inline static int32_t get_offset_of_Default_3() { return static_cast<int32_t>(offsetof(AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C_StaticFields, ___Default_3)); }
inline AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C * get_Default_3() const { return ___Default_3; }
inline AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C ** get_address_of_Default_3() { return &___Default_3; }
inline void set_Default_3(AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C * value)
{
___Default_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Default_3), (void*)value);
}
};
// UnityEngine.AudioClip
struct AudioClip_t16D2E573E7CC1C5118D8EE0F0692D46866A1C0EE : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
// UnityEngine.AudioClip/PCMReaderCallback UnityEngine.AudioClip::m_PCMReaderCallback
PCMReaderCallback_t9CA1437D36509A9FAC5EDD8FF2BC3259C24D0E0B * ___m_PCMReaderCallback_4;
// UnityEngine.AudioClip/PCMSetPositionCallback UnityEngine.AudioClip::m_PCMSetPositionCallback
PCMSetPositionCallback_tBDD99E7C0697687F1E7B06CDD5DE444A3709CF4C * ___m_PCMSetPositionCallback_5;
public:
inline static int32_t get_offset_of_m_PCMReaderCallback_4() { return static_cast<int32_t>(offsetof(AudioClip_t16D2E573E7CC1C5118D8EE0F0692D46866A1C0EE, ___m_PCMReaderCallback_4)); }
inline PCMReaderCallback_t9CA1437D36509A9FAC5EDD8FF2BC3259C24D0E0B * get_m_PCMReaderCallback_4() const { return ___m_PCMReaderCallback_4; }
inline PCMReaderCallback_t9CA1437D36509A9FAC5EDD8FF2BC3259C24D0E0B ** get_address_of_m_PCMReaderCallback_4() { return &___m_PCMReaderCallback_4; }
inline void set_m_PCMReaderCallback_4(PCMReaderCallback_t9CA1437D36509A9FAC5EDD8FF2BC3259C24D0E0B * value)
{
___m_PCMReaderCallback_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PCMReaderCallback_4), (void*)value);
}
inline static int32_t get_offset_of_m_PCMSetPositionCallback_5() { return static_cast<int32_t>(offsetof(AudioClip_t16D2E573E7CC1C5118D8EE0F0692D46866A1C0EE, ___m_PCMSetPositionCallback_5)); }
inline PCMSetPositionCallback_tBDD99E7C0697687F1E7B06CDD5DE444A3709CF4C * get_m_PCMSetPositionCallback_5() const { return ___m_PCMSetPositionCallback_5; }
inline PCMSetPositionCallback_tBDD99E7C0697687F1E7B06CDD5DE444A3709CF4C ** get_address_of_m_PCMSetPositionCallback_5() { return &___m_PCMSetPositionCallback_5; }
inline void set_m_PCMSetPositionCallback_5(PCMSetPositionCallback_tBDD99E7C0697687F1E7B06CDD5DE444A3709CF4C * value)
{
___m_PCMSetPositionCallback_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PCMSetPositionCallback_5), (void*)value);
}
};
// UnityEngine.Audio.AudioClipPlayable
struct AudioClipPlayable_t3574B22284CE09FDEAD15BD18D66C4A21D59FA5F
{
public:
// UnityEngine.Playables.PlayableHandle UnityEngine.Audio.AudioClipPlayable::m_Handle
PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(AudioClipPlayable_t3574B22284CE09FDEAD15BD18D66C4A21D59FA5F, ___m_Handle_0)); }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A value)
{
___m_Handle_0 = value;
}
};
// UnityEngine.Audio.AudioMixerPlayable
struct AudioMixerPlayable_t80531461F1E238E237D7BB2BAE7E031ABDE95C4A
{
public:
// UnityEngine.Playables.PlayableHandle UnityEngine.Audio.AudioMixerPlayable::m_Handle
PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(AudioMixerPlayable_t80531461F1E238E237D7BB2BAE7E031ABDE95C4A, ___m_Handle_0)); }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A value)
{
___m_Handle_0 = value;
}
};
// UnityEngine.Audio.AudioPlayableOutput
struct AudioPlayableOutput_t9809407FDE5B55DD34088A665C8C53346AC76EE8
{
public:
// UnityEngine.Playables.PlayableOutputHandle UnityEngine.Audio.AudioPlayableOutput::m_Handle
PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(AudioPlayableOutput_t9809407FDE5B55DD34088A665C8C53346AC76EE8, ___m_Handle_0)); }
inline PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 value)
{
___m_Handle_0 = value;
}
};
// UnityEngine.EventSystems.AxisEventData
struct AxisEventData_t5F2EE83206BFD1BC59087D1C9CE31A4389A17E1E : public BaseEventData_t722C48843CF21B50E06CC0E2E679415E38A7444E
{
public:
// UnityEngine.Vector2 UnityEngine.EventSystems.AxisEventData::<moveVector>k__BackingField
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___U3CmoveVectorU3Ek__BackingField_2;
// UnityEngine.EventSystems.MoveDirection UnityEngine.EventSystems.AxisEventData::<moveDir>k__BackingField
int32_t ___U3CmoveDirU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CmoveVectorU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(AxisEventData_t5F2EE83206BFD1BC59087D1C9CE31A4389A17E1E, ___U3CmoveVectorU3Ek__BackingField_2)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_U3CmoveVectorU3Ek__BackingField_2() const { return ___U3CmoveVectorU3Ek__BackingField_2; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_U3CmoveVectorU3Ek__BackingField_2() { return &___U3CmoveVectorU3Ek__BackingField_2; }
inline void set_U3CmoveVectorU3Ek__BackingField_2(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___U3CmoveVectorU3Ek__BackingField_2 = value;
}
inline static int32_t get_offset_of_U3CmoveDirU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(AxisEventData_t5F2EE83206BFD1BC59087D1C9CE31A4389A17E1E, ___U3CmoveDirU3Ek__BackingField_3)); }
inline int32_t get_U3CmoveDirU3Ek__BackingField_3() const { return ___U3CmoveDirU3Ek__BackingField_3; }
inline int32_t* get_address_of_U3CmoveDirU3Ek__BackingField_3() { return &___U3CmoveDirU3Ek__BackingField_3; }
inline void set_U3CmoveDirU3Ek__BackingField_3(int32_t value)
{
___U3CmoveDirU3Ek__BackingField_3 = value;
}
};
// System.ComponentModel.BaseNumberConverter
struct BaseNumberConverter_t6CA2001CE79249FCF74FC888710AAD5CA23B748C : public TypeConverter_t004F185B630F00F509F08BD8F8D82471867323B4
{
public:
public:
};
// UnityEngine.Rendering.BatchRendererCullingOutput
struct BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC
{
public:
// Unity.Jobs.JobHandle UnityEngine.Rendering.BatchRendererCullingOutput::cullingJobsFence
JobHandle_t8AEB8D31C25D7774C71D62B0C662525E6E36D847 ___cullingJobsFence_0;
// UnityEngine.Matrix4x4 UnityEngine.Rendering.BatchRendererCullingOutput::cullingMatrix
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 ___cullingMatrix_1;
// UnityEngine.Plane* UnityEngine.Rendering.BatchRendererCullingOutput::cullingPlanes
Plane_t80844BF2332EAFC1DDEDD616A950242031A115C7 * ___cullingPlanes_2;
// UnityEngine.Rendering.BatchVisibility* UnityEngine.Rendering.BatchRendererCullingOutput::batchVisibility
BatchVisibility_tFA63D052426424FBD58F78E973AAAC52A67B5AFE * ___batchVisibility_3;
// System.Int32* UnityEngine.Rendering.BatchRendererCullingOutput::visibleIndices
int32_t* ___visibleIndices_4;
// System.Int32* UnityEngine.Rendering.BatchRendererCullingOutput::visibleIndicesY
int32_t* ___visibleIndicesY_5;
// System.Int32 UnityEngine.Rendering.BatchRendererCullingOutput::cullingPlanesCount
int32_t ___cullingPlanesCount_6;
// System.Int32 UnityEngine.Rendering.BatchRendererCullingOutput::batchVisibilityCount
int32_t ___batchVisibilityCount_7;
// System.Int32 UnityEngine.Rendering.BatchRendererCullingOutput::visibleIndicesCount
int32_t ___visibleIndicesCount_8;
// System.Single UnityEngine.Rendering.BatchRendererCullingOutput::nearPlane
float ___nearPlane_9;
public:
inline static int32_t get_offset_of_cullingJobsFence_0() { return static_cast<int32_t>(offsetof(BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC, ___cullingJobsFence_0)); }
inline JobHandle_t8AEB8D31C25D7774C71D62B0C662525E6E36D847 get_cullingJobsFence_0() const { return ___cullingJobsFence_0; }
inline JobHandle_t8AEB8D31C25D7774C71D62B0C662525E6E36D847 * get_address_of_cullingJobsFence_0() { return &___cullingJobsFence_0; }
inline void set_cullingJobsFence_0(JobHandle_t8AEB8D31C25D7774C71D62B0C662525E6E36D847 value)
{
___cullingJobsFence_0 = value;
}
inline static int32_t get_offset_of_cullingMatrix_1() { return static_cast<int32_t>(offsetof(BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC, ___cullingMatrix_1)); }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 get_cullingMatrix_1() const { return ___cullingMatrix_1; }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 * get_address_of_cullingMatrix_1() { return &___cullingMatrix_1; }
inline void set_cullingMatrix_1(Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 value)
{
___cullingMatrix_1 = value;
}
inline static int32_t get_offset_of_cullingPlanes_2() { return static_cast<int32_t>(offsetof(BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC, ___cullingPlanes_2)); }
inline Plane_t80844BF2332EAFC1DDEDD616A950242031A115C7 * get_cullingPlanes_2() const { return ___cullingPlanes_2; }
inline Plane_t80844BF2332EAFC1DDEDD616A950242031A115C7 ** get_address_of_cullingPlanes_2() { return &___cullingPlanes_2; }
inline void set_cullingPlanes_2(Plane_t80844BF2332EAFC1DDEDD616A950242031A115C7 * value)
{
___cullingPlanes_2 = value;
}
inline static int32_t get_offset_of_batchVisibility_3() { return static_cast<int32_t>(offsetof(BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC, ___batchVisibility_3)); }
inline BatchVisibility_tFA63D052426424FBD58F78E973AAAC52A67B5AFE * get_batchVisibility_3() const { return ___batchVisibility_3; }
inline BatchVisibility_tFA63D052426424FBD58F78E973AAAC52A67B5AFE ** get_address_of_batchVisibility_3() { return &___batchVisibility_3; }
inline void set_batchVisibility_3(BatchVisibility_tFA63D052426424FBD58F78E973AAAC52A67B5AFE * value)
{
___batchVisibility_3 = value;
}
inline static int32_t get_offset_of_visibleIndices_4() { return static_cast<int32_t>(offsetof(BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC, ___visibleIndices_4)); }
inline int32_t* get_visibleIndices_4() const { return ___visibleIndices_4; }
inline int32_t** get_address_of_visibleIndices_4() { return &___visibleIndices_4; }
inline void set_visibleIndices_4(int32_t* value)
{
___visibleIndices_4 = value;
}
inline static int32_t get_offset_of_visibleIndicesY_5() { return static_cast<int32_t>(offsetof(BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC, ___visibleIndicesY_5)); }
inline int32_t* get_visibleIndicesY_5() const { return ___visibleIndicesY_5; }
inline int32_t** get_address_of_visibleIndicesY_5() { return &___visibleIndicesY_5; }
inline void set_visibleIndicesY_5(int32_t* value)
{
___visibleIndicesY_5 = value;
}
inline static int32_t get_offset_of_cullingPlanesCount_6() { return static_cast<int32_t>(offsetof(BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC, ___cullingPlanesCount_6)); }
inline int32_t get_cullingPlanesCount_6() const { return ___cullingPlanesCount_6; }
inline int32_t* get_address_of_cullingPlanesCount_6() { return &___cullingPlanesCount_6; }
inline void set_cullingPlanesCount_6(int32_t value)
{
___cullingPlanesCount_6 = value;
}
inline static int32_t get_offset_of_batchVisibilityCount_7() { return static_cast<int32_t>(offsetof(BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC, ___batchVisibilityCount_7)); }
inline int32_t get_batchVisibilityCount_7() const { return ___batchVisibilityCount_7; }
inline int32_t* get_address_of_batchVisibilityCount_7() { return &___batchVisibilityCount_7; }
inline void set_batchVisibilityCount_7(int32_t value)
{
___batchVisibilityCount_7 = value;
}
inline static int32_t get_offset_of_visibleIndicesCount_8() { return static_cast<int32_t>(offsetof(BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC, ___visibleIndicesCount_8)); }
inline int32_t get_visibleIndicesCount_8() const { return ___visibleIndicesCount_8; }
inline int32_t* get_address_of_visibleIndicesCount_8() { return &___visibleIndicesCount_8; }
inline void set_visibleIndicesCount_8(int32_t value)
{
___visibleIndicesCount_8 = value;
}
inline static int32_t get_offset_of_nearPlane_9() { return static_cast<int32_t>(offsetof(BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC, ___nearPlane_9)); }
inline float get_nearPlane_9() const { return ___nearPlane_9; }
inline float* get_address_of_nearPlane_9() { return &___nearPlane_9; }
inline void set_nearPlane_9(float value)
{
___nearPlane_9 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.BinaryArray
struct BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA : public RuntimeObject
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryArray::objectId
int32_t ___objectId_0;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryArray::rank
int32_t ___rank_1;
// System.Int32[] System.Runtime.Serialization.Formatters.Binary.BinaryArray::lengthA
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___lengthA_2;
// System.Int32[] System.Runtime.Serialization.Formatters.Binary.BinaryArray::lowerBoundA
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___lowerBoundA_3;
// System.Runtime.Serialization.Formatters.Binary.BinaryTypeEnum System.Runtime.Serialization.Formatters.Binary.BinaryArray::binaryTypeEnum
int32_t ___binaryTypeEnum_4;
// System.Object System.Runtime.Serialization.Formatters.Binary.BinaryArray::typeInformation
RuntimeObject * ___typeInformation_5;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryArray::assemId
int32_t ___assemId_6;
// System.Runtime.Serialization.Formatters.Binary.BinaryHeaderEnum System.Runtime.Serialization.Formatters.Binary.BinaryArray::binaryHeaderEnum
int32_t ___binaryHeaderEnum_7;
// System.Runtime.Serialization.Formatters.Binary.BinaryArrayTypeEnum System.Runtime.Serialization.Formatters.Binary.BinaryArray::binaryArrayTypeEnum
int32_t ___binaryArrayTypeEnum_8;
public:
inline static int32_t get_offset_of_objectId_0() { return static_cast<int32_t>(offsetof(BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA, ___objectId_0)); }
inline int32_t get_objectId_0() const { return ___objectId_0; }
inline int32_t* get_address_of_objectId_0() { return &___objectId_0; }
inline void set_objectId_0(int32_t value)
{
___objectId_0 = value;
}
inline static int32_t get_offset_of_rank_1() { return static_cast<int32_t>(offsetof(BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA, ___rank_1)); }
inline int32_t get_rank_1() const { return ___rank_1; }
inline int32_t* get_address_of_rank_1() { return &___rank_1; }
inline void set_rank_1(int32_t value)
{
___rank_1 = value;
}
inline static int32_t get_offset_of_lengthA_2() { return static_cast<int32_t>(offsetof(BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA, ___lengthA_2)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_lengthA_2() const { return ___lengthA_2; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_lengthA_2() { return &___lengthA_2; }
inline void set_lengthA_2(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___lengthA_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___lengthA_2), (void*)value);
}
inline static int32_t get_offset_of_lowerBoundA_3() { return static_cast<int32_t>(offsetof(BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA, ___lowerBoundA_3)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_lowerBoundA_3() const { return ___lowerBoundA_3; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_lowerBoundA_3() { return &___lowerBoundA_3; }
inline void set_lowerBoundA_3(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___lowerBoundA_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___lowerBoundA_3), (void*)value);
}
inline static int32_t get_offset_of_binaryTypeEnum_4() { return static_cast<int32_t>(offsetof(BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA, ___binaryTypeEnum_4)); }
inline int32_t get_binaryTypeEnum_4() const { return ___binaryTypeEnum_4; }
inline int32_t* get_address_of_binaryTypeEnum_4() { return &___binaryTypeEnum_4; }
inline void set_binaryTypeEnum_4(int32_t value)
{
___binaryTypeEnum_4 = value;
}
inline static int32_t get_offset_of_typeInformation_5() { return static_cast<int32_t>(offsetof(BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA, ___typeInformation_5)); }
inline RuntimeObject * get_typeInformation_5() const { return ___typeInformation_5; }
inline RuntimeObject ** get_address_of_typeInformation_5() { return &___typeInformation_5; }
inline void set_typeInformation_5(RuntimeObject * value)
{
___typeInformation_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeInformation_5), (void*)value);
}
inline static int32_t get_offset_of_assemId_6() { return static_cast<int32_t>(offsetof(BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA, ___assemId_6)); }
inline int32_t get_assemId_6() const { return ___assemId_6; }
inline int32_t* get_address_of_assemId_6() { return &___assemId_6; }
inline void set_assemId_6(int32_t value)
{
___assemId_6 = value;
}
inline static int32_t get_offset_of_binaryHeaderEnum_7() { return static_cast<int32_t>(offsetof(BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA, ___binaryHeaderEnum_7)); }
inline int32_t get_binaryHeaderEnum_7() const { return ___binaryHeaderEnum_7; }
inline int32_t* get_address_of_binaryHeaderEnum_7() { return &___binaryHeaderEnum_7; }
inline void set_binaryHeaderEnum_7(int32_t value)
{
___binaryHeaderEnum_7 = value;
}
inline static int32_t get_offset_of_binaryArrayTypeEnum_8() { return static_cast<int32_t>(offsetof(BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA, ___binaryArrayTypeEnum_8)); }
inline int32_t get_binaryArrayTypeEnum_8() const { return ___binaryArrayTypeEnum_8; }
inline int32_t* get_address_of_binaryArrayTypeEnum_8() { return &___binaryArrayTypeEnum_8; }
inline void set_binaryArrayTypeEnum_8(int32_t value)
{
___binaryArrayTypeEnum_8 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.BinaryMethodCall
struct BinaryMethodCall_t6C9A891C2F2C5ADE2B92E92E750199C6E3DB388F : public RuntimeObject
{
public:
// System.String System.Runtime.Serialization.Formatters.Binary.BinaryMethodCall::methodName
String_t* ___methodName_0;
// System.String System.Runtime.Serialization.Formatters.Binary.BinaryMethodCall::typeName
String_t* ___typeName_1;
// System.Object[] System.Runtime.Serialization.Formatters.Binary.BinaryMethodCall::args
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___args_2;
// System.Object System.Runtime.Serialization.Formatters.Binary.BinaryMethodCall::callContext
RuntimeObject * ___callContext_3;
// System.Type[] System.Runtime.Serialization.Formatters.Binary.BinaryMethodCall::argTypes
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ___argTypes_4;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.BinaryMethodCall::bArgsPrimitive
bool ___bArgsPrimitive_5;
// System.Runtime.Serialization.Formatters.Binary.MessageEnum System.Runtime.Serialization.Formatters.Binary.BinaryMethodCall::messageEnum
int32_t ___messageEnum_6;
public:
inline static int32_t get_offset_of_methodName_0() { return static_cast<int32_t>(offsetof(BinaryMethodCall_t6C9A891C2F2C5ADE2B92E92E750199C6E3DB388F, ___methodName_0)); }
inline String_t* get_methodName_0() const { return ___methodName_0; }
inline String_t** get_address_of_methodName_0() { return &___methodName_0; }
inline void set_methodName_0(String_t* value)
{
___methodName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___methodName_0), (void*)value);
}
inline static int32_t get_offset_of_typeName_1() { return static_cast<int32_t>(offsetof(BinaryMethodCall_t6C9A891C2F2C5ADE2B92E92E750199C6E3DB388F, ___typeName_1)); }
inline String_t* get_typeName_1() const { return ___typeName_1; }
inline String_t** get_address_of_typeName_1() { return &___typeName_1; }
inline void set_typeName_1(String_t* value)
{
___typeName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeName_1), (void*)value);
}
inline static int32_t get_offset_of_args_2() { return static_cast<int32_t>(offsetof(BinaryMethodCall_t6C9A891C2F2C5ADE2B92E92E750199C6E3DB388F, ___args_2)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_args_2() const { return ___args_2; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_args_2() { return &___args_2; }
inline void set_args_2(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___args_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___args_2), (void*)value);
}
inline static int32_t get_offset_of_callContext_3() { return static_cast<int32_t>(offsetof(BinaryMethodCall_t6C9A891C2F2C5ADE2B92E92E750199C6E3DB388F, ___callContext_3)); }
inline RuntimeObject * get_callContext_3() const { return ___callContext_3; }
inline RuntimeObject ** get_address_of_callContext_3() { return &___callContext_3; }
inline void set_callContext_3(RuntimeObject * value)
{
___callContext_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___callContext_3), (void*)value);
}
inline static int32_t get_offset_of_argTypes_4() { return static_cast<int32_t>(offsetof(BinaryMethodCall_t6C9A891C2F2C5ADE2B92E92E750199C6E3DB388F, ___argTypes_4)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get_argTypes_4() const { return ___argTypes_4; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of_argTypes_4() { return &___argTypes_4; }
inline void set_argTypes_4(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
___argTypes_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___argTypes_4), (void*)value);
}
inline static int32_t get_offset_of_bArgsPrimitive_5() { return static_cast<int32_t>(offsetof(BinaryMethodCall_t6C9A891C2F2C5ADE2B92E92E750199C6E3DB388F, ___bArgsPrimitive_5)); }
inline bool get_bArgsPrimitive_5() const { return ___bArgsPrimitive_5; }
inline bool* get_address_of_bArgsPrimitive_5() { return &___bArgsPrimitive_5; }
inline void set_bArgsPrimitive_5(bool value)
{
___bArgsPrimitive_5 = value;
}
inline static int32_t get_offset_of_messageEnum_6() { return static_cast<int32_t>(offsetof(BinaryMethodCall_t6C9A891C2F2C5ADE2B92E92E750199C6E3DB388F, ___messageEnum_6)); }
inline int32_t get_messageEnum_6() const { return ___messageEnum_6; }
inline int32_t* get_address_of_messageEnum_6() { return &___messageEnum_6; }
inline void set_messageEnum_6(int32_t value)
{
___messageEnum_6 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.BinaryMethodReturn
struct BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9 : public RuntimeObject
{
public:
// System.Object System.Runtime.Serialization.Formatters.Binary.BinaryMethodReturn::returnValue
RuntimeObject * ___returnValue_0;
// System.Object[] System.Runtime.Serialization.Formatters.Binary.BinaryMethodReturn::args
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___args_1;
// System.Object System.Runtime.Serialization.Formatters.Binary.BinaryMethodReturn::callContext
RuntimeObject * ___callContext_2;
// System.Type[] System.Runtime.Serialization.Formatters.Binary.BinaryMethodReturn::argTypes
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ___argTypes_3;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.BinaryMethodReturn::bArgsPrimitive
bool ___bArgsPrimitive_4;
// System.Runtime.Serialization.Formatters.Binary.MessageEnum System.Runtime.Serialization.Formatters.Binary.BinaryMethodReturn::messageEnum
int32_t ___messageEnum_5;
// System.Type System.Runtime.Serialization.Formatters.Binary.BinaryMethodReturn::returnType
Type_t * ___returnType_6;
public:
inline static int32_t get_offset_of_returnValue_0() { return static_cast<int32_t>(offsetof(BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9, ___returnValue_0)); }
inline RuntimeObject * get_returnValue_0() const { return ___returnValue_0; }
inline RuntimeObject ** get_address_of_returnValue_0() { return &___returnValue_0; }
inline void set_returnValue_0(RuntimeObject * value)
{
___returnValue_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___returnValue_0), (void*)value);
}
inline static int32_t get_offset_of_args_1() { return static_cast<int32_t>(offsetof(BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9, ___args_1)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_args_1() const { return ___args_1; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_args_1() { return &___args_1; }
inline void set_args_1(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___args_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___args_1), (void*)value);
}
inline static int32_t get_offset_of_callContext_2() { return static_cast<int32_t>(offsetof(BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9, ___callContext_2)); }
inline RuntimeObject * get_callContext_2() const { return ___callContext_2; }
inline RuntimeObject ** get_address_of_callContext_2() { return &___callContext_2; }
inline void set_callContext_2(RuntimeObject * value)
{
___callContext_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___callContext_2), (void*)value);
}
inline static int32_t get_offset_of_argTypes_3() { return static_cast<int32_t>(offsetof(BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9, ___argTypes_3)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get_argTypes_3() const { return ___argTypes_3; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of_argTypes_3() { return &___argTypes_3; }
inline void set_argTypes_3(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
___argTypes_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___argTypes_3), (void*)value);
}
inline static int32_t get_offset_of_bArgsPrimitive_4() { return static_cast<int32_t>(offsetof(BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9, ___bArgsPrimitive_4)); }
inline bool get_bArgsPrimitive_4() const { return ___bArgsPrimitive_4; }
inline bool* get_address_of_bArgsPrimitive_4() { return &___bArgsPrimitive_4; }
inline void set_bArgsPrimitive_4(bool value)
{
___bArgsPrimitive_4 = value;
}
inline static int32_t get_offset_of_messageEnum_5() { return static_cast<int32_t>(offsetof(BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9, ___messageEnum_5)); }
inline int32_t get_messageEnum_5() const { return ___messageEnum_5; }
inline int32_t* get_address_of_messageEnum_5() { return &___messageEnum_5; }
inline void set_messageEnum_5(int32_t value)
{
___messageEnum_5 = value;
}
inline static int32_t get_offset_of_returnType_6() { return static_cast<int32_t>(offsetof(BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9, ___returnType_6)); }
inline Type_t * get_returnType_6() const { return ___returnType_6; }
inline Type_t ** get_address_of_returnType_6() { return &___returnType_6; }
inline void set_returnType_6(Type_t * value)
{
___returnType_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___returnType_6), (void*)value);
}
};
struct BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9_StaticFields
{
public:
// System.Object System.Runtime.Serialization.Formatters.Binary.BinaryMethodReturn::instanceOfVoid
RuntimeObject * ___instanceOfVoid_7;
public:
inline static int32_t get_offset_of_instanceOfVoid_7() { return static_cast<int32_t>(offsetof(BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9_StaticFields, ___instanceOfVoid_7)); }
inline RuntimeObject * get_instanceOfVoid_7() const { return ___instanceOfVoid_7; }
inline RuntimeObject ** get_address_of_instanceOfVoid_7() { return &___instanceOfVoid_7; }
inline void set_instanceOfVoid_7(RuntimeObject * value)
{
___instanceOfVoid_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___instanceOfVoid_7), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMap
struct BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23 : public RuntimeObject
{
public:
// System.Runtime.Serialization.Formatters.Binary.BinaryHeaderEnum System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMap::binaryHeaderEnum
int32_t ___binaryHeaderEnum_0;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMap::objectId
int32_t ___objectId_1;
// System.String System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMap::name
String_t* ___name_2;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMap::numMembers
int32_t ___numMembers_3;
// System.String[] System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMap::memberNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___memberNames_4;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMap::assemId
int32_t ___assemId_5;
public:
inline static int32_t get_offset_of_binaryHeaderEnum_0() { return static_cast<int32_t>(offsetof(BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23, ___binaryHeaderEnum_0)); }
inline int32_t get_binaryHeaderEnum_0() const { return ___binaryHeaderEnum_0; }
inline int32_t* get_address_of_binaryHeaderEnum_0() { return &___binaryHeaderEnum_0; }
inline void set_binaryHeaderEnum_0(int32_t value)
{
___binaryHeaderEnum_0 = value;
}
inline static int32_t get_offset_of_objectId_1() { return static_cast<int32_t>(offsetof(BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23, ___objectId_1)); }
inline int32_t get_objectId_1() const { return ___objectId_1; }
inline int32_t* get_address_of_objectId_1() { return &___objectId_1; }
inline void set_objectId_1(int32_t value)
{
___objectId_1 = value;
}
inline static int32_t get_offset_of_name_2() { return static_cast<int32_t>(offsetof(BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23, ___name_2)); }
inline String_t* get_name_2() const { return ___name_2; }
inline String_t** get_address_of_name_2() { return &___name_2; }
inline void set_name_2(String_t* value)
{
___name_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_2), (void*)value);
}
inline static int32_t get_offset_of_numMembers_3() { return static_cast<int32_t>(offsetof(BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23, ___numMembers_3)); }
inline int32_t get_numMembers_3() const { return ___numMembers_3; }
inline int32_t* get_address_of_numMembers_3() { return &___numMembers_3; }
inline void set_numMembers_3(int32_t value)
{
___numMembers_3 = value;
}
inline static int32_t get_offset_of_memberNames_4() { return static_cast<int32_t>(offsetof(BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23, ___memberNames_4)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_memberNames_4() const { return ___memberNames_4; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_memberNames_4() { return &___memberNames_4; }
inline void set_memberNames_4(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___memberNames_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberNames_4), (void*)value);
}
inline static int32_t get_offset_of_assemId_5() { return static_cast<int32_t>(offsetof(BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23, ___assemId_5)); }
inline int32_t get_assemId_5() const { return ___assemId_5; }
inline int32_t* get_address_of_assemId_5() { return &___assemId_5; }
inline void set_assemId_5(int32_t value)
{
___assemId_5 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMapTyped
struct BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B : public RuntimeObject
{
public:
// System.Runtime.Serialization.Formatters.Binary.BinaryHeaderEnum System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMapTyped::binaryHeaderEnum
int32_t ___binaryHeaderEnum_0;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMapTyped::objectId
int32_t ___objectId_1;
// System.String System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMapTyped::name
String_t* ___name_2;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMapTyped::numMembers
int32_t ___numMembers_3;
// System.String[] System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMapTyped::memberNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___memberNames_4;
// System.Runtime.Serialization.Formatters.Binary.BinaryTypeEnum[] System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMapTyped::binaryTypeEnumA
BinaryTypeEnumU5BU5D_t5950CE9E53B3DCB20CBCB2B2F15D47C264BF86E7* ___binaryTypeEnumA_5;
// System.Object[] System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMapTyped::typeInformationA
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___typeInformationA_6;
// System.Int32[] System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMapTyped::memberAssemIds
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___memberAssemIds_7;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMapTyped::assemId
int32_t ___assemId_8;
public:
inline static int32_t get_offset_of_binaryHeaderEnum_0() { return static_cast<int32_t>(offsetof(BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B, ___binaryHeaderEnum_0)); }
inline int32_t get_binaryHeaderEnum_0() const { return ___binaryHeaderEnum_0; }
inline int32_t* get_address_of_binaryHeaderEnum_0() { return &___binaryHeaderEnum_0; }
inline void set_binaryHeaderEnum_0(int32_t value)
{
___binaryHeaderEnum_0 = value;
}
inline static int32_t get_offset_of_objectId_1() { return static_cast<int32_t>(offsetof(BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B, ___objectId_1)); }
inline int32_t get_objectId_1() const { return ___objectId_1; }
inline int32_t* get_address_of_objectId_1() { return &___objectId_1; }
inline void set_objectId_1(int32_t value)
{
___objectId_1 = value;
}
inline static int32_t get_offset_of_name_2() { return static_cast<int32_t>(offsetof(BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B, ___name_2)); }
inline String_t* get_name_2() const { return ___name_2; }
inline String_t** get_address_of_name_2() { return &___name_2; }
inline void set_name_2(String_t* value)
{
___name_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_2), (void*)value);
}
inline static int32_t get_offset_of_numMembers_3() { return static_cast<int32_t>(offsetof(BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B, ___numMembers_3)); }
inline int32_t get_numMembers_3() const { return ___numMembers_3; }
inline int32_t* get_address_of_numMembers_3() { return &___numMembers_3; }
inline void set_numMembers_3(int32_t value)
{
___numMembers_3 = value;
}
inline static int32_t get_offset_of_memberNames_4() { return static_cast<int32_t>(offsetof(BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B, ___memberNames_4)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_memberNames_4() const { return ___memberNames_4; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_memberNames_4() { return &___memberNames_4; }
inline void set_memberNames_4(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___memberNames_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberNames_4), (void*)value);
}
inline static int32_t get_offset_of_binaryTypeEnumA_5() { return static_cast<int32_t>(offsetof(BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B, ___binaryTypeEnumA_5)); }
inline BinaryTypeEnumU5BU5D_t5950CE9E53B3DCB20CBCB2B2F15D47C264BF86E7* get_binaryTypeEnumA_5() const { return ___binaryTypeEnumA_5; }
inline BinaryTypeEnumU5BU5D_t5950CE9E53B3DCB20CBCB2B2F15D47C264BF86E7** get_address_of_binaryTypeEnumA_5() { return &___binaryTypeEnumA_5; }
inline void set_binaryTypeEnumA_5(BinaryTypeEnumU5BU5D_t5950CE9E53B3DCB20CBCB2B2F15D47C264BF86E7* value)
{
___binaryTypeEnumA_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___binaryTypeEnumA_5), (void*)value);
}
inline static int32_t get_offset_of_typeInformationA_6() { return static_cast<int32_t>(offsetof(BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B, ___typeInformationA_6)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_typeInformationA_6() const { return ___typeInformationA_6; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_typeInformationA_6() { return &___typeInformationA_6; }
inline void set_typeInformationA_6(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___typeInformationA_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeInformationA_6), (void*)value);
}
inline static int32_t get_offset_of_memberAssemIds_7() { return static_cast<int32_t>(offsetof(BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B, ___memberAssemIds_7)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_memberAssemIds_7() const { return ___memberAssemIds_7; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_memberAssemIds_7() { return &___memberAssemIds_7; }
inline void set_memberAssemIds_7(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___memberAssemIds_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberAssemIds_7), (void*)value);
}
inline static int32_t get_offset_of_assemId_8() { return static_cast<int32_t>(offsetof(BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B, ___assemId_8)); }
inline int32_t get_assemId_8() const { return ___assemId_8; }
inline int32_t* get_address_of_assemId_8() { return &___assemId_8; }
inline void set_assemId_8(int32_t value)
{
___assemId_8 = value;
}
};
// System.ComponentModel.BooleanConverter
struct BooleanConverter_t890553DE6E939FADC5ACEBC1AAF2758C9AD4364D : public TypeConverter_t004F185B630F00F509F08BD8F8D82471867323B4
{
public:
public:
};
struct BooleanConverter_t890553DE6E939FADC5ACEBC1AAF2758C9AD4364D_StaticFields
{
public:
// System.ComponentModel.TypeConverter/StandardValuesCollection modreq(System.Runtime.CompilerServices.IsVolatile) System.ComponentModel.BooleanConverter::values
StandardValuesCollection_tB8B2368EBF592D624D7A07BE6C539DE9BA9A1FB1 * ___values_2;
public:
inline static int32_t get_offset_of_values_2() { return static_cast<int32_t>(offsetof(BooleanConverter_t890553DE6E939FADC5ACEBC1AAF2758C9AD4364D_StaticFields, ___values_2)); }
inline StandardValuesCollection_tB8B2368EBF592D624D7A07BE6C539DE9BA9A1FB1 * get_values_2() const { return ___values_2; }
inline StandardValuesCollection_tB8B2368EBF592D624D7A07BE6C539DE9BA9A1FB1 ** get_address_of_values_2() { return &___values_2; }
inline void set_values_2(StandardValuesCollection_tB8B2368EBF592D624D7A07BE6C539DE9BA9A1FB1 * value)
{
___values_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___values_2), (void*)value);
}
};
// UnityEngine.XR.ARSubsystems.BoundedPlane
struct BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5
{
public:
// UnityEngine.XR.ARSubsystems.TrackableId UnityEngine.XR.ARSubsystems.BoundedPlane::m_TrackableId
TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B ___m_TrackableId_1;
// UnityEngine.XR.ARSubsystems.TrackableId UnityEngine.XR.ARSubsystems.BoundedPlane::m_SubsumedById
TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B ___m_SubsumedById_2;
// UnityEngine.Vector2 UnityEngine.XR.ARSubsystems.BoundedPlane::m_Center
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_Center_3;
// UnityEngine.Pose UnityEngine.XR.ARSubsystems.BoundedPlane::m_Pose
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A ___m_Pose_4;
// UnityEngine.Vector2 UnityEngine.XR.ARSubsystems.BoundedPlane::m_Size
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_Size_5;
// UnityEngine.XR.ARSubsystems.PlaneAlignment UnityEngine.XR.ARSubsystems.BoundedPlane::m_Alignment
int32_t ___m_Alignment_6;
// UnityEngine.XR.ARSubsystems.TrackingState UnityEngine.XR.ARSubsystems.BoundedPlane::m_TrackingState
int32_t ___m_TrackingState_7;
// System.IntPtr UnityEngine.XR.ARSubsystems.BoundedPlane::m_NativePtr
intptr_t ___m_NativePtr_8;
// UnityEngine.XR.ARSubsystems.PlaneClassification UnityEngine.XR.ARSubsystems.BoundedPlane::m_Classification
int32_t ___m_Classification_9;
public:
inline static int32_t get_offset_of_m_TrackableId_1() { return static_cast<int32_t>(offsetof(BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5, ___m_TrackableId_1)); }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B get_m_TrackableId_1() const { return ___m_TrackableId_1; }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B * get_address_of_m_TrackableId_1() { return &___m_TrackableId_1; }
inline void set_m_TrackableId_1(TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B value)
{
___m_TrackableId_1 = value;
}
inline static int32_t get_offset_of_m_SubsumedById_2() { return static_cast<int32_t>(offsetof(BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5, ___m_SubsumedById_2)); }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B get_m_SubsumedById_2() const { return ___m_SubsumedById_2; }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B * get_address_of_m_SubsumedById_2() { return &___m_SubsumedById_2; }
inline void set_m_SubsumedById_2(TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B value)
{
___m_SubsumedById_2 = value;
}
inline static int32_t get_offset_of_m_Center_3() { return static_cast<int32_t>(offsetof(BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5, ___m_Center_3)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_Center_3() const { return ___m_Center_3; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_Center_3() { return &___m_Center_3; }
inline void set_m_Center_3(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_Center_3 = value;
}
inline static int32_t get_offset_of_m_Pose_4() { return static_cast<int32_t>(offsetof(BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5, ___m_Pose_4)); }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A get_m_Pose_4() const { return ___m_Pose_4; }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A * get_address_of_m_Pose_4() { return &___m_Pose_4; }
inline void set_m_Pose_4(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A value)
{
___m_Pose_4 = value;
}
inline static int32_t get_offset_of_m_Size_5() { return static_cast<int32_t>(offsetof(BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5, ___m_Size_5)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_Size_5() const { return ___m_Size_5; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_Size_5() { return &___m_Size_5; }
inline void set_m_Size_5(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_Size_5 = value;
}
inline static int32_t get_offset_of_m_Alignment_6() { return static_cast<int32_t>(offsetof(BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5, ___m_Alignment_6)); }
inline int32_t get_m_Alignment_6() const { return ___m_Alignment_6; }
inline int32_t* get_address_of_m_Alignment_6() { return &___m_Alignment_6; }
inline void set_m_Alignment_6(int32_t value)
{
___m_Alignment_6 = value;
}
inline static int32_t get_offset_of_m_TrackingState_7() { return static_cast<int32_t>(offsetof(BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5, ___m_TrackingState_7)); }
inline int32_t get_m_TrackingState_7() const { return ___m_TrackingState_7; }
inline int32_t* get_address_of_m_TrackingState_7() { return &___m_TrackingState_7; }
inline void set_m_TrackingState_7(int32_t value)
{
___m_TrackingState_7 = value;
}
inline static int32_t get_offset_of_m_NativePtr_8() { return static_cast<int32_t>(offsetof(BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5, ___m_NativePtr_8)); }
inline intptr_t get_m_NativePtr_8() const { return ___m_NativePtr_8; }
inline intptr_t* get_address_of_m_NativePtr_8() { return &___m_NativePtr_8; }
inline void set_m_NativePtr_8(intptr_t value)
{
___m_NativePtr_8 = value;
}
inline static int32_t get_offset_of_m_Classification_9() { return static_cast<int32_t>(offsetof(BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5, ___m_Classification_9)); }
inline int32_t get_m_Classification_9() const { return ___m_Classification_9; }
inline int32_t* get_address_of_m_Classification_9() { return &___m_Classification_9; }
inline void set_m_Classification_9(int32_t value)
{
___m_Classification_9 = value;
}
};
struct BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5_StaticFields
{
public:
// UnityEngine.XR.ARSubsystems.BoundedPlane UnityEngine.XR.ARSubsystems.BoundedPlane::s_Default
BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5 ___s_Default_0;
public:
inline static int32_t get_offset_of_s_Default_0() { return static_cast<int32_t>(offsetof(BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5_StaticFields, ___s_Default_0)); }
inline BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5 get_s_Default_0() const { return ___s_Default_0; }
inline BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5 * get_address_of_s_Default_0() { return &___s_Default_0; }
inline void set_s_Default_0(BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5 value)
{
___s_Default_0 = value;
}
};
// System.Linq.Expressions.ByRefParameterExpression
struct ByRefParameterExpression_t61356780E4E9A2A07C0DD60617DDF57C71C9FFD1 : public TypedParameterExpression_t4A8A2ACEE15EB5177B0A2B69C3EA017418803EDC
{
public:
public:
};
// System.Collections.Concurrent.CDSCollectionETWBCLProvider
struct CDSCollectionETWBCLProvider_tEF5FCC038F98C60A7A17E73AB11508EE6E2F4266 : public EventSource_t02B6E43167F06B74646A32A3BBC58988BFC3EA6A
{
public:
public:
};
struct CDSCollectionETWBCLProvider_tEF5FCC038F98C60A7A17E73AB11508EE6E2F4266_StaticFields
{
public:
// System.Collections.Concurrent.CDSCollectionETWBCLProvider System.Collections.Concurrent.CDSCollectionETWBCLProvider::Log
CDSCollectionETWBCLProvider_tEF5FCC038F98C60A7A17E73AB11508EE6E2F4266 * ___Log_3;
public:
inline static int32_t get_offset_of_Log_3() { return static_cast<int32_t>(offsetof(CDSCollectionETWBCLProvider_tEF5FCC038F98C60A7A17E73AB11508EE6E2F4266_StaticFields, ___Log_3)); }
inline CDSCollectionETWBCLProvider_tEF5FCC038F98C60A7A17E73AB11508EE6E2F4266 * get_Log_3() const { return ___Log_3; }
inline CDSCollectionETWBCLProvider_tEF5FCC038F98C60A7A17E73AB11508EE6E2F4266 ** get_address_of_Log_3() { return &___Log_3; }
inline void set_Log_3(CDSCollectionETWBCLProvider_tEF5FCC038F98C60A7A17E73AB11508EE6E2F4266 * value)
{
___Log_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Log_3), (void*)value);
}
};
// System.IO.CStreamReader
struct CStreamReader_tF270C75526507F4F57000088E805BDC8B4C2BD53 : public StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3
{
public:
// System.TermInfoDriver System.IO.CStreamReader::driver
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03 * ___driver_21;
public:
inline static int32_t get_offset_of_driver_21() { return static_cast<int32_t>(offsetof(CStreamReader_tF270C75526507F4F57000088E805BDC8B4C2BD53, ___driver_21)); }
inline TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03 * get_driver_21() const { return ___driver_21; }
inline TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03 ** get_address_of_driver_21() { return &___driver_21; }
inline void set_driver_21(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03 * value)
{
___driver_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___driver_21), (void*)value);
}
};
// System.IO.CStreamWriter
struct CStreamWriter_tBC3C3F9F3E738D2FF586EF7A680A077D5AA3D27A : public StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6
{
public:
// System.TermInfoDriver System.IO.CStreamWriter::driver
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03 * ___driver_24;
public:
inline static int32_t get_offset_of_driver_24() { return static_cast<int32_t>(offsetof(CStreamWriter_tBC3C3F9F3E738D2FF586EF7A680A077D5AA3D27A, ___driver_24)); }
inline TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03 * get_driver_24() const { return ___driver_24; }
inline TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03 ** get_address_of_driver_24() { return &___driver_24; }
inline void set_driver_24(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03 * value)
{
___driver_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___driver_24), (void*)value);
}
};
// UnityEngine.Experimental.Playables.CameraPlayable
struct CameraPlayable_t0677497EB93984A6712D7DF07F7620290E1CE1FD
{
public:
// UnityEngine.Playables.PlayableHandle UnityEngine.Experimental.Playables.CameraPlayable::m_Handle
PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(CameraPlayable_t0677497EB93984A6712D7DF07F7620290E1CE1FD, ___m_Handle_0)); }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A value)
{
___m_Handle_0 = value;
}
};
// TMPro.CaretInfo
struct CaretInfo_tFB92F927E37504CA993DF4772283577B1F28B015
{
public:
// System.Int32 TMPro.CaretInfo::index
int32_t ___index_0;
// TMPro.CaretPosition TMPro.CaretInfo::position
int32_t ___position_1;
public:
inline static int32_t get_offset_of_index_0() { return static_cast<int32_t>(offsetof(CaretInfo_tFB92F927E37504CA993DF4772283577B1F28B015, ___index_0)); }
inline int32_t get_index_0() const { return ___index_0; }
inline int32_t* get_address_of_index_0() { return &___index_0; }
inline void set_index_0(int32_t value)
{
___index_0 = value;
}
inline static int32_t get_offset_of_position_1() { return static_cast<int32_t>(offsetof(CaretInfo_tFB92F927E37504CA993DF4772283577B1F28B015, ___position_1)); }
inline int32_t get_position_1() const { return ___position_1; }
inline int32_t* get_address_of_position_1() { return &___position_1; }
inline void set_position_1(int32_t value)
{
___position_1 = value;
}
};
// UnityEngine.Localization.Pseudo.CharacterSubstitutor
struct CharacterSubstitutor_t879E92B833550920277D3849A28C08ABAC66088D : public RuntimeObject
{
public:
// UnityEngine.Localization.Pseudo.CharacterSubstitutor/SubstitutionMethod UnityEngine.Localization.Pseudo.CharacterSubstitutor::m_SubstitutionMethod
int32_t ___m_SubstitutionMethod_0;
// UnityEngine.Localization.Pseudo.CharacterSubstitutor/ListSelectionMethod UnityEngine.Localization.Pseudo.CharacterSubstitutor::m_ListMode
int32_t ___m_ListMode_1;
// System.Collections.Generic.List`1<UnityEngine.Localization.Pseudo.CharacterSubstitutor/CharReplacement> UnityEngine.Localization.Pseudo.CharacterSubstitutor::m_ReplacementsMap
List_1_tC59E09F2D0DF7920DE7065E7AB67267D899EFD02 * ___m_ReplacementsMap_2;
// System.Collections.Generic.List`1<System.Char> UnityEngine.Localization.Pseudo.CharacterSubstitutor::m_ReplacementList
List_1_tC466EC97F6208520EFC214F520D3CB9E72FD1EAE * ___m_ReplacementList_3;
// System.Int32 UnityEngine.Localization.Pseudo.CharacterSubstitutor::m_ReplacementsPosition
int32_t ___m_ReplacementsPosition_4;
// System.Collections.Generic.Dictionary`2<System.Char,System.Char> UnityEngine.Localization.Pseudo.CharacterSubstitutor::<ReplacementMap>k__BackingField
Dictionary_2_t48D162A344757D0DE1647E5114412E6BD640B186 * ___U3CReplacementMapU3Ek__BackingField_5;
public:
inline static int32_t get_offset_of_m_SubstitutionMethod_0() { return static_cast<int32_t>(offsetof(CharacterSubstitutor_t879E92B833550920277D3849A28C08ABAC66088D, ___m_SubstitutionMethod_0)); }
inline int32_t get_m_SubstitutionMethod_0() const { return ___m_SubstitutionMethod_0; }
inline int32_t* get_address_of_m_SubstitutionMethod_0() { return &___m_SubstitutionMethod_0; }
inline void set_m_SubstitutionMethod_0(int32_t value)
{
___m_SubstitutionMethod_0 = value;
}
inline static int32_t get_offset_of_m_ListMode_1() { return static_cast<int32_t>(offsetof(CharacterSubstitutor_t879E92B833550920277D3849A28C08ABAC66088D, ___m_ListMode_1)); }
inline int32_t get_m_ListMode_1() const { return ___m_ListMode_1; }
inline int32_t* get_address_of_m_ListMode_1() { return &___m_ListMode_1; }
inline void set_m_ListMode_1(int32_t value)
{
___m_ListMode_1 = value;
}
inline static int32_t get_offset_of_m_ReplacementsMap_2() { return static_cast<int32_t>(offsetof(CharacterSubstitutor_t879E92B833550920277D3849A28C08ABAC66088D, ___m_ReplacementsMap_2)); }
inline List_1_tC59E09F2D0DF7920DE7065E7AB67267D899EFD02 * get_m_ReplacementsMap_2() const { return ___m_ReplacementsMap_2; }
inline List_1_tC59E09F2D0DF7920DE7065E7AB67267D899EFD02 ** get_address_of_m_ReplacementsMap_2() { return &___m_ReplacementsMap_2; }
inline void set_m_ReplacementsMap_2(List_1_tC59E09F2D0DF7920DE7065E7AB67267D899EFD02 * value)
{
___m_ReplacementsMap_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ReplacementsMap_2), (void*)value);
}
inline static int32_t get_offset_of_m_ReplacementList_3() { return static_cast<int32_t>(offsetof(CharacterSubstitutor_t879E92B833550920277D3849A28C08ABAC66088D, ___m_ReplacementList_3)); }
inline List_1_tC466EC97F6208520EFC214F520D3CB9E72FD1EAE * get_m_ReplacementList_3() const { return ___m_ReplacementList_3; }
inline List_1_tC466EC97F6208520EFC214F520D3CB9E72FD1EAE ** get_address_of_m_ReplacementList_3() { return &___m_ReplacementList_3; }
inline void set_m_ReplacementList_3(List_1_tC466EC97F6208520EFC214F520D3CB9E72FD1EAE * value)
{
___m_ReplacementList_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ReplacementList_3), (void*)value);
}
inline static int32_t get_offset_of_m_ReplacementsPosition_4() { return static_cast<int32_t>(offsetof(CharacterSubstitutor_t879E92B833550920277D3849A28C08ABAC66088D, ___m_ReplacementsPosition_4)); }
inline int32_t get_m_ReplacementsPosition_4() const { return ___m_ReplacementsPosition_4; }
inline int32_t* get_address_of_m_ReplacementsPosition_4() { return &___m_ReplacementsPosition_4; }
inline void set_m_ReplacementsPosition_4(int32_t value)
{
___m_ReplacementsPosition_4 = value;
}
inline static int32_t get_offset_of_U3CReplacementMapU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(CharacterSubstitutor_t879E92B833550920277D3849A28C08ABAC66088D, ___U3CReplacementMapU3Ek__BackingField_5)); }
inline Dictionary_2_t48D162A344757D0DE1647E5114412E6BD640B186 * get_U3CReplacementMapU3Ek__BackingField_5() const { return ___U3CReplacementMapU3Ek__BackingField_5; }
inline Dictionary_2_t48D162A344757D0DE1647E5114412E6BD640B186 ** get_address_of_U3CReplacementMapU3Ek__BackingField_5() { return &___U3CReplacementMapU3Ek__BackingField_5; }
inline void set_U3CReplacementMapU3Ek__BackingField_5(Dictionary_2_t48D162A344757D0DE1647E5114412E6BD640B186 * value)
{
___U3CReplacementMapU3Ek__BackingField_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CReplacementMapU3Ek__BackingField_5), (void*)value);
}
};
// System.Runtime.InteropServices.ClassInterfaceAttribute
struct ClassInterfaceAttribute_tAC9219C38D4BECF25B48BA254128B82AE8849875 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Runtime.InteropServices.ClassInterfaceType System.Runtime.InteropServices.ClassInterfaceAttribute::_val
int32_t ____val_0;
public:
inline static int32_t get_offset_of__val_0() { return static_cast<int32_t>(offsetof(ClassInterfaceAttribute_tAC9219C38D4BECF25B48BA254128B82AE8849875, ____val_0)); }
inline int32_t get__val_0() const { return ____val_0; }
inline int32_t* get_address_of__val_0() { return &____val_0; }
inline void set__val_0(int32_t value)
{
____val_0 = value;
}
};
// System.ComponentModel.CollectionConverter
struct CollectionConverter_t422389A535F7B690A16B943213A57E6464DDA11A : public TypeConverter_t004F185B630F00F509F08BD8F8D82471867323B4
{
public:
public:
};
// TMPro.ColorTween
struct ColorTween_t8F1B0A85C30909F8F8E0924A1C54C2BD8690A637
{
public:
// TMPro.ColorTween/ColorTweenCallback TMPro.ColorTween::m_Target
ColorTweenCallback_t6D0BB23EFAEEBFAA63C52F59CFF039DEDE243556 * ___m_Target_0;
// UnityEngine.Color TMPro.ColorTween::m_StartColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_StartColor_1;
// UnityEngine.Color TMPro.ColorTween::m_TargetColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_TargetColor_2;
// TMPro.ColorTween/ColorTweenMode TMPro.ColorTween::m_TweenMode
int32_t ___m_TweenMode_3;
// System.Single TMPro.ColorTween::m_Duration
float ___m_Duration_4;
// System.Boolean TMPro.ColorTween::m_IgnoreTimeScale
bool ___m_IgnoreTimeScale_5;
public:
inline static int32_t get_offset_of_m_Target_0() { return static_cast<int32_t>(offsetof(ColorTween_t8F1B0A85C30909F8F8E0924A1C54C2BD8690A637, ___m_Target_0)); }
inline ColorTweenCallback_t6D0BB23EFAEEBFAA63C52F59CFF039DEDE243556 * get_m_Target_0() const { return ___m_Target_0; }
inline ColorTweenCallback_t6D0BB23EFAEEBFAA63C52F59CFF039DEDE243556 ** get_address_of_m_Target_0() { return &___m_Target_0; }
inline void set_m_Target_0(ColorTweenCallback_t6D0BB23EFAEEBFAA63C52F59CFF039DEDE243556 * value)
{
___m_Target_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Target_0), (void*)value);
}
inline static int32_t get_offset_of_m_StartColor_1() { return static_cast<int32_t>(offsetof(ColorTween_t8F1B0A85C30909F8F8E0924A1C54C2BD8690A637, ___m_StartColor_1)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_StartColor_1() const { return ___m_StartColor_1; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_StartColor_1() { return &___m_StartColor_1; }
inline void set_m_StartColor_1(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_StartColor_1 = value;
}
inline static int32_t get_offset_of_m_TargetColor_2() { return static_cast<int32_t>(offsetof(ColorTween_t8F1B0A85C30909F8F8E0924A1C54C2BD8690A637, ___m_TargetColor_2)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_TargetColor_2() const { return ___m_TargetColor_2; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_TargetColor_2() { return &___m_TargetColor_2; }
inline void set_m_TargetColor_2(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_TargetColor_2 = value;
}
inline static int32_t get_offset_of_m_TweenMode_3() { return static_cast<int32_t>(offsetof(ColorTween_t8F1B0A85C30909F8F8E0924A1C54C2BD8690A637, ___m_TweenMode_3)); }
inline int32_t get_m_TweenMode_3() const { return ___m_TweenMode_3; }
inline int32_t* get_address_of_m_TweenMode_3() { return &___m_TweenMode_3; }
inline void set_m_TweenMode_3(int32_t value)
{
___m_TweenMode_3 = value;
}
inline static int32_t get_offset_of_m_Duration_4() { return static_cast<int32_t>(offsetof(ColorTween_t8F1B0A85C30909F8F8E0924A1C54C2BD8690A637, ___m_Duration_4)); }
inline float get_m_Duration_4() const { return ___m_Duration_4; }
inline float* get_address_of_m_Duration_4() { return &___m_Duration_4; }
inline void set_m_Duration_4(float value)
{
___m_Duration_4 = value;
}
inline static int32_t get_offset_of_m_IgnoreTimeScale_5() { return static_cast<int32_t>(offsetof(ColorTween_t8F1B0A85C30909F8F8E0924A1C54C2BD8690A637, ___m_IgnoreTimeScale_5)); }
inline bool get_m_IgnoreTimeScale_5() const { return ___m_IgnoreTimeScale_5; }
inline bool* get_address_of_m_IgnoreTimeScale_5() { return &___m_IgnoreTimeScale_5; }
inline void set_m_IgnoreTimeScale_5(bool value)
{
___m_IgnoreTimeScale_5 = value;
}
};
// Native definition for P/Invoke marshalling of TMPro.ColorTween
struct ColorTween_t8F1B0A85C30909F8F8E0924A1C54C2BD8690A637_marshaled_pinvoke
{
ColorTweenCallback_t6D0BB23EFAEEBFAA63C52F59CFF039DEDE243556 * ___m_Target_0;
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_StartColor_1;
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_TargetColor_2;
int32_t ___m_TweenMode_3;
float ___m_Duration_4;
int32_t ___m_IgnoreTimeScale_5;
};
// Native definition for COM marshalling of TMPro.ColorTween
struct ColorTween_t8F1B0A85C30909F8F8E0924A1C54C2BD8690A637_marshaled_com
{
ColorTweenCallback_t6D0BB23EFAEEBFAA63C52F59CFF039DEDE243556 * ___m_Target_0;
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_StartColor_1;
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_TargetColor_2;
int32_t ___m_TweenMode_3;
float ___m_Duration_4;
int32_t ___m_IgnoreTimeScale_5;
};
// UnityEngine.UI.CoroutineTween.ColorTween
struct ColorTween_tB608DC1CF7A7F226B0D4DD8B269798F27CECE339
{
public:
// UnityEngine.UI.CoroutineTween.ColorTween/ColorTweenCallback UnityEngine.UI.CoroutineTween.ColorTween::m_Target
ColorTweenCallback_tFD140F68C9A5F1C9799A2A82FA463C4EF56F9026 * ___m_Target_0;
// UnityEngine.Color UnityEngine.UI.CoroutineTween.ColorTween::m_StartColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_StartColor_1;
// UnityEngine.Color UnityEngine.UI.CoroutineTween.ColorTween::m_TargetColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_TargetColor_2;
// UnityEngine.UI.CoroutineTween.ColorTween/ColorTweenMode UnityEngine.UI.CoroutineTween.ColorTween::m_TweenMode
int32_t ___m_TweenMode_3;
// System.Single UnityEngine.UI.CoroutineTween.ColorTween::m_Duration
float ___m_Duration_4;
// System.Boolean UnityEngine.UI.CoroutineTween.ColorTween::m_IgnoreTimeScale
bool ___m_IgnoreTimeScale_5;
public:
inline static int32_t get_offset_of_m_Target_0() { return static_cast<int32_t>(offsetof(ColorTween_tB608DC1CF7A7F226B0D4DD8B269798F27CECE339, ___m_Target_0)); }
inline ColorTweenCallback_tFD140F68C9A5F1C9799A2A82FA463C4EF56F9026 * get_m_Target_0() const { return ___m_Target_0; }
inline ColorTweenCallback_tFD140F68C9A5F1C9799A2A82FA463C4EF56F9026 ** get_address_of_m_Target_0() { return &___m_Target_0; }
inline void set_m_Target_0(ColorTweenCallback_tFD140F68C9A5F1C9799A2A82FA463C4EF56F9026 * value)
{
___m_Target_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Target_0), (void*)value);
}
inline static int32_t get_offset_of_m_StartColor_1() { return static_cast<int32_t>(offsetof(ColorTween_tB608DC1CF7A7F226B0D4DD8B269798F27CECE339, ___m_StartColor_1)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_StartColor_1() const { return ___m_StartColor_1; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_StartColor_1() { return &___m_StartColor_1; }
inline void set_m_StartColor_1(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_StartColor_1 = value;
}
inline static int32_t get_offset_of_m_TargetColor_2() { return static_cast<int32_t>(offsetof(ColorTween_tB608DC1CF7A7F226B0D4DD8B269798F27CECE339, ___m_TargetColor_2)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_TargetColor_2() const { return ___m_TargetColor_2; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_TargetColor_2() { return &___m_TargetColor_2; }
inline void set_m_TargetColor_2(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_TargetColor_2 = value;
}
inline static int32_t get_offset_of_m_TweenMode_3() { return static_cast<int32_t>(offsetof(ColorTween_tB608DC1CF7A7F226B0D4DD8B269798F27CECE339, ___m_TweenMode_3)); }
inline int32_t get_m_TweenMode_3() const { return ___m_TweenMode_3; }
inline int32_t* get_address_of_m_TweenMode_3() { return &___m_TweenMode_3; }
inline void set_m_TweenMode_3(int32_t value)
{
___m_TweenMode_3 = value;
}
inline static int32_t get_offset_of_m_Duration_4() { return static_cast<int32_t>(offsetof(ColorTween_tB608DC1CF7A7F226B0D4DD8B269798F27CECE339, ___m_Duration_4)); }
inline float get_m_Duration_4() const { return ___m_Duration_4; }
inline float* get_address_of_m_Duration_4() { return &___m_Duration_4; }
inline void set_m_Duration_4(float value)
{
___m_Duration_4 = value;
}
inline static int32_t get_offset_of_m_IgnoreTimeScale_5() { return static_cast<int32_t>(offsetof(ColorTween_tB608DC1CF7A7F226B0D4DD8B269798F27CECE339, ___m_IgnoreTimeScale_5)); }
inline bool get_m_IgnoreTimeScale_5() const { return ___m_IgnoreTimeScale_5; }
inline bool* get_address_of_m_IgnoreTimeScale_5() { return &___m_IgnoreTimeScale_5; }
inline void set_m_IgnoreTimeScale_5(bool value)
{
___m_IgnoreTimeScale_5 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.UI.CoroutineTween.ColorTween
struct ColorTween_tB608DC1CF7A7F226B0D4DD8B269798F27CECE339_marshaled_pinvoke
{
ColorTweenCallback_tFD140F68C9A5F1C9799A2A82FA463C4EF56F9026 * ___m_Target_0;
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_StartColor_1;
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_TargetColor_2;
int32_t ___m_TweenMode_3;
float ___m_Duration_4;
int32_t ___m_IgnoreTimeScale_5;
};
// Native definition for COM marshalling of UnityEngine.UI.CoroutineTween.ColorTween
struct ColorTween_tB608DC1CF7A7F226B0D4DD8B269798F27CECE339_marshaled_com
{
ColorTweenCallback_tFD140F68C9A5F1C9799A2A82FA463C4EF56F9026 * ___m_Target_0;
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_StartColor_1;
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_TargetColor_2;
int32_t ___m_TweenMode_3;
float ___m_Duration_4;
int32_t ___m_IgnoreTimeScale_5;
};
// System.Globalization.CompareInfo
struct CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 : public RuntimeObject
{
public:
// System.String System.Globalization.CompareInfo::m_name
String_t* ___m_name_3;
// System.String System.Globalization.CompareInfo::m_sortName
String_t* ___m_sortName_4;
// System.Int32 System.Globalization.CompareInfo::win32LCID
int32_t ___win32LCID_5;
// System.Int32 System.Globalization.CompareInfo::culture
int32_t ___culture_6;
// System.Globalization.SortVersion System.Globalization.CompareInfo::m_SortVersion
SortVersion_t4500287E608FE7BBAB01A3AB0F1073F772EF62AA * ___m_SortVersion_20;
// Mono.Globalization.Unicode.SimpleCollator System.Globalization.CompareInfo::collator
SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266 * ___collator_21;
public:
inline static int32_t get_offset_of_m_name_3() { return static_cast<int32_t>(offsetof(CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9, ___m_name_3)); }
inline String_t* get_m_name_3() const { return ___m_name_3; }
inline String_t** get_address_of_m_name_3() { return &___m_name_3; }
inline void set_m_name_3(String_t* value)
{
___m_name_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_name_3), (void*)value);
}
inline static int32_t get_offset_of_m_sortName_4() { return static_cast<int32_t>(offsetof(CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9, ___m_sortName_4)); }
inline String_t* get_m_sortName_4() const { return ___m_sortName_4; }
inline String_t** get_address_of_m_sortName_4() { return &___m_sortName_4; }
inline void set_m_sortName_4(String_t* value)
{
___m_sortName_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_sortName_4), (void*)value);
}
inline static int32_t get_offset_of_win32LCID_5() { return static_cast<int32_t>(offsetof(CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9, ___win32LCID_5)); }
inline int32_t get_win32LCID_5() const { return ___win32LCID_5; }
inline int32_t* get_address_of_win32LCID_5() { return &___win32LCID_5; }
inline void set_win32LCID_5(int32_t value)
{
___win32LCID_5 = value;
}
inline static int32_t get_offset_of_culture_6() { return static_cast<int32_t>(offsetof(CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9, ___culture_6)); }
inline int32_t get_culture_6() const { return ___culture_6; }
inline int32_t* get_address_of_culture_6() { return &___culture_6; }
inline void set_culture_6(int32_t value)
{
___culture_6 = value;
}
inline static int32_t get_offset_of_m_SortVersion_20() { return static_cast<int32_t>(offsetof(CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9, ___m_SortVersion_20)); }
inline SortVersion_t4500287E608FE7BBAB01A3AB0F1073F772EF62AA * get_m_SortVersion_20() const { return ___m_SortVersion_20; }
inline SortVersion_t4500287E608FE7BBAB01A3AB0F1073F772EF62AA ** get_address_of_m_SortVersion_20() { return &___m_SortVersion_20; }
inline void set_m_SortVersion_20(SortVersion_t4500287E608FE7BBAB01A3AB0F1073F772EF62AA * value)
{
___m_SortVersion_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SortVersion_20), (void*)value);
}
inline static int32_t get_offset_of_collator_21() { return static_cast<int32_t>(offsetof(CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9, ___collator_21)); }
inline SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266 * get_collator_21() const { return ___collator_21; }
inline SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266 ** get_address_of_collator_21() { return &___collator_21; }
inline void set_collator_21(SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266 * value)
{
___collator_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___collator_21), (void*)value);
}
};
struct CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9_StaticFields
{
public:
// System.Collections.Generic.Dictionary`2<System.String,Mono.Globalization.Unicode.SimpleCollator> System.Globalization.CompareInfo::collators
Dictionary_2_t33B68634E5ACFD2A5AE4981521BFC06805BE18BB * ___collators_22;
// System.Boolean System.Globalization.CompareInfo::managedCollation
bool ___managedCollation_23;
// System.Boolean System.Globalization.CompareInfo::managedCollationChecked
bool ___managedCollationChecked_24;
public:
inline static int32_t get_offset_of_collators_22() { return static_cast<int32_t>(offsetof(CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9_StaticFields, ___collators_22)); }
inline Dictionary_2_t33B68634E5ACFD2A5AE4981521BFC06805BE18BB * get_collators_22() const { return ___collators_22; }
inline Dictionary_2_t33B68634E5ACFD2A5AE4981521BFC06805BE18BB ** get_address_of_collators_22() { return &___collators_22; }
inline void set_collators_22(Dictionary_2_t33B68634E5ACFD2A5AE4981521BFC06805BE18BB * value)
{
___collators_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___collators_22), (void*)value);
}
inline static int32_t get_offset_of_managedCollation_23() { return static_cast<int32_t>(offsetof(CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9_StaticFields, ___managedCollation_23)); }
inline bool get_managedCollation_23() const { return ___managedCollation_23; }
inline bool* get_address_of_managedCollation_23() { return &___managedCollation_23; }
inline void set_managedCollation_23(bool value)
{
___managedCollation_23 = value;
}
inline static int32_t get_offset_of_managedCollationChecked_24() { return static_cast<int32_t>(offsetof(CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9_StaticFields, ___managedCollationChecked_24)); }
inline bool get_managedCollationChecked_24() const { return ___managedCollationChecked_24; }
inline bool* get_address_of_managedCollationChecked_24() { return &___managedCollationChecked_24; }
inline void set_managedCollationChecked_24(bool value)
{
___managedCollationChecked_24 = value;
}
};
// UnityEngine.Component
struct Component_t62FBC8D2420DA4BE9037AFE430740F6B3EECA684 : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// UnityEngine.ComputeShader
struct ComputeShader_tBEFDB4D759632A61AC138B2DAA292332BE7DAD30 : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// TMPro.Compute_DT_EventArgs
struct Compute_DT_EventArgs_t67EB1217554822AAFFEB095D5A45363B26B8A7E6 : public RuntimeObject
{
public:
// TMPro.Compute_DistanceTransform_EventTypes TMPro.Compute_DT_EventArgs::EventType
int32_t ___EventType_0;
// System.Single TMPro.Compute_DT_EventArgs::ProgressPercentage
float ___ProgressPercentage_1;
// UnityEngine.Color[] TMPro.Compute_DT_EventArgs::Colors
ColorU5BU5D_t358DD89F511301E663AD9157305B94A2DEFF8834* ___Colors_2;
public:
inline static int32_t get_offset_of_EventType_0() { return static_cast<int32_t>(offsetof(Compute_DT_EventArgs_t67EB1217554822AAFFEB095D5A45363B26B8A7E6, ___EventType_0)); }
inline int32_t get_EventType_0() const { return ___EventType_0; }
inline int32_t* get_address_of_EventType_0() { return &___EventType_0; }
inline void set_EventType_0(int32_t value)
{
___EventType_0 = value;
}
inline static int32_t get_offset_of_ProgressPercentage_1() { return static_cast<int32_t>(offsetof(Compute_DT_EventArgs_t67EB1217554822AAFFEB095D5A45363B26B8A7E6, ___ProgressPercentage_1)); }
inline float get_ProgressPercentage_1() const { return ___ProgressPercentage_1; }
inline float* get_address_of_ProgressPercentage_1() { return &___ProgressPercentage_1; }
inline void set_ProgressPercentage_1(float value)
{
___ProgressPercentage_1 = value;
}
inline static int32_t get_offset_of_Colors_2() { return static_cast<int32_t>(offsetof(Compute_DT_EventArgs_t67EB1217554822AAFFEB095D5A45363B26B8A7E6, ___Colors_2)); }
inline ColorU5BU5D_t358DD89F511301E663AD9157305B94A2DEFF8834* get_Colors_2() const { return ___Colors_2; }
inline ColorU5BU5D_t358DD89F511301E663AD9157305B94A2DEFF8834** get_address_of_Colors_2() { return &___Colors_2; }
inline void set_Colors_2(ColorU5BU5D_t358DD89F511301E663AD9157305B94A2DEFF8834* value)
{
___Colors_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Colors_2), (void*)value);
}
};
// UnityEngine.XR.ARSubsystems.ConfigurationDescriptor
struct ConfigurationDescriptor_t5CD12F017FCCF861DC33D7C0D6F0121015DEEA78
{
public:
// System.IntPtr UnityEngine.XR.ARSubsystems.ConfigurationDescriptor::m_Identifier
intptr_t ___m_Identifier_0;
// UnityEngine.XR.ARSubsystems.Feature UnityEngine.XR.ARSubsystems.ConfigurationDescriptor::m_Capabilities
uint64_t ___m_Capabilities_1;
// System.Int32 UnityEngine.XR.ARSubsystems.ConfigurationDescriptor::m_Rank
int32_t ___m_Rank_2;
public:
inline static int32_t get_offset_of_m_Identifier_0() { return static_cast<int32_t>(offsetof(ConfigurationDescriptor_t5CD12F017FCCF861DC33D7C0D6F0121015DEEA78, ___m_Identifier_0)); }
inline intptr_t get_m_Identifier_0() const { return ___m_Identifier_0; }
inline intptr_t* get_address_of_m_Identifier_0() { return &___m_Identifier_0; }
inline void set_m_Identifier_0(intptr_t value)
{
___m_Identifier_0 = value;
}
inline static int32_t get_offset_of_m_Capabilities_1() { return static_cast<int32_t>(offsetof(ConfigurationDescriptor_t5CD12F017FCCF861DC33D7C0D6F0121015DEEA78, ___m_Capabilities_1)); }
inline uint64_t get_m_Capabilities_1() const { return ___m_Capabilities_1; }
inline uint64_t* get_address_of_m_Capabilities_1() { return &___m_Capabilities_1; }
inline void set_m_Capabilities_1(uint64_t value)
{
___m_Capabilities_1 = value;
}
inline static int32_t get_offset_of_m_Rank_2() { return static_cast<int32_t>(offsetof(ConfigurationDescriptor_t5CD12F017FCCF861DC33D7C0D6F0121015DEEA78, ___m_Rank_2)); }
inline int32_t get_m_Rank_2() const { return ___m_Rank_2; }
inline int32_t* get_address_of_m_Rank_2() { return &___m_Rank_2; }
inline void set_m_Rank_2(int32_t value)
{
___m_Rank_2 = value;
}
};
// System.ConsoleCancelEventArgs
struct ConsoleCancelEventArgs_tF32E2D8954FDDFA9C5C9EBE291DF44C2A5D67C01 : public EventArgs_tBCAACA538A5195B6D6C8DFCC3524A2A4A67FD8BA
{
public:
// System.ConsoleSpecialKey System.ConsoleCancelEventArgs::_type
int32_t ____type_1;
// System.Boolean System.ConsoleCancelEventArgs::_cancel
bool ____cancel_2;
public:
inline static int32_t get_offset_of__type_1() { return static_cast<int32_t>(offsetof(ConsoleCancelEventArgs_tF32E2D8954FDDFA9C5C9EBE291DF44C2A5D67C01, ____type_1)); }
inline int32_t get__type_1() const { return ____type_1; }
inline int32_t* get_address_of__type_1() { return &____type_1; }
inline void set__type_1(int32_t value)
{
____type_1 = value;
}
inline static int32_t get_offset_of__cancel_2() { return static_cast<int32_t>(offsetof(ConsoleCancelEventArgs_tF32E2D8954FDDFA9C5C9EBE291DF44C2A5D67C01, ____cancel_2)); }
inline bool get__cancel_2() const { return ____cancel_2; }
inline bool* get_address_of__cancel_2() { return &____cancel_2; }
inline void set__cancel_2(bool value)
{
____cancel_2 = value;
}
};
// System.ConsoleKeyInfo
struct ConsoleKeyInfo_tDA8AC07839288484FCB167A81B4FBA92ECCEAF88
{
public:
// System.Char System.ConsoleKeyInfo::_keyChar
Il2CppChar ____keyChar_0;
// System.ConsoleKey System.ConsoleKeyInfo::_key
int32_t ____key_1;
// System.ConsoleModifiers System.ConsoleKeyInfo::_mods
int32_t ____mods_2;
public:
inline static int32_t get_offset_of__keyChar_0() { return static_cast<int32_t>(offsetof(ConsoleKeyInfo_tDA8AC07839288484FCB167A81B4FBA92ECCEAF88, ____keyChar_0)); }
inline Il2CppChar get__keyChar_0() const { return ____keyChar_0; }
inline Il2CppChar* get_address_of__keyChar_0() { return &____keyChar_0; }
inline void set__keyChar_0(Il2CppChar value)
{
____keyChar_0 = value;
}
inline static int32_t get_offset_of__key_1() { return static_cast<int32_t>(offsetof(ConsoleKeyInfo_tDA8AC07839288484FCB167A81B4FBA92ECCEAF88, ____key_1)); }
inline int32_t get__key_1() const { return ____key_1; }
inline int32_t* get_address_of__key_1() { return &____key_1; }
inline void set__key_1(int32_t value)
{
____key_1 = value;
}
inline static int32_t get_offset_of__mods_2() { return static_cast<int32_t>(offsetof(ConsoleKeyInfo_tDA8AC07839288484FCB167A81B4FBA92ECCEAF88, ____mods_2)); }
inline int32_t get__mods_2() const { return ____mods_2; }
inline int32_t* get_address_of__mods_2() { return &____mods_2; }
inline void set__mods_2(int32_t value)
{
____mods_2 = value;
}
};
// Native definition for P/Invoke marshalling of System.ConsoleKeyInfo
struct ConsoleKeyInfo_tDA8AC07839288484FCB167A81B4FBA92ECCEAF88_marshaled_pinvoke
{
uint8_t ____keyChar_0;
int32_t ____key_1;
int32_t ____mods_2;
};
// Native definition for COM marshalling of System.ConsoleKeyInfo
struct ConsoleKeyInfo_tDA8AC07839288484FCB167A81B4FBA92ECCEAF88_marshaled_com
{
uint8_t ____keyChar_0;
int32_t ____key_1;
int32_t ____mods_2;
};
// System.Reflection.Emit.ConstructorBuilder
struct ConstructorBuilder_t8C67FE9B745B092B51BE0707187619AE757D8345 : public ConstructorInfo_t449AEC508DCA508EE46784C4F2716545488ACD5B
{
public:
public:
};
// UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData
struct ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D : public RuntimeObject
{
public:
// System.String UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData::localHash
String_t* ___localHash_0;
// UnityEngine.ResourceManagement.ResourceLocations.IResourceLocation UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData::location
RuntimeObject* ___location_1;
// System.String UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData::m_LocatorId
String_t* ___m_LocatorId_2;
// UnityEngine.ResourceManagement.Util.ObjectInitializationData UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData::m_InstanceProviderData
ObjectInitializationData_t4552E1504B7D6894C22177D7F4CEC1B2EE8F9BB3 ___m_InstanceProviderData_3;
// UnityEngine.ResourceManagement.Util.ObjectInitializationData UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData::m_SceneProviderData
ObjectInitializationData_t4552E1504B7D6894C22177D7F4CEC1B2EE8F9BB3 ___m_SceneProviderData_4;
// System.Collections.Generic.List`1<UnityEngine.ResourceManagement.Util.ObjectInitializationData> UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData::m_ResourceProviderData
List_1_t0DF9D498983B77B207A7E6FC612A1E79C607F026 * ___m_ResourceProviderData_5;
// System.String[] UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData::m_ProviderIds
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___m_ProviderIds_6;
// System.String[] UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData::m_InternalIds
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___m_InternalIds_7;
// System.String UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData::m_KeyDataString
String_t* ___m_KeyDataString_8;
// System.String UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData::m_BucketDataString
String_t* ___m_BucketDataString_9;
// System.String UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData::m_EntryDataString
String_t* ___m_EntryDataString_10;
// System.String UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData::m_ExtraDataString
String_t* ___m_ExtraDataString_11;
// UnityEngine.ResourceManagement.Util.SerializedType[] UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData::m_resourceTypes
SerializedTypeU5BU5D_tF5E5FFA9BE1C3CAD6FD8BDEB57C0EAE491BA8616* ___m_resourceTypes_12;
// System.String[] UnityEngine.AddressableAssets.ResourceLocators.ContentCatalogData::m_InternalIdPrefixes
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___m_InternalIdPrefixes_13;
public:
inline static int32_t get_offset_of_localHash_0() { return static_cast<int32_t>(offsetof(ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D, ___localHash_0)); }
inline String_t* get_localHash_0() const { return ___localHash_0; }
inline String_t** get_address_of_localHash_0() { return &___localHash_0; }
inline void set_localHash_0(String_t* value)
{
___localHash_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___localHash_0), (void*)value);
}
inline static int32_t get_offset_of_location_1() { return static_cast<int32_t>(offsetof(ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D, ___location_1)); }
inline RuntimeObject* get_location_1() const { return ___location_1; }
inline RuntimeObject** get_address_of_location_1() { return &___location_1; }
inline void set_location_1(RuntimeObject* value)
{
___location_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___location_1), (void*)value);
}
inline static int32_t get_offset_of_m_LocatorId_2() { return static_cast<int32_t>(offsetof(ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D, ___m_LocatorId_2)); }
inline String_t* get_m_LocatorId_2() const { return ___m_LocatorId_2; }
inline String_t** get_address_of_m_LocatorId_2() { return &___m_LocatorId_2; }
inline void set_m_LocatorId_2(String_t* value)
{
___m_LocatorId_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocatorId_2), (void*)value);
}
inline static int32_t get_offset_of_m_InstanceProviderData_3() { return static_cast<int32_t>(offsetof(ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D, ___m_InstanceProviderData_3)); }
inline ObjectInitializationData_t4552E1504B7D6894C22177D7F4CEC1B2EE8F9BB3 get_m_InstanceProviderData_3() const { return ___m_InstanceProviderData_3; }
inline ObjectInitializationData_t4552E1504B7D6894C22177D7F4CEC1B2EE8F9BB3 * get_address_of_m_InstanceProviderData_3() { return &___m_InstanceProviderData_3; }
inline void set_m_InstanceProviderData_3(ObjectInitializationData_t4552E1504B7D6894C22177D7F4CEC1B2EE8F9BB3 value)
{
___m_InstanceProviderData_3 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_InstanceProviderData_3))->___m_Id_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_InstanceProviderData_3))->___m_ObjectType_1))->___m_AssemblyName_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_InstanceProviderData_3))->___m_ObjectType_1))->___m_ClassName_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_InstanceProviderData_3))->___m_ObjectType_1))->___m_CachedType_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_InstanceProviderData_3))->___m_Data_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_SceneProviderData_4() { return static_cast<int32_t>(offsetof(ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D, ___m_SceneProviderData_4)); }
inline ObjectInitializationData_t4552E1504B7D6894C22177D7F4CEC1B2EE8F9BB3 get_m_SceneProviderData_4() const { return ___m_SceneProviderData_4; }
inline ObjectInitializationData_t4552E1504B7D6894C22177D7F4CEC1B2EE8F9BB3 * get_address_of_m_SceneProviderData_4() { return &___m_SceneProviderData_4; }
inline void set_m_SceneProviderData_4(ObjectInitializationData_t4552E1504B7D6894C22177D7F4CEC1B2EE8F9BB3 value)
{
___m_SceneProviderData_4 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SceneProviderData_4))->___m_Id_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SceneProviderData_4))->___m_ObjectType_1))->___m_AssemblyName_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SceneProviderData_4))->___m_ObjectType_1))->___m_ClassName_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SceneProviderData_4))->___m_ObjectType_1))->___m_CachedType_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SceneProviderData_4))->___m_Data_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_ResourceProviderData_5() { return static_cast<int32_t>(offsetof(ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D, ___m_ResourceProviderData_5)); }
inline List_1_t0DF9D498983B77B207A7E6FC612A1E79C607F026 * get_m_ResourceProviderData_5() const { return ___m_ResourceProviderData_5; }
inline List_1_t0DF9D498983B77B207A7E6FC612A1E79C607F026 ** get_address_of_m_ResourceProviderData_5() { return &___m_ResourceProviderData_5; }
inline void set_m_ResourceProviderData_5(List_1_t0DF9D498983B77B207A7E6FC612A1E79C607F026 * value)
{
___m_ResourceProviderData_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ResourceProviderData_5), (void*)value);
}
inline static int32_t get_offset_of_m_ProviderIds_6() { return static_cast<int32_t>(offsetof(ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D, ___m_ProviderIds_6)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_m_ProviderIds_6() const { return ___m_ProviderIds_6; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_m_ProviderIds_6() { return &___m_ProviderIds_6; }
inline void set_m_ProviderIds_6(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___m_ProviderIds_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ProviderIds_6), (void*)value);
}
inline static int32_t get_offset_of_m_InternalIds_7() { return static_cast<int32_t>(offsetof(ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D, ___m_InternalIds_7)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_m_InternalIds_7() const { return ___m_InternalIds_7; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_m_InternalIds_7() { return &___m_InternalIds_7; }
inline void set_m_InternalIds_7(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___m_InternalIds_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalIds_7), (void*)value);
}
inline static int32_t get_offset_of_m_KeyDataString_8() { return static_cast<int32_t>(offsetof(ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D, ___m_KeyDataString_8)); }
inline String_t* get_m_KeyDataString_8() const { return ___m_KeyDataString_8; }
inline String_t** get_address_of_m_KeyDataString_8() { return &___m_KeyDataString_8; }
inline void set_m_KeyDataString_8(String_t* value)
{
___m_KeyDataString_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_KeyDataString_8), (void*)value);
}
inline static int32_t get_offset_of_m_BucketDataString_9() { return static_cast<int32_t>(offsetof(ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D, ___m_BucketDataString_9)); }
inline String_t* get_m_BucketDataString_9() const { return ___m_BucketDataString_9; }
inline String_t** get_address_of_m_BucketDataString_9() { return &___m_BucketDataString_9; }
inline void set_m_BucketDataString_9(String_t* value)
{
___m_BucketDataString_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_BucketDataString_9), (void*)value);
}
inline static int32_t get_offset_of_m_EntryDataString_10() { return static_cast<int32_t>(offsetof(ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D, ___m_EntryDataString_10)); }
inline String_t* get_m_EntryDataString_10() const { return ___m_EntryDataString_10; }
inline String_t** get_address_of_m_EntryDataString_10() { return &___m_EntryDataString_10; }
inline void set_m_EntryDataString_10(String_t* value)
{
___m_EntryDataString_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_EntryDataString_10), (void*)value);
}
inline static int32_t get_offset_of_m_ExtraDataString_11() { return static_cast<int32_t>(offsetof(ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D, ___m_ExtraDataString_11)); }
inline String_t* get_m_ExtraDataString_11() const { return ___m_ExtraDataString_11; }
inline String_t** get_address_of_m_ExtraDataString_11() { return &___m_ExtraDataString_11; }
inline void set_m_ExtraDataString_11(String_t* value)
{
___m_ExtraDataString_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ExtraDataString_11), (void*)value);
}
inline static int32_t get_offset_of_m_resourceTypes_12() { return static_cast<int32_t>(offsetof(ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D, ___m_resourceTypes_12)); }
inline SerializedTypeU5BU5D_tF5E5FFA9BE1C3CAD6FD8BDEB57C0EAE491BA8616* get_m_resourceTypes_12() const { return ___m_resourceTypes_12; }
inline SerializedTypeU5BU5D_tF5E5FFA9BE1C3CAD6FD8BDEB57C0EAE491BA8616** get_address_of_m_resourceTypes_12() { return &___m_resourceTypes_12; }
inline void set_m_resourceTypes_12(SerializedTypeU5BU5D_tF5E5FFA9BE1C3CAD6FD8BDEB57C0EAE491BA8616* value)
{
___m_resourceTypes_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_resourceTypes_12), (void*)value);
}
inline static int32_t get_offset_of_m_InternalIdPrefixes_13() { return static_cast<int32_t>(offsetof(ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D, ___m_InternalIdPrefixes_13)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_m_InternalIdPrefixes_13() const { return ___m_InternalIdPrefixes_13; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_m_InternalIdPrefixes_13() { return &___m_InternalIdPrefixes_13; }
inline void set_m_InternalIdPrefixes_13(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___m_InternalIdPrefixes_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalIdPrefixes_13), (void*)value);
}
};
// System.Threading.Tasks.ContinuationTaskFromTask
struct ContinuationTaskFromTask_t23C1DF464E2CDA196AA0003E869016CEAE11049E : public Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60
{
public:
// System.Threading.Tasks.Task System.Threading.Tasks.ContinuationTaskFromTask::m_antecedent
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * ___m_antecedent_22;
public:
inline static int32_t get_offset_of_m_antecedent_22() { return static_cast<int32_t>(offsetof(ContinuationTaskFromTask_t23C1DF464E2CDA196AA0003E869016CEAE11049E, ___m_antecedent_22)); }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * get_m_antecedent_22() const { return ___m_antecedent_22; }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 ** get_address_of_m_antecedent_22() { return &___m_antecedent_22; }
inline void set_m_antecedent_22(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * value)
{
___m_antecedent_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_antecedent_22), (void*)value);
}
};
// System.CultureAwareComparer
struct CultureAwareComparer_t268E42F92F9F23A3A18A1811762DC761224C9DCE : public StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6
{
public:
// System.Globalization.CompareInfo System.CultureAwareComparer::_compareInfo
CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * ____compareInfo_4;
// System.Boolean System.CultureAwareComparer::_ignoreCase
bool ____ignoreCase_5;
// System.Globalization.CompareOptions System.CultureAwareComparer::_options
int32_t ____options_6;
public:
inline static int32_t get_offset_of__compareInfo_4() { return static_cast<int32_t>(offsetof(CultureAwareComparer_t268E42F92F9F23A3A18A1811762DC761224C9DCE, ____compareInfo_4)); }
inline CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * get__compareInfo_4() const { return ____compareInfo_4; }
inline CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 ** get_address_of__compareInfo_4() { return &____compareInfo_4; }
inline void set__compareInfo_4(CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * value)
{
____compareInfo_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____compareInfo_4), (void*)value);
}
inline static int32_t get_offset_of__ignoreCase_5() { return static_cast<int32_t>(offsetof(CultureAwareComparer_t268E42F92F9F23A3A18A1811762DC761224C9DCE, ____ignoreCase_5)); }
inline bool get__ignoreCase_5() const { return ____ignoreCase_5; }
inline bool* get_address_of__ignoreCase_5() { return &____ignoreCase_5; }
inline void set__ignoreCase_5(bool value)
{
____ignoreCase_5 = value;
}
inline static int32_t get_offset_of__options_6() { return static_cast<int32_t>(offsetof(CultureAwareComparer_t268E42F92F9F23A3A18A1811762DC761224C9DCE, ____options_6)); }
inline int32_t get__options_6() const { return ____options_6; }
inline int32_t* get_address_of__options_6() { return &____options_6; }
inline void set__options_6(int32_t value)
{
____options_6 = value;
}
};
// System.DTSubString
struct DTSubString_t17C1E5092BC79CB2A5DA8B2B4AB2047B2BE51F74
{
public:
// System.String System.DTSubString::s
String_t* ___s_0;
// System.Int32 System.DTSubString::index
int32_t ___index_1;
// System.Int32 System.DTSubString::length
int32_t ___length_2;
// System.DTSubStringType System.DTSubString::type
int32_t ___type_3;
// System.Int32 System.DTSubString::value
int32_t ___value_4;
public:
inline static int32_t get_offset_of_s_0() { return static_cast<int32_t>(offsetof(DTSubString_t17C1E5092BC79CB2A5DA8B2B4AB2047B2BE51F74, ___s_0)); }
inline String_t* get_s_0() const { return ___s_0; }
inline String_t** get_address_of_s_0() { return &___s_0; }
inline void set_s_0(String_t* value)
{
___s_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_0), (void*)value);
}
inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(DTSubString_t17C1E5092BC79CB2A5DA8B2B4AB2047B2BE51F74, ___index_1)); }
inline int32_t get_index_1() const { return ___index_1; }
inline int32_t* get_address_of_index_1() { return &___index_1; }
inline void set_index_1(int32_t value)
{
___index_1 = value;
}
inline static int32_t get_offset_of_length_2() { return static_cast<int32_t>(offsetof(DTSubString_t17C1E5092BC79CB2A5DA8B2B4AB2047B2BE51F74, ___length_2)); }
inline int32_t get_length_2() const { return ___length_2; }
inline int32_t* get_address_of_length_2() { return &___length_2; }
inline void set_length_2(int32_t value)
{
___length_2 = value;
}
inline static int32_t get_offset_of_type_3() { return static_cast<int32_t>(offsetof(DTSubString_t17C1E5092BC79CB2A5DA8B2B4AB2047B2BE51F74, ___type_3)); }
inline int32_t get_type_3() const { return ___type_3; }
inline int32_t* get_address_of_type_3() { return &___type_3; }
inline void set_type_3(int32_t value)
{
___type_3 = value;
}
inline static int32_t get_offset_of_value_4() { return static_cast<int32_t>(offsetof(DTSubString_t17C1E5092BC79CB2A5DA8B2B4AB2047B2BE51F74, ___value_4)); }
inline int32_t get_value_4() const { return ___value_4; }
inline int32_t* get_address_of_value_4() { return &___value_4; }
inline void set_value_4(int32_t value)
{
___value_4 = value;
}
};
// Native definition for P/Invoke marshalling of System.DTSubString
struct DTSubString_t17C1E5092BC79CB2A5DA8B2B4AB2047B2BE51F74_marshaled_pinvoke
{
char* ___s_0;
int32_t ___index_1;
int32_t ___length_2;
int32_t ___type_3;
int32_t ___value_4;
};
// Native definition for COM marshalling of System.DTSubString
struct DTSubString_t17C1E5092BC79CB2A5DA8B2B4AB2047B2BE51F74_marshaled_com
{
Il2CppChar* ___s_0;
int32_t ___index_1;
int32_t ___length_2;
int32_t ___type_3;
int32_t ___value_4;
};
// System.DateTimeFormat
struct DateTimeFormat_t03C933B58093015648423B6A1A79C999650F2E4A : public RuntimeObject
{
public:
public:
};
struct DateTimeFormat_t03C933B58093015648423B6A1A79C999650F2E4A_StaticFields
{
public:
// System.TimeSpan System.DateTimeFormat::NullOffset
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ___NullOffset_0;
// System.Char[] System.DateTimeFormat::allStandardFormats
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___allStandardFormats_1;
// System.String[] System.DateTimeFormat::fixedNumberFormats
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___fixedNumberFormats_2;
public:
inline static int32_t get_offset_of_NullOffset_0() { return static_cast<int32_t>(offsetof(DateTimeFormat_t03C933B58093015648423B6A1A79C999650F2E4A_StaticFields, ___NullOffset_0)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get_NullOffset_0() const { return ___NullOffset_0; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of_NullOffset_0() { return &___NullOffset_0; }
inline void set_NullOffset_0(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
___NullOffset_0 = value;
}
inline static int32_t get_offset_of_allStandardFormats_1() { return static_cast<int32_t>(offsetof(DateTimeFormat_t03C933B58093015648423B6A1A79C999650F2E4A_StaticFields, ___allStandardFormats_1)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_allStandardFormats_1() const { return ___allStandardFormats_1; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_allStandardFormats_1() { return &___allStandardFormats_1; }
inline void set_allStandardFormats_1(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___allStandardFormats_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___allStandardFormats_1), (void*)value);
}
inline static int32_t get_offset_of_fixedNumberFormats_2() { return static_cast<int32_t>(offsetof(DateTimeFormat_t03C933B58093015648423B6A1A79C999650F2E4A_StaticFields, ___fixedNumberFormats_2)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_fixedNumberFormats_2() const { return ___fixedNumberFormats_2; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_fixedNumberFormats_2() { return &___fixedNumberFormats_2; }
inline void set_fixedNumberFormats_2(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___fixedNumberFormats_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___fixedNumberFormats_2), (void*)value);
}
};
// System.Globalization.DateTimeFormatInfo
struct DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90 : public RuntimeObject
{
public:
// System.Globalization.CultureData System.Globalization.DateTimeFormatInfo::m_cultureData
CultureData_t53CDF1C5F789A28897415891667799420D3C5529 * ___m_cultureData_1;
// System.String System.Globalization.DateTimeFormatInfo::m_name
String_t* ___m_name_2;
// System.String System.Globalization.DateTimeFormatInfo::m_langName
String_t* ___m_langName_3;
// System.Globalization.CompareInfo System.Globalization.DateTimeFormatInfo::m_compareInfo
CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * ___m_compareInfo_4;
// System.Globalization.CultureInfo System.Globalization.DateTimeFormatInfo::m_cultureInfo
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * ___m_cultureInfo_5;
// System.String System.Globalization.DateTimeFormatInfo::amDesignator
String_t* ___amDesignator_6;
// System.String System.Globalization.DateTimeFormatInfo::pmDesignator
String_t* ___pmDesignator_7;
// System.String System.Globalization.DateTimeFormatInfo::dateSeparator
String_t* ___dateSeparator_8;
// System.String System.Globalization.DateTimeFormatInfo::generalShortTimePattern
String_t* ___generalShortTimePattern_9;
// System.String System.Globalization.DateTimeFormatInfo::generalLongTimePattern
String_t* ___generalLongTimePattern_10;
// System.String System.Globalization.DateTimeFormatInfo::timeSeparator
String_t* ___timeSeparator_11;
// System.String System.Globalization.DateTimeFormatInfo::monthDayPattern
String_t* ___monthDayPattern_12;
// System.String System.Globalization.DateTimeFormatInfo::dateTimeOffsetPattern
String_t* ___dateTimeOffsetPattern_13;
// System.Globalization.Calendar System.Globalization.DateTimeFormatInfo::calendar
Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * ___calendar_17;
// System.Int32 System.Globalization.DateTimeFormatInfo::firstDayOfWeek
int32_t ___firstDayOfWeek_18;
// System.Int32 System.Globalization.DateTimeFormatInfo::calendarWeekRule
int32_t ___calendarWeekRule_19;
// System.String System.Globalization.DateTimeFormatInfo::fullDateTimePattern
String_t* ___fullDateTimePattern_20;
// System.String[] System.Globalization.DateTimeFormatInfo::abbreviatedDayNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___abbreviatedDayNames_21;
// System.String[] System.Globalization.DateTimeFormatInfo::m_superShortDayNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___m_superShortDayNames_22;
// System.String[] System.Globalization.DateTimeFormatInfo::dayNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___dayNames_23;
// System.String[] System.Globalization.DateTimeFormatInfo::abbreviatedMonthNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___abbreviatedMonthNames_24;
// System.String[] System.Globalization.DateTimeFormatInfo::monthNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___monthNames_25;
// System.String[] System.Globalization.DateTimeFormatInfo::genitiveMonthNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___genitiveMonthNames_26;
// System.String[] System.Globalization.DateTimeFormatInfo::m_genitiveAbbreviatedMonthNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___m_genitiveAbbreviatedMonthNames_27;
// System.String[] System.Globalization.DateTimeFormatInfo::leapYearMonthNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___leapYearMonthNames_28;
// System.String System.Globalization.DateTimeFormatInfo::longDatePattern
String_t* ___longDatePattern_29;
// System.String System.Globalization.DateTimeFormatInfo::shortDatePattern
String_t* ___shortDatePattern_30;
// System.String System.Globalization.DateTimeFormatInfo::yearMonthPattern
String_t* ___yearMonthPattern_31;
// System.String System.Globalization.DateTimeFormatInfo::longTimePattern
String_t* ___longTimePattern_32;
// System.String System.Globalization.DateTimeFormatInfo::shortTimePattern
String_t* ___shortTimePattern_33;
// System.String[] System.Globalization.DateTimeFormatInfo::allYearMonthPatterns
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___allYearMonthPatterns_34;
// System.String[] System.Globalization.DateTimeFormatInfo::allShortDatePatterns
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___allShortDatePatterns_35;
// System.String[] System.Globalization.DateTimeFormatInfo::allLongDatePatterns
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___allLongDatePatterns_36;
// System.String[] System.Globalization.DateTimeFormatInfo::allShortTimePatterns
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___allShortTimePatterns_37;
// System.String[] System.Globalization.DateTimeFormatInfo::allLongTimePatterns
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___allLongTimePatterns_38;
// System.String[] System.Globalization.DateTimeFormatInfo::m_eraNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___m_eraNames_39;
// System.String[] System.Globalization.DateTimeFormatInfo::m_abbrevEraNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___m_abbrevEraNames_40;
// System.String[] System.Globalization.DateTimeFormatInfo::m_abbrevEnglishEraNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___m_abbrevEnglishEraNames_41;
// System.Int32[] System.Globalization.DateTimeFormatInfo::optionalCalendars
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___optionalCalendars_42;
// System.Boolean System.Globalization.DateTimeFormatInfo::m_isReadOnly
bool ___m_isReadOnly_44;
// System.Globalization.DateTimeFormatFlags System.Globalization.DateTimeFormatInfo::formatFlags
int32_t ___formatFlags_45;
// System.Int32 System.Globalization.DateTimeFormatInfo::CultureID
int32_t ___CultureID_47;
// System.Boolean System.Globalization.DateTimeFormatInfo::m_useUserOverride
bool ___m_useUserOverride_48;
// System.Boolean System.Globalization.DateTimeFormatInfo::bUseCalendarInfo
bool ___bUseCalendarInfo_49;
// System.Int32 System.Globalization.DateTimeFormatInfo::nDataItem
int32_t ___nDataItem_50;
// System.Boolean System.Globalization.DateTimeFormatInfo::m_isDefaultCalendar
bool ___m_isDefaultCalendar_51;
// System.String[] System.Globalization.DateTimeFormatInfo::m_dateWords
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___m_dateWords_53;
// System.String System.Globalization.DateTimeFormatInfo::m_fullTimeSpanPositivePattern
String_t* ___m_fullTimeSpanPositivePattern_54;
// System.String System.Globalization.DateTimeFormatInfo::m_fullTimeSpanNegativePattern
String_t* ___m_fullTimeSpanNegativePattern_55;
// System.Globalization.TokenHashValue[] System.Globalization.DateTimeFormatInfo::m_dtfiTokenHash
TokenHashValueU5BU5D_t9A8634CBD651EB5F814E7CF9819D44963D8546D3* ___m_dtfiTokenHash_57;
public:
inline static int32_t get_offset_of_m_cultureData_1() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___m_cultureData_1)); }
inline CultureData_t53CDF1C5F789A28897415891667799420D3C5529 * get_m_cultureData_1() const { return ___m_cultureData_1; }
inline CultureData_t53CDF1C5F789A28897415891667799420D3C5529 ** get_address_of_m_cultureData_1() { return &___m_cultureData_1; }
inline void set_m_cultureData_1(CultureData_t53CDF1C5F789A28897415891667799420D3C5529 * value)
{
___m_cultureData_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_cultureData_1), (void*)value);
}
inline static int32_t get_offset_of_m_name_2() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___m_name_2)); }
inline String_t* get_m_name_2() const { return ___m_name_2; }
inline String_t** get_address_of_m_name_2() { return &___m_name_2; }
inline void set_m_name_2(String_t* value)
{
___m_name_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_name_2), (void*)value);
}
inline static int32_t get_offset_of_m_langName_3() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___m_langName_3)); }
inline String_t* get_m_langName_3() const { return ___m_langName_3; }
inline String_t** get_address_of_m_langName_3() { return &___m_langName_3; }
inline void set_m_langName_3(String_t* value)
{
___m_langName_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_langName_3), (void*)value);
}
inline static int32_t get_offset_of_m_compareInfo_4() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___m_compareInfo_4)); }
inline CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * get_m_compareInfo_4() const { return ___m_compareInfo_4; }
inline CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 ** get_address_of_m_compareInfo_4() { return &___m_compareInfo_4; }
inline void set_m_compareInfo_4(CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9 * value)
{
___m_compareInfo_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_compareInfo_4), (void*)value);
}
inline static int32_t get_offset_of_m_cultureInfo_5() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___m_cultureInfo_5)); }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * get_m_cultureInfo_5() const { return ___m_cultureInfo_5; }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 ** get_address_of_m_cultureInfo_5() { return &___m_cultureInfo_5; }
inline void set_m_cultureInfo_5(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * value)
{
___m_cultureInfo_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_cultureInfo_5), (void*)value);
}
inline static int32_t get_offset_of_amDesignator_6() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___amDesignator_6)); }
inline String_t* get_amDesignator_6() const { return ___amDesignator_6; }
inline String_t** get_address_of_amDesignator_6() { return &___amDesignator_6; }
inline void set_amDesignator_6(String_t* value)
{
___amDesignator_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___amDesignator_6), (void*)value);
}
inline static int32_t get_offset_of_pmDesignator_7() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___pmDesignator_7)); }
inline String_t* get_pmDesignator_7() const { return ___pmDesignator_7; }
inline String_t** get_address_of_pmDesignator_7() { return &___pmDesignator_7; }
inline void set_pmDesignator_7(String_t* value)
{
___pmDesignator_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___pmDesignator_7), (void*)value);
}
inline static int32_t get_offset_of_dateSeparator_8() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___dateSeparator_8)); }
inline String_t* get_dateSeparator_8() const { return ___dateSeparator_8; }
inline String_t** get_address_of_dateSeparator_8() { return &___dateSeparator_8; }
inline void set_dateSeparator_8(String_t* value)
{
___dateSeparator_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___dateSeparator_8), (void*)value);
}
inline static int32_t get_offset_of_generalShortTimePattern_9() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___generalShortTimePattern_9)); }
inline String_t* get_generalShortTimePattern_9() const { return ___generalShortTimePattern_9; }
inline String_t** get_address_of_generalShortTimePattern_9() { return &___generalShortTimePattern_9; }
inline void set_generalShortTimePattern_9(String_t* value)
{
___generalShortTimePattern_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___generalShortTimePattern_9), (void*)value);
}
inline static int32_t get_offset_of_generalLongTimePattern_10() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___generalLongTimePattern_10)); }
inline String_t* get_generalLongTimePattern_10() const { return ___generalLongTimePattern_10; }
inline String_t** get_address_of_generalLongTimePattern_10() { return &___generalLongTimePattern_10; }
inline void set_generalLongTimePattern_10(String_t* value)
{
___generalLongTimePattern_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___generalLongTimePattern_10), (void*)value);
}
inline static int32_t get_offset_of_timeSeparator_11() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___timeSeparator_11)); }
inline String_t* get_timeSeparator_11() const { return ___timeSeparator_11; }
inline String_t** get_address_of_timeSeparator_11() { return &___timeSeparator_11; }
inline void set_timeSeparator_11(String_t* value)
{
___timeSeparator_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___timeSeparator_11), (void*)value);
}
inline static int32_t get_offset_of_monthDayPattern_12() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___monthDayPattern_12)); }
inline String_t* get_monthDayPattern_12() const { return ___monthDayPattern_12; }
inline String_t** get_address_of_monthDayPattern_12() { return &___monthDayPattern_12; }
inline void set_monthDayPattern_12(String_t* value)
{
___monthDayPattern_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___monthDayPattern_12), (void*)value);
}
inline static int32_t get_offset_of_dateTimeOffsetPattern_13() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___dateTimeOffsetPattern_13)); }
inline String_t* get_dateTimeOffsetPattern_13() const { return ___dateTimeOffsetPattern_13; }
inline String_t** get_address_of_dateTimeOffsetPattern_13() { return &___dateTimeOffsetPattern_13; }
inline void set_dateTimeOffsetPattern_13(String_t* value)
{
___dateTimeOffsetPattern_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___dateTimeOffsetPattern_13), (void*)value);
}
inline static int32_t get_offset_of_calendar_17() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___calendar_17)); }
inline Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * get_calendar_17() const { return ___calendar_17; }
inline Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A ** get_address_of_calendar_17() { return &___calendar_17; }
inline void set_calendar_17(Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * value)
{
___calendar_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___calendar_17), (void*)value);
}
inline static int32_t get_offset_of_firstDayOfWeek_18() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___firstDayOfWeek_18)); }
inline int32_t get_firstDayOfWeek_18() const { return ___firstDayOfWeek_18; }
inline int32_t* get_address_of_firstDayOfWeek_18() { return &___firstDayOfWeek_18; }
inline void set_firstDayOfWeek_18(int32_t value)
{
___firstDayOfWeek_18 = value;
}
inline static int32_t get_offset_of_calendarWeekRule_19() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___calendarWeekRule_19)); }
inline int32_t get_calendarWeekRule_19() const { return ___calendarWeekRule_19; }
inline int32_t* get_address_of_calendarWeekRule_19() { return &___calendarWeekRule_19; }
inline void set_calendarWeekRule_19(int32_t value)
{
___calendarWeekRule_19 = value;
}
inline static int32_t get_offset_of_fullDateTimePattern_20() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___fullDateTimePattern_20)); }
inline String_t* get_fullDateTimePattern_20() const { return ___fullDateTimePattern_20; }
inline String_t** get_address_of_fullDateTimePattern_20() { return &___fullDateTimePattern_20; }
inline void set_fullDateTimePattern_20(String_t* value)
{
___fullDateTimePattern_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___fullDateTimePattern_20), (void*)value);
}
inline static int32_t get_offset_of_abbreviatedDayNames_21() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___abbreviatedDayNames_21)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_abbreviatedDayNames_21() const { return ___abbreviatedDayNames_21; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_abbreviatedDayNames_21() { return &___abbreviatedDayNames_21; }
inline void set_abbreviatedDayNames_21(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___abbreviatedDayNames_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___abbreviatedDayNames_21), (void*)value);
}
inline static int32_t get_offset_of_m_superShortDayNames_22() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___m_superShortDayNames_22)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_m_superShortDayNames_22() const { return ___m_superShortDayNames_22; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_m_superShortDayNames_22() { return &___m_superShortDayNames_22; }
inline void set_m_superShortDayNames_22(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___m_superShortDayNames_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_superShortDayNames_22), (void*)value);
}
inline static int32_t get_offset_of_dayNames_23() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___dayNames_23)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_dayNames_23() const { return ___dayNames_23; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_dayNames_23() { return &___dayNames_23; }
inline void set_dayNames_23(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___dayNames_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___dayNames_23), (void*)value);
}
inline static int32_t get_offset_of_abbreviatedMonthNames_24() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___abbreviatedMonthNames_24)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_abbreviatedMonthNames_24() const { return ___abbreviatedMonthNames_24; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_abbreviatedMonthNames_24() { return &___abbreviatedMonthNames_24; }
inline void set_abbreviatedMonthNames_24(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___abbreviatedMonthNames_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___abbreviatedMonthNames_24), (void*)value);
}
inline static int32_t get_offset_of_monthNames_25() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___monthNames_25)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_monthNames_25() const { return ___monthNames_25; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_monthNames_25() { return &___monthNames_25; }
inline void set_monthNames_25(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___monthNames_25 = value;
Il2CppCodeGenWriteBarrier((void**)(&___monthNames_25), (void*)value);
}
inline static int32_t get_offset_of_genitiveMonthNames_26() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___genitiveMonthNames_26)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_genitiveMonthNames_26() const { return ___genitiveMonthNames_26; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_genitiveMonthNames_26() { return &___genitiveMonthNames_26; }
inline void set_genitiveMonthNames_26(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___genitiveMonthNames_26 = value;
Il2CppCodeGenWriteBarrier((void**)(&___genitiveMonthNames_26), (void*)value);
}
inline static int32_t get_offset_of_m_genitiveAbbreviatedMonthNames_27() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___m_genitiveAbbreviatedMonthNames_27)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_m_genitiveAbbreviatedMonthNames_27() const { return ___m_genitiveAbbreviatedMonthNames_27; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_m_genitiveAbbreviatedMonthNames_27() { return &___m_genitiveAbbreviatedMonthNames_27; }
inline void set_m_genitiveAbbreviatedMonthNames_27(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___m_genitiveAbbreviatedMonthNames_27 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_genitiveAbbreviatedMonthNames_27), (void*)value);
}
inline static int32_t get_offset_of_leapYearMonthNames_28() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___leapYearMonthNames_28)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_leapYearMonthNames_28() const { return ___leapYearMonthNames_28; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_leapYearMonthNames_28() { return &___leapYearMonthNames_28; }
inline void set_leapYearMonthNames_28(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___leapYearMonthNames_28 = value;
Il2CppCodeGenWriteBarrier((void**)(&___leapYearMonthNames_28), (void*)value);
}
inline static int32_t get_offset_of_longDatePattern_29() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___longDatePattern_29)); }
inline String_t* get_longDatePattern_29() const { return ___longDatePattern_29; }
inline String_t** get_address_of_longDatePattern_29() { return &___longDatePattern_29; }
inline void set_longDatePattern_29(String_t* value)
{
___longDatePattern_29 = value;
Il2CppCodeGenWriteBarrier((void**)(&___longDatePattern_29), (void*)value);
}
inline static int32_t get_offset_of_shortDatePattern_30() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___shortDatePattern_30)); }
inline String_t* get_shortDatePattern_30() const { return ___shortDatePattern_30; }
inline String_t** get_address_of_shortDatePattern_30() { return &___shortDatePattern_30; }
inline void set_shortDatePattern_30(String_t* value)
{
___shortDatePattern_30 = value;
Il2CppCodeGenWriteBarrier((void**)(&___shortDatePattern_30), (void*)value);
}
inline static int32_t get_offset_of_yearMonthPattern_31() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___yearMonthPattern_31)); }
inline String_t* get_yearMonthPattern_31() const { return ___yearMonthPattern_31; }
inline String_t** get_address_of_yearMonthPattern_31() { return &___yearMonthPattern_31; }
inline void set_yearMonthPattern_31(String_t* value)
{
___yearMonthPattern_31 = value;
Il2CppCodeGenWriteBarrier((void**)(&___yearMonthPattern_31), (void*)value);
}
inline static int32_t get_offset_of_longTimePattern_32() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___longTimePattern_32)); }
inline String_t* get_longTimePattern_32() const { return ___longTimePattern_32; }
inline String_t** get_address_of_longTimePattern_32() { return &___longTimePattern_32; }
inline void set_longTimePattern_32(String_t* value)
{
___longTimePattern_32 = value;
Il2CppCodeGenWriteBarrier((void**)(&___longTimePattern_32), (void*)value);
}
inline static int32_t get_offset_of_shortTimePattern_33() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___shortTimePattern_33)); }
inline String_t* get_shortTimePattern_33() const { return ___shortTimePattern_33; }
inline String_t** get_address_of_shortTimePattern_33() { return &___shortTimePattern_33; }
inline void set_shortTimePattern_33(String_t* value)
{
___shortTimePattern_33 = value;
Il2CppCodeGenWriteBarrier((void**)(&___shortTimePattern_33), (void*)value);
}
inline static int32_t get_offset_of_allYearMonthPatterns_34() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___allYearMonthPatterns_34)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_allYearMonthPatterns_34() const { return ___allYearMonthPatterns_34; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_allYearMonthPatterns_34() { return &___allYearMonthPatterns_34; }
inline void set_allYearMonthPatterns_34(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___allYearMonthPatterns_34 = value;
Il2CppCodeGenWriteBarrier((void**)(&___allYearMonthPatterns_34), (void*)value);
}
inline static int32_t get_offset_of_allShortDatePatterns_35() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___allShortDatePatterns_35)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_allShortDatePatterns_35() const { return ___allShortDatePatterns_35; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_allShortDatePatterns_35() { return &___allShortDatePatterns_35; }
inline void set_allShortDatePatterns_35(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___allShortDatePatterns_35 = value;
Il2CppCodeGenWriteBarrier((void**)(&___allShortDatePatterns_35), (void*)value);
}
inline static int32_t get_offset_of_allLongDatePatterns_36() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___allLongDatePatterns_36)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_allLongDatePatterns_36() const { return ___allLongDatePatterns_36; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_allLongDatePatterns_36() { return &___allLongDatePatterns_36; }
inline void set_allLongDatePatterns_36(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___allLongDatePatterns_36 = value;
Il2CppCodeGenWriteBarrier((void**)(&___allLongDatePatterns_36), (void*)value);
}
inline static int32_t get_offset_of_allShortTimePatterns_37() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___allShortTimePatterns_37)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_allShortTimePatterns_37() const { return ___allShortTimePatterns_37; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_allShortTimePatterns_37() { return &___allShortTimePatterns_37; }
inline void set_allShortTimePatterns_37(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___allShortTimePatterns_37 = value;
Il2CppCodeGenWriteBarrier((void**)(&___allShortTimePatterns_37), (void*)value);
}
inline static int32_t get_offset_of_allLongTimePatterns_38() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___allLongTimePatterns_38)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_allLongTimePatterns_38() const { return ___allLongTimePatterns_38; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_allLongTimePatterns_38() { return &___allLongTimePatterns_38; }
inline void set_allLongTimePatterns_38(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___allLongTimePatterns_38 = value;
Il2CppCodeGenWriteBarrier((void**)(&___allLongTimePatterns_38), (void*)value);
}
inline static int32_t get_offset_of_m_eraNames_39() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___m_eraNames_39)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_m_eraNames_39() const { return ___m_eraNames_39; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_m_eraNames_39() { return &___m_eraNames_39; }
inline void set_m_eraNames_39(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___m_eraNames_39 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_eraNames_39), (void*)value);
}
inline static int32_t get_offset_of_m_abbrevEraNames_40() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___m_abbrevEraNames_40)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_m_abbrevEraNames_40() const { return ___m_abbrevEraNames_40; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_m_abbrevEraNames_40() { return &___m_abbrevEraNames_40; }
inline void set_m_abbrevEraNames_40(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___m_abbrevEraNames_40 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_abbrevEraNames_40), (void*)value);
}
inline static int32_t get_offset_of_m_abbrevEnglishEraNames_41() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___m_abbrevEnglishEraNames_41)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_m_abbrevEnglishEraNames_41() const { return ___m_abbrevEnglishEraNames_41; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_m_abbrevEnglishEraNames_41() { return &___m_abbrevEnglishEraNames_41; }
inline void set_m_abbrevEnglishEraNames_41(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___m_abbrevEnglishEraNames_41 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_abbrevEnglishEraNames_41), (void*)value);
}
inline static int32_t get_offset_of_optionalCalendars_42() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___optionalCalendars_42)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_optionalCalendars_42() const { return ___optionalCalendars_42; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_optionalCalendars_42() { return &___optionalCalendars_42; }
inline void set_optionalCalendars_42(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___optionalCalendars_42 = value;
Il2CppCodeGenWriteBarrier((void**)(&___optionalCalendars_42), (void*)value);
}
inline static int32_t get_offset_of_m_isReadOnly_44() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___m_isReadOnly_44)); }
inline bool get_m_isReadOnly_44() const { return ___m_isReadOnly_44; }
inline bool* get_address_of_m_isReadOnly_44() { return &___m_isReadOnly_44; }
inline void set_m_isReadOnly_44(bool value)
{
___m_isReadOnly_44 = value;
}
inline static int32_t get_offset_of_formatFlags_45() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___formatFlags_45)); }
inline int32_t get_formatFlags_45() const { return ___formatFlags_45; }
inline int32_t* get_address_of_formatFlags_45() { return &___formatFlags_45; }
inline void set_formatFlags_45(int32_t value)
{
___formatFlags_45 = value;
}
inline static int32_t get_offset_of_CultureID_47() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___CultureID_47)); }
inline int32_t get_CultureID_47() const { return ___CultureID_47; }
inline int32_t* get_address_of_CultureID_47() { return &___CultureID_47; }
inline void set_CultureID_47(int32_t value)
{
___CultureID_47 = value;
}
inline static int32_t get_offset_of_m_useUserOverride_48() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___m_useUserOverride_48)); }
inline bool get_m_useUserOverride_48() const { return ___m_useUserOverride_48; }
inline bool* get_address_of_m_useUserOverride_48() { return &___m_useUserOverride_48; }
inline void set_m_useUserOverride_48(bool value)
{
___m_useUserOverride_48 = value;
}
inline static int32_t get_offset_of_bUseCalendarInfo_49() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___bUseCalendarInfo_49)); }
inline bool get_bUseCalendarInfo_49() const { return ___bUseCalendarInfo_49; }
inline bool* get_address_of_bUseCalendarInfo_49() { return &___bUseCalendarInfo_49; }
inline void set_bUseCalendarInfo_49(bool value)
{
___bUseCalendarInfo_49 = value;
}
inline static int32_t get_offset_of_nDataItem_50() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___nDataItem_50)); }
inline int32_t get_nDataItem_50() const { return ___nDataItem_50; }
inline int32_t* get_address_of_nDataItem_50() { return &___nDataItem_50; }
inline void set_nDataItem_50(int32_t value)
{
___nDataItem_50 = value;
}
inline static int32_t get_offset_of_m_isDefaultCalendar_51() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___m_isDefaultCalendar_51)); }
inline bool get_m_isDefaultCalendar_51() const { return ___m_isDefaultCalendar_51; }
inline bool* get_address_of_m_isDefaultCalendar_51() { return &___m_isDefaultCalendar_51; }
inline void set_m_isDefaultCalendar_51(bool value)
{
___m_isDefaultCalendar_51 = value;
}
inline static int32_t get_offset_of_m_dateWords_53() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___m_dateWords_53)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_m_dateWords_53() const { return ___m_dateWords_53; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_m_dateWords_53() { return &___m_dateWords_53; }
inline void set_m_dateWords_53(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___m_dateWords_53 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_dateWords_53), (void*)value);
}
inline static int32_t get_offset_of_m_fullTimeSpanPositivePattern_54() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___m_fullTimeSpanPositivePattern_54)); }
inline String_t* get_m_fullTimeSpanPositivePattern_54() const { return ___m_fullTimeSpanPositivePattern_54; }
inline String_t** get_address_of_m_fullTimeSpanPositivePattern_54() { return &___m_fullTimeSpanPositivePattern_54; }
inline void set_m_fullTimeSpanPositivePattern_54(String_t* value)
{
___m_fullTimeSpanPositivePattern_54 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fullTimeSpanPositivePattern_54), (void*)value);
}
inline static int32_t get_offset_of_m_fullTimeSpanNegativePattern_55() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___m_fullTimeSpanNegativePattern_55)); }
inline String_t* get_m_fullTimeSpanNegativePattern_55() const { return ___m_fullTimeSpanNegativePattern_55; }
inline String_t** get_address_of_m_fullTimeSpanNegativePattern_55() { return &___m_fullTimeSpanNegativePattern_55; }
inline void set_m_fullTimeSpanNegativePattern_55(String_t* value)
{
___m_fullTimeSpanNegativePattern_55 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fullTimeSpanNegativePattern_55), (void*)value);
}
inline static int32_t get_offset_of_m_dtfiTokenHash_57() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90, ___m_dtfiTokenHash_57)); }
inline TokenHashValueU5BU5D_t9A8634CBD651EB5F814E7CF9819D44963D8546D3* get_m_dtfiTokenHash_57() const { return ___m_dtfiTokenHash_57; }
inline TokenHashValueU5BU5D_t9A8634CBD651EB5F814E7CF9819D44963D8546D3** get_address_of_m_dtfiTokenHash_57() { return &___m_dtfiTokenHash_57; }
inline void set_m_dtfiTokenHash_57(TokenHashValueU5BU5D_t9A8634CBD651EB5F814E7CF9819D44963D8546D3* value)
{
___m_dtfiTokenHash_57 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_dtfiTokenHash_57), (void*)value);
}
};
struct DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90_StaticFields
{
public:
// System.Globalization.DateTimeFormatInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.DateTimeFormatInfo::invariantInfo
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90 * ___invariantInfo_0;
// System.Boolean System.Globalization.DateTimeFormatInfo::preferExistingTokens
bool ___preferExistingTokens_46;
// System.Collections.Hashtable modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.DateTimeFormatInfo::s_calendarNativeNames
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___s_calendarNativeNames_52;
// System.Globalization.DateTimeFormatInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.DateTimeFormatInfo::s_jajpDTFI
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90 * ___s_jajpDTFI_82;
// System.Globalization.DateTimeFormatInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.DateTimeFormatInfo::s_zhtwDTFI
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90 * ___s_zhtwDTFI_83;
public:
inline static int32_t get_offset_of_invariantInfo_0() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90_StaticFields, ___invariantInfo_0)); }
inline DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90 * get_invariantInfo_0() const { return ___invariantInfo_0; }
inline DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90 ** get_address_of_invariantInfo_0() { return &___invariantInfo_0; }
inline void set_invariantInfo_0(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90 * value)
{
___invariantInfo_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___invariantInfo_0), (void*)value);
}
inline static int32_t get_offset_of_preferExistingTokens_46() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90_StaticFields, ___preferExistingTokens_46)); }
inline bool get_preferExistingTokens_46() const { return ___preferExistingTokens_46; }
inline bool* get_address_of_preferExistingTokens_46() { return &___preferExistingTokens_46; }
inline void set_preferExistingTokens_46(bool value)
{
___preferExistingTokens_46 = value;
}
inline static int32_t get_offset_of_s_calendarNativeNames_52() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90_StaticFields, ___s_calendarNativeNames_52)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_s_calendarNativeNames_52() const { return ___s_calendarNativeNames_52; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_s_calendarNativeNames_52() { return &___s_calendarNativeNames_52; }
inline void set_s_calendarNativeNames_52(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___s_calendarNativeNames_52 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_calendarNativeNames_52), (void*)value);
}
inline static int32_t get_offset_of_s_jajpDTFI_82() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90_StaticFields, ___s_jajpDTFI_82)); }
inline DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90 * get_s_jajpDTFI_82() const { return ___s_jajpDTFI_82; }
inline DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90 ** get_address_of_s_jajpDTFI_82() { return &___s_jajpDTFI_82; }
inline void set_s_jajpDTFI_82(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90 * value)
{
___s_jajpDTFI_82 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_jajpDTFI_82), (void*)value);
}
inline static int32_t get_offset_of_s_zhtwDTFI_83() { return static_cast<int32_t>(offsetof(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90_StaticFields, ___s_zhtwDTFI_83)); }
inline DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90 * get_s_zhtwDTFI_83() const { return ___s_zhtwDTFI_83; }
inline DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90 ** get_address_of_s_zhtwDTFI_83() { return &___s_zhtwDTFI_83; }
inline void set_s_zhtwDTFI_83(DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90 * value)
{
___s_zhtwDTFI_83 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_zhtwDTFI_83), (void*)value);
}
};
// System.Globalization.DateTimeFormatInfoScanner
struct DateTimeFormatInfoScanner_t8CD1ED645792B1F173DD15B84109A377C7B68CB8 : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<System.String> System.Globalization.DateTimeFormatInfoScanner::m_dateWords
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___m_dateWords_0;
// System.Globalization.DateTimeFormatInfoScanner/FoundDatePattern System.Globalization.DateTimeFormatInfoScanner::m_ymdFlags
int32_t ___m_ymdFlags_2;
public:
inline static int32_t get_offset_of_m_dateWords_0() { return static_cast<int32_t>(offsetof(DateTimeFormatInfoScanner_t8CD1ED645792B1F173DD15B84109A377C7B68CB8, ___m_dateWords_0)); }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * get_m_dateWords_0() const { return ___m_dateWords_0; }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 ** get_address_of_m_dateWords_0() { return &___m_dateWords_0; }
inline void set_m_dateWords_0(List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * value)
{
___m_dateWords_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_dateWords_0), (void*)value);
}
inline static int32_t get_offset_of_m_ymdFlags_2() { return static_cast<int32_t>(offsetof(DateTimeFormatInfoScanner_t8CD1ED645792B1F173DD15B84109A377C7B68CB8, ___m_ymdFlags_2)); }
inline int32_t get_m_ymdFlags_2() const { return ___m_ymdFlags_2; }
inline int32_t* get_address_of_m_ymdFlags_2() { return &___m_ymdFlags_2; }
inline void set_m_ymdFlags_2(int32_t value)
{
___m_ymdFlags_2 = value;
}
};
struct DateTimeFormatInfoScanner_t8CD1ED645792B1F173DD15B84109A377C7B68CB8_StaticFields
{
public:
// System.Collections.Generic.Dictionary`2<System.String,System.String> modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.DateTimeFormatInfoScanner::s_knownWords
Dictionary_2_tDE3227CA5E7A32F5070BD24C69F42204A3ADE9D5 * ___s_knownWords_1;
public:
inline static int32_t get_offset_of_s_knownWords_1() { return static_cast<int32_t>(offsetof(DateTimeFormatInfoScanner_t8CD1ED645792B1F173DD15B84109A377C7B68CB8_StaticFields, ___s_knownWords_1)); }
inline Dictionary_2_tDE3227CA5E7A32F5070BD24C69F42204A3ADE9D5 * get_s_knownWords_1() const { return ___s_knownWords_1; }
inline Dictionary_2_tDE3227CA5E7A32F5070BD24C69F42204A3ADE9D5 ** get_address_of_s_knownWords_1() { return &___s_knownWords_1; }
inline void set_s_knownWords_1(Dictionary_2_tDE3227CA5E7A32F5070BD24C69F42204A3ADE9D5 * value)
{
___s_knownWords_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_knownWords_1), (void*)value);
}
};
// System.DateTimeRawInfo
struct DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE
{
public:
// System.Int32* System.DateTimeRawInfo::num
int32_t* ___num_0;
// System.Int32 System.DateTimeRawInfo::numCount
int32_t ___numCount_1;
// System.Int32 System.DateTimeRawInfo::month
int32_t ___month_2;
// System.Int32 System.DateTimeRawInfo::year
int32_t ___year_3;
// System.Int32 System.DateTimeRawInfo::dayOfWeek
int32_t ___dayOfWeek_4;
// System.Int32 System.DateTimeRawInfo::era
int32_t ___era_5;
// System.DateTimeParse/TM System.DateTimeRawInfo::timeMark
int32_t ___timeMark_6;
// System.Double System.DateTimeRawInfo::fraction
double ___fraction_7;
// System.Boolean System.DateTimeRawInfo::hasSameDateAndTimeSeparators
bool ___hasSameDateAndTimeSeparators_8;
// System.Boolean System.DateTimeRawInfo::timeZone
bool ___timeZone_9;
public:
inline static int32_t get_offset_of_num_0() { return static_cast<int32_t>(offsetof(DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE, ___num_0)); }
inline int32_t* get_num_0() const { return ___num_0; }
inline int32_t** get_address_of_num_0() { return &___num_0; }
inline void set_num_0(int32_t* value)
{
___num_0 = value;
}
inline static int32_t get_offset_of_numCount_1() { return static_cast<int32_t>(offsetof(DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE, ___numCount_1)); }
inline int32_t get_numCount_1() const { return ___numCount_1; }
inline int32_t* get_address_of_numCount_1() { return &___numCount_1; }
inline void set_numCount_1(int32_t value)
{
___numCount_1 = value;
}
inline static int32_t get_offset_of_month_2() { return static_cast<int32_t>(offsetof(DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE, ___month_2)); }
inline int32_t get_month_2() const { return ___month_2; }
inline int32_t* get_address_of_month_2() { return &___month_2; }
inline void set_month_2(int32_t value)
{
___month_2 = value;
}
inline static int32_t get_offset_of_year_3() { return static_cast<int32_t>(offsetof(DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE, ___year_3)); }
inline int32_t get_year_3() const { return ___year_3; }
inline int32_t* get_address_of_year_3() { return &___year_3; }
inline void set_year_3(int32_t value)
{
___year_3 = value;
}
inline static int32_t get_offset_of_dayOfWeek_4() { return static_cast<int32_t>(offsetof(DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE, ___dayOfWeek_4)); }
inline int32_t get_dayOfWeek_4() const { return ___dayOfWeek_4; }
inline int32_t* get_address_of_dayOfWeek_4() { return &___dayOfWeek_4; }
inline void set_dayOfWeek_4(int32_t value)
{
___dayOfWeek_4 = value;
}
inline static int32_t get_offset_of_era_5() { return static_cast<int32_t>(offsetof(DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE, ___era_5)); }
inline int32_t get_era_5() const { return ___era_5; }
inline int32_t* get_address_of_era_5() { return &___era_5; }
inline void set_era_5(int32_t value)
{
___era_5 = value;
}
inline static int32_t get_offset_of_timeMark_6() { return static_cast<int32_t>(offsetof(DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE, ___timeMark_6)); }
inline int32_t get_timeMark_6() const { return ___timeMark_6; }
inline int32_t* get_address_of_timeMark_6() { return &___timeMark_6; }
inline void set_timeMark_6(int32_t value)
{
___timeMark_6 = value;
}
inline static int32_t get_offset_of_fraction_7() { return static_cast<int32_t>(offsetof(DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE, ___fraction_7)); }
inline double get_fraction_7() const { return ___fraction_7; }
inline double* get_address_of_fraction_7() { return &___fraction_7; }
inline void set_fraction_7(double value)
{
___fraction_7 = value;
}
inline static int32_t get_offset_of_hasSameDateAndTimeSeparators_8() { return static_cast<int32_t>(offsetof(DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE, ___hasSameDateAndTimeSeparators_8)); }
inline bool get_hasSameDateAndTimeSeparators_8() const { return ___hasSameDateAndTimeSeparators_8; }
inline bool* get_address_of_hasSameDateAndTimeSeparators_8() { return &___hasSameDateAndTimeSeparators_8; }
inline void set_hasSameDateAndTimeSeparators_8(bool value)
{
___hasSameDateAndTimeSeparators_8 = value;
}
inline static int32_t get_offset_of_timeZone_9() { return static_cast<int32_t>(offsetof(DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE, ___timeZone_9)); }
inline bool get_timeZone_9() const { return ___timeZone_9; }
inline bool* get_address_of_timeZone_9() { return &___timeZone_9; }
inline void set_timeZone_9(bool value)
{
___timeZone_9 = value;
}
};
// Native definition for P/Invoke marshalling of System.DateTimeRawInfo
struct DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE_marshaled_pinvoke
{
int32_t* ___num_0;
int32_t ___numCount_1;
int32_t ___month_2;
int32_t ___year_3;
int32_t ___dayOfWeek_4;
int32_t ___era_5;
int32_t ___timeMark_6;
double ___fraction_7;
int32_t ___hasSameDateAndTimeSeparators_8;
int32_t ___timeZone_9;
};
// Native definition for COM marshalling of System.DateTimeRawInfo
struct DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE_marshaled_com
{
int32_t* ___num_0;
int32_t ___numCount_1;
int32_t ___month_2;
int32_t ___year_3;
int32_t ___dayOfWeek_4;
int32_t ___era_5;
int32_t ___timeMark_6;
double ___fraction_7;
int32_t ___hasSameDateAndTimeSeparators_8;
int32_t ___timeZone_9;
};
// System.DateTimeResult
struct DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0
{
public:
// System.Int32 System.DateTimeResult::Year
int32_t ___Year_0;
// System.Int32 System.DateTimeResult::Month
int32_t ___Month_1;
// System.Int32 System.DateTimeResult::Day
int32_t ___Day_2;
// System.Int32 System.DateTimeResult::Hour
int32_t ___Hour_3;
// System.Int32 System.DateTimeResult::Minute
int32_t ___Minute_4;
// System.Int32 System.DateTimeResult::Second
int32_t ___Second_5;
// System.Double System.DateTimeResult::fraction
double ___fraction_6;
// System.Int32 System.DateTimeResult::era
int32_t ___era_7;
// System.ParseFlags System.DateTimeResult::flags
int32_t ___flags_8;
// System.TimeSpan System.DateTimeResult::timeZoneOffset
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ___timeZoneOffset_9;
// System.Globalization.Calendar System.DateTimeResult::calendar
Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * ___calendar_10;
// System.DateTime System.DateTimeResult::parsedDate
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 ___parsedDate_11;
// System.ParseFailureKind System.DateTimeResult::failure
int32_t ___failure_12;
// System.String System.DateTimeResult::failureMessageID
String_t* ___failureMessageID_13;
// System.Object System.DateTimeResult::failureMessageFormatArgument
RuntimeObject * ___failureMessageFormatArgument_14;
// System.String System.DateTimeResult::failureArgumentName
String_t* ___failureArgumentName_15;
public:
inline static int32_t get_offset_of_Year_0() { return static_cast<int32_t>(offsetof(DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0, ___Year_0)); }
inline int32_t get_Year_0() const { return ___Year_0; }
inline int32_t* get_address_of_Year_0() { return &___Year_0; }
inline void set_Year_0(int32_t value)
{
___Year_0 = value;
}
inline static int32_t get_offset_of_Month_1() { return static_cast<int32_t>(offsetof(DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0, ___Month_1)); }
inline int32_t get_Month_1() const { return ___Month_1; }
inline int32_t* get_address_of_Month_1() { return &___Month_1; }
inline void set_Month_1(int32_t value)
{
___Month_1 = value;
}
inline static int32_t get_offset_of_Day_2() { return static_cast<int32_t>(offsetof(DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0, ___Day_2)); }
inline int32_t get_Day_2() const { return ___Day_2; }
inline int32_t* get_address_of_Day_2() { return &___Day_2; }
inline void set_Day_2(int32_t value)
{
___Day_2 = value;
}
inline static int32_t get_offset_of_Hour_3() { return static_cast<int32_t>(offsetof(DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0, ___Hour_3)); }
inline int32_t get_Hour_3() const { return ___Hour_3; }
inline int32_t* get_address_of_Hour_3() { return &___Hour_3; }
inline void set_Hour_3(int32_t value)
{
___Hour_3 = value;
}
inline static int32_t get_offset_of_Minute_4() { return static_cast<int32_t>(offsetof(DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0, ___Minute_4)); }
inline int32_t get_Minute_4() const { return ___Minute_4; }
inline int32_t* get_address_of_Minute_4() { return &___Minute_4; }
inline void set_Minute_4(int32_t value)
{
___Minute_4 = value;
}
inline static int32_t get_offset_of_Second_5() { return static_cast<int32_t>(offsetof(DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0, ___Second_5)); }
inline int32_t get_Second_5() const { return ___Second_5; }
inline int32_t* get_address_of_Second_5() { return &___Second_5; }
inline void set_Second_5(int32_t value)
{
___Second_5 = value;
}
inline static int32_t get_offset_of_fraction_6() { return static_cast<int32_t>(offsetof(DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0, ___fraction_6)); }
inline double get_fraction_6() const { return ___fraction_6; }
inline double* get_address_of_fraction_6() { return &___fraction_6; }
inline void set_fraction_6(double value)
{
___fraction_6 = value;
}
inline static int32_t get_offset_of_era_7() { return static_cast<int32_t>(offsetof(DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0, ___era_7)); }
inline int32_t get_era_7() const { return ___era_7; }
inline int32_t* get_address_of_era_7() { return &___era_7; }
inline void set_era_7(int32_t value)
{
___era_7 = value;
}
inline static int32_t get_offset_of_flags_8() { return static_cast<int32_t>(offsetof(DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0, ___flags_8)); }
inline int32_t get_flags_8() const { return ___flags_8; }
inline int32_t* get_address_of_flags_8() { return &___flags_8; }
inline void set_flags_8(int32_t value)
{
___flags_8 = value;
}
inline static int32_t get_offset_of_timeZoneOffset_9() { return static_cast<int32_t>(offsetof(DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0, ___timeZoneOffset_9)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get_timeZoneOffset_9() const { return ___timeZoneOffset_9; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of_timeZoneOffset_9() { return &___timeZoneOffset_9; }
inline void set_timeZoneOffset_9(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
___timeZoneOffset_9 = value;
}
inline static int32_t get_offset_of_calendar_10() { return static_cast<int32_t>(offsetof(DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0, ___calendar_10)); }
inline Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * get_calendar_10() const { return ___calendar_10; }
inline Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A ** get_address_of_calendar_10() { return &___calendar_10; }
inline void set_calendar_10(Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * value)
{
___calendar_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___calendar_10), (void*)value);
}
inline static int32_t get_offset_of_parsedDate_11() { return static_cast<int32_t>(offsetof(DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0, ___parsedDate_11)); }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 get_parsedDate_11() const { return ___parsedDate_11; }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 * get_address_of_parsedDate_11() { return &___parsedDate_11; }
inline void set_parsedDate_11(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 value)
{
___parsedDate_11 = value;
}
inline static int32_t get_offset_of_failure_12() { return static_cast<int32_t>(offsetof(DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0, ___failure_12)); }
inline int32_t get_failure_12() const { return ___failure_12; }
inline int32_t* get_address_of_failure_12() { return &___failure_12; }
inline void set_failure_12(int32_t value)
{
___failure_12 = value;
}
inline static int32_t get_offset_of_failureMessageID_13() { return static_cast<int32_t>(offsetof(DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0, ___failureMessageID_13)); }
inline String_t* get_failureMessageID_13() const { return ___failureMessageID_13; }
inline String_t** get_address_of_failureMessageID_13() { return &___failureMessageID_13; }
inline void set_failureMessageID_13(String_t* value)
{
___failureMessageID_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___failureMessageID_13), (void*)value);
}
inline static int32_t get_offset_of_failureMessageFormatArgument_14() { return static_cast<int32_t>(offsetof(DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0, ___failureMessageFormatArgument_14)); }
inline RuntimeObject * get_failureMessageFormatArgument_14() const { return ___failureMessageFormatArgument_14; }
inline RuntimeObject ** get_address_of_failureMessageFormatArgument_14() { return &___failureMessageFormatArgument_14; }
inline void set_failureMessageFormatArgument_14(RuntimeObject * value)
{
___failureMessageFormatArgument_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___failureMessageFormatArgument_14), (void*)value);
}
inline static int32_t get_offset_of_failureArgumentName_15() { return static_cast<int32_t>(offsetof(DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0, ___failureArgumentName_15)); }
inline String_t* get_failureArgumentName_15() const { return ___failureArgumentName_15; }
inline String_t** get_address_of_failureArgumentName_15() { return &___failureArgumentName_15; }
inline void set_failureArgumentName_15(String_t* value)
{
___failureArgumentName_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___failureArgumentName_15), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.DateTimeResult
struct DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0_marshaled_pinvoke
{
int32_t ___Year_0;
int32_t ___Month_1;
int32_t ___Day_2;
int32_t ___Hour_3;
int32_t ___Minute_4;
int32_t ___Second_5;
double ___fraction_6;
int32_t ___era_7;
int32_t ___flags_8;
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ___timeZoneOffset_9;
Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * ___calendar_10;
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 ___parsedDate_11;
int32_t ___failure_12;
char* ___failureMessageID_13;
Il2CppIUnknown* ___failureMessageFormatArgument_14;
char* ___failureArgumentName_15;
};
// Native definition for COM marshalling of System.DateTimeResult
struct DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0_marshaled_com
{
int32_t ___Year_0;
int32_t ___Month_1;
int32_t ___Day_2;
int32_t ___Hour_3;
int32_t ___Minute_4;
int32_t ___Second_5;
double ___fraction_6;
int32_t ___era_7;
int32_t ___flags_8;
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ___timeZoneOffset_9;
Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * ___calendar_10;
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 ___parsedDate_11;
int32_t ___failure_12;
Il2CppChar* ___failureMessageID_13;
Il2CppIUnknown* ___failureMessageFormatArgument_14;
Il2CppChar* ___failureArgumentName_15;
};
// System.DateTimeToken
struct DateTimeToken_t8DF1931E9C0576940C954BB19A549F43409172FC
{
public:
// System.DateTimeParse/DTT System.DateTimeToken::dtt
int32_t ___dtt_0;
// System.TokenType System.DateTimeToken::suffix
int32_t ___suffix_1;
// System.Int32 System.DateTimeToken::num
int32_t ___num_2;
public:
inline static int32_t get_offset_of_dtt_0() { return static_cast<int32_t>(offsetof(DateTimeToken_t8DF1931E9C0576940C954BB19A549F43409172FC, ___dtt_0)); }
inline int32_t get_dtt_0() const { return ___dtt_0; }
inline int32_t* get_address_of_dtt_0() { return &___dtt_0; }
inline void set_dtt_0(int32_t value)
{
___dtt_0 = value;
}
inline static int32_t get_offset_of_suffix_1() { return static_cast<int32_t>(offsetof(DateTimeToken_t8DF1931E9C0576940C954BB19A549F43409172FC, ___suffix_1)); }
inline int32_t get_suffix_1() const { return ___suffix_1; }
inline int32_t* get_address_of_suffix_1() { return &___suffix_1; }
inline void set_suffix_1(int32_t value)
{
___suffix_1 = value;
}
inline static int32_t get_offset_of_num_2() { return static_cast<int32_t>(offsetof(DateTimeToken_t8DF1931E9C0576940C954BB19A549F43409172FC, ___num_2)); }
inline int32_t get_num_2() const { return ___num_2; }
inline int32_t* get_address_of_num_2() { return &___num_2; }
inline void set_num_2(int32_t value)
{
___num_2 = value;
}
};
// System.Diagnostics.DebuggableAttribute
struct DebuggableAttribute_tA8054EBD0FC7511695D494B690B5771658E3191B : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Diagnostics.DebuggableAttribute/DebuggingModes System.Diagnostics.DebuggableAttribute::m_debuggingModes
int32_t ___m_debuggingModes_0;
public:
inline static int32_t get_offset_of_m_debuggingModes_0() { return static_cast<int32_t>(offsetof(DebuggableAttribute_tA8054EBD0FC7511695D494B690B5771658E3191B, ___m_debuggingModes_0)); }
inline int32_t get_m_debuggingModes_0() const { return ___m_debuggingModes_0; }
inline int32_t* get_address_of_m_debuggingModes_0() { return &___m_debuggingModes_0; }
inline void set_m_debuggingModes_0(int32_t value)
{
___m_debuggingModes_0 = value;
}
};
// System.Diagnostics.DebuggerBrowsableAttribute
struct DebuggerBrowsableAttribute_t2FA4793AD1982F5150E07D26822ED5953CD90F53 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Diagnostics.DebuggerBrowsableState System.Diagnostics.DebuggerBrowsableAttribute::state
int32_t ___state_0;
public:
inline static int32_t get_offset_of_state_0() { return static_cast<int32_t>(offsetof(DebuggerBrowsableAttribute_t2FA4793AD1982F5150E07D26822ED5953CD90F53, ___state_0)); }
inline int32_t get_state_0() const { return ___state_0; }
inline int32_t* get_address_of_state_0() { return &___state_0; }
inline void set_state_0(int32_t value)
{
___state_0 = value;
}
};
// System.Runtime.CompilerServices.DefaultDependencyAttribute
struct DefaultDependencyAttribute_t21B87744D7ABF0FF6F57E498DE4EFD9A03E4F143 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Runtime.CompilerServices.LoadHint System.Runtime.CompilerServices.DefaultDependencyAttribute::loadHint
int32_t ___loadHint_0;
public:
inline static int32_t get_offset_of_loadHint_0() { return static_cast<int32_t>(offsetof(DefaultDependencyAttribute_t21B87744D7ABF0FF6F57E498DE4EFD9A03E4F143, ___loadHint_0)); }
inline int32_t get_loadHint_0() const { return ___loadHint_0; }
inline int32_t* get_address_of_loadHint_0() { return &___loadHint_0; }
inline void set_loadHint_0(int32_t value)
{
___loadHint_0 = value;
}
};
// System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute
struct DefaultDllImportSearchPathsAttribute_t606861446278EFE315772AB77331FBD457E0B68F : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Runtime.InteropServices.DllImportSearchPath System.Runtime.InteropServices.DefaultDllImportSearchPathsAttribute::_paths
int32_t ____paths_0;
public:
inline static int32_t get_offset_of__paths_0() { return static_cast<int32_t>(offsetof(DefaultDllImportSearchPathsAttribute_t606861446278EFE315772AB77331FBD457E0B68F, ____paths_0)); }
inline int32_t get__paths_0() const { return ____paths_0; }
inline int32_t* get_address_of__paths_0() { return &____paths_0; }
inline void set__paths_0(int32_t value)
{
____paths_0 = value;
}
};
// UnityEngine.Experimental.GlobalIllumination.DirectionalLight
struct DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7
{
public:
// System.Int32 UnityEngine.Experimental.GlobalIllumination.DirectionalLight::instanceID
int32_t ___instanceID_0;
// System.Boolean UnityEngine.Experimental.GlobalIllumination.DirectionalLight::shadow
bool ___shadow_1;
// UnityEngine.Experimental.GlobalIllumination.LightMode UnityEngine.Experimental.GlobalIllumination.DirectionalLight::mode
uint8_t ___mode_2;
// UnityEngine.Vector3 UnityEngine.Experimental.GlobalIllumination.DirectionalLight::position
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_3;
// UnityEngine.Quaternion UnityEngine.Experimental.GlobalIllumination.DirectionalLight::orientation
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___orientation_4;
// UnityEngine.Experimental.GlobalIllumination.LinearColor UnityEngine.Experimental.GlobalIllumination.DirectionalLight::color
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___color_5;
// UnityEngine.Experimental.GlobalIllumination.LinearColor UnityEngine.Experimental.GlobalIllumination.DirectionalLight::indirectColor
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___indirectColor_6;
// System.Single UnityEngine.Experimental.GlobalIllumination.DirectionalLight::penumbraWidthRadian
float ___penumbraWidthRadian_7;
// UnityEngine.Vector3 UnityEngine.Experimental.GlobalIllumination.DirectionalLight::direction
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___direction_8;
public:
inline static int32_t get_offset_of_instanceID_0() { return static_cast<int32_t>(offsetof(DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7, ___instanceID_0)); }
inline int32_t get_instanceID_0() const { return ___instanceID_0; }
inline int32_t* get_address_of_instanceID_0() { return &___instanceID_0; }
inline void set_instanceID_0(int32_t value)
{
___instanceID_0 = value;
}
inline static int32_t get_offset_of_shadow_1() { return static_cast<int32_t>(offsetof(DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7, ___shadow_1)); }
inline bool get_shadow_1() const { return ___shadow_1; }
inline bool* get_address_of_shadow_1() { return &___shadow_1; }
inline void set_shadow_1(bool value)
{
___shadow_1 = value;
}
inline static int32_t get_offset_of_mode_2() { return static_cast<int32_t>(offsetof(DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7, ___mode_2)); }
inline uint8_t get_mode_2() const { return ___mode_2; }
inline uint8_t* get_address_of_mode_2() { return &___mode_2; }
inline void set_mode_2(uint8_t value)
{
___mode_2 = value;
}
inline static int32_t get_offset_of_position_3() { return static_cast<int32_t>(offsetof(DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7, ___position_3)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_position_3() const { return ___position_3; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_position_3() { return &___position_3; }
inline void set_position_3(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___position_3 = value;
}
inline static int32_t get_offset_of_orientation_4() { return static_cast<int32_t>(offsetof(DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7, ___orientation_4)); }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 get_orientation_4() const { return ___orientation_4; }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 * get_address_of_orientation_4() { return &___orientation_4; }
inline void set_orientation_4(Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 value)
{
___orientation_4 = value;
}
inline static int32_t get_offset_of_color_5() { return static_cast<int32_t>(offsetof(DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7, ___color_5)); }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 get_color_5() const { return ___color_5; }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 * get_address_of_color_5() { return &___color_5; }
inline void set_color_5(LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 value)
{
___color_5 = value;
}
inline static int32_t get_offset_of_indirectColor_6() { return static_cast<int32_t>(offsetof(DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7, ___indirectColor_6)); }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 get_indirectColor_6() const { return ___indirectColor_6; }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 * get_address_of_indirectColor_6() { return &___indirectColor_6; }
inline void set_indirectColor_6(LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 value)
{
___indirectColor_6 = value;
}
inline static int32_t get_offset_of_penumbraWidthRadian_7() { return static_cast<int32_t>(offsetof(DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7, ___penumbraWidthRadian_7)); }
inline float get_penumbraWidthRadian_7() const { return ___penumbraWidthRadian_7; }
inline float* get_address_of_penumbraWidthRadian_7() { return &___penumbraWidthRadian_7; }
inline void set_penumbraWidthRadian_7(float value)
{
___penumbraWidthRadian_7 = value;
}
inline static int32_t get_offset_of_direction_8() { return static_cast<int32_t>(offsetof(DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7, ___direction_8)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_direction_8() const { return ___direction_8; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_direction_8() { return &___direction_8; }
inline void set_direction_8(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___direction_8 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Experimental.GlobalIllumination.DirectionalLight
struct DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7_marshaled_pinvoke
{
int32_t ___instanceID_0;
int32_t ___shadow_1;
uint8_t ___mode_2;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_3;
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___orientation_4;
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___color_5;
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___indirectColor_6;
float ___penumbraWidthRadian_7;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___direction_8;
};
// Native definition for COM marshalling of UnityEngine.Experimental.GlobalIllumination.DirectionalLight
struct DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7_marshaled_com
{
int32_t ___instanceID_0;
int32_t ___shadow_1;
uint8_t ___mode_2;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_3;
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___orientation_4;
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___color_5;
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___indirectColor_6;
float ___penumbraWidthRadian_7;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___direction_8;
};
// UnityEngine.Experimental.GlobalIllumination.DiscLight
struct DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D
{
public:
// System.Int32 UnityEngine.Experimental.GlobalIllumination.DiscLight::instanceID
int32_t ___instanceID_0;
// System.Boolean UnityEngine.Experimental.GlobalIllumination.DiscLight::shadow
bool ___shadow_1;
// UnityEngine.Experimental.GlobalIllumination.LightMode UnityEngine.Experimental.GlobalIllumination.DiscLight::mode
uint8_t ___mode_2;
// UnityEngine.Vector3 UnityEngine.Experimental.GlobalIllumination.DiscLight::position
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_3;
// UnityEngine.Quaternion UnityEngine.Experimental.GlobalIllumination.DiscLight::orientation
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___orientation_4;
// UnityEngine.Experimental.GlobalIllumination.LinearColor UnityEngine.Experimental.GlobalIllumination.DiscLight::color
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___color_5;
// UnityEngine.Experimental.GlobalIllumination.LinearColor UnityEngine.Experimental.GlobalIllumination.DiscLight::indirectColor
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___indirectColor_6;
// System.Single UnityEngine.Experimental.GlobalIllumination.DiscLight::range
float ___range_7;
// System.Single UnityEngine.Experimental.GlobalIllumination.DiscLight::radius
float ___radius_8;
// UnityEngine.Experimental.GlobalIllumination.FalloffType UnityEngine.Experimental.GlobalIllumination.DiscLight::falloff
uint8_t ___falloff_9;
public:
inline static int32_t get_offset_of_instanceID_0() { return static_cast<int32_t>(offsetof(DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D, ___instanceID_0)); }
inline int32_t get_instanceID_0() const { return ___instanceID_0; }
inline int32_t* get_address_of_instanceID_0() { return &___instanceID_0; }
inline void set_instanceID_0(int32_t value)
{
___instanceID_0 = value;
}
inline static int32_t get_offset_of_shadow_1() { return static_cast<int32_t>(offsetof(DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D, ___shadow_1)); }
inline bool get_shadow_1() const { return ___shadow_1; }
inline bool* get_address_of_shadow_1() { return &___shadow_1; }
inline void set_shadow_1(bool value)
{
___shadow_1 = value;
}
inline static int32_t get_offset_of_mode_2() { return static_cast<int32_t>(offsetof(DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D, ___mode_2)); }
inline uint8_t get_mode_2() const { return ___mode_2; }
inline uint8_t* get_address_of_mode_2() { return &___mode_2; }
inline void set_mode_2(uint8_t value)
{
___mode_2 = value;
}
inline static int32_t get_offset_of_position_3() { return static_cast<int32_t>(offsetof(DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D, ___position_3)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_position_3() const { return ___position_3; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_position_3() { return &___position_3; }
inline void set_position_3(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___position_3 = value;
}
inline static int32_t get_offset_of_orientation_4() { return static_cast<int32_t>(offsetof(DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D, ___orientation_4)); }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 get_orientation_4() const { return ___orientation_4; }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 * get_address_of_orientation_4() { return &___orientation_4; }
inline void set_orientation_4(Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 value)
{
___orientation_4 = value;
}
inline static int32_t get_offset_of_color_5() { return static_cast<int32_t>(offsetof(DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D, ___color_5)); }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 get_color_5() const { return ___color_5; }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 * get_address_of_color_5() { return &___color_5; }
inline void set_color_5(LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 value)
{
___color_5 = value;
}
inline static int32_t get_offset_of_indirectColor_6() { return static_cast<int32_t>(offsetof(DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D, ___indirectColor_6)); }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 get_indirectColor_6() const { return ___indirectColor_6; }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 * get_address_of_indirectColor_6() { return &___indirectColor_6; }
inline void set_indirectColor_6(LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 value)
{
___indirectColor_6 = value;
}
inline static int32_t get_offset_of_range_7() { return static_cast<int32_t>(offsetof(DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D, ___range_7)); }
inline float get_range_7() const { return ___range_7; }
inline float* get_address_of_range_7() { return &___range_7; }
inline void set_range_7(float value)
{
___range_7 = value;
}
inline static int32_t get_offset_of_radius_8() { return static_cast<int32_t>(offsetof(DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D, ___radius_8)); }
inline float get_radius_8() const { return ___radius_8; }
inline float* get_address_of_radius_8() { return &___radius_8; }
inline void set_radius_8(float value)
{
___radius_8 = value;
}
inline static int32_t get_offset_of_falloff_9() { return static_cast<int32_t>(offsetof(DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D, ___falloff_9)); }
inline uint8_t get_falloff_9() const { return ___falloff_9; }
inline uint8_t* get_address_of_falloff_9() { return &___falloff_9; }
inline void set_falloff_9(uint8_t value)
{
___falloff_9 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Experimental.GlobalIllumination.DiscLight
struct DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D_marshaled_pinvoke
{
int32_t ___instanceID_0;
int32_t ___shadow_1;
uint8_t ___mode_2;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_3;
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___orientation_4;
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___color_5;
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___indirectColor_6;
float ___range_7;
float ___radius_8;
uint8_t ___falloff_9;
};
// Native definition for COM marshalling of UnityEngine.Experimental.GlobalIllumination.DiscLight
struct DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D_marshaled_com
{
int32_t ___instanceID_0;
int32_t ___shadow_1;
uint8_t ___mode_2;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_3;
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___orientation_4;
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___color_5;
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___indirectColor_6;
float ___range_7;
float ___radius_8;
uint8_t ___falloff_9;
};
// System.Runtime.InteropServices.DllImportAttribute
struct DllImportAttribute_tCDC32C1C2C21832ECCA18364FDBB1B483F1FFF02 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Runtime.InteropServices.DllImportAttribute::_val
String_t* ____val_0;
// System.String System.Runtime.InteropServices.DllImportAttribute::EntryPoint
String_t* ___EntryPoint_1;
// System.Runtime.InteropServices.CharSet System.Runtime.InteropServices.DllImportAttribute::CharSet
int32_t ___CharSet_2;
// System.Boolean System.Runtime.InteropServices.DllImportAttribute::SetLastError
bool ___SetLastError_3;
// System.Boolean System.Runtime.InteropServices.DllImportAttribute::ExactSpelling
bool ___ExactSpelling_4;
// System.Boolean System.Runtime.InteropServices.DllImportAttribute::PreserveSig
bool ___PreserveSig_5;
// System.Runtime.InteropServices.CallingConvention System.Runtime.InteropServices.DllImportAttribute::CallingConvention
int32_t ___CallingConvention_6;
// System.Boolean System.Runtime.InteropServices.DllImportAttribute::BestFitMapping
bool ___BestFitMapping_7;
// System.Boolean System.Runtime.InteropServices.DllImportAttribute::ThrowOnUnmappableChar
bool ___ThrowOnUnmappableChar_8;
public:
inline static int32_t get_offset_of__val_0() { return static_cast<int32_t>(offsetof(DllImportAttribute_tCDC32C1C2C21832ECCA18364FDBB1B483F1FFF02, ____val_0)); }
inline String_t* get__val_0() const { return ____val_0; }
inline String_t** get_address_of__val_0() { return &____val_0; }
inline void set__val_0(String_t* value)
{
____val_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____val_0), (void*)value);
}
inline static int32_t get_offset_of_EntryPoint_1() { return static_cast<int32_t>(offsetof(DllImportAttribute_tCDC32C1C2C21832ECCA18364FDBB1B483F1FFF02, ___EntryPoint_1)); }
inline String_t* get_EntryPoint_1() const { return ___EntryPoint_1; }
inline String_t** get_address_of_EntryPoint_1() { return &___EntryPoint_1; }
inline void set_EntryPoint_1(String_t* value)
{
___EntryPoint_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___EntryPoint_1), (void*)value);
}
inline static int32_t get_offset_of_CharSet_2() { return static_cast<int32_t>(offsetof(DllImportAttribute_tCDC32C1C2C21832ECCA18364FDBB1B483F1FFF02, ___CharSet_2)); }
inline int32_t get_CharSet_2() const { return ___CharSet_2; }
inline int32_t* get_address_of_CharSet_2() { return &___CharSet_2; }
inline void set_CharSet_2(int32_t value)
{
___CharSet_2 = value;
}
inline static int32_t get_offset_of_SetLastError_3() { return static_cast<int32_t>(offsetof(DllImportAttribute_tCDC32C1C2C21832ECCA18364FDBB1B483F1FFF02, ___SetLastError_3)); }
inline bool get_SetLastError_3() const { return ___SetLastError_3; }
inline bool* get_address_of_SetLastError_3() { return &___SetLastError_3; }
inline void set_SetLastError_3(bool value)
{
___SetLastError_3 = value;
}
inline static int32_t get_offset_of_ExactSpelling_4() { return static_cast<int32_t>(offsetof(DllImportAttribute_tCDC32C1C2C21832ECCA18364FDBB1B483F1FFF02, ___ExactSpelling_4)); }
inline bool get_ExactSpelling_4() const { return ___ExactSpelling_4; }
inline bool* get_address_of_ExactSpelling_4() { return &___ExactSpelling_4; }
inline void set_ExactSpelling_4(bool value)
{
___ExactSpelling_4 = value;
}
inline static int32_t get_offset_of_PreserveSig_5() { return static_cast<int32_t>(offsetof(DllImportAttribute_tCDC32C1C2C21832ECCA18364FDBB1B483F1FFF02, ___PreserveSig_5)); }
inline bool get_PreserveSig_5() const { return ___PreserveSig_5; }
inline bool* get_address_of_PreserveSig_5() { return &___PreserveSig_5; }
inline void set_PreserveSig_5(bool value)
{
___PreserveSig_5 = value;
}
inline static int32_t get_offset_of_CallingConvention_6() { return static_cast<int32_t>(offsetof(DllImportAttribute_tCDC32C1C2C21832ECCA18364FDBB1B483F1FFF02, ___CallingConvention_6)); }
inline int32_t get_CallingConvention_6() const { return ___CallingConvention_6; }
inline int32_t* get_address_of_CallingConvention_6() { return &___CallingConvention_6; }
inline void set_CallingConvention_6(int32_t value)
{
___CallingConvention_6 = value;
}
inline static int32_t get_offset_of_BestFitMapping_7() { return static_cast<int32_t>(offsetof(DllImportAttribute_tCDC32C1C2C21832ECCA18364FDBB1B483F1FFF02, ___BestFitMapping_7)); }
inline bool get_BestFitMapping_7() const { return ___BestFitMapping_7; }
inline bool* get_address_of_BestFitMapping_7() { return &___BestFitMapping_7; }
inline void set_BestFitMapping_7(bool value)
{
___BestFitMapping_7 = value;
}
inline static int32_t get_offset_of_ThrowOnUnmappableChar_8() { return static_cast<int32_t>(offsetof(DllImportAttribute_tCDC32C1C2C21832ECCA18364FDBB1B483F1FFF02, ___ThrowOnUnmappableChar_8)); }
inline bool get_ThrowOnUnmappableChar_8() const { return ___ThrowOnUnmappableChar_8; }
inline bool* get_address_of_ThrowOnUnmappableChar_8() { return &___ThrowOnUnmappableChar_8; }
inline void set_ThrowOnUnmappableChar_8(bool value)
{
___ThrowOnUnmappableChar_8 = value;
}
};
// UnityEngine.Networking.DownloadHandlerBuffer
struct DownloadHandlerBuffer_t74D11E891308B7FD5255C8D0D876AD0DBF512B6D : public DownloadHandler_tEEAE0DD53DB497C8A491C4F7B7A14C3CA027B1DB
{
public:
public:
};
// Native definition for P/Invoke marshalling of UnityEngine.Networking.DownloadHandlerBuffer
struct DownloadHandlerBuffer_t74D11E891308B7FD5255C8D0D876AD0DBF512B6D_marshaled_pinvoke : public DownloadHandler_tEEAE0DD53DB497C8A491C4F7B7A14C3CA027B1DB_marshaled_pinvoke
{
};
// Native definition for COM marshalling of UnityEngine.Networking.DownloadHandlerBuffer
struct DownloadHandlerBuffer_t74D11E891308B7FD5255C8D0D876AD0DBF512B6D_marshaled_com : public DownloadHandler_tEEAE0DD53DB497C8A491C4F7B7A14C3CA027B1DB_marshaled_com
{
};
// System.Reflection.Emit.DynamicMethod
struct DynamicMethod_t44A5404C205BC98BE18330C9EB28BAFB36AE2CF1 : public MethodInfo_t
{
public:
public:
};
// System.ComponentModel.EditorBrowsableAttribute
struct EditorBrowsableAttribute_tE201891FE727EB3FB75B488A2BF6D4DF3CB80614 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.ComponentModel.EditorBrowsableState System.ComponentModel.EditorBrowsableAttribute::browsableState
int32_t ___browsableState_0;
public:
inline static int32_t get_offset_of_browsableState_0() { return static_cast<int32_t>(offsetof(EditorBrowsableAttribute_tE201891FE727EB3FB75B488A2BF6D4DF3CB80614, ___browsableState_0)); }
inline int32_t get_browsableState_0() const { return ___browsableState_0; }
inline int32_t* get_address_of_browsableState_0() { return &___browsableState_0; }
inline void set_browsableState_0(int32_t value)
{
___browsableState_0 = value;
}
};
// System.ComponentModel.EnumConverter
struct EnumConverter_t05433389A0FBB1D1185275588F6A9000BCFB7D78 : public TypeConverter_t004F185B630F00F509F08BD8F8D82471867323B4
{
public:
// System.ComponentModel.TypeConverter/StandardValuesCollection System.ComponentModel.EnumConverter::values
StandardValuesCollection_tB8B2368EBF592D624D7A07BE6C539DE9BA9A1FB1 * ___values_2;
// System.Type System.ComponentModel.EnumConverter::type
Type_t * ___type_3;
public:
inline static int32_t get_offset_of_values_2() { return static_cast<int32_t>(offsetof(EnumConverter_t05433389A0FBB1D1185275588F6A9000BCFB7D78, ___values_2)); }
inline StandardValuesCollection_tB8B2368EBF592D624D7A07BE6C539DE9BA9A1FB1 * get_values_2() const { return ___values_2; }
inline StandardValuesCollection_tB8B2368EBF592D624D7A07BE6C539DE9BA9A1FB1 ** get_address_of_values_2() { return &___values_2; }
inline void set_values_2(StandardValuesCollection_tB8B2368EBF592D624D7A07BE6C539DE9BA9A1FB1 * value)
{
___values_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___values_2), (void*)value);
}
inline static int32_t get_offset_of_type_3() { return static_cast<int32_t>(offsetof(EnumConverter_t05433389A0FBB1D1185275588F6A9000BCFB7D78, ___type_3)); }
inline Type_t * get_type_3() const { return ___type_3; }
inline Type_t ** get_address_of_type_3() { return &___type_3; }
inline void set_type_3(Type_t * value)
{
___type_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___type_3), (void*)value);
}
};
// System.Threading.EventWaitHandle
struct EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C : public WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842
{
public:
public:
};
// System.Reflection.ExceptionHandlingClause
struct ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104 : public RuntimeObject
{
public:
// System.Type System.Reflection.ExceptionHandlingClause::catch_type
Type_t * ___catch_type_0;
// System.Int32 System.Reflection.ExceptionHandlingClause::filter_offset
int32_t ___filter_offset_1;
// System.Reflection.ExceptionHandlingClauseOptions System.Reflection.ExceptionHandlingClause::flags
int32_t ___flags_2;
// System.Int32 System.Reflection.ExceptionHandlingClause::try_offset
int32_t ___try_offset_3;
// System.Int32 System.Reflection.ExceptionHandlingClause::try_length
int32_t ___try_length_4;
// System.Int32 System.Reflection.ExceptionHandlingClause::handler_offset
int32_t ___handler_offset_5;
// System.Int32 System.Reflection.ExceptionHandlingClause::handler_length
int32_t ___handler_length_6;
public:
inline static int32_t get_offset_of_catch_type_0() { return static_cast<int32_t>(offsetof(ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104, ___catch_type_0)); }
inline Type_t * get_catch_type_0() const { return ___catch_type_0; }
inline Type_t ** get_address_of_catch_type_0() { return &___catch_type_0; }
inline void set_catch_type_0(Type_t * value)
{
___catch_type_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___catch_type_0), (void*)value);
}
inline static int32_t get_offset_of_filter_offset_1() { return static_cast<int32_t>(offsetof(ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104, ___filter_offset_1)); }
inline int32_t get_filter_offset_1() const { return ___filter_offset_1; }
inline int32_t* get_address_of_filter_offset_1() { return &___filter_offset_1; }
inline void set_filter_offset_1(int32_t value)
{
___filter_offset_1 = value;
}
inline static int32_t get_offset_of_flags_2() { return static_cast<int32_t>(offsetof(ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104, ___flags_2)); }
inline int32_t get_flags_2() const { return ___flags_2; }
inline int32_t* get_address_of_flags_2() { return &___flags_2; }
inline void set_flags_2(int32_t value)
{
___flags_2 = value;
}
inline static int32_t get_offset_of_try_offset_3() { return static_cast<int32_t>(offsetof(ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104, ___try_offset_3)); }
inline int32_t get_try_offset_3() const { return ___try_offset_3; }
inline int32_t* get_address_of_try_offset_3() { return &___try_offset_3; }
inline void set_try_offset_3(int32_t value)
{
___try_offset_3 = value;
}
inline static int32_t get_offset_of_try_length_4() { return static_cast<int32_t>(offsetof(ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104, ___try_length_4)); }
inline int32_t get_try_length_4() const { return ___try_length_4; }
inline int32_t* get_address_of_try_length_4() { return &___try_length_4; }
inline void set_try_length_4(int32_t value)
{
___try_length_4 = value;
}
inline static int32_t get_offset_of_handler_offset_5() { return static_cast<int32_t>(offsetof(ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104, ___handler_offset_5)); }
inline int32_t get_handler_offset_5() const { return ___handler_offset_5; }
inline int32_t* get_address_of_handler_offset_5() { return &___handler_offset_5; }
inline void set_handler_offset_5(int32_t value)
{
___handler_offset_5 = value;
}
inline static int32_t get_offset_of_handler_length_6() { return static_cast<int32_t>(offsetof(ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104, ___handler_length_6)); }
inline int32_t get_handler_length_6() const { return ___handler_length_6; }
inline int32_t* get_address_of_handler_length_6() { return &___handler_length_6; }
inline void set_handler_length_6(int32_t value)
{
___handler_length_6 = value;
}
};
// Native definition for P/Invoke marshalling of System.Reflection.ExceptionHandlingClause
struct ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104_marshaled_pinvoke
{
Type_t * ___catch_type_0;
int32_t ___filter_offset_1;
int32_t ___flags_2;
int32_t ___try_offset_3;
int32_t ___try_length_4;
int32_t ___handler_offset_5;
int32_t ___handler_length_6;
};
// Native definition for COM marshalling of System.Reflection.ExceptionHandlingClause
struct ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104_marshaled_com
{
Type_t * ___catch_type_0;
int32_t ___filter_offset_1;
int32_t ___flags_2;
int32_t ___try_offset_3;
int32_t ___try_length_4;
int32_t ___handler_offset_5;
int32_t ___handler_length_6;
};
// System.Threading.ExecutionContext
struct ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 : public RuntimeObject
{
public:
// System.Threading.SynchronizationContext System.Threading.ExecutionContext::_syncContext
SynchronizationContext_t17D9365B5E0D30A0910A16FA4351C525232EF069 * ____syncContext_0;
// System.Threading.SynchronizationContext System.Threading.ExecutionContext::_syncContextNoFlow
SynchronizationContext_t17D9365B5E0D30A0910A16FA4351C525232EF069 * ____syncContextNoFlow_1;
// System.Runtime.Remoting.Messaging.LogicalCallContext System.Threading.ExecutionContext::_logicalCallContext
LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * ____logicalCallContext_2;
// System.Runtime.Remoting.Messaging.IllogicalCallContext System.Threading.ExecutionContext::_illogicalCallContext
IllogicalCallContext_tFC01A2B688E85D44897206E4ACD81E050D25846E * ____illogicalCallContext_3;
// System.Threading.ExecutionContext/Flags System.Threading.ExecutionContext::_flags
int32_t ____flags_4;
// System.Collections.Generic.Dictionary`2<System.Threading.IAsyncLocal,System.Object> System.Threading.ExecutionContext::_localValues
Dictionary_2_tED8EC0DF62452D89154D9584AC19F62C79BF3938 * ____localValues_5;
// System.Collections.Generic.List`1<System.Threading.IAsyncLocal> System.Threading.ExecutionContext::_localChangeNotifications
List_1_t053589A158AAF0B471CF80825616560409AF43D4 * ____localChangeNotifications_6;
public:
inline static int32_t get_offset_of__syncContext_0() { return static_cast<int32_t>(offsetof(ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414, ____syncContext_0)); }
inline SynchronizationContext_t17D9365B5E0D30A0910A16FA4351C525232EF069 * get__syncContext_0() const { return ____syncContext_0; }
inline SynchronizationContext_t17D9365B5E0D30A0910A16FA4351C525232EF069 ** get_address_of__syncContext_0() { return &____syncContext_0; }
inline void set__syncContext_0(SynchronizationContext_t17D9365B5E0D30A0910A16FA4351C525232EF069 * value)
{
____syncContext_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____syncContext_0), (void*)value);
}
inline static int32_t get_offset_of__syncContextNoFlow_1() { return static_cast<int32_t>(offsetof(ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414, ____syncContextNoFlow_1)); }
inline SynchronizationContext_t17D9365B5E0D30A0910A16FA4351C525232EF069 * get__syncContextNoFlow_1() const { return ____syncContextNoFlow_1; }
inline SynchronizationContext_t17D9365B5E0D30A0910A16FA4351C525232EF069 ** get_address_of__syncContextNoFlow_1() { return &____syncContextNoFlow_1; }
inline void set__syncContextNoFlow_1(SynchronizationContext_t17D9365B5E0D30A0910A16FA4351C525232EF069 * value)
{
____syncContextNoFlow_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____syncContextNoFlow_1), (void*)value);
}
inline static int32_t get_offset_of__logicalCallContext_2() { return static_cast<int32_t>(offsetof(ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414, ____logicalCallContext_2)); }
inline LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * get__logicalCallContext_2() const { return ____logicalCallContext_2; }
inline LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 ** get_address_of__logicalCallContext_2() { return &____logicalCallContext_2; }
inline void set__logicalCallContext_2(LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * value)
{
____logicalCallContext_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____logicalCallContext_2), (void*)value);
}
inline static int32_t get_offset_of__illogicalCallContext_3() { return static_cast<int32_t>(offsetof(ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414, ____illogicalCallContext_3)); }
inline IllogicalCallContext_tFC01A2B688E85D44897206E4ACD81E050D25846E * get__illogicalCallContext_3() const { return ____illogicalCallContext_3; }
inline IllogicalCallContext_tFC01A2B688E85D44897206E4ACD81E050D25846E ** get_address_of__illogicalCallContext_3() { return &____illogicalCallContext_3; }
inline void set__illogicalCallContext_3(IllogicalCallContext_tFC01A2B688E85D44897206E4ACD81E050D25846E * value)
{
____illogicalCallContext_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____illogicalCallContext_3), (void*)value);
}
inline static int32_t get_offset_of__flags_4() { return static_cast<int32_t>(offsetof(ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414, ____flags_4)); }
inline int32_t get__flags_4() const { return ____flags_4; }
inline int32_t* get_address_of__flags_4() { return &____flags_4; }
inline void set__flags_4(int32_t value)
{
____flags_4 = value;
}
inline static int32_t get_offset_of__localValues_5() { return static_cast<int32_t>(offsetof(ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414, ____localValues_5)); }
inline Dictionary_2_tED8EC0DF62452D89154D9584AC19F62C79BF3938 * get__localValues_5() const { return ____localValues_5; }
inline Dictionary_2_tED8EC0DF62452D89154D9584AC19F62C79BF3938 ** get_address_of__localValues_5() { return &____localValues_5; }
inline void set__localValues_5(Dictionary_2_tED8EC0DF62452D89154D9584AC19F62C79BF3938 * value)
{
____localValues_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____localValues_5), (void*)value);
}
inline static int32_t get_offset_of__localChangeNotifications_6() { return static_cast<int32_t>(offsetof(ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414, ____localChangeNotifications_6)); }
inline List_1_t053589A158AAF0B471CF80825616560409AF43D4 * get__localChangeNotifications_6() const { return ____localChangeNotifications_6; }
inline List_1_t053589A158AAF0B471CF80825616560409AF43D4 ** get_address_of__localChangeNotifications_6() { return &____localChangeNotifications_6; }
inline void set__localChangeNotifications_6(List_1_t053589A158AAF0B471CF80825616560409AF43D4 * value)
{
____localChangeNotifications_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____localChangeNotifications_6), (void*)value);
}
};
struct ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414_StaticFields
{
public:
// System.Threading.ExecutionContext System.Threading.ExecutionContext::s_dummyDefaultEC
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * ___s_dummyDefaultEC_7;
public:
inline static int32_t get_offset_of_s_dummyDefaultEC_7() { return static_cast<int32_t>(offsetof(ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414_StaticFields, ___s_dummyDefaultEC_7)); }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * get_s_dummyDefaultEC_7() const { return ___s_dummyDefaultEC_7; }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 ** get_address_of_s_dummyDefaultEC_7() { return &___s_dummyDefaultEC_7; }
inline void set_s_dummyDefaultEC_7(ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * value)
{
___s_dummyDefaultEC_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_dummyDefaultEC_7), (void*)value);
}
};
// UnityEngine.ExitGUIException
struct ExitGUIException_tA832626B99B4D827C8064643824847BCAA7877F4 : public Exception_t
{
public:
public:
};
// UnityEngine.Localization.Pseudo.Expander
struct Expander_t27F8893816C402B1FAB6AB3EE423991C4C41503A : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<UnityEngine.Localization.Pseudo.Expander/ExpansionRule> UnityEngine.Localization.Pseudo.Expander::m_ExpansionRules
List_1_t22C03BBAA4D83BDCCDD1587CA4050CD30BCD369E * ___m_ExpansionRules_0;
// UnityEngine.Localization.Pseudo.Expander/InsertLocation UnityEngine.Localization.Pseudo.Expander::m_Location
int32_t ___m_Location_1;
// System.Int32 UnityEngine.Localization.Pseudo.Expander::m_MinimumStringLength
int32_t ___m_MinimumStringLength_2;
// System.Collections.Generic.List`1<System.Char> UnityEngine.Localization.Pseudo.Expander::m_PaddingCharacters
List_1_tC466EC97F6208520EFC214F520D3CB9E72FD1EAE * ___m_PaddingCharacters_3;
public:
inline static int32_t get_offset_of_m_ExpansionRules_0() { return static_cast<int32_t>(offsetof(Expander_t27F8893816C402B1FAB6AB3EE423991C4C41503A, ___m_ExpansionRules_0)); }
inline List_1_t22C03BBAA4D83BDCCDD1587CA4050CD30BCD369E * get_m_ExpansionRules_0() const { return ___m_ExpansionRules_0; }
inline List_1_t22C03BBAA4D83BDCCDD1587CA4050CD30BCD369E ** get_address_of_m_ExpansionRules_0() { return &___m_ExpansionRules_0; }
inline void set_m_ExpansionRules_0(List_1_t22C03BBAA4D83BDCCDD1587CA4050CD30BCD369E * value)
{
___m_ExpansionRules_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ExpansionRules_0), (void*)value);
}
inline static int32_t get_offset_of_m_Location_1() { return static_cast<int32_t>(offsetof(Expander_t27F8893816C402B1FAB6AB3EE423991C4C41503A, ___m_Location_1)); }
inline int32_t get_m_Location_1() const { return ___m_Location_1; }
inline int32_t* get_address_of_m_Location_1() { return &___m_Location_1; }
inline void set_m_Location_1(int32_t value)
{
___m_Location_1 = value;
}
inline static int32_t get_offset_of_m_MinimumStringLength_2() { return static_cast<int32_t>(offsetof(Expander_t27F8893816C402B1FAB6AB3EE423991C4C41503A, ___m_MinimumStringLength_2)); }
inline int32_t get_m_MinimumStringLength_2() const { return ___m_MinimumStringLength_2; }
inline int32_t* get_address_of_m_MinimumStringLength_2() { return &___m_MinimumStringLength_2; }
inline void set_m_MinimumStringLength_2(int32_t value)
{
___m_MinimumStringLength_2 = value;
}
inline static int32_t get_offset_of_m_PaddingCharacters_3() { return static_cast<int32_t>(offsetof(Expander_t27F8893816C402B1FAB6AB3EE423991C4C41503A, ___m_PaddingCharacters_3)); }
inline List_1_tC466EC97F6208520EFC214F520D3CB9E72FD1EAE * get_m_PaddingCharacters_3() const { return ___m_PaddingCharacters_3; }
inline List_1_tC466EC97F6208520EFC214F520D3CB9E72FD1EAE ** get_address_of_m_PaddingCharacters_3() { return &___m_PaddingCharacters_3; }
inline void set_m_PaddingCharacters_3(List_1_tC466EC97F6208520EFC214F520D3CB9E72FD1EAE * value)
{
___m_PaddingCharacters_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PaddingCharacters_3), (void*)value);
}
};
// UnityEngine.XR.ARSubsystems.FaceSubsystemParams
struct FaceSubsystemParams_t2FC64133455298391F1A1DDC61B151E688301B09
{
public:
// System.String UnityEngine.XR.ARSubsystems.FaceSubsystemParams::<id>k__BackingField
String_t* ___U3CidU3Ek__BackingField_0;
// System.Type UnityEngine.XR.ARSubsystems.FaceSubsystemParams::<providerType>k__BackingField
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
// System.Type UnityEngine.XR.ARSubsystems.FaceSubsystemParams::<subsystemTypeOverride>k__BackingField
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
// System.Type UnityEngine.XR.ARSubsystems.FaceSubsystemParams::<subsystemImplementationType>k__BackingField
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_3;
// UnityEngine.XR.ARSubsystems.FaceSubsystemCapabilities UnityEngine.XR.ARSubsystems.FaceSubsystemParams::m_Capabilities
int32_t ___m_Capabilities_4;
public:
inline static int32_t get_offset_of_U3CidU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(FaceSubsystemParams_t2FC64133455298391F1A1DDC61B151E688301B09, ___U3CidU3Ek__BackingField_0)); }
inline String_t* get_U3CidU3Ek__BackingField_0() const { return ___U3CidU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CidU3Ek__BackingField_0() { return &___U3CidU3Ek__BackingField_0; }
inline void set_U3CidU3Ek__BackingField_0(String_t* value)
{
___U3CidU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CidU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderTypeU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(FaceSubsystemParams_t2FC64133455298391F1A1DDC61B151E688301B09, ___U3CproviderTypeU3Ek__BackingField_1)); }
inline Type_t * get_U3CproviderTypeU3Ek__BackingField_1() const { return ___U3CproviderTypeU3Ek__BackingField_1; }
inline Type_t ** get_address_of_U3CproviderTypeU3Ek__BackingField_1() { return &___U3CproviderTypeU3Ek__BackingField_1; }
inline void set_U3CproviderTypeU3Ek__BackingField_1(Type_t * value)
{
___U3CproviderTypeU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderTypeU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(FaceSubsystemParams_t2FC64133455298391F1A1DDC61B151E688301B09, ___U3CsubsystemTypeOverrideU3Ek__BackingField_2)); }
inline Type_t * get_U3CsubsystemTypeOverrideU3Ek__BackingField_2() const { return ___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline Type_t ** get_address_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return &___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline void set_U3CsubsystemTypeOverrideU3Ek__BackingField_2(Type_t * value)
{
___U3CsubsystemTypeOverrideU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemTypeOverrideU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsystemImplementationTypeU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(FaceSubsystemParams_t2FC64133455298391F1A1DDC61B151E688301B09, ___U3CsubsystemImplementationTypeU3Ek__BackingField_3)); }
inline Type_t * get_U3CsubsystemImplementationTypeU3Ek__BackingField_3() const { return ___U3CsubsystemImplementationTypeU3Ek__BackingField_3; }
inline Type_t ** get_address_of_U3CsubsystemImplementationTypeU3Ek__BackingField_3() { return &___U3CsubsystemImplementationTypeU3Ek__BackingField_3; }
inline void set_U3CsubsystemImplementationTypeU3Ek__BackingField_3(Type_t * value)
{
___U3CsubsystemImplementationTypeU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemImplementationTypeU3Ek__BackingField_3), (void*)value);
}
inline static int32_t get_offset_of_m_Capabilities_4() { return static_cast<int32_t>(offsetof(FaceSubsystemParams_t2FC64133455298391F1A1DDC61B151E688301B09, ___m_Capabilities_4)); }
inline int32_t get_m_Capabilities_4() const { return ___m_Capabilities_4; }
inline int32_t* get_address_of_m_Capabilities_4() { return &___m_Capabilities_4; }
inline void set_m_Capabilities_4(int32_t value)
{
___m_Capabilities_4 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARSubsystems.FaceSubsystemParams
struct FaceSubsystemParams_t2FC64133455298391F1A1DDC61B151E688301B09_marshaled_pinvoke
{
char* ___U3CidU3Ek__BackingField_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_3;
int32_t ___m_Capabilities_4;
};
// Native definition for COM marshalling of UnityEngine.XR.ARSubsystems.FaceSubsystemParams
struct FaceSubsystemParams_t2FC64133455298391F1A1DDC61B151E688301B09_marshaled_com
{
Il2CppChar* ___U3CidU3Ek__BackingField_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_3;
int32_t ___m_Capabilities_4;
};
// UnityEngine.FailedToLoadScriptObject
struct FailedToLoadScriptObject_tDD47793ADC980A7A6E4369C9E9381609453869B4 : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// Native definition for P/Invoke marshalling of UnityEngine.FailedToLoadScriptObject
struct FailedToLoadScriptObject_tDD47793ADC980A7A6E4369C9E9381609453869B4_marshaled_pinvoke : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A_marshaled_pinvoke
{
};
// Native definition for COM marshalling of UnityEngine.FailedToLoadScriptObject
struct FailedToLoadScriptObject_tDD47793ADC980A7A6E4369C9E9381609453869B4_marshaled_com : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A_marshaled_com
{
};
// System.IO.FileStream
struct FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26 : public Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB
{
public:
// System.Byte[] System.IO.FileStream::buf
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___buf_6;
// System.String System.IO.FileStream::name
String_t* ___name_7;
// Microsoft.Win32.SafeHandles.SafeFileHandle System.IO.FileStream::safeHandle
SafeFileHandle_tC77A9860A03C31DC46AD2C08EC10EACDC3B7A662 * ___safeHandle_8;
// System.Boolean System.IO.FileStream::isExposed
bool ___isExposed_9;
// System.Int64 System.IO.FileStream::append_startpos
int64_t ___append_startpos_10;
// System.IO.FileAccess System.IO.FileStream::access
int32_t ___access_11;
// System.Boolean System.IO.FileStream::owner
bool ___owner_12;
// System.Boolean System.IO.FileStream::async
bool ___async_13;
// System.Boolean System.IO.FileStream::canseek
bool ___canseek_14;
// System.Boolean System.IO.FileStream::anonymous
bool ___anonymous_15;
// System.Boolean System.IO.FileStream::buf_dirty
bool ___buf_dirty_16;
// System.Int32 System.IO.FileStream::buf_size
int32_t ___buf_size_17;
// System.Int32 System.IO.FileStream::buf_length
int32_t ___buf_length_18;
// System.Int32 System.IO.FileStream::buf_offset
int32_t ___buf_offset_19;
// System.Int64 System.IO.FileStream::buf_start
int64_t ___buf_start_20;
public:
inline static int32_t get_offset_of_buf_6() { return static_cast<int32_t>(offsetof(FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26, ___buf_6)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_buf_6() const { return ___buf_6; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_buf_6() { return &___buf_6; }
inline void set_buf_6(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___buf_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___buf_6), (void*)value);
}
inline static int32_t get_offset_of_name_7() { return static_cast<int32_t>(offsetof(FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26, ___name_7)); }
inline String_t* get_name_7() const { return ___name_7; }
inline String_t** get_address_of_name_7() { return &___name_7; }
inline void set_name_7(String_t* value)
{
___name_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_7), (void*)value);
}
inline static int32_t get_offset_of_safeHandle_8() { return static_cast<int32_t>(offsetof(FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26, ___safeHandle_8)); }
inline SafeFileHandle_tC77A9860A03C31DC46AD2C08EC10EACDC3B7A662 * get_safeHandle_8() const { return ___safeHandle_8; }
inline SafeFileHandle_tC77A9860A03C31DC46AD2C08EC10EACDC3B7A662 ** get_address_of_safeHandle_8() { return &___safeHandle_8; }
inline void set_safeHandle_8(SafeFileHandle_tC77A9860A03C31DC46AD2C08EC10EACDC3B7A662 * value)
{
___safeHandle_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___safeHandle_8), (void*)value);
}
inline static int32_t get_offset_of_isExposed_9() { return static_cast<int32_t>(offsetof(FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26, ___isExposed_9)); }
inline bool get_isExposed_9() const { return ___isExposed_9; }
inline bool* get_address_of_isExposed_9() { return &___isExposed_9; }
inline void set_isExposed_9(bool value)
{
___isExposed_9 = value;
}
inline static int32_t get_offset_of_append_startpos_10() { return static_cast<int32_t>(offsetof(FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26, ___append_startpos_10)); }
inline int64_t get_append_startpos_10() const { return ___append_startpos_10; }
inline int64_t* get_address_of_append_startpos_10() { return &___append_startpos_10; }
inline void set_append_startpos_10(int64_t value)
{
___append_startpos_10 = value;
}
inline static int32_t get_offset_of_access_11() { return static_cast<int32_t>(offsetof(FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26, ___access_11)); }
inline int32_t get_access_11() const { return ___access_11; }
inline int32_t* get_address_of_access_11() { return &___access_11; }
inline void set_access_11(int32_t value)
{
___access_11 = value;
}
inline static int32_t get_offset_of_owner_12() { return static_cast<int32_t>(offsetof(FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26, ___owner_12)); }
inline bool get_owner_12() const { return ___owner_12; }
inline bool* get_address_of_owner_12() { return &___owner_12; }
inline void set_owner_12(bool value)
{
___owner_12 = value;
}
inline static int32_t get_offset_of_async_13() { return static_cast<int32_t>(offsetof(FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26, ___async_13)); }
inline bool get_async_13() const { return ___async_13; }
inline bool* get_address_of_async_13() { return &___async_13; }
inline void set_async_13(bool value)
{
___async_13 = value;
}
inline static int32_t get_offset_of_canseek_14() { return static_cast<int32_t>(offsetof(FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26, ___canseek_14)); }
inline bool get_canseek_14() const { return ___canseek_14; }
inline bool* get_address_of_canseek_14() { return &___canseek_14; }
inline void set_canseek_14(bool value)
{
___canseek_14 = value;
}
inline static int32_t get_offset_of_anonymous_15() { return static_cast<int32_t>(offsetof(FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26, ___anonymous_15)); }
inline bool get_anonymous_15() const { return ___anonymous_15; }
inline bool* get_address_of_anonymous_15() { return &___anonymous_15; }
inline void set_anonymous_15(bool value)
{
___anonymous_15 = value;
}
inline static int32_t get_offset_of_buf_dirty_16() { return static_cast<int32_t>(offsetof(FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26, ___buf_dirty_16)); }
inline bool get_buf_dirty_16() const { return ___buf_dirty_16; }
inline bool* get_address_of_buf_dirty_16() { return &___buf_dirty_16; }
inline void set_buf_dirty_16(bool value)
{
___buf_dirty_16 = value;
}
inline static int32_t get_offset_of_buf_size_17() { return static_cast<int32_t>(offsetof(FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26, ___buf_size_17)); }
inline int32_t get_buf_size_17() const { return ___buf_size_17; }
inline int32_t* get_address_of_buf_size_17() { return &___buf_size_17; }
inline void set_buf_size_17(int32_t value)
{
___buf_size_17 = value;
}
inline static int32_t get_offset_of_buf_length_18() { return static_cast<int32_t>(offsetof(FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26, ___buf_length_18)); }
inline int32_t get_buf_length_18() const { return ___buf_length_18; }
inline int32_t* get_address_of_buf_length_18() { return &___buf_length_18; }
inline void set_buf_length_18(int32_t value)
{
___buf_length_18 = value;
}
inline static int32_t get_offset_of_buf_offset_19() { return static_cast<int32_t>(offsetof(FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26, ___buf_offset_19)); }
inline int32_t get_buf_offset_19() const { return ___buf_offset_19; }
inline int32_t* get_address_of_buf_offset_19() { return &___buf_offset_19; }
inline void set_buf_offset_19(int32_t value)
{
___buf_offset_19 = value;
}
inline static int32_t get_offset_of_buf_start_20() { return static_cast<int32_t>(offsetof(FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26, ___buf_start_20)); }
inline int64_t get_buf_start_20() const { return ___buf_start_20; }
inline int64_t* get_address_of_buf_start_20() { return &___buf_start_20; }
inline void set_buf_start_20(int64_t value)
{
___buf_start_20 = value;
}
};
struct FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26_StaticFields
{
public:
// System.Byte[] System.IO.FileStream::buf_recycle
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___buf_recycle_4;
// System.Object System.IO.FileStream::buf_recycle_lock
RuntimeObject * ___buf_recycle_lock_5;
public:
inline static int32_t get_offset_of_buf_recycle_4() { return static_cast<int32_t>(offsetof(FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26_StaticFields, ___buf_recycle_4)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_buf_recycle_4() const { return ___buf_recycle_4; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_buf_recycle_4() { return &___buf_recycle_4; }
inline void set_buf_recycle_4(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___buf_recycle_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___buf_recycle_4), (void*)value);
}
inline static int32_t get_offset_of_buf_recycle_lock_5() { return static_cast<int32_t>(offsetof(FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26_StaticFields, ___buf_recycle_lock_5)); }
inline RuntimeObject * get_buf_recycle_lock_5() const { return ___buf_recycle_lock_5; }
inline RuntimeObject ** get_address_of_buf_recycle_lock_5() { return &___buf_recycle_lock_5; }
inline void set_buf_recycle_lock_5(RuntimeObject * value)
{
___buf_recycle_lock_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___buf_recycle_lock_5), (void*)value);
}
};
// UnityEngine.Font
struct Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9 : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
// UnityEngine.Font/FontTextureRebuildCallback UnityEngine.Font::m_FontTextureRebuildCallback
FontTextureRebuildCallback_tBF11A511EBD8D237A1C5885D460B42A45DDBB2DB * ___m_FontTextureRebuildCallback_5;
public:
inline static int32_t get_offset_of_m_FontTextureRebuildCallback_5() { return static_cast<int32_t>(offsetof(Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9, ___m_FontTextureRebuildCallback_5)); }
inline FontTextureRebuildCallback_tBF11A511EBD8D237A1C5885D460B42A45DDBB2DB * get_m_FontTextureRebuildCallback_5() const { return ___m_FontTextureRebuildCallback_5; }
inline FontTextureRebuildCallback_tBF11A511EBD8D237A1C5885D460B42A45DDBB2DB ** get_address_of_m_FontTextureRebuildCallback_5() { return &___m_FontTextureRebuildCallback_5; }
inline void set_m_FontTextureRebuildCallback_5(FontTextureRebuildCallback_tBF11A511EBD8D237A1C5885D460B42A45DDBB2DB * value)
{
___m_FontTextureRebuildCallback_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_FontTextureRebuildCallback_5), (void*)value);
}
};
struct Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9_StaticFields
{
public:
// System.Action`1<UnityEngine.Font> UnityEngine.Font::textureRebuilt
Action_1_tC07E78969BFFC97261F80F4C08915A046DFDD9C7 * ___textureRebuilt_4;
public:
inline static int32_t get_offset_of_textureRebuilt_4() { return static_cast<int32_t>(offsetof(Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9_StaticFields, ___textureRebuilt_4)); }
inline Action_1_tC07E78969BFFC97261F80F4C08915A046DFDD9C7 * get_textureRebuilt_4() const { return ___textureRebuilt_4; }
inline Action_1_tC07E78969BFFC97261F80F4C08915A046DFDD9C7 ** get_address_of_textureRebuilt_4() { return &___textureRebuilt_4; }
inline void set_textureRebuilt_4(Action_1_tC07E78969BFFC97261F80F4C08915A046DFDD9C7 * value)
{
___textureRebuilt_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___textureRebuilt_4), (void*)value);
}
};
// UnityEngine.UI.FontData
struct FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738 : public RuntimeObject
{
public:
// UnityEngine.Font UnityEngine.UI.FontData::m_Font
Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9 * ___m_Font_0;
// System.Int32 UnityEngine.UI.FontData::m_FontSize
int32_t ___m_FontSize_1;
// UnityEngine.FontStyle UnityEngine.UI.FontData::m_FontStyle
int32_t ___m_FontStyle_2;
// System.Boolean UnityEngine.UI.FontData::m_BestFit
bool ___m_BestFit_3;
// System.Int32 UnityEngine.UI.FontData::m_MinSize
int32_t ___m_MinSize_4;
// System.Int32 UnityEngine.UI.FontData::m_MaxSize
int32_t ___m_MaxSize_5;
// UnityEngine.TextAnchor UnityEngine.UI.FontData::m_Alignment
int32_t ___m_Alignment_6;
// System.Boolean UnityEngine.UI.FontData::m_AlignByGeometry
bool ___m_AlignByGeometry_7;
// System.Boolean UnityEngine.UI.FontData::m_RichText
bool ___m_RichText_8;
// UnityEngine.HorizontalWrapMode UnityEngine.UI.FontData::m_HorizontalOverflow
int32_t ___m_HorizontalOverflow_9;
// UnityEngine.VerticalWrapMode UnityEngine.UI.FontData::m_VerticalOverflow
int32_t ___m_VerticalOverflow_10;
// System.Single UnityEngine.UI.FontData::m_LineSpacing
float ___m_LineSpacing_11;
public:
inline static int32_t get_offset_of_m_Font_0() { return static_cast<int32_t>(offsetof(FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738, ___m_Font_0)); }
inline Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9 * get_m_Font_0() const { return ___m_Font_0; }
inline Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9 ** get_address_of_m_Font_0() { return &___m_Font_0; }
inline void set_m_Font_0(Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9 * value)
{
___m_Font_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Font_0), (void*)value);
}
inline static int32_t get_offset_of_m_FontSize_1() { return static_cast<int32_t>(offsetof(FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738, ___m_FontSize_1)); }
inline int32_t get_m_FontSize_1() const { return ___m_FontSize_1; }
inline int32_t* get_address_of_m_FontSize_1() { return &___m_FontSize_1; }
inline void set_m_FontSize_1(int32_t value)
{
___m_FontSize_1 = value;
}
inline static int32_t get_offset_of_m_FontStyle_2() { return static_cast<int32_t>(offsetof(FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738, ___m_FontStyle_2)); }
inline int32_t get_m_FontStyle_2() const { return ___m_FontStyle_2; }
inline int32_t* get_address_of_m_FontStyle_2() { return &___m_FontStyle_2; }
inline void set_m_FontStyle_2(int32_t value)
{
___m_FontStyle_2 = value;
}
inline static int32_t get_offset_of_m_BestFit_3() { return static_cast<int32_t>(offsetof(FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738, ___m_BestFit_3)); }
inline bool get_m_BestFit_3() const { return ___m_BestFit_3; }
inline bool* get_address_of_m_BestFit_3() { return &___m_BestFit_3; }
inline void set_m_BestFit_3(bool value)
{
___m_BestFit_3 = value;
}
inline static int32_t get_offset_of_m_MinSize_4() { return static_cast<int32_t>(offsetof(FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738, ___m_MinSize_4)); }
inline int32_t get_m_MinSize_4() const { return ___m_MinSize_4; }
inline int32_t* get_address_of_m_MinSize_4() { return &___m_MinSize_4; }
inline void set_m_MinSize_4(int32_t value)
{
___m_MinSize_4 = value;
}
inline static int32_t get_offset_of_m_MaxSize_5() { return static_cast<int32_t>(offsetof(FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738, ___m_MaxSize_5)); }
inline int32_t get_m_MaxSize_5() const { return ___m_MaxSize_5; }
inline int32_t* get_address_of_m_MaxSize_5() { return &___m_MaxSize_5; }
inline void set_m_MaxSize_5(int32_t value)
{
___m_MaxSize_5 = value;
}
inline static int32_t get_offset_of_m_Alignment_6() { return static_cast<int32_t>(offsetof(FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738, ___m_Alignment_6)); }
inline int32_t get_m_Alignment_6() const { return ___m_Alignment_6; }
inline int32_t* get_address_of_m_Alignment_6() { return &___m_Alignment_6; }
inline void set_m_Alignment_6(int32_t value)
{
___m_Alignment_6 = value;
}
inline static int32_t get_offset_of_m_AlignByGeometry_7() { return static_cast<int32_t>(offsetof(FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738, ___m_AlignByGeometry_7)); }
inline bool get_m_AlignByGeometry_7() const { return ___m_AlignByGeometry_7; }
inline bool* get_address_of_m_AlignByGeometry_7() { return &___m_AlignByGeometry_7; }
inline void set_m_AlignByGeometry_7(bool value)
{
___m_AlignByGeometry_7 = value;
}
inline static int32_t get_offset_of_m_RichText_8() { return static_cast<int32_t>(offsetof(FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738, ___m_RichText_8)); }
inline bool get_m_RichText_8() const { return ___m_RichText_8; }
inline bool* get_address_of_m_RichText_8() { return &___m_RichText_8; }
inline void set_m_RichText_8(bool value)
{
___m_RichText_8 = value;
}
inline static int32_t get_offset_of_m_HorizontalOverflow_9() { return static_cast<int32_t>(offsetof(FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738, ___m_HorizontalOverflow_9)); }
inline int32_t get_m_HorizontalOverflow_9() const { return ___m_HorizontalOverflow_9; }
inline int32_t* get_address_of_m_HorizontalOverflow_9() { return &___m_HorizontalOverflow_9; }
inline void set_m_HorizontalOverflow_9(int32_t value)
{
___m_HorizontalOverflow_9 = value;
}
inline static int32_t get_offset_of_m_VerticalOverflow_10() { return static_cast<int32_t>(offsetof(FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738, ___m_VerticalOverflow_10)); }
inline int32_t get_m_VerticalOverflow_10() const { return ___m_VerticalOverflow_10; }
inline int32_t* get_address_of_m_VerticalOverflow_10() { return &___m_VerticalOverflow_10; }
inline void set_m_VerticalOverflow_10(int32_t value)
{
___m_VerticalOverflow_10 = value;
}
inline static int32_t get_offset_of_m_LineSpacing_11() { return static_cast<int32_t>(offsetof(FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738, ___m_LineSpacing_11)); }
inline float get_m_LineSpacing_11() const { return ___m_LineSpacing_11; }
inline float* get_address_of_m_LineSpacing_11() { return &___m_LineSpacing_11; }
inline void set_m_LineSpacing_11(float value)
{
___m_LineSpacing_11 = value;
}
};
// UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingException
struct FormattingException_t2367F6BB7974421C65FCE00BFA026F01CCE5849D : public Exception_t
{
public:
// System.String UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingException::<Format>k__BackingField
String_t* ___U3CFormatU3Ek__BackingField_17;
// UnityEngine.Localization.SmartFormat.Core.Parsing.FormatItem UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingException::<ErrorItem>k__BackingField
FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843 * ___U3CErrorItemU3Ek__BackingField_18;
// System.String UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingException::<Issue>k__BackingField
String_t* ___U3CIssueU3Ek__BackingField_19;
// System.Int32 UnityEngine.Localization.SmartFormat.Core.Formatting.FormattingException::<Index>k__BackingField
int32_t ___U3CIndexU3Ek__BackingField_20;
public:
inline static int32_t get_offset_of_U3CFormatU3Ek__BackingField_17() { return static_cast<int32_t>(offsetof(FormattingException_t2367F6BB7974421C65FCE00BFA026F01CCE5849D, ___U3CFormatU3Ek__BackingField_17)); }
inline String_t* get_U3CFormatU3Ek__BackingField_17() const { return ___U3CFormatU3Ek__BackingField_17; }
inline String_t** get_address_of_U3CFormatU3Ek__BackingField_17() { return &___U3CFormatU3Ek__BackingField_17; }
inline void set_U3CFormatU3Ek__BackingField_17(String_t* value)
{
___U3CFormatU3Ek__BackingField_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CFormatU3Ek__BackingField_17), (void*)value);
}
inline static int32_t get_offset_of_U3CErrorItemU3Ek__BackingField_18() { return static_cast<int32_t>(offsetof(FormattingException_t2367F6BB7974421C65FCE00BFA026F01CCE5849D, ___U3CErrorItemU3Ek__BackingField_18)); }
inline FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843 * get_U3CErrorItemU3Ek__BackingField_18() const { return ___U3CErrorItemU3Ek__BackingField_18; }
inline FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843 ** get_address_of_U3CErrorItemU3Ek__BackingField_18() { return &___U3CErrorItemU3Ek__BackingField_18; }
inline void set_U3CErrorItemU3Ek__BackingField_18(FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843 * value)
{
___U3CErrorItemU3Ek__BackingField_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CErrorItemU3Ek__BackingField_18), (void*)value);
}
inline static int32_t get_offset_of_U3CIssueU3Ek__BackingField_19() { return static_cast<int32_t>(offsetof(FormattingException_t2367F6BB7974421C65FCE00BFA026F01CCE5849D, ___U3CIssueU3Ek__BackingField_19)); }
inline String_t* get_U3CIssueU3Ek__BackingField_19() const { return ___U3CIssueU3Ek__BackingField_19; }
inline String_t** get_address_of_U3CIssueU3Ek__BackingField_19() { return &___U3CIssueU3Ek__BackingField_19; }
inline void set_U3CIssueU3Ek__BackingField_19(String_t* value)
{
___U3CIssueU3Ek__BackingField_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CIssueU3Ek__BackingField_19), (void*)value);
}
inline static int32_t get_offset_of_U3CIndexU3Ek__BackingField_20() { return static_cast<int32_t>(offsetof(FormattingException_t2367F6BB7974421C65FCE00BFA026F01CCE5849D, ___U3CIndexU3Ek__BackingField_20)); }
inline int32_t get_U3CIndexU3Ek__BackingField_20() const { return ___U3CIndexU3Ek__BackingField_20; }
inline int32_t* get_address_of_U3CIndexU3Ek__BackingField_20() { return &___U3CIndexU3Ek__BackingField_20; }
inline void set_U3CIndexU3Ek__BackingField_20(int32_t value)
{
___U3CIndexU3Ek__BackingField_20 = value;
}
};
// UnityEngine.GUILayoutGroup
struct GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9 : public GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE
{
public:
// System.Collections.Generic.List`1<UnityEngine.GUILayoutEntry> UnityEngine.GUILayoutGroup::entries
List_1_t07045BD0BCA84DF3EE9885C9BE0D1F6C57D208AA * ___entries_11;
// System.Boolean UnityEngine.GUILayoutGroup::isVertical
bool ___isVertical_12;
// System.Boolean UnityEngine.GUILayoutGroup::resetCoords
bool ___resetCoords_13;
// System.Single UnityEngine.GUILayoutGroup::spacing
float ___spacing_14;
// System.Boolean UnityEngine.GUILayoutGroup::sameSize
bool ___sameSize_15;
// System.Boolean UnityEngine.GUILayoutGroup::isWindow
bool ___isWindow_16;
// System.Int32 UnityEngine.GUILayoutGroup::windowID
int32_t ___windowID_17;
// System.Int32 UnityEngine.GUILayoutGroup::m_Cursor
int32_t ___m_Cursor_18;
// System.Int32 UnityEngine.GUILayoutGroup::m_StretchableCountX
int32_t ___m_StretchableCountX_19;
// System.Int32 UnityEngine.GUILayoutGroup::m_StretchableCountY
int32_t ___m_StretchableCountY_20;
// System.Boolean UnityEngine.GUILayoutGroup::m_UserSpecifiedWidth
bool ___m_UserSpecifiedWidth_21;
// System.Boolean UnityEngine.GUILayoutGroup::m_UserSpecifiedHeight
bool ___m_UserSpecifiedHeight_22;
// System.Single UnityEngine.GUILayoutGroup::m_ChildMinWidth
float ___m_ChildMinWidth_23;
// System.Single UnityEngine.GUILayoutGroup::m_ChildMaxWidth
float ___m_ChildMaxWidth_24;
// System.Single UnityEngine.GUILayoutGroup::m_ChildMinHeight
float ___m_ChildMinHeight_25;
// System.Single UnityEngine.GUILayoutGroup::m_ChildMaxHeight
float ___m_ChildMaxHeight_26;
// System.Int32 UnityEngine.GUILayoutGroup::m_MarginLeft
int32_t ___m_MarginLeft_27;
// System.Int32 UnityEngine.GUILayoutGroup::m_MarginRight
int32_t ___m_MarginRight_28;
// System.Int32 UnityEngine.GUILayoutGroup::m_MarginTop
int32_t ___m_MarginTop_29;
// System.Int32 UnityEngine.GUILayoutGroup::m_MarginBottom
int32_t ___m_MarginBottom_30;
public:
inline static int32_t get_offset_of_entries_11() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9, ___entries_11)); }
inline List_1_t07045BD0BCA84DF3EE9885C9BE0D1F6C57D208AA * get_entries_11() const { return ___entries_11; }
inline List_1_t07045BD0BCA84DF3EE9885C9BE0D1F6C57D208AA ** get_address_of_entries_11() { return &___entries_11; }
inline void set_entries_11(List_1_t07045BD0BCA84DF3EE9885C9BE0D1F6C57D208AA * value)
{
___entries_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___entries_11), (void*)value);
}
inline static int32_t get_offset_of_isVertical_12() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9, ___isVertical_12)); }
inline bool get_isVertical_12() const { return ___isVertical_12; }
inline bool* get_address_of_isVertical_12() { return &___isVertical_12; }
inline void set_isVertical_12(bool value)
{
___isVertical_12 = value;
}
inline static int32_t get_offset_of_resetCoords_13() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9, ___resetCoords_13)); }
inline bool get_resetCoords_13() const { return ___resetCoords_13; }
inline bool* get_address_of_resetCoords_13() { return &___resetCoords_13; }
inline void set_resetCoords_13(bool value)
{
___resetCoords_13 = value;
}
inline static int32_t get_offset_of_spacing_14() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9, ___spacing_14)); }
inline float get_spacing_14() const { return ___spacing_14; }
inline float* get_address_of_spacing_14() { return &___spacing_14; }
inline void set_spacing_14(float value)
{
___spacing_14 = value;
}
inline static int32_t get_offset_of_sameSize_15() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9, ___sameSize_15)); }
inline bool get_sameSize_15() const { return ___sameSize_15; }
inline bool* get_address_of_sameSize_15() { return &___sameSize_15; }
inline void set_sameSize_15(bool value)
{
___sameSize_15 = value;
}
inline static int32_t get_offset_of_isWindow_16() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9, ___isWindow_16)); }
inline bool get_isWindow_16() const { return ___isWindow_16; }
inline bool* get_address_of_isWindow_16() { return &___isWindow_16; }
inline void set_isWindow_16(bool value)
{
___isWindow_16 = value;
}
inline static int32_t get_offset_of_windowID_17() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9, ___windowID_17)); }
inline int32_t get_windowID_17() const { return ___windowID_17; }
inline int32_t* get_address_of_windowID_17() { return &___windowID_17; }
inline void set_windowID_17(int32_t value)
{
___windowID_17 = value;
}
inline static int32_t get_offset_of_m_Cursor_18() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9, ___m_Cursor_18)); }
inline int32_t get_m_Cursor_18() const { return ___m_Cursor_18; }
inline int32_t* get_address_of_m_Cursor_18() { return &___m_Cursor_18; }
inline void set_m_Cursor_18(int32_t value)
{
___m_Cursor_18 = value;
}
inline static int32_t get_offset_of_m_StretchableCountX_19() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9, ___m_StretchableCountX_19)); }
inline int32_t get_m_StretchableCountX_19() const { return ___m_StretchableCountX_19; }
inline int32_t* get_address_of_m_StretchableCountX_19() { return &___m_StretchableCountX_19; }
inline void set_m_StretchableCountX_19(int32_t value)
{
___m_StretchableCountX_19 = value;
}
inline static int32_t get_offset_of_m_StretchableCountY_20() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9, ___m_StretchableCountY_20)); }
inline int32_t get_m_StretchableCountY_20() const { return ___m_StretchableCountY_20; }
inline int32_t* get_address_of_m_StretchableCountY_20() { return &___m_StretchableCountY_20; }
inline void set_m_StretchableCountY_20(int32_t value)
{
___m_StretchableCountY_20 = value;
}
inline static int32_t get_offset_of_m_UserSpecifiedWidth_21() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9, ___m_UserSpecifiedWidth_21)); }
inline bool get_m_UserSpecifiedWidth_21() const { return ___m_UserSpecifiedWidth_21; }
inline bool* get_address_of_m_UserSpecifiedWidth_21() { return &___m_UserSpecifiedWidth_21; }
inline void set_m_UserSpecifiedWidth_21(bool value)
{
___m_UserSpecifiedWidth_21 = value;
}
inline static int32_t get_offset_of_m_UserSpecifiedHeight_22() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9, ___m_UserSpecifiedHeight_22)); }
inline bool get_m_UserSpecifiedHeight_22() const { return ___m_UserSpecifiedHeight_22; }
inline bool* get_address_of_m_UserSpecifiedHeight_22() { return &___m_UserSpecifiedHeight_22; }
inline void set_m_UserSpecifiedHeight_22(bool value)
{
___m_UserSpecifiedHeight_22 = value;
}
inline static int32_t get_offset_of_m_ChildMinWidth_23() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9, ___m_ChildMinWidth_23)); }
inline float get_m_ChildMinWidth_23() const { return ___m_ChildMinWidth_23; }
inline float* get_address_of_m_ChildMinWidth_23() { return &___m_ChildMinWidth_23; }
inline void set_m_ChildMinWidth_23(float value)
{
___m_ChildMinWidth_23 = value;
}
inline static int32_t get_offset_of_m_ChildMaxWidth_24() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9, ___m_ChildMaxWidth_24)); }
inline float get_m_ChildMaxWidth_24() const { return ___m_ChildMaxWidth_24; }
inline float* get_address_of_m_ChildMaxWidth_24() { return &___m_ChildMaxWidth_24; }
inline void set_m_ChildMaxWidth_24(float value)
{
___m_ChildMaxWidth_24 = value;
}
inline static int32_t get_offset_of_m_ChildMinHeight_25() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9, ___m_ChildMinHeight_25)); }
inline float get_m_ChildMinHeight_25() const { return ___m_ChildMinHeight_25; }
inline float* get_address_of_m_ChildMinHeight_25() { return &___m_ChildMinHeight_25; }
inline void set_m_ChildMinHeight_25(float value)
{
___m_ChildMinHeight_25 = value;
}
inline static int32_t get_offset_of_m_ChildMaxHeight_26() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9, ___m_ChildMaxHeight_26)); }
inline float get_m_ChildMaxHeight_26() const { return ___m_ChildMaxHeight_26; }
inline float* get_address_of_m_ChildMaxHeight_26() { return &___m_ChildMaxHeight_26; }
inline void set_m_ChildMaxHeight_26(float value)
{
___m_ChildMaxHeight_26 = value;
}
inline static int32_t get_offset_of_m_MarginLeft_27() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9, ___m_MarginLeft_27)); }
inline int32_t get_m_MarginLeft_27() const { return ___m_MarginLeft_27; }
inline int32_t* get_address_of_m_MarginLeft_27() { return &___m_MarginLeft_27; }
inline void set_m_MarginLeft_27(int32_t value)
{
___m_MarginLeft_27 = value;
}
inline static int32_t get_offset_of_m_MarginRight_28() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9, ___m_MarginRight_28)); }
inline int32_t get_m_MarginRight_28() const { return ___m_MarginRight_28; }
inline int32_t* get_address_of_m_MarginRight_28() { return &___m_MarginRight_28; }
inline void set_m_MarginRight_28(int32_t value)
{
___m_MarginRight_28 = value;
}
inline static int32_t get_offset_of_m_MarginTop_29() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9, ___m_MarginTop_29)); }
inline int32_t get_m_MarginTop_29() const { return ___m_MarginTop_29; }
inline int32_t* get_address_of_m_MarginTop_29() { return &___m_MarginTop_29; }
inline void set_m_MarginTop_29(int32_t value)
{
___m_MarginTop_29 = value;
}
inline static int32_t get_offset_of_m_MarginBottom_30() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9, ___m_MarginBottom_30)); }
inline int32_t get_m_MarginBottom_30() const { return ___m_MarginBottom_30; }
inline int32_t* get_address_of_m_MarginBottom_30() { return &___m_MarginBottom_30; }
inline void set_m_MarginBottom_30(int32_t value)
{
___m_MarginBottom_30 = value;
}
};
struct GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9_StaticFields
{
public:
// UnityEngine.GUILayoutEntry UnityEngine.GUILayoutGroup::none
GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE * ___none_31;
public:
inline static int32_t get_offset_of_none_31() { return static_cast<int32_t>(offsetof(GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9_StaticFields, ___none_31)); }
inline GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE * get_none_31() const { return ___none_31; }
inline GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE ** get_address_of_none_31() { return &___none_31; }
inline void set_none_31(GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE * value)
{
___none_31 = value;
Il2CppCodeGenWriteBarrier((void**)(&___none_31), (void*)value);
}
};
// UnityEngine.GUILayoutOption
struct GUILayoutOption_t2D992ABCB62BEB24A6F4A826A5CBE7AE236071AB : public RuntimeObject
{
public:
// UnityEngine.GUILayoutOption/Type UnityEngine.GUILayoutOption::type
int32_t ___type_0;
// System.Object UnityEngine.GUILayoutOption::value
RuntimeObject * ___value_1;
public:
inline static int32_t get_offset_of_type_0() { return static_cast<int32_t>(offsetof(GUILayoutOption_t2D992ABCB62BEB24A6F4A826A5CBE7AE236071AB, ___type_0)); }
inline int32_t get_type_0() const { return ___type_0; }
inline int32_t* get_address_of_type_0() { return &___type_0; }
inline void set_type_0(int32_t value)
{
___type_0 = value;
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(GUILayoutOption_t2D992ABCB62BEB24A6F4A826A5CBE7AE236071AB, ___value_1)); }
inline RuntimeObject * get_value_1() const { return ___value_1; }
inline RuntimeObject ** get_address_of_value_1() { return &___value_1; }
inline void set_value_1(RuntimeObject * value)
{
___value_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value);
}
};
// UnityEngine.GUIStyle
struct GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.GUIStyle::m_Ptr
intptr_t ___m_Ptr_0;
// UnityEngine.GUIStyleState UnityEngine.GUIStyle::m_Normal
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * ___m_Normal_1;
// UnityEngine.GUIStyleState UnityEngine.GUIStyle::m_Hover
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * ___m_Hover_2;
// UnityEngine.GUIStyleState UnityEngine.GUIStyle::m_Active
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * ___m_Active_3;
// UnityEngine.GUIStyleState UnityEngine.GUIStyle::m_Focused
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * ___m_Focused_4;
// UnityEngine.GUIStyleState UnityEngine.GUIStyle::m_OnNormal
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * ___m_OnNormal_5;
// UnityEngine.GUIStyleState UnityEngine.GUIStyle::m_OnHover
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * ___m_OnHover_6;
// UnityEngine.GUIStyleState UnityEngine.GUIStyle::m_OnActive
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * ___m_OnActive_7;
// UnityEngine.GUIStyleState UnityEngine.GUIStyle::m_OnFocused
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * ___m_OnFocused_8;
// UnityEngine.RectOffset UnityEngine.GUIStyle::m_Border
RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 * ___m_Border_9;
// UnityEngine.RectOffset UnityEngine.GUIStyle::m_Padding
RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 * ___m_Padding_10;
// UnityEngine.RectOffset UnityEngine.GUIStyle::m_Margin
RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 * ___m_Margin_11;
// UnityEngine.RectOffset UnityEngine.GUIStyle::m_Overflow
RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 * ___m_Overflow_12;
// System.String UnityEngine.GUIStyle::m_Name
String_t* ___m_Name_13;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726, ___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_t29C59470ACD0A35C81EB0615653FD38C455A4726, ___m_Normal_1)); }
inline GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * get_m_Normal_1() const { return ___m_Normal_1; }
inline GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 ** get_address_of_m_Normal_1() { return &___m_Normal_1; }
inline void set_m_Normal_1(GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * value)
{
___m_Normal_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Normal_1), (void*)value);
}
inline static int32_t get_offset_of_m_Hover_2() { return static_cast<int32_t>(offsetof(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726, ___m_Hover_2)); }
inline GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * get_m_Hover_2() const { return ___m_Hover_2; }
inline GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 ** get_address_of_m_Hover_2() { return &___m_Hover_2; }
inline void set_m_Hover_2(GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * value)
{
___m_Hover_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Hover_2), (void*)value);
}
inline static int32_t get_offset_of_m_Active_3() { return static_cast<int32_t>(offsetof(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726, ___m_Active_3)); }
inline GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * get_m_Active_3() const { return ___m_Active_3; }
inline GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 ** get_address_of_m_Active_3() { return &___m_Active_3; }
inline void set_m_Active_3(GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * value)
{
___m_Active_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Active_3), (void*)value);
}
inline static int32_t get_offset_of_m_Focused_4() { return static_cast<int32_t>(offsetof(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726, ___m_Focused_4)); }
inline GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * get_m_Focused_4() const { return ___m_Focused_4; }
inline GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 ** get_address_of_m_Focused_4() { return &___m_Focused_4; }
inline void set_m_Focused_4(GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * value)
{
___m_Focused_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Focused_4), (void*)value);
}
inline static int32_t get_offset_of_m_OnNormal_5() { return static_cast<int32_t>(offsetof(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726, ___m_OnNormal_5)); }
inline GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * get_m_OnNormal_5() const { return ___m_OnNormal_5; }
inline GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 ** get_address_of_m_OnNormal_5() { return &___m_OnNormal_5; }
inline void set_m_OnNormal_5(GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * value)
{
___m_OnNormal_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnNormal_5), (void*)value);
}
inline static int32_t get_offset_of_m_OnHover_6() { return static_cast<int32_t>(offsetof(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726, ___m_OnHover_6)); }
inline GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * get_m_OnHover_6() const { return ___m_OnHover_6; }
inline GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 ** get_address_of_m_OnHover_6() { return &___m_OnHover_6; }
inline void set_m_OnHover_6(GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * value)
{
___m_OnHover_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnHover_6), (void*)value);
}
inline static int32_t get_offset_of_m_OnActive_7() { return static_cast<int32_t>(offsetof(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726, ___m_OnActive_7)); }
inline GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * get_m_OnActive_7() const { return ___m_OnActive_7; }
inline GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 ** get_address_of_m_OnActive_7() { return &___m_OnActive_7; }
inline void set_m_OnActive_7(GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * value)
{
___m_OnActive_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnActive_7), (void*)value);
}
inline static int32_t get_offset_of_m_OnFocused_8() { return static_cast<int32_t>(offsetof(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726, ___m_OnFocused_8)); }
inline GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * get_m_OnFocused_8() const { return ___m_OnFocused_8; }
inline GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 ** get_address_of_m_OnFocused_8() { return &___m_OnFocused_8; }
inline void set_m_OnFocused_8(GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9 * value)
{
___m_OnFocused_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnFocused_8), (void*)value);
}
inline static int32_t get_offset_of_m_Border_9() { return static_cast<int32_t>(offsetof(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726, ___m_Border_9)); }
inline RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 * get_m_Border_9() const { return ___m_Border_9; }
inline RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 ** get_address_of_m_Border_9() { return &___m_Border_9; }
inline void set_m_Border_9(RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 * value)
{
___m_Border_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Border_9), (void*)value);
}
inline static int32_t get_offset_of_m_Padding_10() { return static_cast<int32_t>(offsetof(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726, ___m_Padding_10)); }
inline RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 * get_m_Padding_10() const { return ___m_Padding_10; }
inline RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 ** get_address_of_m_Padding_10() { return &___m_Padding_10; }
inline void set_m_Padding_10(RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 * value)
{
___m_Padding_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Padding_10), (void*)value);
}
inline static int32_t get_offset_of_m_Margin_11() { return static_cast<int32_t>(offsetof(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726, ___m_Margin_11)); }
inline RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 * get_m_Margin_11() const { return ___m_Margin_11; }
inline RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 ** get_address_of_m_Margin_11() { return &___m_Margin_11; }
inline void set_m_Margin_11(RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 * value)
{
___m_Margin_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Margin_11), (void*)value);
}
inline static int32_t get_offset_of_m_Overflow_12() { return static_cast<int32_t>(offsetof(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726, ___m_Overflow_12)); }
inline RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 * get_m_Overflow_12() const { return ___m_Overflow_12; }
inline RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 ** get_address_of_m_Overflow_12() { return &___m_Overflow_12; }
inline void set_m_Overflow_12(RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 * value)
{
___m_Overflow_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Overflow_12), (void*)value);
}
inline static int32_t get_offset_of_m_Name_13() { return static_cast<int32_t>(offsetof(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726, ___m_Name_13)); }
inline String_t* get_m_Name_13() const { return ___m_Name_13; }
inline String_t** get_address_of_m_Name_13() { return &___m_Name_13; }
inline void set_m_Name_13(String_t* value)
{
___m_Name_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Name_13), (void*)value);
}
};
struct GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726_StaticFields
{
public:
// System.Boolean UnityEngine.GUIStyle::showKeyboardFocus
bool ___showKeyboardFocus_14;
// UnityEngine.GUIStyle UnityEngine.GUIStyle::s_None
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___s_None_15;
public:
inline static int32_t get_offset_of_showKeyboardFocus_14() { return static_cast<int32_t>(offsetof(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726_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_t29C59470ACD0A35C81EB0615653FD38C455A4726_StaticFields, ___s_None_15)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_s_None_15() const { return ___s_None_15; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_s_None_15() { return &___s_None_15; }
inline void set_s_None_15(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___s_None_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_None_15), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.GUIStyle
struct GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726_marshaled_pinvoke
{
intptr_t ___m_Ptr_0;
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9_marshaled_pinvoke* ___m_Normal_1;
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9_marshaled_pinvoke* ___m_Hover_2;
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9_marshaled_pinvoke* ___m_Active_3;
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9_marshaled_pinvoke* ___m_Focused_4;
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9_marshaled_pinvoke* ___m_OnNormal_5;
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9_marshaled_pinvoke* ___m_OnHover_6;
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9_marshaled_pinvoke* ___m_OnActive_7;
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9_marshaled_pinvoke* ___m_OnFocused_8;
RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70_marshaled_pinvoke ___m_Border_9;
RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70_marshaled_pinvoke ___m_Padding_10;
RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70_marshaled_pinvoke ___m_Margin_11;
RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70_marshaled_pinvoke ___m_Overflow_12;
char* ___m_Name_13;
};
// Native definition for COM marshalling of UnityEngine.GUIStyle
struct GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726_marshaled_com
{
intptr_t ___m_Ptr_0;
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9_marshaled_com* ___m_Normal_1;
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9_marshaled_com* ___m_Hover_2;
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9_marshaled_com* ___m_Active_3;
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9_marshaled_com* ___m_Focused_4;
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9_marshaled_com* ___m_OnNormal_5;
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9_marshaled_com* ___m_OnHover_6;
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9_marshaled_com* ___m_OnActive_7;
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9_marshaled_com* ___m_OnFocused_8;
RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70_marshaled_com* ___m_Border_9;
RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70_marshaled_com* ___m_Padding_10;
RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70_marshaled_com* ___m_Margin_11;
RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70_marshaled_com* ___m_Overflow_12;
Il2CppChar* ___m_Name_13;
};
// UnityEngine.GameObject
struct GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// UnityEngine.TextCore.LowLevel.GlyphPairAdjustmentRecord
struct GlyphPairAdjustmentRecord_tAD8F88FFC3A19DFDC31C2E0FA901E7CEAEE8A169
{
public:
// UnityEngine.TextCore.LowLevel.GlyphAdjustmentRecord UnityEngine.TextCore.LowLevel.GlyphPairAdjustmentRecord::m_FirstAdjustmentRecord
GlyphAdjustmentRecord_tF7DD4F1F660B62990292705F25D43A7EF3ED35EA ___m_FirstAdjustmentRecord_0;
// UnityEngine.TextCore.LowLevel.GlyphAdjustmentRecord UnityEngine.TextCore.LowLevel.GlyphPairAdjustmentRecord::m_SecondAdjustmentRecord
GlyphAdjustmentRecord_tF7DD4F1F660B62990292705F25D43A7EF3ED35EA ___m_SecondAdjustmentRecord_1;
// UnityEngine.TextCore.LowLevel.FontFeatureLookupFlags UnityEngine.TextCore.LowLevel.GlyphPairAdjustmentRecord::m_FeatureLookupFlags
int32_t ___m_FeatureLookupFlags_2;
public:
inline static int32_t get_offset_of_m_FirstAdjustmentRecord_0() { return static_cast<int32_t>(offsetof(GlyphPairAdjustmentRecord_tAD8F88FFC3A19DFDC31C2E0FA901E7CEAEE8A169, ___m_FirstAdjustmentRecord_0)); }
inline GlyphAdjustmentRecord_tF7DD4F1F660B62990292705F25D43A7EF3ED35EA get_m_FirstAdjustmentRecord_0() const { return ___m_FirstAdjustmentRecord_0; }
inline GlyphAdjustmentRecord_tF7DD4F1F660B62990292705F25D43A7EF3ED35EA * get_address_of_m_FirstAdjustmentRecord_0() { return &___m_FirstAdjustmentRecord_0; }
inline void set_m_FirstAdjustmentRecord_0(GlyphAdjustmentRecord_tF7DD4F1F660B62990292705F25D43A7EF3ED35EA value)
{
___m_FirstAdjustmentRecord_0 = value;
}
inline static int32_t get_offset_of_m_SecondAdjustmentRecord_1() { return static_cast<int32_t>(offsetof(GlyphPairAdjustmentRecord_tAD8F88FFC3A19DFDC31C2E0FA901E7CEAEE8A169, ___m_SecondAdjustmentRecord_1)); }
inline GlyphAdjustmentRecord_tF7DD4F1F660B62990292705F25D43A7EF3ED35EA get_m_SecondAdjustmentRecord_1() const { return ___m_SecondAdjustmentRecord_1; }
inline GlyphAdjustmentRecord_tF7DD4F1F660B62990292705F25D43A7EF3ED35EA * get_address_of_m_SecondAdjustmentRecord_1() { return &___m_SecondAdjustmentRecord_1; }
inline void set_m_SecondAdjustmentRecord_1(GlyphAdjustmentRecord_tF7DD4F1F660B62990292705F25D43A7EF3ED35EA value)
{
___m_SecondAdjustmentRecord_1 = value;
}
inline static int32_t get_offset_of_m_FeatureLookupFlags_2() { return static_cast<int32_t>(offsetof(GlyphPairAdjustmentRecord_tAD8F88FFC3A19DFDC31C2E0FA901E7CEAEE8A169, ___m_FeatureLookupFlags_2)); }
inline int32_t get_m_FeatureLookupFlags_2() const { return ___m_FeatureLookupFlags_2; }
inline int32_t* get_address_of_m_FeatureLookupFlags_2() { return &___m_FeatureLookupFlags_2; }
inline void set_m_FeatureLookupFlags_2(int32_t value)
{
___m_FeatureLookupFlags_2 = value;
}
};
// UnityEngine.Rendering.GraphicsSettings
struct GraphicsSettings_t8C49B2AFB87A3629F1656A7203B512666EFB8591 : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// System.Globalization.GregorianCalendar
struct GregorianCalendar_tABB0DE5379F7854B653A5E2577CE330D42933F6B : public Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A
{
public:
// System.Globalization.GregorianCalendarTypes System.Globalization.GregorianCalendar::m_type
int32_t ___m_type_42;
public:
inline static int32_t get_offset_of_m_type_42() { return static_cast<int32_t>(offsetof(GregorianCalendar_tABB0DE5379F7854B653A5E2577CE330D42933F6B, ___m_type_42)); }
inline int32_t get_m_type_42() const { return ___m_type_42; }
inline int32_t* get_address_of_m_type_42() { return &___m_type_42; }
inline void set_m_type_42(int32_t value)
{
___m_type_42 = value;
}
};
struct GregorianCalendar_tABB0DE5379F7854B653A5E2577CE330D42933F6B_StaticFields
{
public:
// System.Int32[] System.Globalization.GregorianCalendar::DaysToMonth365
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___DaysToMonth365_43;
// System.Int32[] System.Globalization.GregorianCalendar::DaysToMonth366
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___DaysToMonth366_44;
// System.Globalization.Calendar modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.GregorianCalendar::s_defaultInstance
Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * ___s_defaultInstance_45;
public:
inline static int32_t get_offset_of_DaysToMonth365_43() { return static_cast<int32_t>(offsetof(GregorianCalendar_tABB0DE5379F7854B653A5E2577CE330D42933F6B_StaticFields, ___DaysToMonth365_43)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_DaysToMonth365_43() const { return ___DaysToMonth365_43; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_DaysToMonth365_43() { return &___DaysToMonth365_43; }
inline void set_DaysToMonth365_43(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___DaysToMonth365_43 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DaysToMonth365_43), (void*)value);
}
inline static int32_t get_offset_of_DaysToMonth366_44() { return static_cast<int32_t>(offsetof(GregorianCalendar_tABB0DE5379F7854B653A5E2577CE330D42933F6B_StaticFields, ___DaysToMonth366_44)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_DaysToMonth366_44() const { return ___DaysToMonth366_44; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_DaysToMonth366_44() { return &___DaysToMonth366_44; }
inline void set_DaysToMonth366_44(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___DaysToMonth366_44 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DaysToMonth366_44), (void*)value);
}
inline static int32_t get_offset_of_s_defaultInstance_45() { return static_cast<int32_t>(offsetof(GregorianCalendar_tABB0DE5379F7854B653A5E2577CE330D42933F6B_StaticFields, ___s_defaultInstance_45)); }
inline Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * get_s_defaultInstance_45() const { return ___s_defaultInstance_45; }
inline Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A ** get_address_of_s_defaultInstance_45() { return &___s_defaultInstance_45; }
inline void set_s_defaultInstance_45(Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A * value)
{
___s_defaultInstance_45 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_defaultInstance_45), (void*)value);
}
};
// System.Globalization.HebrewNumberParsingContext
struct HebrewNumberParsingContext_tEC0DF1BCF433A972F49ECAC68A9DA7B19259475D
{
public:
// System.Globalization.HebrewNumber/HS System.Globalization.HebrewNumberParsingContext::state
int32_t ___state_0;
// System.Int32 System.Globalization.HebrewNumberParsingContext::result
int32_t ___result_1;
public:
inline static int32_t get_offset_of_state_0() { return static_cast<int32_t>(offsetof(HebrewNumberParsingContext_tEC0DF1BCF433A972F49ECAC68A9DA7B19259475D, ___state_0)); }
inline int32_t get_state_0() const { return ___state_0; }
inline int32_t* get_address_of_state_0() { return &___state_0; }
inline void set_state_0(int32_t value)
{
___state_0 = value;
}
inline static int32_t get_offset_of_result_1() { return static_cast<int32_t>(offsetof(HebrewNumberParsingContext_tEC0DF1BCF433A972F49ECAC68A9DA7B19259475D, ___result_1)); }
inline int32_t get_result_1() const { return ___result_1; }
inline int32_t* get_address_of_result_1() { return &___result_1; }
inline void set_result_1(int32_t value)
{
___result_1 = value;
}
};
// UnityEngine.HumanBone
struct HumanBone_tFEE7CD9B6E62BBB95CC4A6F1AA7FC7A26541D62D
{
public:
// System.String UnityEngine.HumanBone::m_BoneName
String_t* ___m_BoneName_0;
// System.String UnityEngine.HumanBone::m_HumanName
String_t* ___m_HumanName_1;
// UnityEngine.HumanLimit UnityEngine.HumanBone::limit
HumanLimit_t8F488DD21062BE1259B0F4C77E4EB24FB931E8D8 ___limit_2;
public:
inline static int32_t get_offset_of_m_BoneName_0() { return static_cast<int32_t>(offsetof(HumanBone_tFEE7CD9B6E62BBB95CC4A6F1AA7FC7A26541D62D, ___m_BoneName_0)); }
inline String_t* get_m_BoneName_0() const { return ___m_BoneName_0; }
inline String_t** get_address_of_m_BoneName_0() { return &___m_BoneName_0; }
inline void set_m_BoneName_0(String_t* value)
{
___m_BoneName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_BoneName_0), (void*)value);
}
inline static int32_t get_offset_of_m_HumanName_1() { return static_cast<int32_t>(offsetof(HumanBone_tFEE7CD9B6E62BBB95CC4A6F1AA7FC7A26541D62D, ___m_HumanName_1)); }
inline String_t* get_m_HumanName_1() const { return ___m_HumanName_1; }
inline String_t** get_address_of_m_HumanName_1() { return &___m_HumanName_1; }
inline void set_m_HumanName_1(String_t* value)
{
___m_HumanName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_HumanName_1), (void*)value);
}
inline static int32_t get_offset_of_limit_2() { return static_cast<int32_t>(offsetof(HumanBone_tFEE7CD9B6E62BBB95CC4A6F1AA7FC7A26541D62D, ___limit_2)); }
inline HumanLimit_t8F488DD21062BE1259B0F4C77E4EB24FB931E8D8 get_limit_2() const { return ___limit_2; }
inline HumanLimit_t8F488DD21062BE1259B0F4C77E4EB24FB931E8D8 * get_address_of_limit_2() { return &___limit_2; }
inline void set_limit_2(HumanLimit_t8F488DD21062BE1259B0F4C77E4EB24FB931E8D8 value)
{
___limit_2 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.HumanBone
struct HumanBone_tFEE7CD9B6E62BBB95CC4A6F1AA7FC7A26541D62D_marshaled_pinvoke
{
char* ___m_BoneName_0;
char* ___m_HumanName_1;
HumanLimit_t8F488DD21062BE1259B0F4C77E4EB24FB931E8D8 ___limit_2;
};
// Native definition for COM marshalling of UnityEngine.HumanBone
struct HumanBone_tFEE7CD9B6E62BBB95CC4A6F1AA7FC7A26541D62D_marshaled_com
{
Il2CppChar* ___m_BoneName_0;
Il2CppChar* ___m_HumanName_1;
HumanLimit_t8F488DD21062BE1259B0F4C77E4EB24FB931E8D8 ___limit_2;
};
// System.IOSelectorJob
struct IOSelectorJob_t684DF541EAF1AB720C017E9DE172EA8168FDBDA9 : public RuntimeObject
{
public:
// System.IOOperation System.IOSelectorJob::operation
int32_t ___operation_0;
// System.IOAsyncCallback System.IOSelectorJob::callback
IOAsyncCallback_tB965FCE75DB2822B784F36808F71EA447D5F977E * ___callback_1;
// System.IOAsyncResult System.IOSelectorJob::state
IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9 * ___state_2;
public:
inline static int32_t get_offset_of_operation_0() { return static_cast<int32_t>(offsetof(IOSelectorJob_t684DF541EAF1AB720C017E9DE172EA8168FDBDA9, ___operation_0)); }
inline int32_t get_operation_0() const { return ___operation_0; }
inline int32_t* get_address_of_operation_0() { return &___operation_0; }
inline void set_operation_0(int32_t value)
{
___operation_0 = value;
}
inline static int32_t get_offset_of_callback_1() { return static_cast<int32_t>(offsetof(IOSelectorJob_t684DF541EAF1AB720C017E9DE172EA8168FDBDA9, ___callback_1)); }
inline IOAsyncCallback_tB965FCE75DB2822B784F36808F71EA447D5F977E * get_callback_1() const { return ___callback_1; }
inline IOAsyncCallback_tB965FCE75DB2822B784F36808F71EA447D5F977E ** get_address_of_callback_1() { return &___callback_1; }
inline void set_callback_1(IOAsyncCallback_tB965FCE75DB2822B784F36808F71EA447D5F977E * value)
{
___callback_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___callback_1), (void*)value);
}
inline static int32_t get_offset_of_state_2() { return static_cast<int32_t>(offsetof(IOSelectorJob_t684DF541EAF1AB720C017E9DE172EA8168FDBDA9, ___state_2)); }
inline IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9 * get_state_2() const { return ___state_2; }
inline IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9 ** get_address_of_state_2() { return &___state_2; }
inline void set_state_2(IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9 * value)
{
___state_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___state_2), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.IOSelectorJob
struct IOSelectorJob_t684DF541EAF1AB720C017E9DE172EA8168FDBDA9_marshaled_pinvoke
{
int32_t ___operation_0;
Il2CppMethodPointer ___callback_1;
IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9_marshaled_pinvoke* ___state_2;
};
// Native definition for COM marshalling of System.IOSelectorJob
struct IOSelectorJob_t684DF541EAF1AB720C017E9DE172EA8168FDBDA9_marshaled_com
{
int32_t ___operation_0;
Il2CppMethodPointer ___callback_1;
IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9_marshaled_com* ___state_2;
};
// System.Net.IPAddress
struct IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE : public RuntimeObject
{
public:
// System.Int64 System.Net.IPAddress::m_Address
int64_t ___m_Address_5;
// System.String System.Net.IPAddress::m_ToString
String_t* ___m_ToString_6;
// System.Net.Sockets.AddressFamily System.Net.IPAddress::m_Family
int32_t ___m_Family_10;
// System.UInt16[] System.Net.IPAddress::m_Numbers
UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67* ___m_Numbers_11;
// System.Int64 System.Net.IPAddress::m_ScopeId
int64_t ___m_ScopeId_12;
// System.Int32 System.Net.IPAddress::m_HashCode
int32_t ___m_HashCode_13;
public:
inline static int32_t get_offset_of_m_Address_5() { return static_cast<int32_t>(offsetof(IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE, ___m_Address_5)); }
inline int64_t get_m_Address_5() const { return ___m_Address_5; }
inline int64_t* get_address_of_m_Address_5() { return &___m_Address_5; }
inline void set_m_Address_5(int64_t value)
{
___m_Address_5 = value;
}
inline static int32_t get_offset_of_m_ToString_6() { return static_cast<int32_t>(offsetof(IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE, ___m_ToString_6)); }
inline String_t* get_m_ToString_6() const { return ___m_ToString_6; }
inline String_t** get_address_of_m_ToString_6() { return &___m_ToString_6; }
inline void set_m_ToString_6(String_t* value)
{
___m_ToString_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ToString_6), (void*)value);
}
inline static int32_t get_offset_of_m_Family_10() { return static_cast<int32_t>(offsetof(IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE, ___m_Family_10)); }
inline int32_t get_m_Family_10() const { return ___m_Family_10; }
inline int32_t* get_address_of_m_Family_10() { return &___m_Family_10; }
inline void set_m_Family_10(int32_t value)
{
___m_Family_10 = value;
}
inline static int32_t get_offset_of_m_Numbers_11() { return static_cast<int32_t>(offsetof(IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE, ___m_Numbers_11)); }
inline UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67* get_m_Numbers_11() const { return ___m_Numbers_11; }
inline UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67** get_address_of_m_Numbers_11() { return &___m_Numbers_11; }
inline void set_m_Numbers_11(UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67* value)
{
___m_Numbers_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Numbers_11), (void*)value);
}
inline static int32_t get_offset_of_m_ScopeId_12() { return static_cast<int32_t>(offsetof(IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE, ___m_ScopeId_12)); }
inline int64_t get_m_ScopeId_12() const { return ___m_ScopeId_12; }
inline int64_t* get_address_of_m_ScopeId_12() { return &___m_ScopeId_12; }
inline void set_m_ScopeId_12(int64_t value)
{
___m_ScopeId_12 = value;
}
inline static int32_t get_offset_of_m_HashCode_13() { return static_cast<int32_t>(offsetof(IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE, ___m_HashCode_13)); }
inline int32_t get_m_HashCode_13() const { return ___m_HashCode_13; }
inline int32_t* get_address_of_m_HashCode_13() { return &___m_HashCode_13; }
inline void set_m_HashCode_13(int32_t value)
{
___m_HashCode_13 = value;
}
};
struct IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE_StaticFields
{
public:
// System.Net.IPAddress System.Net.IPAddress::Any
IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * ___Any_0;
// System.Net.IPAddress System.Net.IPAddress::Loopback
IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * ___Loopback_1;
// System.Net.IPAddress System.Net.IPAddress::Broadcast
IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * ___Broadcast_2;
// System.Net.IPAddress System.Net.IPAddress::None
IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * ___None_3;
// System.Net.IPAddress System.Net.IPAddress::IPv6Any
IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * ___IPv6Any_7;
// System.Net.IPAddress System.Net.IPAddress::IPv6Loopback
IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * ___IPv6Loopback_8;
// System.Net.IPAddress System.Net.IPAddress::IPv6None
IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * ___IPv6None_9;
public:
inline static int32_t get_offset_of_Any_0() { return static_cast<int32_t>(offsetof(IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE_StaticFields, ___Any_0)); }
inline IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * get_Any_0() const { return ___Any_0; }
inline IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE ** get_address_of_Any_0() { return &___Any_0; }
inline void set_Any_0(IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * value)
{
___Any_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Any_0), (void*)value);
}
inline static int32_t get_offset_of_Loopback_1() { return static_cast<int32_t>(offsetof(IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE_StaticFields, ___Loopback_1)); }
inline IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * get_Loopback_1() const { return ___Loopback_1; }
inline IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE ** get_address_of_Loopback_1() { return &___Loopback_1; }
inline void set_Loopback_1(IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * value)
{
___Loopback_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Loopback_1), (void*)value);
}
inline static int32_t get_offset_of_Broadcast_2() { return static_cast<int32_t>(offsetof(IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE_StaticFields, ___Broadcast_2)); }
inline IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * get_Broadcast_2() const { return ___Broadcast_2; }
inline IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE ** get_address_of_Broadcast_2() { return &___Broadcast_2; }
inline void set_Broadcast_2(IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * value)
{
___Broadcast_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Broadcast_2), (void*)value);
}
inline static int32_t get_offset_of_None_3() { return static_cast<int32_t>(offsetof(IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE_StaticFields, ___None_3)); }
inline IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * get_None_3() const { return ___None_3; }
inline IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE ** get_address_of_None_3() { return &___None_3; }
inline void set_None_3(IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * value)
{
___None_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___None_3), (void*)value);
}
inline static int32_t get_offset_of_IPv6Any_7() { return static_cast<int32_t>(offsetof(IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE_StaticFields, ___IPv6Any_7)); }
inline IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * get_IPv6Any_7() const { return ___IPv6Any_7; }
inline IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE ** get_address_of_IPv6Any_7() { return &___IPv6Any_7; }
inline void set_IPv6Any_7(IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * value)
{
___IPv6Any_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___IPv6Any_7), (void*)value);
}
inline static int32_t get_offset_of_IPv6Loopback_8() { return static_cast<int32_t>(offsetof(IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE_StaticFields, ___IPv6Loopback_8)); }
inline IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * get_IPv6Loopback_8() const { return ___IPv6Loopback_8; }
inline IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE ** get_address_of_IPv6Loopback_8() { return &___IPv6Loopback_8; }
inline void set_IPv6Loopback_8(IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * value)
{
___IPv6Loopback_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___IPv6Loopback_8), (void*)value);
}
inline static int32_t get_offset_of_IPv6None_9() { return static_cast<int32_t>(offsetof(IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE_StaticFields, ___IPv6None_9)); }
inline IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * get_IPv6None_9() const { return ___IPv6None_9; }
inline IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE ** get_address_of_IPv6None_9() { return &___IPv6None_9; }
inline void set_IPv6None_9(IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE * value)
{
___IPv6None_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___IPv6None_9), (void*)value);
}
};
// UnityEngine.XR.InputFeatureUsage
struct InputFeatureUsage_tB971D811B38B1DA549F529BB15E60672940FB0EE
{
public:
// System.String UnityEngine.XR.InputFeatureUsage::m_Name
String_t* ___m_Name_0;
// UnityEngine.XR.InputFeatureType UnityEngine.XR.InputFeatureUsage::m_InternalType
uint32_t ___m_InternalType_1;
public:
inline static int32_t get_offset_of_m_Name_0() { return static_cast<int32_t>(offsetof(InputFeatureUsage_tB971D811B38B1DA549F529BB15E60672940FB0EE, ___m_Name_0)); }
inline String_t* get_m_Name_0() const { return ___m_Name_0; }
inline String_t** get_address_of_m_Name_0() { return &___m_Name_0; }
inline void set_m_Name_0(String_t* value)
{
___m_Name_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Name_0), (void*)value);
}
inline static int32_t get_offset_of_m_InternalType_1() { return static_cast<int32_t>(offsetof(InputFeatureUsage_tB971D811B38B1DA549F529BB15E60672940FB0EE, ___m_InternalType_1)); }
inline uint32_t get_m_InternalType_1() const { return ___m_InternalType_1; }
inline uint32_t* get_address_of_m_InternalType_1() { return &___m_InternalType_1; }
inline void set_m_InternalType_1(uint32_t value)
{
___m_InternalType_1 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.InputFeatureUsage
struct InputFeatureUsage_tB971D811B38B1DA549F529BB15E60672940FB0EE_marshaled_pinvoke
{
char* ___m_Name_0;
uint32_t ___m_InternalType_1;
};
// Native definition for COM marshalling of UnityEngine.XR.InputFeatureUsage
struct InputFeatureUsage_tB971D811B38B1DA549F529BB15E60672940FB0EE_marshaled_com
{
Il2CppChar* ___m_Name_0;
uint32_t ___m_InternalType_1;
};
// System.Runtime.InteropServices.InterfaceTypeAttribute
struct InterfaceTypeAttribute_t698532A11405B8E3C90F8A821D1F2F997F29458E : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Runtime.InteropServices.ComInterfaceType System.Runtime.InteropServices.InterfaceTypeAttribute::_val
int32_t ____val_0;
public:
inline static int32_t get_offset_of__val_0() { return static_cast<int32_t>(offsetof(InterfaceTypeAttribute_t698532A11405B8E3C90F8A821D1F2F997F29458E, ____val_0)); }
inline int32_t get__val_0() const { return ____val_0; }
inline int32_t* get_address_of__val_0() { return &____val_0; }
inline void set__val_0(int32_t value)
{
____val_0 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.InternalFE
struct InternalFE_tBF9064793BEA3658FF2E355ECCE5913F38B6E101 : public RuntimeObject
{
public:
// System.Runtime.Serialization.Formatters.FormatterTypeStyle System.Runtime.Serialization.Formatters.Binary.InternalFE::FEtypeFormat
int32_t ___FEtypeFormat_0;
// System.Runtime.Serialization.Formatters.FormatterAssemblyStyle System.Runtime.Serialization.Formatters.Binary.InternalFE::FEassemblyFormat
int32_t ___FEassemblyFormat_1;
// System.Runtime.Serialization.Formatters.TypeFilterLevel System.Runtime.Serialization.Formatters.Binary.InternalFE::FEsecurityLevel
int32_t ___FEsecurityLevel_2;
// System.Runtime.Serialization.Formatters.Binary.InternalSerializerTypeE System.Runtime.Serialization.Formatters.Binary.InternalFE::FEserializerTypeEnum
int32_t ___FEserializerTypeEnum_3;
public:
inline static int32_t get_offset_of_FEtypeFormat_0() { return static_cast<int32_t>(offsetof(InternalFE_tBF9064793BEA3658FF2E355ECCE5913F38B6E101, ___FEtypeFormat_0)); }
inline int32_t get_FEtypeFormat_0() const { return ___FEtypeFormat_0; }
inline int32_t* get_address_of_FEtypeFormat_0() { return &___FEtypeFormat_0; }
inline void set_FEtypeFormat_0(int32_t value)
{
___FEtypeFormat_0 = value;
}
inline static int32_t get_offset_of_FEassemblyFormat_1() { return static_cast<int32_t>(offsetof(InternalFE_tBF9064793BEA3658FF2E355ECCE5913F38B6E101, ___FEassemblyFormat_1)); }
inline int32_t get_FEassemblyFormat_1() const { return ___FEassemblyFormat_1; }
inline int32_t* get_address_of_FEassemblyFormat_1() { return &___FEassemblyFormat_1; }
inline void set_FEassemblyFormat_1(int32_t value)
{
___FEassemblyFormat_1 = value;
}
inline static int32_t get_offset_of_FEsecurityLevel_2() { return static_cast<int32_t>(offsetof(InternalFE_tBF9064793BEA3658FF2E355ECCE5913F38B6E101, ___FEsecurityLevel_2)); }
inline int32_t get_FEsecurityLevel_2() const { return ___FEsecurityLevel_2; }
inline int32_t* get_address_of_FEsecurityLevel_2() { return &___FEsecurityLevel_2; }
inline void set_FEsecurityLevel_2(int32_t value)
{
___FEsecurityLevel_2 = value;
}
inline static int32_t get_offset_of_FEserializerTypeEnum_3() { return static_cast<int32_t>(offsetof(InternalFE_tBF9064793BEA3658FF2E355ECCE5913F38B6E101, ___FEserializerTypeEnum_3)); }
inline int32_t get_FEserializerTypeEnum_3() const { return ___FEserializerTypeEnum_3; }
inline int32_t* get_address_of_FEserializerTypeEnum_3() { return &___FEserializerTypeEnum_3; }
inline void set_FEserializerTypeEnum_3(int32_t value)
{
___FEserializerTypeEnum_3 = value;
}
};
// System.Threading.InternalThread
struct InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB : public CriticalFinalizerObject_tA3367C832FFE7434EB3C15C7136AF25524150997
{
public:
// System.Int32 System.Threading.InternalThread::lock_thread_id
int32_t ___lock_thread_id_0;
// System.IntPtr System.Threading.InternalThread::handle
intptr_t ___handle_1;
// System.IntPtr System.Threading.InternalThread::native_handle
intptr_t ___native_handle_2;
// System.IntPtr System.Threading.InternalThread::unused3
intptr_t ___unused3_3;
// System.IntPtr System.Threading.InternalThread::name
intptr_t ___name_4;
// System.Int32 System.Threading.InternalThread::name_len
int32_t ___name_len_5;
// System.Threading.ThreadState System.Threading.InternalThread::state
int32_t ___state_6;
// System.Object System.Threading.InternalThread::abort_exc
RuntimeObject * ___abort_exc_7;
// System.Int32 System.Threading.InternalThread::abort_state_handle
int32_t ___abort_state_handle_8;
// System.Int64 System.Threading.InternalThread::thread_id
int64_t ___thread_id_9;
// System.IntPtr System.Threading.InternalThread::debugger_thread
intptr_t ___debugger_thread_10;
// System.UIntPtr System.Threading.InternalThread::static_data
uintptr_t ___static_data_11;
// System.IntPtr System.Threading.InternalThread::runtime_thread_info
intptr_t ___runtime_thread_info_12;
// System.Object System.Threading.InternalThread::current_appcontext
RuntimeObject * ___current_appcontext_13;
// System.Object System.Threading.InternalThread::root_domain_thread
RuntimeObject * ___root_domain_thread_14;
// System.Byte[] System.Threading.InternalThread::_serialized_principal
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ____serialized_principal_15;
// System.Int32 System.Threading.InternalThread::_serialized_principal_version
int32_t ____serialized_principal_version_16;
// System.IntPtr System.Threading.InternalThread::appdomain_refs
intptr_t ___appdomain_refs_17;
// System.Int32 System.Threading.InternalThread::interruption_requested
int32_t ___interruption_requested_18;
// System.IntPtr System.Threading.InternalThread::synch_cs
intptr_t ___synch_cs_19;
// System.Boolean System.Threading.InternalThread::threadpool_thread
bool ___threadpool_thread_20;
// System.Boolean System.Threading.InternalThread::thread_interrupt_requested
bool ___thread_interrupt_requested_21;
// System.Int32 System.Threading.InternalThread::stack_size
int32_t ___stack_size_22;
// System.Byte System.Threading.InternalThread::apartment_state
uint8_t ___apartment_state_23;
// System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.InternalThread::critical_region_level
int32_t ___critical_region_level_24;
// System.Int32 System.Threading.InternalThread::managed_id
int32_t ___managed_id_25;
// System.Int32 System.Threading.InternalThread::small_id
int32_t ___small_id_26;
// System.IntPtr System.Threading.InternalThread::manage_callback
intptr_t ___manage_callback_27;
// System.IntPtr System.Threading.InternalThread::unused4
intptr_t ___unused4_28;
// System.IntPtr System.Threading.InternalThread::flags
intptr_t ___flags_29;
// System.IntPtr System.Threading.InternalThread::thread_pinning_ref
intptr_t ___thread_pinning_ref_30;
// System.IntPtr System.Threading.InternalThread::abort_protected_block_count
intptr_t ___abort_protected_block_count_31;
// System.Int32 System.Threading.InternalThread::priority
int32_t ___priority_32;
// System.IntPtr System.Threading.InternalThread::owned_mutex
intptr_t ___owned_mutex_33;
// System.IntPtr System.Threading.InternalThread::suspended_event
intptr_t ___suspended_event_34;
// System.Int32 System.Threading.InternalThread::self_suspended
int32_t ___self_suspended_35;
// System.IntPtr System.Threading.InternalThread::unused1
intptr_t ___unused1_36;
// System.IntPtr System.Threading.InternalThread::unused2
intptr_t ___unused2_37;
// System.IntPtr System.Threading.InternalThread::last
intptr_t ___last_38;
public:
inline static int32_t get_offset_of_lock_thread_id_0() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___lock_thread_id_0)); }
inline int32_t get_lock_thread_id_0() const { return ___lock_thread_id_0; }
inline int32_t* get_address_of_lock_thread_id_0() { return &___lock_thread_id_0; }
inline void set_lock_thread_id_0(int32_t value)
{
___lock_thread_id_0 = value;
}
inline static int32_t get_offset_of_handle_1() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___handle_1)); }
inline intptr_t get_handle_1() const { return ___handle_1; }
inline intptr_t* get_address_of_handle_1() { return &___handle_1; }
inline void set_handle_1(intptr_t value)
{
___handle_1 = value;
}
inline static int32_t get_offset_of_native_handle_2() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___native_handle_2)); }
inline intptr_t get_native_handle_2() const { return ___native_handle_2; }
inline intptr_t* get_address_of_native_handle_2() { return &___native_handle_2; }
inline void set_native_handle_2(intptr_t value)
{
___native_handle_2 = value;
}
inline static int32_t get_offset_of_unused3_3() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___unused3_3)); }
inline intptr_t get_unused3_3() const { return ___unused3_3; }
inline intptr_t* get_address_of_unused3_3() { return &___unused3_3; }
inline void set_unused3_3(intptr_t value)
{
___unused3_3 = value;
}
inline static int32_t get_offset_of_name_4() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___name_4)); }
inline intptr_t get_name_4() const { return ___name_4; }
inline intptr_t* get_address_of_name_4() { return &___name_4; }
inline void set_name_4(intptr_t value)
{
___name_4 = value;
}
inline static int32_t get_offset_of_name_len_5() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___name_len_5)); }
inline int32_t get_name_len_5() const { return ___name_len_5; }
inline int32_t* get_address_of_name_len_5() { return &___name_len_5; }
inline void set_name_len_5(int32_t value)
{
___name_len_5 = value;
}
inline static int32_t get_offset_of_state_6() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___state_6)); }
inline int32_t get_state_6() const { return ___state_6; }
inline int32_t* get_address_of_state_6() { return &___state_6; }
inline void set_state_6(int32_t value)
{
___state_6 = value;
}
inline static int32_t get_offset_of_abort_exc_7() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___abort_exc_7)); }
inline RuntimeObject * get_abort_exc_7() const { return ___abort_exc_7; }
inline RuntimeObject ** get_address_of_abort_exc_7() { return &___abort_exc_7; }
inline void set_abort_exc_7(RuntimeObject * value)
{
___abort_exc_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___abort_exc_7), (void*)value);
}
inline static int32_t get_offset_of_abort_state_handle_8() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___abort_state_handle_8)); }
inline int32_t get_abort_state_handle_8() const { return ___abort_state_handle_8; }
inline int32_t* get_address_of_abort_state_handle_8() { return &___abort_state_handle_8; }
inline void set_abort_state_handle_8(int32_t value)
{
___abort_state_handle_8 = value;
}
inline static int32_t get_offset_of_thread_id_9() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___thread_id_9)); }
inline int64_t get_thread_id_9() const { return ___thread_id_9; }
inline int64_t* get_address_of_thread_id_9() { return &___thread_id_9; }
inline void set_thread_id_9(int64_t value)
{
___thread_id_9 = value;
}
inline static int32_t get_offset_of_debugger_thread_10() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___debugger_thread_10)); }
inline intptr_t get_debugger_thread_10() const { return ___debugger_thread_10; }
inline intptr_t* get_address_of_debugger_thread_10() { return &___debugger_thread_10; }
inline void set_debugger_thread_10(intptr_t value)
{
___debugger_thread_10 = value;
}
inline static int32_t get_offset_of_static_data_11() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___static_data_11)); }
inline uintptr_t get_static_data_11() const { return ___static_data_11; }
inline uintptr_t* get_address_of_static_data_11() { return &___static_data_11; }
inline void set_static_data_11(uintptr_t value)
{
___static_data_11 = value;
}
inline static int32_t get_offset_of_runtime_thread_info_12() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___runtime_thread_info_12)); }
inline intptr_t get_runtime_thread_info_12() const { return ___runtime_thread_info_12; }
inline intptr_t* get_address_of_runtime_thread_info_12() { return &___runtime_thread_info_12; }
inline void set_runtime_thread_info_12(intptr_t value)
{
___runtime_thread_info_12 = value;
}
inline static int32_t get_offset_of_current_appcontext_13() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___current_appcontext_13)); }
inline RuntimeObject * get_current_appcontext_13() const { return ___current_appcontext_13; }
inline RuntimeObject ** get_address_of_current_appcontext_13() { return &___current_appcontext_13; }
inline void set_current_appcontext_13(RuntimeObject * value)
{
___current_appcontext_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___current_appcontext_13), (void*)value);
}
inline static int32_t get_offset_of_root_domain_thread_14() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___root_domain_thread_14)); }
inline RuntimeObject * get_root_domain_thread_14() const { return ___root_domain_thread_14; }
inline RuntimeObject ** get_address_of_root_domain_thread_14() { return &___root_domain_thread_14; }
inline void set_root_domain_thread_14(RuntimeObject * value)
{
___root_domain_thread_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___root_domain_thread_14), (void*)value);
}
inline static int32_t get_offset_of__serialized_principal_15() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ____serialized_principal_15)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get__serialized_principal_15() const { return ____serialized_principal_15; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of__serialized_principal_15() { return &____serialized_principal_15; }
inline void set__serialized_principal_15(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
____serialized_principal_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&____serialized_principal_15), (void*)value);
}
inline static int32_t get_offset_of__serialized_principal_version_16() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ____serialized_principal_version_16)); }
inline int32_t get__serialized_principal_version_16() const { return ____serialized_principal_version_16; }
inline int32_t* get_address_of__serialized_principal_version_16() { return &____serialized_principal_version_16; }
inline void set__serialized_principal_version_16(int32_t value)
{
____serialized_principal_version_16 = value;
}
inline static int32_t get_offset_of_appdomain_refs_17() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___appdomain_refs_17)); }
inline intptr_t get_appdomain_refs_17() const { return ___appdomain_refs_17; }
inline intptr_t* get_address_of_appdomain_refs_17() { return &___appdomain_refs_17; }
inline void set_appdomain_refs_17(intptr_t value)
{
___appdomain_refs_17 = value;
}
inline static int32_t get_offset_of_interruption_requested_18() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___interruption_requested_18)); }
inline int32_t get_interruption_requested_18() const { return ___interruption_requested_18; }
inline int32_t* get_address_of_interruption_requested_18() { return &___interruption_requested_18; }
inline void set_interruption_requested_18(int32_t value)
{
___interruption_requested_18 = value;
}
inline static int32_t get_offset_of_synch_cs_19() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___synch_cs_19)); }
inline intptr_t get_synch_cs_19() const { return ___synch_cs_19; }
inline intptr_t* get_address_of_synch_cs_19() { return &___synch_cs_19; }
inline void set_synch_cs_19(intptr_t value)
{
___synch_cs_19 = value;
}
inline static int32_t get_offset_of_threadpool_thread_20() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___threadpool_thread_20)); }
inline bool get_threadpool_thread_20() const { return ___threadpool_thread_20; }
inline bool* get_address_of_threadpool_thread_20() { return &___threadpool_thread_20; }
inline void set_threadpool_thread_20(bool value)
{
___threadpool_thread_20 = value;
}
inline static int32_t get_offset_of_thread_interrupt_requested_21() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___thread_interrupt_requested_21)); }
inline bool get_thread_interrupt_requested_21() const { return ___thread_interrupt_requested_21; }
inline bool* get_address_of_thread_interrupt_requested_21() { return &___thread_interrupt_requested_21; }
inline void set_thread_interrupt_requested_21(bool value)
{
___thread_interrupt_requested_21 = value;
}
inline static int32_t get_offset_of_stack_size_22() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___stack_size_22)); }
inline int32_t get_stack_size_22() const { return ___stack_size_22; }
inline int32_t* get_address_of_stack_size_22() { return &___stack_size_22; }
inline void set_stack_size_22(int32_t value)
{
___stack_size_22 = value;
}
inline static int32_t get_offset_of_apartment_state_23() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___apartment_state_23)); }
inline uint8_t get_apartment_state_23() const { return ___apartment_state_23; }
inline uint8_t* get_address_of_apartment_state_23() { return &___apartment_state_23; }
inline void set_apartment_state_23(uint8_t value)
{
___apartment_state_23 = value;
}
inline static int32_t get_offset_of_critical_region_level_24() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___critical_region_level_24)); }
inline int32_t get_critical_region_level_24() const { return ___critical_region_level_24; }
inline int32_t* get_address_of_critical_region_level_24() { return &___critical_region_level_24; }
inline void set_critical_region_level_24(int32_t value)
{
___critical_region_level_24 = value;
}
inline static int32_t get_offset_of_managed_id_25() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___managed_id_25)); }
inline int32_t get_managed_id_25() const { return ___managed_id_25; }
inline int32_t* get_address_of_managed_id_25() { return &___managed_id_25; }
inline void set_managed_id_25(int32_t value)
{
___managed_id_25 = value;
}
inline static int32_t get_offset_of_small_id_26() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___small_id_26)); }
inline int32_t get_small_id_26() const { return ___small_id_26; }
inline int32_t* get_address_of_small_id_26() { return &___small_id_26; }
inline void set_small_id_26(int32_t value)
{
___small_id_26 = value;
}
inline static int32_t get_offset_of_manage_callback_27() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___manage_callback_27)); }
inline intptr_t get_manage_callback_27() const { return ___manage_callback_27; }
inline intptr_t* get_address_of_manage_callback_27() { return &___manage_callback_27; }
inline void set_manage_callback_27(intptr_t value)
{
___manage_callback_27 = value;
}
inline static int32_t get_offset_of_unused4_28() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___unused4_28)); }
inline intptr_t get_unused4_28() const { return ___unused4_28; }
inline intptr_t* get_address_of_unused4_28() { return &___unused4_28; }
inline void set_unused4_28(intptr_t value)
{
___unused4_28 = value;
}
inline static int32_t get_offset_of_flags_29() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___flags_29)); }
inline intptr_t get_flags_29() const { return ___flags_29; }
inline intptr_t* get_address_of_flags_29() { return &___flags_29; }
inline void set_flags_29(intptr_t value)
{
___flags_29 = value;
}
inline static int32_t get_offset_of_thread_pinning_ref_30() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___thread_pinning_ref_30)); }
inline intptr_t get_thread_pinning_ref_30() const { return ___thread_pinning_ref_30; }
inline intptr_t* get_address_of_thread_pinning_ref_30() { return &___thread_pinning_ref_30; }
inline void set_thread_pinning_ref_30(intptr_t value)
{
___thread_pinning_ref_30 = value;
}
inline static int32_t get_offset_of_abort_protected_block_count_31() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___abort_protected_block_count_31)); }
inline intptr_t get_abort_protected_block_count_31() const { return ___abort_protected_block_count_31; }
inline intptr_t* get_address_of_abort_protected_block_count_31() { return &___abort_protected_block_count_31; }
inline void set_abort_protected_block_count_31(intptr_t value)
{
___abort_protected_block_count_31 = value;
}
inline static int32_t get_offset_of_priority_32() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___priority_32)); }
inline int32_t get_priority_32() const { return ___priority_32; }
inline int32_t* get_address_of_priority_32() { return &___priority_32; }
inline void set_priority_32(int32_t value)
{
___priority_32 = value;
}
inline static int32_t get_offset_of_owned_mutex_33() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___owned_mutex_33)); }
inline intptr_t get_owned_mutex_33() const { return ___owned_mutex_33; }
inline intptr_t* get_address_of_owned_mutex_33() { return &___owned_mutex_33; }
inline void set_owned_mutex_33(intptr_t value)
{
___owned_mutex_33 = value;
}
inline static int32_t get_offset_of_suspended_event_34() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___suspended_event_34)); }
inline intptr_t get_suspended_event_34() const { return ___suspended_event_34; }
inline intptr_t* get_address_of_suspended_event_34() { return &___suspended_event_34; }
inline void set_suspended_event_34(intptr_t value)
{
___suspended_event_34 = value;
}
inline static int32_t get_offset_of_self_suspended_35() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___self_suspended_35)); }
inline int32_t get_self_suspended_35() const { return ___self_suspended_35; }
inline int32_t* get_address_of_self_suspended_35() { return &___self_suspended_35; }
inline void set_self_suspended_35(int32_t value)
{
___self_suspended_35 = value;
}
inline static int32_t get_offset_of_unused1_36() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___unused1_36)); }
inline intptr_t get_unused1_36() const { return ___unused1_36; }
inline intptr_t* get_address_of_unused1_36() { return &___unused1_36; }
inline void set_unused1_36(intptr_t value)
{
___unused1_36 = value;
}
inline static int32_t get_offset_of_unused2_37() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___unused2_37)); }
inline intptr_t get_unused2_37() const { return ___unused2_37; }
inline intptr_t* get_address_of_unused2_37() { return &___unused2_37; }
inline void set_unused2_37(intptr_t value)
{
___unused2_37 = value;
}
inline static int32_t get_offset_of_last_38() { return static_cast<int32_t>(offsetof(InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB, ___last_38)); }
inline intptr_t get_last_38() const { return ___last_38; }
inline intptr_t* get_address_of_last_38() { return &___last_38; }
inline void set_last_38(intptr_t value)
{
___last_38 = value;
}
};
// UnityEngine.AddressableAssets.InvalidKeyException
struct InvalidKeyException_t9192B49CF7BDD9B81107014CA23ECEBCB6736EC0 : public Exception_t
{
public:
// System.Object UnityEngine.AddressableAssets.InvalidKeyException::<Key>k__BackingField
RuntimeObject * ___U3CKeyU3Ek__BackingField_17;
// System.Type UnityEngine.AddressableAssets.InvalidKeyException::<Type>k__BackingField
Type_t * ___U3CTypeU3Ek__BackingField_18;
public:
inline static int32_t get_offset_of_U3CKeyU3Ek__BackingField_17() { return static_cast<int32_t>(offsetof(InvalidKeyException_t9192B49CF7BDD9B81107014CA23ECEBCB6736EC0, ___U3CKeyU3Ek__BackingField_17)); }
inline RuntimeObject * get_U3CKeyU3Ek__BackingField_17() const { return ___U3CKeyU3Ek__BackingField_17; }
inline RuntimeObject ** get_address_of_U3CKeyU3Ek__BackingField_17() { return &___U3CKeyU3Ek__BackingField_17; }
inline void set_U3CKeyU3Ek__BackingField_17(RuntimeObject * value)
{
___U3CKeyU3Ek__BackingField_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CKeyU3Ek__BackingField_17), (void*)value);
}
inline static int32_t get_offset_of_U3CTypeU3Ek__BackingField_18() { return static_cast<int32_t>(offsetof(InvalidKeyException_t9192B49CF7BDD9B81107014CA23ECEBCB6736EC0, ___U3CTypeU3Ek__BackingField_18)); }
inline Type_t * get_U3CTypeU3Ek__BackingField_18() const { return ___U3CTypeU3Ek__BackingField_18; }
inline Type_t ** get_address_of_U3CTypeU3Ek__BackingField_18() { return &___U3CTypeU3Ek__BackingField_18; }
inline void set_U3CTypeU3Ek__BackingField_18(Type_t * value)
{
___U3CTypeU3Ek__BackingField_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CTypeU3Ek__BackingField_18), (void*)value);
}
};
// System.InvalidTimeZoneException
struct InvalidTimeZoneException_tEF2CDF74F9EE20A1C9972EFC2CF078966698DB10 : public Exception_t
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.Extensions.IsMatchFormatter
struct IsMatchFormatter_t4452033DEB3534C432BC49AB960B530D489A186F : public FormatterBase_t9C41952D199D3C96A9F94A46395C8E387B42FC0C
{
public:
// System.Text.RegularExpressions.RegexOptions UnityEngine.Localization.SmartFormat.Extensions.IsMatchFormatter::<RegexOptions>k__BackingField
int32_t ___U3CRegexOptionsU3Ek__BackingField_1;
public:
inline static int32_t get_offset_of_U3CRegexOptionsU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(IsMatchFormatter_t4452033DEB3534C432BC49AB960B530D489A186F, ___U3CRegexOptionsU3Ek__BackingField_1)); }
inline int32_t get_U3CRegexOptionsU3Ek__BackingField_1() const { return ___U3CRegexOptionsU3Ek__BackingField_1; }
inline int32_t* get_address_of_U3CRegexOptionsU3Ek__BackingField_1() { return &___U3CRegexOptionsU3Ek__BackingField_1; }
inline void set_U3CRegexOptionsU3Ek__BackingField_1(int32_t value)
{
___U3CRegexOptionsU3Ek__BackingField_1 = value;
}
};
// UnityEngine.SocialPlatforms.Impl.Leaderboard
struct Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D : 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_t9FEEC91A3D90CD5770DA4EFB8DFCF5340A279C5A* ___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_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___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_t70C133E51417BC822E878050C90A577A69B671DC ___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_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D, ___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_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D, ___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((void**)(&___m_LocalUserScore_1), (void*)value);
}
inline static int32_t get_offset_of_m_MaxRange_2() { return static_cast<int32_t>(offsetof(Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D, ___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_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D, ___m_Scores_3)); }
inline IScoreU5BU5D_t9FEEC91A3D90CD5770DA4EFB8DFCF5340A279C5A* get_m_Scores_3() const { return ___m_Scores_3; }
inline IScoreU5BU5D_t9FEEC91A3D90CD5770DA4EFB8DFCF5340A279C5A** get_address_of_m_Scores_3() { return &___m_Scores_3; }
inline void set_m_Scores_3(IScoreU5BU5D_t9FEEC91A3D90CD5770DA4EFB8DFCF5340A279C5A* value)
{
___m_Scores_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Scores_3), (void*)value);
}
inline static int32_t get_offset_of_m_Title_4() { return static_cast<int32_t>(offsetof(Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D, ___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((void**)(&___m_Title_4), (void*)value);
}
inline static int32_t get_offset_of_m_UserIDs_5() { return static_cast<int32_t>(offsetof(Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D, ___m_UserIDs_5)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_m_UserIDs_5() const { return ___m_UserIDs_5; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_m_UserIDs_5() { return &___m_UserIDs_5; }
inline void set_m_UserIDs_5(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___m_UserIDs_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UserIDs_5), (void*)value);
}
inline static int32_t get_offset_of_U3CidU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D, ___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((void**)(&___U3CidU3Ek__BackingField_6), (void*)value);
}
inline static int32_t get_offset_of_U3CuserScopeU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D, ___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_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D, ___U3CrangeU3Ek__BackingField_8)); }
inline Range_t70C133E51417BC822E878050C90A577A69B671DC get_U3CrangeU3Ek__BackingField_8() const { return ___U3CrangeU3Ek__BackingField_8; }
inline Range_t70C133E51417BC822E878050C90A577A69B671DC * get_address_of_U3CrangeU3Ek__BackingField_8() { return &___U3CrangeU3Ek__BackingField_8; }
inline void set_U3CrangeU3Ek__BackingField_8(Range_t70C133E51417BC822E878050C90A577A69B671DC value)
{
___U3CrangeU3Ek__BackingField_8 = value;
}
inline static int32_t get_offset_of_U3CtimeScopeU3Ek__BackingField_9() { return static_cast<int32_t>(offsetof(Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D, ___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;
}
};
// System.Runtime.Remoting.Lifetime.Lease
struct Lease_tA878061ECC9A466127F00ACF5568EAB267E05641 : public MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8
{
public:
// System.DateTime System.Runtime.Remoting.Lifetime.Lease::_leaseExpireTime
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 ____leaseExpireTime_1;
// System.Runtime.Remoting.Lifetime.LeaseState System.Runtime.Remoting.Lifetime.Lease::_currentState
int32_t ____currentState_2;
// System.TimeSpan System.Runtime.Remoting.Lifetime.Lease::_initialLeaseTime
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ____initialLeaseTime_3;
// System.TimeSpan System.Runtime.Remoting.Lifetime.Lease::_renewOnCallTime
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ____renewOnCallTime_4;
// System.TimeSpan System.Runtime.Remoting.Lifetime.Lease::_sponsorshipTimeout
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ____sponsorshipTimeout_5;
// System.Collections.ArrayList System.Runtime.Remoting.Lifetime.Lease::_sponsors
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * ____sponsors_6;
// System.Collections.Queue System.Runtime.Remoting.Lifetime.Lease::_renewingSponsors
Queue_t66723C58C7422102C36F8570BE048BD0CC489E52 * ____renewingSponsors_7;
// System.Runtime.Remoting.Lifetime.Lease/RenewalDelegate System.Runtime.Remoting.Lifetime.Lease::_renewalDelegate
RenewalDelegate_t6D40741FA8DD58E79285BF41736B152418747AB7 * ____renewalDelegate_8;
public:
inline static int32_t get_offset_of__leaseExpireTime_1() { return static_cast<int32_t>(offsetof(Lease_tA878061ECC9A466127F00ACF5568EAB267E05641, ____leaseExpireTime_1)); }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 get__leaseExpireTime_1() const { return ____leaseExpireTime_1; }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 * get_address_of__leaseExpireTime_1() { return &____leaseExpireTime_1; }
inline void set__leaseExpireTime_1(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 value)
{
____leaseExpireTime_1 = value;
}
inline static int32_t get_offset_of__currentState_2() { return static_cast<int32_t>(offsetof(Lease_tA878061ECC9A466127F00ACF5568EAB267E05641, ____currentState_2)); }
inline int32_t get__currentState_2() const { return ____currentState_2; }
inline int32_t* get_address_of__currentState_2() { return &____currentState_2; }
inline void set__currentState_2(int32_t value)
{
____currentState_2 = value;
}
inline static int32_t get_offset_of__initialLeaseTime_3() { return static_cast<int32_t>(offsetof(Lease_tA878061ECC9A466127F00ACF5568EAB267E05641, ____initialLeaseTime_3)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get__initialLeaseTime_3() const { return ____initialLeaseTime_3; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of__initialLeaseTime_3() { return &____initialLeaseTime_3; }
inline void set__initialLeaseTime_3(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
____initialLeaseTime_3 = value;
}
inline static int32_t get_offset_of__renewOnCallTime_4() { return static_cast<int32_t>(offsetof(Lease_tA878061ECC9A466127F00ACF5568EAB267E05641, ____renewOnCallTime_4)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get__renewOnCallTime_4() const { return ____renewOnCallTime_4; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of__renewOnCallTime_4() { return &____renewOnCallTime_4; }
inline void set__renewOnCallTime_4(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
____renewOnCallTime_4 = value;
}
inline static int32_t get_offset_of__sponsorshipTimeout_5() { return static_cast<int32_t>(offsetof(Lease_tA878061ECC9A466127F00ACF5568EAB267E05641, ____sponsorshipTimeout_5)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get__sponsorshipTimeout_5() const { return ____sponsorshipTimeout_5; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of__sponsorshipTimeout_5() { return &____sponsorshipTimeout_5; }
inline void set__sponsorshipTimeout_5(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
____sponsorshipTimeout_5 = value;
}
inline static int32_t get_offset_of__sponsors_6() { return static_cast<int32_t>(offsetof(Lease_tA878061ECC9A466127F00ACF5568EAB267E05641, ____sponsors_6)); }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * get__sponsors_6() const { return ____sponsors_6; }
inline ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 ** get_address_of__sponsors_6() { return &____sponsors_6; }
inline void set__sponsors_6(ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575 * value)
{
____sponsors_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____sponsors_6), (void*)value);
}
inline static int32_t get_offset_of__renewingSponsors_7() { return static_cast<int32_t>(offsetof(Lease_tA878061ECC9A466127F00ACF5568EAB267E05641, ____renewingSponsors_7)); }
inline Queue_t66723C58C7422102C36F8570BE048BD0CC489E52 * get__renewingSponsors_7() const { return ____renewingSponsors_7; }
inline Queue_t66723C58C7422102C36F8570BE048BD0CC489E52 ** get_address_of__renewingSponsors_7() { return &____renewingSponsors_7; }
inline void set__renewingSponsors_7(Queue_t66723C58C7422102C36F8570BE048BD0CC489E52 * value)
{
____renewingSponsors_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&____renewingSponsors_7), (void*)value);
}
inline static int32_t get_offset_of__renewalDelegate_8() { return static_cast<int32_t>(offsetof(Lease_tA878061ECC9A466127F00ACF5568EAB267E05641, ____renewalDelegate_8)); }
inline RenewalDelegate_t6D40741FA8DD58E79285BF41736B152418747AB7 * get__renewalDelegate_8() const { return ____renewalDelegate_8; }
inline RenewalDelegate_t6D40741FA8DD58E79285BF41736B152418747AB7 ** get_address_of__renewalDelegate_8() { return &____renewalDelegate_8; }
inline void set__renewalDelegate_8(RenewalDelegate_t6D40741FA8DD58E79285BF41736B152418747AB7 * value)
{
____renewalDelegate_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&____renewalDelegate_8), (void*)value);
}
};
// System.Runtime.Remoting.Lifetime.LifetimeServices
struct LifetimeServices_tF0C101B662D7B7A3481C924BC01E1623C1AFF6E4 : public RuntimeObject
{
public:
public:
};
struct LifetimeServices_tF0C101B662D7B7A3481C924BC01E1623C1AFF6E4_StaticFields
{
public:
// System.TimeSpan System.Runtime.Remoting.Lifetime.LifetimeServices::_leaseManagerPollTime
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ____leaseManagerPollTime_0;
// System.TimeSpan System.Runtime.Remoting.Lifetime.LifetimeServices::_leaseTime
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ____leaseTime_1;
// System.TimeSpan System.Runtime.Remoting.Lifetime.LifetimeServices::_renewOnCallTime
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ____renewOnCallTime_2;
// System.TimeSpan System.Runtime.Remoting.Lifetime.LifetimeServices::_sponsorshipTimeout
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ____sponsorshipTimeout_3;
// System.Runtime.Remoting.Lifetime.LeaseManager System.Runtime.Remoting.Lifetime.LifetimeServices::_leaseManager
LeaseManager_tCB2B24D3B1EB0083B9FF0BA2D4E5E8B84EE94DD1 * ____leaseManager_4;
public:
inline static int32_t get_offset_of__leaseManagerPollTime_0() { return static_cast<int32_t>(offsetof(LifetimeServices_tF0C101B662D7B7A3481C924BC01E1623C1AFF6E4_StaticFields, ____leaseManagerPollTime_0)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get__leaseManagerPollTime_0() const { return ____leaseManagerPollTime_0; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of__leaseManagerPollTime_0() { return &____leaseManagerPollTime_0; }
inline void set__leaseManagerPollTime_0(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
____leaseManagerPollTime_0 = value;
}
inline static int32_t get_offset_of__leaseTime_1() { return static_cast<int32_t>(offsetof(LifetimeServices_tF0C101B662D7B7A3481C924BC01E1623C1AFF6E4_StaticFields, ____leaseTime_1)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get__leaseTime_1() const { return ____leaseTime_1; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of__leaseTime_1() { return &____leaseTime_1; }
inline void set__leaseTime_1(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
____leaseTime_1 = value;
}
inline static int32_t get_offset_of__renewOnCallTime_2() { return static_cast<int32_t>(offsetof(LifetimeServices_tF0C101B662D7B7A3481C924BC01E1623C1AFF6E4_StaticFields, ____renewOnCallTime_2)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get__renewOnCallTime_2() const { return ____renewOnCallTime_2; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of__renewOnCallTime_2() { return &____renewOnCallTime_2; }
inline void set__renewOnCallTime_2(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
____renewOnCallTime_2 = value;
}
inline static int32_t get_offset_of__sponsorshipTimeout_3() { return static_cast<int32_t>(offsetof(LifetimeServices_tF0C101B662D7B7A3481C924BC01E1623C1AFF6E4_StaticFields, ____sponsorshipTimeout_3)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get__sponsorshipTimeout_3() const { return ____sponsorshipTimeout_3; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of__sponsorshipTimeout_3() { return &____sponsorshipTimeout_3; }
inline void set__sponsorshipTimeout_3(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
____sponsorshipTimeout_3 = value;
}
inline static int32_t get_offset_of__leaseManager_4() { return static_cast<int32_t>(offsetof(LifetimeServices_tF0C101B662D7B7A3481C924BC01E1623C1AFF6E4_StaticFields, ____leaseManager_4)); }
inline LeaseManager_tCB2B24D3B1EB0083B9FF0BA2D4E5E8B84EE94DD1 * get__leaseManager_4() const { return ____leaseManager_4; }
inline LeaseManager_tCB2B24D3B1EB0083B9FF0BA2D4E5E8B84EE94DD1 ** get_address_of__leaseManager_4() { return &____leaseManager_4; }
inline void set__leaseManager_4(LeaseManager_tCB2B24D3B1EB0083B9FF0BA2D4E5E8B84EE94DD1 * value)
{
____leaseManager_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____leaseManager_4), (void*)value);
}
};
// UnityEngine.LightBakingOutput
struct LightBakingOutput_t4F4130B900C21B6DADEF7D2AEAB2F120DCC84553
{
public:
// System.Int32 UnityEngine.LightBakingOutput::probeOcclusionLightIndex
int32_t ___probeOcclusionLightIndex_0;
// System.Int32 UnityEngine.LightBakingOutput::occlusionMaskChannel
int32_t ___occlusionMaskChannel_1;
// UnityEngine.LightmapBakeType UnityEngine.LightBakingOutput::lightmapBakeType
int32_t ___lightmapBakeType_2;
// UnityEngine.MixedLightingMode UnityEngine.LightBakingOutput::mixedLightingMode
int32_t ___mixedLightingMode_3;
// System.Boolean UnityEngine.LightBakingOutput::isBaked
bool ___isBaked_4;
public:
inline static int32_t get_offset_of_probeOcclusionLightIndex_0() { return static_cast<int32_t>(offsetof(LightBakingOutput_t4F4130B900C21B6DADEF7D2AEAB2F120DCC84553, ___probeOcclusionLightIndex_0)); }
inline int32_t get_probeOcclusionLightIndex_0() const { return ___probeOcclusionLightIndex_0; }
inline int32_t* get_address_of_probeOcclusionLightIndex_0() { return &___probeOcclusionLightIndex_0; }
inline void set_probeOcclusionLightIndex_0(int32_t value)
{
___probeOcclusionLightIndex_0 = value;
}
inline static int32_t get_offset_of_occlusionMaskChannel_1() { return static_cast<int32_t>(offsetof(LightBakingOutput_t4F4130B900C21B6DADEF7D2AEAB2F120DCC84553, ___occlusionMaskChannel_1)); }
inline int32_t get_occlusionMaskChannel_1() const { return ___occlusionMaskChannel_1; }
inline int32_t* get_address_of_occlusionMaskChannel_1() { return &___occlusionMaskChannel_1; }
inline void set_occlusionMaskChannel_1(int32_t value)
{
___occlusionMaskChannel_1 = value;
}
inline static int32_t get_offset_of_lightmapBakeType_2() { return static_cast<int32_t>(offsetof(LightBakingOutput_t4F4130B900C21B6DADEF7D2AEAB2F120DCC84553, ___lightmapBakeType_2)); }
inline int32_t get_lightmapBakeType_2() const { return ___lightmapBakeType_2; }
inline int32_t* get_address_of_lightmapBakeType_2() { return &___lightmapBakeType_2; }
inline void set_lightmapBakeType_2(int32_t value)
{
___lightmapBakeType_2 = value;
}
inline static int32_t get_offset_of_mixedLightingMode_3() { return static_cast<int32_t>(offsetof(LightBakingOutput_t4F4130B900C21B6DADEF7D2AEAB2F120DCC84553, ___mixedLightingMode_3)); }
inline int32_t get_mixedLightingMode_3() const { return ___mixedLightingMode_3; }
inline int32_t* get_address_of_mixedLightingMode_3() { return &___mixedLightingMode_3; }
inline void set_mixedLightingMode_3(int32_t value)
{
___mixedLightingMode_3 = value;
}
inline static int32_t get_offset_of_isBaked_4() { return static_cast<int32_t>(offsetof(LightBakingOutput_t4F4130B900C21B6DADEF7D2AEAB2F120DCC84553, ___isBaked_4)); }
inline bool get_isBaked_4() const { return ___isBaked_4; }
inline bool* get_address_of_isBaked_4() { return &___isBaked_4; }
inline void set_isBaked_4(bool value)
{
___isBaked_4 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.LightBakingOutput
struct LightBakingOutput_t4F4130B900C21B6DADEF7D2AEAB2F120DCC84553_marshaled_pinvoke
{
int32_t ___probeOcclusionLightIndex_0;
int32_t ___occlusionMaskChannel_1;
int32_t ___lightmapBakeType_2;
int32_t ___mixedLightingMode_3;
int32_t ___isBaked_4;
};
// Native definition for COM marshalling of UnityEngine.LightBakingOutput
struct LightBakingOutput_t4F4130B900C21B6DADEF7D2AEAB2F120DCC84553_marshaled_com
{
int32_t ___probeOcclusionLightIndex_0;
int32_t ___occlusionMaskChannel_1;
int32_t ___lightmapBakeType_2;
int32_t ___mixedLightingMode_3;
int32_t ___isBaked_4;
};
// UnityEngine.Experimental.GlobalIllumination.LightDataGI
struct LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2
{
public:
// System.Int32 UnityEngine.Experimental.GlobalIllumination.LightDataGI::instanceID
int32_t ___instanceID_0;
// System.Int32 UnityEngine.Experimental.GlobalIllumination.LightDataGI::cookieID
int32_t ___cookieID_1;
// System.Single UnityEngine.Experimental.GlobalIllumination.LightDataGI::cookieScale
float ___cookieScale_2;
// UnityEngine.Experimental.GlobalIllumination.LinearColor UnityEngine.Experimental.GlobalIllumination.LightDataGI::color
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___color_3;
// UnityEngine.Experimental.GlobalIllumination.LinearColor UnityEngine.Experimental.GlobalIllumination.LightDataGI::indirectColor
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___indirectColor_4;
// UnityEngine.Quaternion UnityEngine.Experimental.GlobalIllumination.LightDataGI::orientation
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___orientation_5;
// UnityEngine.Vector3 UnityEngine.Experimental.GlobalIllumination.LightDataGI::position
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_6;
// System.Single UnityEngine.Experimental.GlobalIllumination.LightDataGI::range
float ___range_7;
// System.Single UnityEngine.Experimental.GlobalIllumination.LightDataGI::coneAngle
float ___coneAngle_8;
// System.Single UnityEngine.Experimental.GlobalIllumination.LightDataGI::innerConeAngle
float ___innerConeAngle_9;
// System.Single UnityEngine.Experimental.GlobalIllumination.LightDataGI::shape0
float ___shape0_10;
// System.Single UnityEngine.Experimental.GlobalIllumination.LightDataGI::shape1
float ___shape1_11;
// UnityEngine.Experimental.GlobalIllumination.LightType UnityEngine.Experimental.GlobalIllumination.LightDataGI::type
uint8_t ___type_12;
// UnityEngine.Experimental.GlobalIllumination.LightMode UnityEngine.Experimental.GlobalIllumination.LightDataGI::mode
uint8_t ___mode_13;
// System.Byte UnityEngine.Experimental.GlobalIllumination.LightDataGI::shadow
uint8_t ___shadow_14;
// UnityEngine.Experimental.GlobalIllumination.FalloffType UnityEngine.Experimental.GlobalIllumination.LightDataGI::falloff
uint8_t ___falloff_15;
public:
inline static int32_t get_offset_of_instanceID_0() { return static_cast<int32_t>(offsetof(LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2, ___instanceID_0)); }
inline int32_t get_instanceID_0() const { return ___instanceID_0; }
inline int32_t* get_address_of_instanceID_0() { return &___instanceID_0; }
inline void set_instanceID_0(int32_t value)
{
___instanceID_0 = value;
}
inline static int32_t get_offset_of_cookieID_1() { return static_cast<int32_t>(offsetof(LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2, ___cookieID_1)); }
inline int32_t get_cookieID_1() const { return ___cookieID_1; }
inline int32_t* get_address_of_cookieID_1() { return &___cookieID_1; }
inline void set_cookieID_1(int32_t value)
{
___cookieID_1 = value;
}
inline static int32_t get_offset_of_cookieScale_2() { return static_cast<int32_t>(offsetof(LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2, ___cookieScale_2)); }
inline float get_cookieScale_2() const { return ___cookieScale_2; }
inline float* get_address_of_cookieScale_2() { return &___cookieScale_2; }
inline void set_cookieScale_2(float value)
{
___cookieScale_2 = value;
}
inline static int32_t get_offset_of_color_3() { return static_cast<int32_t>(offsetof(LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2, ___color_3)); }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 get_color_3() const { return ___color_3; }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 * get_address_of_color_3() { return &___color_3; }
inline void set_color_3(LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 value)
{
___color_3 = value;
}
inline static int32_t get_offset_of_indirectColor_4() { return static_cast<int32_t>(offsetof(LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2, ___indirectColor_4)); }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 get_indirectColor_4() const { return ___indirectColor_4; }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 * get_address_of_indirectColor_4() { return &___indirectColor_4; }
inline void set_indirectColor_4(LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 value)
{
___indirectColor_4 = value;
}
inline static int32_t get_offset_of_orientation_5() { return static_cast<int32_t>(offsetof(LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2, ___orientation_5)); }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 get_orientation_5() const { return ___orientation_5; }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 * get_address_of_orientation_5() { return &___orientation_5; }
inline void set_orientation_5(Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 value)
{
___orientation_5 = value;
}
inline static int32_t get_offset_of_position_6() { return static_cast<int32_t>(offsetof(LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2, ___position_6)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_position_6() const { return ___position_6; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_position_6() { return &___position_6; }
inline void set_position_6(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___position_6 = value;
}
inline static int32_t get_offset_of_range_7() { return static_cast<int32_t>(offsetof(LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2, ___range_7)); }
inline float get_range_7() const { return ___range_7; }
inline float* get_address_of_range_7() { return &___range_7; }
inline void set_range_7(float value)
{
___range_7 = value;
}
inline static int32_t get_offset_of_coneAngle_8() { return static_cast<int32_t>(offsetof(LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2, ___coneAngle_8)); }
inline float get_coneAngle_8() const { return ___coneAngle_8; }
inline float* get_address_of_coneAngle_8() { return &___coneAngle_8; }
inline void set_coneAngle_8(float value)
{
___coneAngle_8 = value;
}
inline static int32_t get_offset_of_innerConeAngle_9() { return static_cast<int32_t>(offsetof(LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2, ___innerConeAngle_9)); }
inline float get_innerConeAngle_9() const { return ___innerConeAngle_9; }
inline float* get_address_of_innerConeAngle_9() { return &___innerConeAngle_9; }
inline void set_innerConeAngle_9(float value)
{
___innerConeAngle_9 = value;
}
inline static int32_t get_offset_of_shape0_10() { return static_cast<int32_t>(offsetof(LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2, ___shape0_10)); }
inline float get_shape0_10() const { return ___shape0_10; }
inline float* get_address_of_shape0_10() { return &___shape0_10; }
inline void set_shape0_10(float value)
{
___shape0_10 = value;
}
inline static int32_t get_offset_of_shape1_11() { return static_cast<int32_t>(offsetof(LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2, ___shape1_11)); }
inline float get_shape1_11() const { return ___shape1_11; }
inline float* get_address_of_shape1_11() { return &___shape1_11; }
inline void set_shape1_11(float value)
{
___shape1_11 = value;
}
inline static int32_t get_offset_of_type_12() { return static_cast<int32_t>(offsetof(LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2, ___type_12)); }
inline uint8_t get_type_12() const { return ___type_12; }
inline uint8_t* get_address_of_type_12() { return &___type_12; }
inline void set_type_12(uint8_t value)
{
___type_12 = value;
}
inline static int32_t get_offset_of_mode_13() { return static_cast<int32_t>(offsetof(LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2, ___mode_13)); }
inline uint8_t get_mode_13() const { return ___mode_13; }
inline uint8_t* get_address_of_mode_13() { return &___mode_13; }
inline void set_mode_13(uint8_t value)
{
___mode_13 = value;
}
inline static int32_t get_offset_of_shadow_14() { return static_cast<int32_t>(offsetof(LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2, ___shadow_14)); }
inline uint8_t get_shadow_14() const { return ___shadow_14; }
inline uint8_t* get_address_of_shadow_14() { return &___shadow_14; }
inline void set_shadow_14(uint8_t value)
{
___shadow_14 = value;
}
inline static int32_t get_offset_of_falloff_15() { return static_cast<int32_t>(offsetof(LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2, ___falloff_15)); }
inline uint8_t get_falloff_15() const { return ___falloff_15; }
inline uint8_t* get_address_of_falloff_15() { return &___falloff_15; }
inline void set_falloff_15(uint8_t value)
{
___falloff_15 = value;
}
};
// UnityEngine.LightingSettings
struct LightingSettings_tE335AF166E4C5E962BCD465239ACCF7CE8B6D07D : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// UnityEngine.LightmapSettings
struct LightmapSettings_tA068F19D2B19B068ACADDA09FBC9B1B7B40846D8 : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// UnityEngine.SceneManagement.LoadSceneParameters
struct LoadSceneParameters_t98D2B4FCF0184320590305D3F367834287C2CAA2
{
public:
// UnityEngine.SceneManagement.LoadSceneMode UnityEngine.SceneManagement.LoadSceneParameters::m_LoadSceneMode
int32_t ___m_LoadSceneMode_0;
// UnityEngine.SceneManagement.LocalPhysicsMode UnityEngine.SceneManagement.LoadSceneParameters::m_LocalPhysicsMode
int32_t ___m_LocalPhysicsMode_1;
public:
inline static int32_t get_offset_of_m_LoadSceneMode_0() { return static_cast<int32_t>(offsetof(LoadSceneParameters_t98D2B4FCF0184320590305D3F367834287C2CAA2, ___m_LoadSceneMode_0)); }
inline int32_t get_m_LoadSceneMode_0() const { return ___m_LoadSceneMode_0; }
inline int32_t* get_address_of_m_LoadSceneMode_0() { return &___m_LoadSceneMode_0; }
inline void set_m_LoadSceneMode_0(int32_t value)
{
___m_LoadSceneMode_0 = value;
}
inline static int32_t get_offset_of_m_LocalPhysicsMode_1() { return static_cast<int32_t>(offsetof(LoadSceneParameters_t98D2B4FCF0184320590305D3F367834287C2CAA2, ___m_LocalPhysicsMode_1)); }
inline int32_t get_m_LocalPhysicsMode_1() const { return ___m_LocalPhysicsMode_1; }
inline int32_t* get_address_of_m_LocalPhysicsMode_1() { return &___m_LocalPhysicsMode_1; }
inline void set_m_LocalPhysicsMode_1(int32_t value)
{
___m_LocalPhysicsMode_1 = value;
}
};
// UnityEngine.Localization.Settings.LocalesProvider
struct LocalesProvider_t4DC116C69873D1DE01CC6A04C6961C70524F25F8 : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<UnityEngine.Localization.Locale> UnityEngine.Localization.Settings.LocalesProvider::m_Locales
List_1_t5458C7D71956D828BF249F05FDFBB2A6F74F95B0 * ___m_Locales_0;
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.Localization.Settings.LocalesProvider::m_LoadOperation
Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C ___m_LoadOperation_1;
public:
inline static int32_t get_offset_of_m_Locales_0() { return static_cast<int32_t>(offsetof(LocalesProvider_t4DC116C69873D1DE01CC6A04C6961C70524F25F8, ___m_Locales_0)); }
inline List_1_t5458C7D71956D828BF249F05FDFBB2A6F74F95B0 * get_m_Locales_0() const { return ___m_Locales_0; }
inline List_1_t5458C7D71956D828BF249F05FDFBB2A6F74F95B0 ** get_address_of_m_Locales_0() { return &___m_Locales_0; }
inline void set_m_Locales_0(List_1_t5458C7D71956D828BF249F05FDFBB2A6F74F95B0 * value)
{
___m_Locales_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Locales_0), (void*)value);
}
inline static int32_t get_offset_of_m_LoadOperation_1() { return static_cast<int32_t>(offsetof(LocalesProvider_t4DC116C69873D1DE01CC6A04C6961C70524F25F8, ___m_LoadOperation_1)); }
inline Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C get_m_LoadOperation_1() const { return ___m_LoadOperation_1; }
inline Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C * get_address_of_m_LoadOperation_1() { return &___m_LoadOperation_1; }
inline void set_m_LoadOperation_1(Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C value)
{
___m_LoadOperation_1 = value;
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_LoadOperation_1))->___value_0))->___m_InternalOp_1), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_LoadOperation_1))->___value_0))->___m_LocationName_3), (void*)NULL);
#endif
}
};
// System.Threading.LockRecursionException
struct LockRecursionException_tA4B541F6B8DABF4D294304DF7B70F547C8502014 : public Exception_t
{
public:
public:
};
// UnityEngine.Logger
struct Logger_tF55E56963C58F5166153EBF53A4F113038334F08 : public RuntimeObject
{
public:
// UnityEngine.ILogHandler UnityEngine.Logger::<logHandler>k__BackingField
RuntimeObject* ___U3ClogHandlerU3Ek__BackingField_0;
// System.Boolean UnityEngine.Logger::<logEnabled>k__BackingField
bool ___U3ClogEnabledU3Ek__BackingField_1;
// UnityEngine.LogType UnityEngine.Logger::<filterLogType>k__BackingField
int32_t ___U3CfilterLogTypeU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3ClogHandlerU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(Logger_tF55E56963C58F5166153EBF53A4F113038334F08, ___U3ClogHandlerU3Ek__BackingField_0)); }
inline RuntimeObject* get_U3ClogHandlerU3Ek__BackingField_0() const { return ___U3ClogHandlerU3Ek__BackingField_0; }
inline RuntimeObject** get_address_of_U3ClogHandlerU3Ek__BackingField_0() { return &___U3ClogHandlerU3Ek__BackingField_0; }
inline void set_U3ClogHandlerU3Ek__BackingField_0(RuntimeObject* value)
{
___U3ClogHandlerU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3ClogHandlerU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3ClogEnabledU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(Logger_tF55E56963C58F5166153EBF53A4F113038334F08, ___U3ClogEnabledU3Ek__BackingField_1)); }
inline bool get_U3ClogEnabledU3Ek__BackingField_1() const { return ___U3ClogEnabledU3Ek__BackingField_1; }
inline bool* get_address_of_U3ClogEnabledU3Ek__BackingField_1() { return &___U3ClogEnabledU3Ek__BackingField_1; }
inline void set_U3ClogEnabledU3Ek__BackingField_1(bool value)
{
___U3ClogEnabledU3Ek__BackingField_1 = value;
}
inline static int32_t get_offset_of_U3CfilterLogTypeU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(Logger_tF55E56963C58F5166153EBF53A4F113038334F08, ___U3CfilterLogTypeU3Ek__BackingField_2)); }
inline int32_t get_U3CfilterLogTypeU3Ek__BackingField_2() const { return ___U3CfilterLogTypeU3Ek__BackingField_2; }
inline int32_t* get_address_of_U3CfilterLogTypeU3Ek__BackingField_2() { return &___U3CfilterLogTypeU3Ek__BackingField_2; }
inline void set_U3CfilterLogTypeU3Ek__BackingField_2(int32_t value)
{
___U3CfilterLogTypeU3Ek__BackingField_2 = value;
}
};
// System.Linq.Expressions.LogicalBinaryExpression
struct LogicalBinaryExpression_t4EBE81211FC96D0A19F4EEF65442B6FFDBCF6889 : public BinaryExpression_tCD79755962D104E6603B50D89E7F0E41D1D9CA79
{
public:
// System.Linq.Expressions.ExpressionType System.Linq.Expressions.LogicalBinaryExpression::<NodeType>k__BackingField
int32_t ___U3CNodeTypeU3Ek__BackingField_5;
public:
inline static int32_t get_offset_of_U3CNodeTypeU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(LogicalBinaryExpression_t4EBE81211FC96D0A19F4EEF65442B6FFDBCF6889, ___U3CNodeTypeU3Ek__BackingField_5)); }
inline int32_t get_U3CNodeTypeU3Ek__BackingField_5() const { return ___U3CNodeTypeU3Ek__BackingField_5; }
inline int32_t* get_address_of_U3CNodeTypeU3Ek__BackingField_5() { return &___U3CNodeTypeU3Ek__BackingField_5; }
inline void set_U3CNodeTypeU3Ek__BackingField_5(int32_t value)
{
___U3CNodeTypeU3Ek__BackingField_5 = value;
}
};
// UnityEngine.LowerResBlitTexture
struct LowerResBlitTexture_t31ECFD449A74232C3D0EC76AC55A59BAAA31E5A4 : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// System.Runtime.InteropServices.MarshalAsAttribute
struct MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Runtime.InteropServices.MarshalAsAttribute::MarshalCookie
String_t* ___MarshalCookie_0;
// System.String System.Runtime.InteropServices.MarshalAsAttribute::MarshalType
String_t* ___MarshalType_1;
// System.Type System.Runtime.InteropServices.MarshalAsAttribute::MarshalTypeRef
Type_t * ___MarshalTypeRef_2;
// System.Type System.Runtime.InteropServices.MarshalAsAttribute::SafeArrayUserDefinedSubType
Type_t * ___SafeArrayUserDefinedSubType_3;
// System.Runtime.InteropServices.UnmanagedType System.Runtime.InteropServices.MarshalAsAttribute::utype
int32_t ___utype_4;
// System.Runtime.InteropServices.UnmanagedType System.Runtime.InteropServices.MarshalAsAttribute::ArraySubType
int32_t ___ArraySubType_5;
// System.Runtime.InteropServices.VarEnum System.Runtime.InteropServices.MarshalAsAttribute::SafeArraySubType
int32_t ___SafeArraySubType_6;
// System.Int32 System.Runtime.InteropServices.MarshalAsAttribute::SizeConst
int32_t ___SizeConst_7;
// System.Int32 System.Runtime.InteropServices.MarshalAsAttribute::IidParameterIndex
int32_t ___IidParameterIndex_8;
// System.Int16 System.Runtime.InteropServices.MarshalAsAttribute::SizeParamIndex
int16_t ___SizeParamIndex_9;
public:
inline static int32_t get_offset_of_MarshalCookie_0() { return static_cast<int32_t>(offsetof(MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6, ___MarshalCookie_0)); }
inline String_t* get_MarshalCookie_0() const { return ___MarshalCookie_0; }
inline String_t** get_address_of_MarshalCookie_0() { return &___MarshalCookie_0; }
inline void set_MarshalCookie_0(String_t* value)
{
___MarshalCookie_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___MarshalCookie_0), (void*)value);
}
inline static int32_t get_offset_of_MarshalType_1() { return static_cast<int32_t>(offsetof(MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6, ___MarshalType_1)); }
inline String_t* get_MarshalType_1() const { return ___MarshalType_1; }
inline String_t** get_address_of_MarshalType_1() { return &___MarshalType_1; }
inline void set_MarshalType_1(String_t* value)
{
___MarshalType_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___MarshalType_1), (void*)value);
}
inline static int32_t get_offset_of_MarshalTypeRef_2() { return static_cast<int32_t>(offsetof(MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6, ___MarshalTypeRef_2)); }
inline Type_t * get_MarshalTypeRef_2() const { return ___MarshalTypeRef_2; }
inline Type_t ** get_address_of_MarshalTypeRef_2() { return &___MarshalTypeRef_2; }
inline void set_MarshalTypeRef_2(Type_t * value)
{
___MarshalTypeRef_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___MarshalTypeRef_2), (void*)value);
}
inline static int32_t get_offset_of_SafeArrayUserDefinedSubType_3() { return static_cast<int32_t>(offsetof(MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6, ___SafeArrayUserDefinedSubType_3)); }
inline Type_t * get_SafeArrayUserDefinedSubType_3() const { return ___SafeArrayUserDefinedSubType_3; }
inline Type_t ** get_address_of_SafeArrayUserDefinedSubType_3() { return &___SafeArrayUserDefinedSubType_3; }
inline void set_SafeArrayUserDefinedSubType_3(Type_t * value)
{
___SafeArrayUserDefinedSubType_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___SafeArrayUserDefinedSubType_3), (void*)value);
}
inline static int32_t get_offset_of_utype_4() { return static_cast<int32_t>(offsetof(MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6, ___utype_4)); }
inline int32_t get_utype_4() const { return ___utype_4; }
inline int32_t* get_address_of_utype_4() { return &___utype_4; }
inline void set_utype_4(int32_t value)
{
___utype_4 = value;
}
inline static int32_t get_offset_of_ArraySubType_5() { return static_cast<int32_t>(offsetof(MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6, ___ArraySubType_5)); }
inline int32_t get_ArraySubType_5() const { return ___ArraySubType_5; }
inline int32_t* get_address_of_ArraySubType_5() { return &___ArraySubType_5; }
inline void set_ArraySubType_5(int32_t value)
{
___ArraySubType_5 = value;
}
inline static int32_t get_offset_of_SafeArraySubType_6() { return static_cast<int32_t>(offsetof(MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6, ___SafeArraySubType_6)); }
inline int32_t get_SafeArraySubType_6() const { return ___SafeArraySubType_6; }
inline int32_t* get_address_of_SafeArraySubType_6() { return &___SafeArraySubType_6; }
inline void set_SafeArraySubType_6(int32_t value)
{
___SafeArraySubType_6 = value;
}
inline static int32_t get_offset_of_SizeConst_7() { return static_cast<int32_t>(offsetof(MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6, ___SizeConst_7)); }
inline int32_t get_SizeConst_7() const { return ___SizeConst_7; }
inline int32_t* get_address_of_SizeConst_7() { return &___SizeConst_7; }
inline void set_SizeConst_7(int32_t value)
{
___SizeConst_7 = value;
}
inline static int32_t get_offset_of_IidParameterIndex_8() { return static_cast<int32_t>(offsetof(MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6, ___IidParameterIndex_8)); }
inline int32_t get_IidParameterIndex_8() const { return ___IidParameterIndex_8; }
inline int32_t* get_address_of_IidParameterIndex_8() { return &___IidParameterIndex_8; }
inline void set_IidParameterIndex_8(int32_t value)
{
___IidParameterIndex_8 = value;
}
inline static int32_t get_offset_of_SizeParamIndex_9() { return static_cast<int32_t>(offsetof(MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6, ___SizeParamIndex_9)); }
inline int16_t get_SizeParamIndex_9() const { return ___SizeParamIndex_9; }
inline int16_t* get_address_of_SizeParamIndex_9() { return &___SizeParamIndex_9; }
inline void set_SizeParamIndex_9(int16_t value)
{
___SizeParamIndex_9 = value;
}
};
// System.Text.RegularExpressions.MatchSparse
struct MatchSparse_tF4A7983ADA82DB12269F4D384E7C2D15F0D32694 : public Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B
{
public:
// System.Collections.Hashtable System.Text.RegularExpressions.MatchSparse::_caps
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ____caps_18;
public:
inline static int32_t get_offset_of__caps_18() { return static_cast<int32_t>(offsetof(MatchSparse_tF4A7983ADA82DB12269F4D384E7C2D15F0D32694, ____caps_18)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get__caps_18() const { return ____caps_18; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of__caps_18() { return &____caps_18; }
inline void set__caps_18(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
____caps_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&____caps_18), (void*)value);
}
};
// UnityEngine.Material
struct Material_t8927C00353A72755313F046D0CE85178AE8218EE : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// UnityEngine.Experimental.Playables.MaterialEffectPlayable
struct MaterialEffectPlayable_tE611325A2F3EFA8D330A6B3690D44C2C80D54DDB
{
public:
// UnityEngine.Playables.PlayableHandle UnityEngine.Experimental.Playables.MaterialEffectPlayable::m_Handle
PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(MaterialEffectPlayable_tE611325A2F3EFA8D330A6B3690D44C2C80D54DDB, ___m_Handle_0)); }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A value)
{
___m_Handle_0 = value;
}
};
// System.Reflection.MemberInfoSerializationHolder
struct MemberInfoSerializationHolder_tBBDB4F481704D2A4F3BACBB96B08386C88EEC0C7 : public RuntimeObject
{
public:
// System.String System.Reflection.MemberInfoSerializationHolder::m_memberName
String_t* ___m_memberName_0;
// System.RuntimeType System.Reflection.MemberInfoSerializationHolder::m_reflectedType
RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * ___m_reflectedType_1;
// System.String System.Reflection.MemberInfoSerializationHolder::m_signature
String_t* ___m_signature_2;
// System.String System.Reflection.MemberInfoSerializationHolder::m_signature2
String_t* ___m_signature2_3;
// System.Reflection.MemberTypes System.Reflection.MemberInfoSerializationHolder::m_memberType
int32_t ___m_memberType_4;
// System.Runtime.Serialization.SerializationInfo System.Reflection.MemberInfoSerializationHolder::m_info
SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 * ___m_info_5;
public:
inline static int32_t get_offset_of_m_memberName_0() { return static_cast<int32_t>(offsetof(MemberInfoSerializationHolder_tBBDB4F481704D2A4F3BACBB96B08386C88EEC0C7, ___m_memberName_0)); }
inline String_t* get_m_memberName_0() const { return ___m_memberName_0; }
inline String_t** get_address_of_m_memberName_0() { return &___m_memberName_0; }
inline void set_m_memberName_0(String_t* value)
{
___m_memberName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_memberName_0), (void*)value);
}
inline static int32_t get_offset_of_m_reflectedType_1() { return static_cast<int32_t>(offsetof(MemberInfoSerializationHolder_tBBDB4F481704D2A4F3BACBB96B08386C88EEC0C7, ___m_reflectedType_1)); }
inline RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * get_m_reflectedType_1() const { return ___m_reflectedType_1; }
inline RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 ** get_address_of_m_reflectedType_1() { return &___m_reflectedType_1; }
inline void set_m_reflectedType_1(RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * value)
{
___m_reflectedType_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_reflectedType_1), (void*)value);
}
inline static int32_t get_offset_of_m_signature_2() { return static_cast<int32_t>(offsetof(MemberInfoSerializationHolder_tBBDB4F481704D2A4F3BACBB96B08386C88EEC0C7, ___m_signature_2)); }
inline String_t* get_m_signature_2() const { return ___m_signature_2; }
inline String_t** get_address_of_m_signature_2() { return &___m_signature_2; }
inline void set_m_signature_2(String_t* value)
{
___m_signature_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_signature_2), (void*)value);
}
inline static int32_t get_offset_of_m_signature2_3() { return static_cast<int32_t>(offsetof(MemberInfoSerializationHolder_tBBDB4F481704D2A4F3BACBB96B08386C88EEC0C7, ___m_signature2_3)); }
inline String_t* get_m_signature2_3() const { return ___m_signature2_3; }
inline String_t** get_address_of_m_signature2_3() { return &___m_signature2_3; }
inline void set_m_signature2_3(String_t* value)
{
___m_signature2_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_signature2_3), (void*)value);
}
inline static int32_t get_offset_of_m_memberType_4() { return static_cast<int32_t>(offsetof(MemberInfoSerializationHolder_tBBDB4F481704D2A4F3BACBB96B08386C88EEC0C7, ___m_memberType_4)); }
inline int32_t get_m_memberType_4() const { return ___m_memberType_4; }
inline int32_t* get_address_of_m_memberType_4() { return &___m_memberType_4; }
inline void set_m_memberType_4(int32_t value)
{
___m_memberType_4 = value;
}
inline static int32_t get_offset_of_m_info_5() { return static_cast<int32_t>(offsetof(MemberInfoSerializationHolder_tBBDB4F481704D2A4F3BACBB96B08386C88EEC0C7, ___m_info_5)); }
inline SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 * get_m_info_5() const { return ___m_info_5; }
inline SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 ** get_address_of_m_info_5() { return &___m_info_5; }
inline void set_m_info_5(SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 * value)
{
___m_info_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_info_5), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.Binary.MemberPrimitiveTyped
struct MemberPrimitiveTyped_tCBCE9EFECA16A568F64E05D81D6672069E511965 : public RuntimeObject
{
public:
// System.Runtime.Serialization.Formatters.Binary.InternalPrimitiveTypeE System.Runtime.Serialization.Formatters.Binary.MemberPrimitiveTyped::primitiveTypeEnum
int32_t ___primitiveTypeEnum_0;
// System.Object System.Runtime.Serialization.Formatters.Binary.MemberPrimitiveTyped::value
RuntimeObject * ___value_1;
public:
inline static int32_t get_offset_of_primitiveTypeEnum_0() { return static_cast<int32_t>(offsetof(MemberPrimitiveTyped_tCBCE9EFECA16A568F64E05D81D6672069E511965, ___primitiveTypeEnum_0)); }
inline int32_t get_primitiveTypeEnum_0() const { return ___primitiveTypeEnum_0; }
inline int32_t* get_address_of_primitiveTypeEnum_0() { return &___primitiveTypeEnum_0; }
inline void set_primitiveTypeEnum_0(int32_t value)
{
___primitiveTypeEnum_0 = value;
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(MemberPrimitiveTyped_tCBCE9EFECA16A568F64E05D81D6672069E511965, ___value_1)); }
inline RuntimeObject * get_value_1() const { return ___value_1; }
inline RuntimeObject ** get_address_of_value_1() { return &___value_1; }
inline void set_value_1(RuntimeObject * value)
{
___value_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.Binary.MemberPrimitiveUnTyped
struct MemberPrimitiveUnTyped_t8674B07D14F272D23EE081754ED4B2B3D3BA640A : public RuntimeObject
{
public:
// System.Runtime.Serialization.Formatters.Binary.InternalPrimitiveTypeE System.Runtime.Serialization.Formatters.Binary.MemberPrimitiveUnTyped::typeInformation
int32_t ___typeInformation_0;
// System.Object System.Runtime.Serialization.Formatters.Binary.MemberPrimitiveUnTyped::value
RuntimeObject * ___value_1;
public:
inline static int32_t get_offset_of_typeInformation_0() { return static_cast<int32_t>(offsetof(MemberPrimitiveUnTyped_t8674B07D14F272D23EE081754ED4B2B3D3BA640A, ___typeInformation_0)); }
inline int32_t get_typeInformation_0() const { return ___typeInformation_0; }
inline int32_t* get_address_of_typeInformation_0() { return &___typeInformation_0; }
inline void set_typeInformation_0(int32_t value)
{
___typeInformation_0 = value;
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(MemberPrimitiveUnTyped_t8674B07D14F272D23EE081754ED4B2B3D3BA640A, ___value_1)); }
inline RuntimeObject * get_value_1() const { return ___value_1; }
inline RuntimeObject ** get_address_of_value_1() { return &___value_1; }
inline void set_value_1(RuntimeObject * value)
{
___value_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___value_1), (void*)value);
}
};
// UnityEngine.Mesh
struct Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// UnityEngine.XR.MeshGenerationResult
struct MeshGenerationResult_t081845588E8932BB4BA2D6F087D2F2F0EE3373CF
{
public:
// UnityEngine.XR.MeshId UnityEngine.XR.MeshGenerationResult::<MeshId>k__BackingField
MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767 ___U3CMeshIdU3Ek__BackingField_0;
// UnityEngine.Mesh UnityEngine.XR.MeshGenerationResult::<Mesh>k__BackingField
Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * ___U3CMeshU3Ek__BackingField_1;
// UnityEngine.MeshCollider UnityEngine.XR.MeshGenerationResult::<MeshCollider>k__BackingField
MeshCollider_t1983F4E7E53D8C6B65FE21A8B4E2345A84D57E98 * ___U3CMeshColliderU3Ek__BackingField_2;
// UnityEngine.XR.MeshGenerationStatus UnityEngine.XR.MeshGenerationResult::<Status>k__BackingField
int32_t ___U3CStatusU3Ek__BackingField_3;
// UnityEngine.XR.MeshVertexAttributes UnityEngine.XR.MeshGenerationResult::<Attributes>k__BackingField
int32_t ___U3CAttributesU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CMeshIdU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(MeshGenerationResult_t081845588E8932BB4BA2D6F087D2F2F0EE3373CF, ___U3CMeshIdU3Ek__BackingField_0)); }
inline MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767 get_U3CMeshIdU3Ek__BackingField_0() const { return ___U3CMeshIdU3Ek__BackingField_0; }
inline MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767 * get_address_of_U3CMeshIdU3Ek__BackingField_0() { return &___U3CMeshIdU3Ek__BackingField_0; }
inline void set_U3CMeshIdU3Ek__BackingField_0(MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767 value)
{
___U3CMeshIdU3Ek__BackingField_0 = value;
}
inline static int32_t get_offset_of_U3CMeshU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(MeshGenerationResult_t081845588E8932BB4BA2D6F087D2F2F0EE3373CF, ___U3CMeshU3Ek__BackingField_1)); }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * get_U3CMeshU3Ek__BackingField_1() const { return ___U3CMeshU3Ek__BackingField_1; }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 ** get_address_of_U3CMeshU3Ek__BackingField_1() { return &___U3CMeshU3Ek__BackingField_1; }
inline void set_U3CMeshU3Ek__BackingField_1(Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * value)
{
___U3CMeshU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CMeshU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CMeshColliderU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(MeshGenerationResult_t081845588E8932BB4BA2D6F087D2F2F0EE3373CF, ___U3CMeshColliderU3Ek__BackingField_2)); }
inline MeshCollider_t1983F4E7E53D8C6B65FE21A8B4E2345A84D57E98 * get_U3CMeshColliderU3Ek__BackingField_2() const { return ___U3CMeshColliderU3Ek__BackingField_2; }
inline MeshCollider_t1983F4E7E53D8C6B65FE21A8B4E2345A84D57E98 ** get_address_of_U3CMeshColliderU3Ek__BackingField_2() { return &___U3CMeshColliderU3Ek__BackingField_2; }
inline void set_U3CMeshColliderU3Ek__BackingField_2(MeshCollider_t1983F4E7E53D8C6B65FE21A8B4E2345A84D57E98 * value)
{
___U3CMeshColliderU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CMeshColliderU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CStatusU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(MeshGenerationResult_t081845588E8932BB4BA2D6F087D2F2F0EE3373CF, ___U3CStatusU3Ek__BackingField_3)); }
inline int32_t get_U3CStatusU3Ek__BackingField_3() const { return ___U3CStatusU3Ek__BackingField_3; }
inline int32_t* get_address_of_U3CStatusU3Ek__BackingField_3() { return &___U3CStatusU3Ek__BackingField_3; }
inline void set_U3CStatusU3Ek__BackingField_3(int32_t value)
{
___U3CStatusU3Ek__BackingField_3 = value;
}
inline static int32_t get_offset_of_U3CAttributesU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(MeshGenerationResult_t081845588E8932BB4BA2D6F087D2F2F0EE3373CF, ___U3CAttributesU3Ek__BackingField_4)); }
inline int32_t get_U3CAttributesU3Ek__BackingField_4() const { return ___U3CAttributesU3Ek__BackingField_4; }
inline int32_t* get_address_of_U3CAttributesU3Ek__BackingField_4() { return &___U3CAttributesU3Ek__BackingField_4; }
inline void set_U3CAttributesU3Ek__BackingField_4(int32_t value)
{
___U3CAttributesU3Ek__BackingField_4 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.MeshGenerationResult
struct MeshGenerationResult_t081845588E8932BB4BA2D6F087D2F2F0EE3373CF_marshaled_pinvoke
{
MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767 ___U3CMeshIdU3Ek__BackingField_0;
Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * ___U3CMeshU3Ek__BackingField_1;
MeshCollider_t1983F4E7E53D8C6B65FE21A8B4E2345A84D57E98 * ___U3CMeshColliderU3Ek__BackingField_2;
int32_t ___U3CStatusU3Ek__BackingField_3;
int32_t ___U3CAttributesU3Ek__BackingField_4;
};
// Native definition for COM marshalling of UnityEngine.XR.MeshGenerationResult
struct MeshGenerationResult_t081845588E8932BB4BA2D6F087D2F2F0EE3373CF_marshaled_com
{
MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767 ___U3CMeshIdU3Ek__BackingField_0;
Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * ___U3CMeshU3Ek__BackingField_1;
MeshCollider_t1983F4E7E53D8C6B65FE21A8B4E2345A84D57E98 * ___U3CMeshColliderU3Ek__BackingField_2;
int32_t ___U3CStatusU3Ek__BackingField_3;
int32_t ___U3CAttributesU3Ek__BackingField_4;
};
// UnityEngine.XR.MeshInfo
struct MeshInfo_tD0E09CA3A2260A509C063BF0C8FDAC8D138FC611
{
public:
// UnityEngine.XR.MeshId UnityEngine.XR.MeshInfo::<MeshId>k__BackingField
MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767 ___U3CMeshIdU3Ek__BackingField_0;
// UnityEngine.XR.MeshChangeState UnityEngine.XR.MeshInfo::<ChangeState>k__BackingField
int32_t ___U3CChangeStateU3Ek__BackingField_1;
// System.Int32 UnityEngine.XR.MeshInfo::<PriorityHint>k__BackingField
int32_t ___U3CPriorityHintU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CMeshIdU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(MeshInfo_tD0E09CA3A2260A509C063BF0C8FDAC8D138FC611, ___U3CMeshIdU3Ek__BackingField_0)); }
inline MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767 get_U3CMeshIdU3Ek__BackingField_0() const { return ___U3CMeshIdU3Ek__BackingField_0; }
inline MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767 * get_address_of_U3CMeshIdU3Ek__BackingField_0() { return &___U3CMeshIdU3Ek__BackingField_0; }
inline void set_U3CMeshIdU3Ek__BackingField_0(MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767 value)
{
___U3CMeshIdU3Ek__BackingField_0 = value;
}
inline static int32_t get_offset_of_U3CChangeStateU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(MeshInfo_tD0E09CA3A2260A509C063BF0C8FDAC8D138FC611, ___U3CChangeStateU3Ek__BackingField_1)); }
inline int32_t get_U3CChangeStateU3Ek__BackingField_1() const { return ___U3CChangeStateU3Ek__BackingField_1; }
inline int32_t* get_address_of_U3CChangeStateU3Ek__BackingField_1() { return &___U3CChangeStateU3Ek__BackingField_1; }
inline void set_U3CChangeStateU3Ek__BackingField_1(int32_t value)
{
___U3CChangeStateU3Ek__BackingField_1 = value;
}
inline static int32_t get_offset_of_U3CPriorityHintU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(MeshInfo_tD0E09CA3A2260A509C063BF0C8FDAC8D138FC611, ___U3CPriorityHintU3Ek__BackingField_2)); }
inline int32_t get_U3CPriorityHintU3Ek__BackingField_2() const { return ___U3CPriorityHintU3Ek__BackingField_2; }
inline int32_t* get_address_of_U3CPriorityHintU3Ek__BackingField_2() { return &___U3CPriorityHintU3Ek__BackingField_2; }
inline void set_U3CPriorityHintU3Ek__BackingField_2(int32_t value)
{
___U3CPriorityHintU3Ek__BackingField_2 = value;
}
};
// UnityEngine.Localization.Metadata.MetadataAttribute
struct MetadataAttribute_tE37D7B4320EBB7FA34C1C0417A090B1F47C010C2 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String UnityEngine.Localization.Metadata.MetadataAttribute::<MenuItem>k__BackingField
String_t* ___U3CMenuItemU3Ek__BackingField_0;
// System.Boolean UnityEngine.Localization.Metadata.MetadataAttribute::<AllowMultiple>k__BackingField
bool ___U3CAllowMultipleU3Ek__BackingField_1;
// UnityEngine.Localization.Metadata.MetadataType UnityEngine.Localization.Metadata.MetadataAttribute::<AllowedTypes>k__BackingField
int32_t ___U3CAllowedTypesU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CMenuItemU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(MetadataAttribute_tE37D7B4320EBB7FA34C1C0417A090B1F47C010C2, ___U3CMenuItemU3Ek__BackingField_0)); }
inline String_t* get_U3CMenuItemU3Ek__BackingField_0() const { return ___U3CMenuItemU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CMenuItemU3Ek__BackingField_0() { return &___U3CMenuItemU3Ek__BackingField_0; }
inline void set_U3CMenuItemU3Ek__BackingField_0(String_t* value)
{
___U3CMenuItemU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CMenuItemU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CAllowMultipleU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(MetadataAttribute_tE37D7B4320EBB7FA34C1C0417A090B1F47C010C2, ___U3CAllowMultipleU3Ek__BackingField_1)); }
inline bool get_U3CAllowMultipleU3Ek__BackingField_1() const { return ___U3CAllowMultipleU3Ek__BackingField_1; }
inline bool* get_address_of_U3CAllowMultipleU3Ek__BackingField_1() { return &___U3CAllowMultipleU3Ek__BackingField_1; }
inline void set_U3CAllowMultipleU3Ek__BackingField_1(bool value)
{
___U3CAllowMultipleU3Ek__BackingField_1 = value;
}
inline static int32_t get_offset_of_U3CAllowedTypesU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(MetadataAttribute_tE37D7B4320EBB7FA34C1C0417A090B1F47C010C2, ___U3CAllowedTypesU3Ek__BackingField_2)); }
inline int32_t get_U3CAllowedTypesU3Ek__BackingField_2() const { return ___U3CAllowedTypesU3Ek__BackingField_2; }
inline int32_t* get_address_of_U3CAllowedTypesU3Ek__BackingField_2() { return &___U3CAllowedTypesU3Ek__BackingField_2; }
inline void set_U3CAllowedTypesU3Ek__BackingField_2(int32_t value)
{
___U3CAllowedTypesU3Ek__BackingField_2 = value;
}
};
// UnityEngine.Localization.Metadata.MetadataTypeAttribute
struct MetadataTypeAttribute_tAFCE5B38497B8A0A568A0679436A8CEA8F215B62 : public PropertyAttribute_t4A352471DF625C56C811E27AC86B7E1CE6444052
{
public:
// UnityEngine.Localization.Metadata.MetadataType UnityEngine.Localization.Metadata.MetadataTypeAttribute::<Type>k__BackingField
int32_t ___U3CTypeU3Ek__BackingField_0;
public:
inline static int32_t get_offset_of_U3CTypeU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(MetadataTypeAttribute_tAFCE5B38497B8A0A568A0679436A8CEA8F215B62, ___U3CTypeU3Ek__BackingField_0)); }
inline int32_t get_U3CTypeU3Ek__BackingField_0() const { return ___U3CTypeU3Ek__BackingField_0; }
inline int32_t* get_address_of_U3CTypeU3Ek__BackingField_0() { return &___U3CTypeU3Ek__BackingField_0; }
inline void set_U3CTypeU3Ek__BackingField_0(int32_t value)
{
___U3CTypeU3Ek__BackingField_0 = value;
}
};
// System.Reflection.Emit.MethodBuilder
struct MethodBuilder_tC2BE3D31F8E2469922737447ED07FD852BBDE200 : public MethodInfo_t
{
public:
public:
};
// System.Reflection.Module
struct Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7 : public RuntimeObject
{
public:
// System.IntPtr System.Reflection.Module::_impl
intptr_t ____impl_2;
// System.Reflection.Assembly System.Reflection.Module::assembly
Assembly_t * ___assembly_3;
// System.String System.Reflection.Module::fqname
String_t* ___fqname_4;
// System.String System.Reflection.Module::name
String_t* ___name_5;
// System.String System.Reflection.Module::scopename
String_t* ___scopename_6;
// System.Boolean System.Reflection.Module::is_resource
bool ___is_resource_7;
// System.Int32 System.Reflection.Module::token
int32_t ___token_8;
public:
inline static int32_t get_offset_of__impl_2() { return static_cast<int32_t>(offsetof(Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7, ____impl_2)); }
inline intptr_t get__impl_2() const { return ____impl_2; }
inline intptr_t* get_address_of__impl_2() { return &____impl_2; }
inline void set__impl_2(intptr_t value)
{
____impl_2 = value;
}
inline static int32_t get_offset_of_assembly_3() { return static_cast<int32_t>(offsetof(Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7, ___assembly_3)); }
inline Assembly_t * get_assembly_3() const { return ___assembly_3; }
inline Assembly_t ** get_address_of_assembly_3() { return &___assembly_3; }
inline void set_assembly_3(Assembly_t * value)
{
___assembly_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assembly_3), (void*)value);
}
inline static int32_t get_offset_of_fqname_4() { return static_cast<int32_t>(offsetof(Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7, ___fqname_4)); }
inline String_t* get_fqname_4() const { return ___fqname_4; }
inline String_t** get_address_of_fqname_4() { return &___fqname_4; }
inline void set_fqname_4(String_t* value)
{
___fqname_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___fqname_4), (void*)value);
}
inline static int32_t get_offset_of_name_5() { return static_cast<int32_t>(offsetof(Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7, ___name_5)); }
inline String_t* get_name_5() const { return ___name_5; }
inline String_t** get_address_of_name_5() { return &___name_5; }
inline void set_name_5(String_t* value)
{
___name_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_5), (void*)value);
}
inline static int32_t get_offset_of_scopename_6() { return static_cast<int32_t>(offsetof(Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7, ___scopename_6)); }
inline String_t* get_scopename_6() const { return ___scopename_6; }
inline String_t** get_address_of_scopename_6() { return &___scopename_6; }
inline void set_scopename_6(String_t* value)
{
___scopename_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___scopename_6), (void*)value);
}
inline static int32_t get_offset_of_is_resource_7() { return static_cast<int32_t>(offsetof(Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7, ___is_resource_7)); }
inline bool get_is_resource_7() const { return ___is_resource_7; }
inline bool* get_address_of_is_resource_7() { return &___is_resource_7; }
inline void set_is_resource_7(bool value)
{
___is_resource_7 = value;
}
inline static int32_t get_offset_of_token_8() { return static_cast<int32_t>(offsetof(Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7, ___token_8)); }
inline int32_t get_token_8() const { return ___token_8; }
inline int32_t* get_address_of_token_8() { return &___token_8; }
inline void set_token_8(int32_t value)
{
___token_8 = value;
}
};
struct Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7_StaticFields
{
public:
// System.Reflection.TypeFilter System.Reflection.Module::FilterTypeName
TypeFilter_t8E0AA7E71F2D6695C61A52277E6CF6E49230F2C3 * ___FilterTypeName_0;
// System.Reflection.TypeFilter System.Reflection.Module::FilterTypeNameIgnoreCase
TypeFilter_t8E0AA7E71F2D6695C61A52277E6CF6E49230F2C3 * ___FilterTypeNameIgnoreCase_1;
public:
inline static int32_t get_offset_of_FilterTypeName_0() { return static_cast<int32_t>(offsetof(Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7_StaticFields, ___FilterTypeName_0)); }
inline TypeFilter_t8E0AA7E71F2D6695C61A52277E6CF6E49230F2C3 * get_FilterTypeName_0() const { return ___FilterTypeName_0; }
inline TypeFilter_t8E0AA7E71F2D6695C61A52277E6CF6E49230F2C3 ** get_address_of_FilterTypeName_0() { return &___FilterTypeName_0; }
inline void set_FilterTypeName_0(TypeFilter_t8E0AA7E71F2D6695C61A52277E6CF6E49230F2C3 * value)
{
___FilterTypeName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___FilterTypeName_0), (void*)value);
}
inline static int32_t get_offset_of_FilterTypeNameIgnoreCase_1() { return static_cast<int32_t>(offsetof(Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7_StaticFields, ___FilterTypeNameIgnoreCase_1)); }
inline TypeFilter_t8E0AA7E71F2D6695C61A52277E6CF6E49230F2C3 * get_FilterTypeNameIgnoreCase_1() const { return ___FilterTypeNameIgnoreCase_1; }
inline TypeFilter_t8E0AA7E71F2D6695C61A52277E6CF6E49230F2C3 ** get_address_of_FilterTypeNameIgnoreCase_1() { return &___FilterTypeNameIgnoreCase_1; }
inline void set_FilterTypeNameIgnoreCase_1(TypeFilter_t8E0AA7E71F2D6695C61A52277E6CF6E49230F2C3 * value)
{
___FilterTypeNameIgnoreCase_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___FilterTypeNameIgnoreCase_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Reflection.Module
struct Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7_marshaled_pinvoke
{
intptr_t ____impl_2;
Assembly_t_marshaled_pinvoke* ___assembly_3;
char* ___fqname_4;
char* ___name_5;
char* ___scopename_6;
int32_t ___is_resource_7;
int32_t ___token_8;
};
// Native definition for COM marshalling of System.Reflection.Module
struct Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7_marshaled_com
{
intptr_t ____impl_2;
Assembly_t_marshaled_com* ___assembly_3;
Il2CppChar* ___fqname_4;
Il2CppChar* ___name_5;
Il2CppChar* ___scopename_6;
int32_t ___is_resource_7;
int32_t ___token_8;
};
// System.Reflection.MonoEvent
struct MonoEvent_t : public RuntimeEventInfo_t5499701A1A4665B11FD7C9962211469A7E349B1C
{
public:
// System.IntPtr System.Reflection.MonoEvent::klass
intptr_t ___klass_1;
// System.IntPtr System.Reflection.MonoEvent::handle
intptr_t ___handle_2;
public:
inline static int32_t get_offset_of_klass_1() { return static_cast<int32_t>(offsetof(MonoEvent_t, ___klass_1)); }
inline intptr_t get_klass_1() const { return ___klass_1; }
inline intptr_t* get_address_of_klass_1() { return &___klass_1; }
inline void set_klass_1(intptr_t value)
{
___klass_1 = value;
}
inline static int32_t get_offset_of_handle_2() { return static_cast<int32_t>(offsetof(MonoEvent_t, ___handle_2)); }
inline intptr_t get_handle_2() const { return ___handle_2; }
inline intptr_t* get_address_of_handle_2() { return &___handle_2; }
inline void set_handle_2(intptr_t value)
{
___handle_2 = value;
}
};
// System.Reflection.MonoEventInfo
struct MonoEventInfo_t0748824AF7D8732CE1A1D0F67436972A448CB59F
{
public:
// System.Type System.Reflection.MonoEventInfo::declaring_type
Type_t * ___declaring_type_0;
// System.Type System.Reflection.MonoEventInfo::reflected_type
Type_t * ___reflected_type_1;
// System.String System.Reflection.MonoEventInfo::name
String_t* ___name_2;
// System.Reflection.MethodInfo System.Reflection.MonoEventInfo::add_method
MethodInfo_t * ___add_method_3;
// System.Reflection.MethodInfo System.Reflection.MonoEventInfo::remove_method
MethodInfo_t * ___remove_method_4;
// System.Reflection.MethodInfo System.Reflection.MonoEventInfo::raise_method
MethodInfo_t * ___raise_method_5;
// System.Reflection.EventAttributes System.Reflection.MonoEventInfo::attrs
int32_t ___attrs_6;
// System.Reflection.MethodInfo[] System.Reflection.MonoEventInfo::other_methods
MethodInfoU5BU5D_t86AA7E1AF11D62BAE3189F25907B252596FA627E* ___other_methods_7;
public:
inline static int32_t get_offset_of_declaring_type_0() { return static_cast<int32_t>(offsetof(MonoEventInfo_t0748824AF7D8732CE1A1D0F67436972A448CB59F, ___declaring_type_0)); }
inline Type_t * get_declaring_type_0() const { return ___declaring_type_0; }
inline Type_t ** get_address_of_declaring_type_0() { return &___declaring_type_0; }
inline void set_declaring_type_0(Type_t * value)
{
___declaring_type_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___declaring_type_0), (void*)value);
}
inline static int32_t get_offset_of_reflected_type_1() { return static_cast<int32_t>(offsetof(MonoEventInfo_t0748824AF7D8732CE1A1D0F67436972A448CB59F, ___reflected_type_1)); }
inline Type_t * get_reflected_type_1() const { return ___reflected_type_1; }
inline Type_t ** get_address_of_reflected_type_1() { return &___reflected_type_1; }
inline void set_reflected_type_1(Type_t * value)
{
___reflected_type_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___reflected_type_1), (void*)value);
}
inline static int32_t get_offset_of_name_2() { return static_cast<int32_t>(offsetof(MonoEventInfo_t0748824AF7D8732CE1A1D0F67436972A448CB59F, ___name_2)); }
inline String_t* get_name_2() const { return ___name_2; }
inline String_t** get_address_of_name_2() { return &___name_2; }
inline void set_name_2(String_t* value)
{
___name_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_2), (void*)value);
}
inline static int32_t get_offset_of_add_method_3() { return static_cast<int32_t>(offsetof(MonoEventInfo_t0748824AF7D8732CE1A1D0F67436972A448CB59F, ___add_method_3)); }
inline MethodInfo_t * get_add_method_3() const { return ___add_method_3; }
inline MethodInfo_t ** get_address_of_add_method_3() { return &___add_method_3; }
inline void set_add_method_3(MethodInfo_t * value)
{
___add_method_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___add_method_3), (void*)value);
}
inline static int32_t get_offset_of_remove_method_4() { return static_cast<int32_t>(offsetof(MonoEventInfo_t0748824AF7D8732CE1A1D0F67436972A448CB59F, ___remove_method_4)); }
inline MethodInfo_t * get_remove_method_4() const { return ___remove_method_4; }
inline MethodInfo_t ** get_address_of_remove_method_4() { return &___remove_method_4; }
inline void set_remove_method_4(MethodInfo_t * value)
{
___remove_method_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___remove_method_4), (void*)value);
}
inline static int32_t get_offset_of_raise_method_5() { return static_cast<int32_t>(offsetof(MonoEventInfo_t0748824AF7D8732CE1A1D0F67436972A448CB59F, ___raise_method_5)); }
inline MethodInfo_t * get_raise_method_5() const { return ___raise_method_5; }
inline MethodInfo_t ** get_address_of_raise_method_5() { return &___raise_method_5; }
inline void set_raise_method_5(MethodInfo_t * value)
{
___raise_method_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___raise_method_5), (void*)value);
}
inline static int32_t get_offset_of_attrs_6() { return static_cast<int32_t>(offsetof(MonoEventInfo_t0748824AF7D8732CE1A1D0F67436972A448CB59F, ___attrs_6)); }
inline int32_t get_attrs_6() const { return ___attrs_6; }
inline int32_t* get_address_of_attrs_6() { return &___attrs_6; }
inline void set_attrs_6(int32_t value)
{
___attrs_6 = value;
}
inline static int32_t get_offset_of_other_methods_7() { return static_cast<int32_t>(offsetof(MonoEventInfo_t0748824AF7D8732CE1A1D0F67436972A448CB59F, ___other_methods_7)); }
inline MethodInfoU5BU5D_t86AA7E1AF11D62BAE3189F25907B252596FA627E* get_other_methods_7() const { return ___other_methods_7; }
inline MethodInfoU5BU5D_t86AA7E1AF11D62BAE3189F25907B252596FA627E** get_address_of_other_methods_7() { return &___other_methods_7; }
inline void set_other_methods_7(MethodInfoU5BU5D_t86AA7E1AF11D62BAE3189F25907B252596FA627E* value)
{
___other_methods_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___other_methods_7), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Reflection.MonoEventInfo
struct MonoEventInfo_t0748824AF7D8732CE1A1D0F67436972A448CB59F_marshaled_pinvoke
{
Type_t * ___declaring_type_0;
Type_t * ___reflected_type_1;
char* ___name_2;
MethodInfo_t * ___add_method_3;
MethodInfo_t * ___remove_method_4;
MethodInfo_t * ___raise_method_5;
int32_t ___attrs_6;
MethodInfoU5BU5D_t86AA7E1AF11D62BAE3189F25907B252596FA627E* ___other_methods_7;
};
// Native definition for COM marshalling of System.Reflection.MonoEventInfo
struct MonoEventInfo_t0748824AF7D8732CE1A1D0F67436972A448CB59F_marshaled_com
{
Type_t * ___declaring_type_0;
Type_t * ___reflected_type_1;
Il2CppChar* ___name_2;
MethodInfo_t * ___add_method_3;
MethodInfo_t * ___remove_method_4;
MethodInfo_t * ___raise_method_5;
int32_t ___attrs_6;
MethodInfoU5BU5D_t86AA7E1AF11D62BAE3189F25907B252596FA627E* ___other_methods_7;
};
// System.IO.MonoIOStat
struct MonoIOStat_t24C11A45B0B5F84242B31BA1EF48458595FF5F71
{
public:
// System.IO.FileAttributes System.IO.MonoIOStat::fileAttributes
int32_t ___fileAttributes_0;
// System.Int64 System.IO.MonoIOStat::Length
int64_t ___Length_1;
// System.Int64 System.IO.MonoIOStat::CreationTime
int64_t ___CreationTime_2;
// System.Int64 System.IO.MonoIOStat::LastAccessTime
int64_t ___LastAccessTime_3;
// System.Int64 System.IO.MonoIOStat::LastWriteTime
int64_t ___LastWriteTime_4;
public:
inline static int32_t get_offset_of_fileAttributes_0() { return static_cast<int32_t>(offsetof(MonoIOStat_t24C11A45B0B5F84242B31BA1EF48458595FF5F71, ___fileAttributes_0)); }
inline int32_t get_fileAttributes_0() const { return ___fileAttributes_0; }
inline int32_t* get_address_of_fileAttributes_0() { return &___fileAttributes_0; }
inline void set_fileAttributes_0(int32_t value)
{
___fileAttributes_0 = value;
}
inline static int32_t get_offset_of_Length_1() { return static_cast<int32_t>(offsetof(MonoIOStat_t24C11A45B0B5F84242B31BA1EF48458595FF5F71, ___Length_1)); }
inline int64_t get_Length_1() const { return ___Length_1; }
inline int64_t* get_address_of_Length_1() { return &___Length_1; }
inline void set_Length_1(int64_t value)
{
___Length_1 = value;
}
inline static int32_t get_offset_of_CreationTime_2() { return static_cast<int32_t>(offsetof(MonoIOStat_t24C11A45B0B5F84242B31BA1EF48458595FF5F71, ___CreationTime_2)); }
inline int64_t get_CreationTime_2() const { return ___CreationTime_2; }
inline int64_t* get_address_of_CreationTime_2() { return &___CreationTime_2; }
inline void set_CreationTime_2(int64_t value)
{
___CreationTime_2 = value;
}
inline static int32_t get_offset_of_LastAccessTime_3() { return static_cast<int32_t>(offsetof(MonoIOStat_t24C11A45B0B5F84242B31BA1EF48458595FF5F71, ___LastAccessTime_3)); }
inline int64_t get_LastAccessTime_3() const { return ___LastAccessTime_3; }
inline int64_t* get_address_of_LastAccessTime_3() { return &___LastAccessTime_3; }
inline void set_LastAccessTime_3(int64_t value)
{
___LastAccessTime_3 = value;
}
inline static int32_t get_offset_of_LastWriteTime_4() { return static_cast<int32_t>(offsetof(MonoIOStat_t24C11A45B0B5F84242B31BA1EF48458595FF5F71, ___LastWriteTime_4)); }
inline int64_t get_LastWriteTime_4() const { return ___LastWriteTime_4; }
inline int64_t* get_address_of_LastWriteTime_4() { return &___LastWriteTime_4; }
inline void set_LastWriteTime_4(int64_t value)
{
___LastWriteTime_4 = value;
}
};
// System.Reflection.MonoMethodInfo
struct MonoMethodInfo_tE93FDE712D5034241FFC36C41D315D9EDD2C2D38
{
public:
// System.Type System.Reflection.MonoMethodInfo::parent
Type_t * ___parent_0;
// System.Type System.Reflection.MonoMethodInfo::ret
Type_t * ___ret_1;
// System.Reflection.MethodAttributes System.Reflection.MonoMethodInfo::attrs
int32_t ___attrs_2;
// System.Reflection.MethodImplAttributes System.Reflection.MonoMethodInfo::iattrs
int32_t ___iattrs_3;
// System.Reflection.CallingConventions System.Reflection.MonoMethodInfo::callconv
int32_t ___callconv_4;
public:
inline static int32_t get_offset_of_parent_0() { return static_cast<int32_t>(offsetof(MonoMethodInfo_tE93FDE712D5034241FFC36C41D315D9EDD2C2D38, ___parent_0)); }
inline Type_t * get_parent_0() const { return ___parent_0; }
inline Type_t ** get_address_of_parent_0() { return &___parent_0; }
inline void set_parent_0(Type_t * value)
{
___parent_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___parent_0), (void*)value);
}
inline static int32_t get_offset_of_ret_1() { return static_cast<int32_t>(offsetof(MonoMethodInfo_tE93FDE712D5034241FFC36C41D315D9EDD2C2D38, ___ret_1)); }
inline Type_t * get_ret_1() const { return ___ret_1; }
inline Type_t ** get_address_of_ret_1() { return &___ret_1; }
inline void set_ret_1(Type_t * value)
{
___ret_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ret_1), (void*)value);
}
inline static int32_t get_offset_of_attrs_2() { return static_cast<int32_t>(offsetof(MonoMethodInfo_tE93FDE712D5034241FFC36C41D315D9EDD2C2D38, ___attrs_2)); }
inline int32_t get_attrs_2() const { return ___attrs_2; }
inline int32_t* get_address_of_attrs_2() { return &___attrs_2; }
inline void set_attrs_2(int32_t value)
{
___attrs_2 = value;
}
inline static int32_t get_offset_of_iattrs_3() { return static_cast<int32_t>(offsetof(MonoMethodInfo_tE93FDE712D5034241FFC36C41D315D9EDD2C2D38, ___iattrs_3)); }
inline int32_t get_iattrs_3() const { return ___iattrs_3; }
inline int32_t* get_address_of_iattrs_3() { return &___iattrs_3; }
inline void set_iattrs_3(int32_t value)
{
___iattrs_3 = value;
}
inline static int32_t get_offset_of_callconv_4() { return static_cast<int32_t>(offsetof(MonoMethodInfo_tE93FDE712D5034241FFC36C41D315D9EDD2C2D38, ___callconv_4)); }
inline int32_t get_callconv_4() const { return ___callconv_4; }
inline int32_t* get_address_of_callconv_4() { return &___callconv_4; }
inline void set_callconv_4(int32_t value)
{
___callconv_4 = value;
}
};
// Native definition for P/Invoke marshalling of System.Reflection.MonoMethodInfo
struct MonoMethodInfo_tE93FDE712D5034241FFC36C41D315D9EDD2C2D38_marshaled_pinvoke
{
Type_t * ___parent_0;
Type_t * ___ret_1;
int32_t ___attrs_2;
int32_t ___iattrs_3;
int32_t ___callconv_4;
};
// Native definition for COM marshalling of System.Reflection.MonoMethodInfo
struct MonoMethodInfo_tE93FDE712D5034241FFC36C41D315D9EDD2C2D38_marshaled_com
{
Type_t * ___parent_0;
Type_t * ___ret_1;
int32_t ___attrs_2;
int32_t ___iattrs_3;
int32_t ___callconv_4;
};
// System.Runtime.Remoting.Messaging.MonoMethodMessage
struct MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC : public RuntimeObject
{
public:
// System.Reflection.MonoMethod System.Runtime.Remoting.Messaging.MonoMethodMessage::method
MonoMethod_t * ___method_0;
// System.Object[] System.Runtime.Remoting.Messaging.MonoMethodMessage::args
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___args_1;
// System.String[] System.Runtime.Remoting.Messaging.MonoMethodMessage::names
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___names_2;
// System.Byte[] System.Runtime.Remoting.Messaging.MonoMethodMessage::arg_types
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___arg_types_3;
// System.Runtime.Remoting.Messaging.LogicalCallContext System.Runtime.Remoting.Messaging.MonoMethodMessage::ctx
LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * ___ctx_4;
// System.Object System.Runtime.Remoting.Messaging.MonoMethodMessage::rval
RuntimeObject * ___rval_5;
// System.Exception System.Runtime.Remoting.Messaging.MonoMethodMessage::exc
Exception_t * ___exc_6;
// System.Runtime.Remoting.Messaging.AsyncResult System.Runtime.Remoting.Messaging.MonoMethodMessage::asyncResult
AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B * ___asyncResult_7;
// System.Runtime.Remoting.Messaging.CallType System.Runtime.Remoting.Messaging.MonoMethodMessage::call_type
int32_t ___call_type_8;
// System.String System.Runtime.Remoting.Messaging.MonoMethodMessage::uri
String_t* ___uri_9;
// System.Runtime.Remoting.Messaging.MCMDictionary System.Runtime.Remoting.Messaging.MonoMethodMessage::properties
MCMDictionary_tEA8C1F89F5B3783040584C2C390C758B1420CCDF * ___properties_10;
// System.Type[] System.Runtime.Remoting.Messaging.MonoMethodMessage::methodSignature
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ___methodSignature_11;
// System.Runtime.Remoting.Identity System.Runtime.Remoting.Messaging.MonoMethodMessage::identity
Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 * ___identity_12;
public:
inline static int32_t get_offset_of_method_0() { return static_cast<int32_t>(offsetof(MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC, ___method_0)); }
inline MonoMethod_t * get_method_0() const { return ___method_0; }
inline MonoMethod_t ** get_address_of_method_0() { return &___method_0; }
inline void set_method_0(MonoMethod_t * value)
{
___method_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___method_0), (void*)value);
}
inline static int32_t get_offset_of_args_1() { return static_cast<int32_t>(offsetof(MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC, ___args_1)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_args_1() const { return ___args_1; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_args_1() { return &___args_1; }
inline void set_args_1(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___args_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___args_1), (void*)value);
}
inline static int32_t get_offset_of_names_2() { return static_cast<int32_t>(offsetof(MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC, ___names_2)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_names_2() const { return ___names_2; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_names_2() { return &___names_2; }
inline void set_names_2(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___names_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___names_2), (void*)value);
}
inline static int32_t get_offset_of_arg_types_3() { return static_cast<int32_t>(offsetof(MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC, ___arg_types_3)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_arg_types_3() const { return ___arg_types_3; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_arg_types_3() { return &___arg_types_3; }
inline void set_arg_types_3(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___arg_types_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___arg_types_3), (void*)value);
}
inline static int32_t get_offset_of_ctx_4() { return static_cast<int32_t>(offsetof(MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC, ___ctx_4)); }
inline LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * get_ctx_4() const { return ___ctx_4; }
inline LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 ** get_address_of_ctx_4() { return &___ctx_4; }
inline void set_ctx_4(LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * value)
{
___ctx_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ctx_4), (void*)value);
}
inline static int32_t get_offset_of_rval_5() { return static_cast<int32_t>(offsetof(MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC, ___rval_5)); }
inline RuntimeObject * get_rval_5() const { return ___rval_5; }
inline RuntimeObject ** get_address_of_rval_5() { return &___rval_5; }
inline void set_rval_5(RuntimeObject * value)
{
___rval_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___rval_5), (void*)value);
}
inline static int32_t get_offset_of_exc_6() { return static_cast<int32_t>(offsetof(MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC, ___exc_6)); }
inline Exception_t * get_exc_6() const { return ___exc_6; }
inline Exception_t ** get_address_of_exc_6() { return &___exc_6; }
inline void set_exc_6(Exception_t * value)
{
___exc_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___exc_6), (void*)value);
}
inline static int32_t get_offset_of_asyncResult_7() { return static_cast<int32_t>(offsetof(MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC, ___asyncResult_7)); }
inline AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B * get_asyncResult_7() const { return ___asyncResult_7; }
inline AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B ** get_address_of_asyncResult_7() { return &___asyncResult_7; }
inline void set_asyncResult_7(AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B * value)
{
___asyncResult_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___asyncResult_7), (void*)value);
}
inline static int32_t get_offset_of_call_type_8() { return static_cast<int32_t>(offsetof(MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC, ___call_type_8)); }
inline int32_t get_call_type_8() const { return ___call_type_8; }
inline int32_t* get_address_of_call_type_8() { return &___call_type_8; }
inline void set_call_type_8(int32_t value)
{
___call_type_8 = value;
}
inline static int32_t get_offset_of_uri_9() { return static_cast<int32_t>(offsetof(MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC, ___uri_9)); }
inline String_t* get_uri_9() const { return ___uri_9; }
inline String_t** get_address_of_uri_9() { return &___uri_9; }
inline void set_uri_9(String_t* value)
{
___uri_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___uri_9), (void*)value);
}
inline static int32_t get_offset_of_properties_10() { return static_cast<int32_t>(offsetof(MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC, ___properties_10)); }
inline MCMDictionary_tEA8C1F89F5B3783040584C2C390C758B1420CCDF * get_properties_10() const { return ___properties_10; }
inline MCMDictionary_tEA8C1F89F5B3783040584C2C390C758B1420CCDF ** get_address_of_properties_10() { return &___properties_10; }
inline void set_properties_10(MCMDictionary_tEA8C1F89F5B3783040584C2C390C758B1420CCDF * value)
{
___properties_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___properties_10), (void*)value);
}
inline static int32_t get_offset_of_methodSignature_11() { return static_cast<int32_t>(offsetof(MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC, ___methodSignature_11)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get_methodSignature_11() const { return ___methodSignature_11; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of_methodSignature_11() { return &___methodSignature_11; }
inline void set_methodSignature_11(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
___methodSignature_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___methodSignature_11), (void*)value);
}
inline static int32_t get_offset_of_identity_12() { return static_cast<int32_t>(offsetof(MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC, ___identity_12)); }
inline Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 * get_identity_12() const { return ___identity_12; }
inline Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 ** get_address_of_identity_12() { return &___identity_12; }
inline void set_identity_12(Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 * value)
{
___identity_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___identity_12), (void*)value);
}
};
struct MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC_StaticFields
{
public:
// System.String System.Runtime.Remoting.Messaging.MonoMethodMessage::CallContextKey
String_t* ___CallContextKey_13;
// System.String System.Runtime.Remoting.Messaging.MonoMethodMessage::UriKey
String_t* ___UriKey_14;
public:
inline static int32_t get_offset_of_CallContextKey_13() { return static_cast<int32_t>(offsetof(MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC_StaticFields, ___CallContextKey_13)); }
inline String_t* get_CallContextKey_13() const { return ___CallContextKey_13; }
inline String_t** get_address_of_CallContextKey_13() { return &___CallContextKey_13; }
inline void set_CallContextKey_13(String_t* value)
{
___CallContextKey_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___CallContextKey_13), (void*)value);
}
inline static int32_t get_offset_of_UriKey_14() { return static_cast<int32_t>(offsetof(MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC_StaticFields, ___UriKey_14)); }
inline String_t* get_UriKey_14() const { return ___UriKey_14; }
inline String_t** get_address_of_UriKey_14() { return &___UriKey_14; }
inline void set_UriKey_14(String_t* value)
{
___UriKey_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___UriKey_14), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Runtime.Remoting.Messaging.MonoMethodMessage
struct MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC_marshaled_pinvoke
{
MonoMethod_t * ___method_0;
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___args_1;
char** ___names_2;
Il2CppSafeArray/*NONE*/* ___arg_types_3;
LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * ___ctx_4;
Il2CppIUnknown* ___rval_5;
Exception_t_marshaled_pinvoke* ___exc_6;
AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B_marshaled_pinvoke* ___asyncResult_7;
int32_t ___call_type_8;
char* ___uri_9;
MCMDictionary_tEA8C1F89F5B3783040584C2C390C758B1420CCDF * ___properties_10;
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ___methodSignature_11;
Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 * ___identity_12;
};
// Native definition for COM marshalling of System.Runtime.Remoting.Messaging.MonoMethodMessage
struct MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC_marshaled_com
{
MonoMethod_t * ___method_0;
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___args_1;
Il2CppChar** ___names_2;
Il2CppSafeArray/*NONE*/* ___arg_types_3;
LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3 * ___ctx_4;
Il2CppIUnknown* ___rval_5;
Exception_t_marshaled_com* ___exc_6;
AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B_marshaled_com* ___asyncResult_7;
int32_t ___call_type_8;
Il2CppChar* ___uri_9;
MCMDictionary_tEA8C1F89F5B3783040584C2C390C758B1420CCDF * ___properties_10;
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ___methodSignature_11;
Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5 * ___identity_12;
};
// System.Reflection.MonoPropertyInfo
struct MonoPropertyInfo_tA5A058F3C4CD862912818E54A4B6152F21433B82
{
public:
// System.Type System.Reflection.MonoPropertyInfo::parent
Type_t * ___parent_0;
// System.Type System.Reflection.MonoPropertyInfo::declaring_type
Type_t * ___declaring_type_1;
// System.String System.Reflection.MonoPropertyInfo::name
String_t* ___name_2;
// System.Reflection.MethodInfo System.Reflection.MonoPropertyInfo::get_method
MethodInfo_t * ___get_method_3;
// System.Reflection.MethodInfo System.Reflection.MonoPropertyInfo::set_method
MethodInfo_t * ___set_method_4;
// System.Reflection.PropertyAttributes System.Reflection.MonoPropertyInfo::attrs
int32_t ___attrs_5;
public:
inline static int32_t get_offset_of_parent_0() { return static_cast<int32_t>(offsetof(MonoPropertyInfo_tA5A058F3C4CD862912818E54A4B6152F21433B82, ___parent_0)); }
inline Type_t * get_parent_0() const { return ___parent_0; }
inline Type_t ** get_address_of_parent_0() { return &___parent_0; }
inline void set_parent_0(Type_t * value)
{
___parent_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___parent_0), (void*)value);
}
inline static int32_t get_offset_of_declaring_type_1() { return static_cast<int32_t>(offsetof(MonoPropertyInfo_tA5A058F3C4CD862912818E54A4B6152F21433B82, ___declaring_type_1)); }
inline Type_t * get_declaring_type_1() const { return ___declaring_type_1; }
inline Type_t ** get_address_of_declaring_type_1() { return &___declaring_type_1; }
inline void set_declaring_type_1(Type_t * value)
{
___declaring_type_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___declaring_type_1), (void*)value);
}
inline static int32_t get_offset_of_name_2() { return static_cast<int32_t>(offsetof(MonoPropertyInfo_tA5A058F3C4CD862912818E54A4B6152F21433B82, ___name_2)); }
inline String_t* get_name_2() const { return ___name_2; }
inline String_t** get_address_of_name_2() { return &___name_2; }
inline void set_name_2(String_t* value)
{
___name_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_2), (void*)value);
}
inline static int32_t get_offset_of_get_method_3() { return static_cast<int32_t>(offsetof(MonoPropertyInfo_tA5A058F3C4CD862912818E54A4B6152F21433B82, ___get_method_3)); }
inline MethodInfo_t * get_get_method_3() const { return ___get_method_3; }
inline MethodInfo_t ** get_address_of_get_method_3() { return &___get_method_3; }
inline void set_get_method_3(MethodInfo_t * value)
{
___get_method_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___get_method_3), (void*)value);
}
inline static int32_t get_offset_of_set_method_4() { return static_cast<int32_t>(offsetof(MonoPropertyInfo_tA5A058F3C4CD862912818E54A4B6152F21433B82, ___set_method_4)); }
inline MethodInfo_t * get_set_method_4() const { return ___set_method_4; }
inline MethodInfo_t ** get_address_of_set_method_4() { return &___set_method_4; }
inline void set_set_method_4(MethodInfo_t * value)
{
___set_method_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___set_method_4), (void*)value);
}
inline static int32_t get_offset_of_attrs_5() { return static_cast<int32_t>(offsetof(MonoPropertyInfo_tA5A058F3C4CD862912818E54A4B6152F21433B82, ___attrs_5)); }
inline int32_t get_attrs_5() const { return ___attrs_5; }
inline int32_t* get_address_of_attrs_5() { return &___attrs_5; }
inline void set_attrs_5(int32_t value)
{
___attrs_5 = value;
}
};
// Native definition for P/Invoke marshalling of System.Reflection.MonoPropertyInfo
struct MonoPropertyInfo_tA5A058F3C4CD862912818E54A4B6152F21433B82_marshaled_pinvoke
{
Type_t * ___parent_0;
Type_t * ___declaring_type_1;
char* ___name_2;
MethodInfo_t * ___get_method_3;
MethodInfo_t * ___set_method_4;
int32_t ___attrs_5;
};
// Native definition for COM marshalling of System.Reflection.MonoPropertyInfo
struct MonoPropertyInfo_tA5A058F3C4CD862912818E54A4B6152F21433B82_marshaled_com
{
Type_t * ___parent_0;
Type_t * ___declaring_type_1;
Il2CppChar* ___name_2;
MethodInfo_t * ___get_method_3;
MethodInfo_t * ___set_method_4;
int32_t ___attrs_5;
};
// System.MulticastDelegate
struct MulticastDelegate_t : public Delegate_t
{
public:
// System.Delegate[] System.MulticastDelegate::delegates
DelegateU5BU5D_t677D8FE08A5F99E8EE49150B73966CD6E9BF7DB8* ___delegates_11;
public:
inline static int32_t get_offset_of_delegates_11() { return static_cast<int32_t>(offsetof(MulticastDelegate_t, ___delegates_11)); }
inline DelegateU5BU5D_t677D8FE08A5F99E8EE49150B73966CD6E9BF7DB8* get_delegates_11() const { return ___delegates_11; }
inline DelegateU5BU5D_t677D8FE08A5F99E8EE49150B73966CD6E9BF7DB8** get_address_of_delegates_11() { return &___delegates_11; }
inline void set_delegates_11(DelegateU5BU5D_t677D8FE08A5F99E8EE49150B73966CD6E9BF7DB8* value)
{
___delegates_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___delegates_11), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.MulticastDelegate
struct MulticastDelegate_t_marshaled_pinvoke : public Delegate_t_marshaled_pinvoke
{
Delegate_t_marshaled_pinvoke** ___delegates_11;
};
// Native definition for COM marshalling of System.MulticastDelegate
struct MulticastDelegate_t_marshaled_com : public Delegate_t_marshaled_com
{
Delegate_t_marshaled_com** ___delegates_11;
};
// System.Threading.Mutex
struct Mutex_tA342933FCB3E3E679E3CD498804DE36CD81801B5 : public WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842
{
public:
public:
};
// System.Runtime.Serialization.Formatters.Binary.NameInfo
struct NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F : public RuntimeObject
{
public:
// System.String System.Runtime.Serialization.Formatters.Binary.NameInfo::NIFullName
String_t* ___NIFullName_0;
// System.Int64 System.Runtime.Serialization.Formatters.Binary.NameInfo::NIobjectId
int64_t ___NIobjectId_1;
// System.Int64 System.Runtime.Serialization.Formatters.Binary.NameInfo::NIassemId
int64_t ___NIassemId_2;
// System.Runtime.Serialization.Formatters.Binary.InternalPrimitiveTypeE System.Runtime.Serialization.Formatters.Binary.NameInfo::NIprimitiveTypeEnum
int32_t ___NIprimitiveTypeEnum_3;
// System.Type System.Runtime.Serialization.Formatters.Binary.NameInfo::NItype
Type_t * ___NItype_4;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.NameInfo::NIisSealed
bool ___NIisSealed_5;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.NameInfo::NIisArray
bool ___NIisArray_6;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.NameInfo::NIisArrayItem
bool ___NIisArrayItem_7;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.NameInfo::NItransmitTypeOnObject
bool ___NItransmitTypeOnObject_8;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.NameInfo::NItransmitTypeOnMember
bool ___NItransmitTypeOnMember_9;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.NameInfo::NIisParentTypeOnObject
bool ___NIisParentTypeOnObject_10;
// System.Runtime.Serialization.Formatters.Binary.InternalArrayTypeE System.Runtime.Serialization.Formatters.Binary.NameInfo::NIarrayEnum
int32_t ___NIarrayEnum_11;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.NameInfo::NIsealedStatusChecked
bool ___NIsealedStatusChecked_12;
public:
inline static int32_t get_offset_of_NIFullName_0() { return static_cast<int32_t>(offsetof(NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F, ___NIFullName_0)); }
inline String_t* get_NIFullName_0() const { return ___NIFullName_0; }
inline String_t** get_address_of_NIFullName_0() { return &___NIFullName_0; }
inline void set_NIFullName_0(String_t* value)
{
___NIFullName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___NIFullName_0), (void*)value);
}
inline static int32_t get_offset_of_NIobjectId_1() { return static_cast<int32_t>(offsetof(NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F, ___NIobjectId_1)); }
inline int64_t get_NIobjectId_1() const { return ___NIobjectId_1; }
inline int64_t* get_address_of_NIobjectId_1() { return &___NIobjectId_1; }
inline void set_NIobjectId_1(int64_t value)
{
___NIobjectId_1 = value;
}
inline static int32_t get_offset_of_NIassemId_2() { return static_cast<int32_t>(offsetof(NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F, ___NIassemId_2)); }
inline int64_t get_NIassemId_2() const { return ___NIassemId_2; }
inline int64_t* get_address_of_NIassemId_2() { return &___NIassemId_2; }
inline void set_NIassemId_2(int64_t value)
{
___NIassemId_2 = value;
}
inline static int32_t get_offset_of_NIprimitiveTypeEnum_3() { return static_cast<int32_t>(offsetof(NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F, ___NIprimitiveTypeEnum_3)); }
inline int32_t get_NIprimitiveTypeEnum_3() const { return ___NIprimitiveTypeEnum_3; }
inline int32_t* get_address_of_NIprimitiveTypeEnum_3() { return &___NIprimitiveTypeEnum_3; }
inline void set_NIprimitiveTypeEnum_3(int32_t value)
{
___NIprimitiveTypeEnum_3 = value;
}
inline static int32_t get_offset_of_NItype_4() { return static_cast<int32_t>(offsetof(NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F, ___NItype_4)); }
inline Type_t * get_NItype_4() const { return ___NItype_4; }
inline Type_t ** get_address_of_NItype_4() { return &___NItype_4; }
inline void set_NItype_4(Type_t * value)
{
___NItype_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___NItype_4), (void*)value);
}
inline static int32_t get_offset_of_NIisSealed_5() { return static_cast<int32_t>(offsetof(NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F, ___NIisSealed_5)); }
inline bool get_NIisSealed_5() const { return ___NIisSealed_5; }
inline bool* get_address_of_NIisSealed_5() { return &___NIisSealed_5; }
inline void set_NIisSealed_5(bool value)
{
___NIisSealed_5 = value;
}
inline static int32_t get_offset_of_NIisArray_6() { return static_cast<int32_t>(offsetof(NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F, ___NIisArray_6)); }
inline bool get_NIisArray_6() const { return ___NIisArray_6; }
inline bool* get_address_of_NIisArray_6() { return &___NIisArray_6; }
inline void set_NIisArray_6(bool value)
{
___NIisArray_6 = value;
}
inline static int32_t get_offset_of_NIisArrayItem_7() { return static_cast<int32_t>(offsetof(NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F, ___NIisArrayItem_7)); }
inline bool get_NIisArrayItem_7() const { return ___NIisArrayItem_7; }
inline bool* get_address_of_NIisArrayItem_7() { return &___NIisArrayItem_7; }
inline void set_NIisArrayItem_7(bool value)
{
___NIisArrayItem_7 = value;
}
inline static int32_t get_offset_of_NItransmitTypeOnObject_8() { return static_cast<int32_t>(offsetof(NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F, ___NItransmitTypeOnObject_8)); }
inline bool get_NItransmitTypeOnObject_8() const { return ___NItransmitTypeOnObject_8; }
inline bool* get_address_of_NItransmitTypeOnObject_8() { return &___NItransmitTypeOnObject_8; }
inline void set_NItransmitTypeOnObject_8(bool value)
{
___NItransmitTypeOnObject_8 = value;
}
inline static int32_t get_offset_of_NItransmitTypeOnMember_9() { return static_cast<int32_t>(offsetof(NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F, ___NItransmitTypeOnMember_9)); }
inline bool get_NItransmitTypeOnMember_9() const { return ___NItransmitTypeOnMember_9; }
inline bool* get_address_of_NItransmitTypeOnMember_9() { return &___NItransmitTypeOnMember_9; }
inline void set_NItransmitTypeOnMember_9(bool value)
{
___NItransmitTypeOnMember_9 = value;
}
inline static int32_t get_offset_of_NIisParentTypeOnObject_10() { return static_cast<int32_t>(offsetof(NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F, ___NIisParentTypeOnObject_10)); }
inline bool get_NIisParentTypeOnObject_10() const { return ___NIisParentTypeOnObject_10; }
inline bool* get_address_of_NIisParentTypeOnObject_10() { return &___NIisParentTypeOnObject_10; }
inline void set_NIisParentTypeOnObject_10(bool value)
{
___NIisParentTypeOnObject_10 = value;
}
inline static int32_t get_offset_of_NIarrayEnum_11() { return static_cast<int32_t>(offsetof(NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F, ___NIarrayEnum_11)); }
inline int32_t get_NIarrayEnum_11() const { return ___NIarrayEnum_11; }
inline int32_t* get_address_of_NIarrayEnum_11() { return &___NIarrayEnum_11; }
inline void set_NIarrayEnum_11(int32_t value)
{
___NIarrayEnum_11 = value;
}
inline static int32_t get_offset_of_NIsealedStatusChecked_12() { return static_cast<int32_t>(offsetof(NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F, ___NIsealedStatusChecked_12)); }
inline bool get_NIsealedStatusChecked_12() const { return ___NIsealedStatusChecked_12; }
inline bool* get_address_of_NIsealedStatusChecked_12() { return &___NIsealedStatusChecked_12; }
inline void set_NIsealedStatusChecked_12(bool value)
{
___NIsealedStatusChecked_12 = value;
}
};
// UnityEngine.Bindings.NativePropertyAttribute
struct NativePropertyAttribute_t300C37301B5C27B1EECB6CBE7EED16EEDA11975A : public NativeMethodAttribute_t57F61ACA17BEC1260A06658ACD971B0009CC1866
{
public:
// UnityEngine.Bindings.TargetType UnityEngine.Bindings.NativePropertyAttribute::<TargetType>k__BackingField
int32_t ___U3CTargetTypeU3Ek__BackingField_5;
public:
inline static int32_t get_offset_of_U3CTargetTypeU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(NativePropertyAttribute_t300C37301B5C27B1EECB6CBE7EED16EEDA11975A, ___U3CTargetTypeU3Ek__BackingField_5)); }
inline int32_t get_U3CTargetTypeU3Ek__BackingField_5() const { return ___U3CTargetTypeU3Ek__BackingField_5; }
inline int32_t* get_address_of_U3CTargetTypeU3Ek__BackingField_5() { return &___U3CTargetTypeU3Ek__BackingField_5; }
inline void set_U3CTargetTypeU3Ek__BackingField_5(int32_t value)
{
___U3CTargetTypeU3Ek__BackingField_5 = value;
}
};
// UnityEngine.Bindings.NativeTypeAttribute
struct NativeTypeAttribute_t7A71B541B18D0BA1A9889E05D36CAC56CF9F48D9 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String UnityEngine.Bindings.NativeTypeAttribute::<Header>k__BackingField
String_t* ___U3CHeaderU3Ek__BackingField_0;
// System.String UnityEngine.Bindings.NativeTypeAttribute::<IntermediateScriptingStructName>k__BackingField
String_t* ___U3CIntermediateScriptingStructNameU3Ek__BackingField_1;
// UnityEngine.Bindings.CodegenOptions UnityEngine.Bindings.NativeTypeAttribute::<CodegenOptions>k__BackingField
int32_t ___U3CCodegenOptionsU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CHeaderU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(NativeTypeAttribute_t7A71B541B18D0BA1A9889E05D36CAC56CF9F48D9, ___U3CHeaderU3Ek__BackingField_0)); }
inline String_t* get_U3CHeaderU3Ek__BackingField_0() const { return ___U3CHeaderU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CHeaderU3Ek__BackingField_0() { return &___U3CHeaderU3Ek__BackingField_0; }
inline void set_U3CHeaderU3Ek__BackingField_0(String_t* value)
{
___U3CHeaderU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CHeaderU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CIntermediateScriptingStructNameU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(NativeTypeAttribute_t7A71B541B18D0BA1A9889E05D36CAC56CF9F48D9, ___U3CIntermediateScriptingStructNameU3Ek__BackingField_1)); }
inline String_t* get_U3CIntermediateScriptingStructNameU3Ek__BackingField_1() const { return ___U3CIntermediateScriptingStructNameU3Ek__BackingField_1; }
inline String_t** get_address_of_U3CIntermediateScriptingStructNameU3Ek__BackingField_1() { return &___U3CIntermediateScriptingStructNameU3Ek__BackingField_1; }
inline void set_U3CIntermediateScriptingStructNameU3Ek__BackingField_1(String_t* value)
{
___U3CIntermediateScriptingStructNameU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CIntermediateScriptingStructNameU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CCodegenOptionsU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(NativeTypeAttribute_t7A71B541B18D0BA1A9889E05D36CAC56CF9F48D9, ___U3CCodegenOptionsU3Ek__BackingField_2)); }
inline int32_t get_U3CCodegenOptionsU3Ek__BackingField_2() const { return ___U3CCodegenOptionsU3Ek__BackingField_2; }
inline int32_t* get_address_of_U3CCodegenOptionsU3Ek__BackingField_2() { return &___U3CCodegenOptionsU3Ek__BackingField_2; }
inline void set_U3CCodegenOptionsU3Ek__BackingField_2(int32_t value)
{
___U3CCodegenOptionsU3Ek__BackingField_2 = value;
}
};
// UnityEngine.UI.Navigation
struct Navigation_t1CF0FFB22C0357CD64714FB7A40A275F899D363A
{
public:
// UnityEngine.UI.Navigation/Mode UnityEngine.UI.Navigation::m_Mode
int32_t ___m_Mode_0;
// System.Boolean UnityEngine.UI.Navigation::m_WrapAround
bool ___m_WrapAround_1;
// UnityEngine.UI.Selectable UnityEngine.UI.Navigation::m_SelectOnUp
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD * ___m_SelectOnUp_2;
// UnityEngine.UI.Selectable UnityEngine.UI.Navigation::m_SelectOnDown
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD * ___m_SelectOnDown_3;
// UnityEngine.UI.Selectable UnityEngine.UI.Navigation::m_SelectOnLeft
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD * ___m_SelectOnLeft_4;
// UnityEngine.UI.Selectable UnityEngine.UI.Navigation::m_SelectOnRight
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD * ___m_SelectOnRight_5;
public:
inline static int32_t get_offset_of_m_Mode_0() { return static_cast<int32_t>(offsetof(Navigation_t1CF0FFB22C0357CD64714FB7A40A275F899D363A, ___m_Mode_0)); }
inline int32_t get_m_Mode_0() const { return ___m_Mode_0; }
inline int32_t* get_address_of_m_Mode_0() { return &___m_Mode_0; }
inline void set_m_Mode_0(int32_t value)
{
___m_Mode_0 = value;
}
inline static int32_t get_offset_of_m_WrapAround_1() { return static_cast<int32_t>(offsetof(Navigation_t1CF0FFB22C0357CD64714FB7A40A275F899D363A, ___m_WrapAround_1)); }
inline bool get_m_WrapAround_1() const { return ___m_WrapAround_1; }
inline bool* get_address_of_m_WrapAround_1() { return &___m_WrapAround_1; }
inline void set_m_WrapAround_1(bool value)
{
___m_WrapAround_1 = value;
}
inline static int32_t get_offset_of_m_SelectOnUp_2() { return static_cast<int32_t>(offsetof(Navigation_t1CF0FFB22C0357CD64714FB7A40A275F899D363A, ___m_SelectOnUp_2)); }
inline Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD * get_m_SelectOnUp_2() const { return ___m_SelectOnUp_2; }
inline Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD ** get_address_of_m_SelectOnUp_2() { return &___m_SelectOnUp_2; }
inline void set_m_SelectOnUp_2(Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD * value)
{
___m_SelectOnUp_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SelectOnUp_2), (void*)value);
}
inline static int32_t get_offset_of_m_SelectOnDown_3() { return static_cast<int32_t>(offsetof(Navigation_t1CF0FFB22C0357CD64714FB7A40A275F899D363A, ___m_SelectOnDown_3)); }
inline Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD * get_m_SelectOnDown_3() const { return ___m_SelectOnDown_3; }
inline Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD ** get_address_of_m_SelectOnDown_3() { return &___m_SelectOnDown_3; }
inline void set_m_SelectOnDown_3(Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD * value)
{
___m_SelectOnDown_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SelectOnDown_3), (void*)value);
}
inline static int32_t get_offset_of_m_SelectOnLeft_4() { return static_cast<int32_t>(offsetof(Navigation_t1CF0FFB22C0357CD64714FB7A40A275F899D363A, ___m_SelectOnLeft_4)); }
inline Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD * get_m_SelectOnLeft_4() const { return ___m_SelectOnLeft_4; }
inline Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD ** get_address_of_m_SelectOnLeft_4() { return &___m_SelectOnLeft_4; }
inline void set_m_SelectOnLeft_4(Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD * value)
{
___m_SelectOnLeft_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SelectOnLeft_4), (void*)value);
}
inline static int32_t get_offset_of_m_SelectOnRight_5() { return static_cast<int32_t>(offsetof(Navigation_t1CF0FFB22C0357CD64714FB7A40A275F899D363A, ___m_SelectOnRight_5)); }
inline Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD * get_m_SelectOnRight_5() const { return ___m_SelectOnRight_5; }
inline Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD ** get_address_of_m_SelectOnRight_5() { return &___m_SelectOnRight_5; }
inline void set_m_SelectOnRight_5(Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD * value)
{
___m_SelectOnRight_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SelectOnRight_5), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.UI.Navigation
struct Navigation_t1CF0FFB22C0357CD64714FB7A40A275F899D363A_marshaled_pinvoke
{
int32_t ___m_Mode_0;
int32_t ___m_WrapAround_1;
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD * ___m_SelectOnUp_2;
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD * ___m_SelectOnDown_3;
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD * ___m_SelectOnLeft_4;
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD * ___m_SelectOnRight_5;
};
// Native definition for COM marshalling of UnityEngine.UI.Navigation
struct Navigation_t1CF0FFB22C0357CD64714FB7A40A275F899D363A_marshaled_com
{
int32_t ___m_Mode_0;
int32_t ___m_WrapAround_1;
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD * ___m_SelectOnUp_2;
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD * ___m_SelectOnDown_3;
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD * ___m_SelectOnLeft_4;
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD * ___m_SelectOnRight_5;
};
// System.Resources.NeutralResourcesLanguageAttribute
struct NeutralResourcesLanguageAttribute_t14C9436446C8E9EB3C2244D386AF1C84ADC80FB2 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String System.Resources.NeutralResourcesLanguageAttribute::_culture
String_t* ____culture_0;
// System.Resources.UltimateResourceFallbackLocation System.Resources.NeutralResourcesLanguageAttribute::_fallbackLoc
int32_t ____fallbackLoc_1;
public:
inline static int32_t get_offset_of__culture_0() { return static_cast<int32_t>(offsetof(NeutralResourcesLanguageAttribute_t14C9436446C8E9EB3C2244D386AF1C84ADC80FB2, ____culture_0)); }
inline String_t* get__culture_0() const { return ____culture_0; }
inline String_t** get_address_of__culture_0() { return &____culture_0; }
inline void set__culture_0(String_t* value)
{
____culture_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____culture_0), (void*)value);
}
inline static int32_t get_offset_of__fallbackLoc_1() { return static_cast<int32_t>(offsetof(NeutralResourcesLanguageAttribute_t14C9436446C8E9EB3C2244D386AF1C84ADC80FB2, ____fallbackLoc_1)); }
inline int32_t get__fallbackLoc_1() const { return ____fallbackLoc_1; }
inline int32_t* get_address_of__fallbackLoc_1() { return &____fallbackLoc_1; }
inline void set__fallbackLoc_1(int32_t value)
{
____fallbackLoc_1 = value;
}
};
// System.Globalization.NumberFormatInfo
struct NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D : public RuntimeObject
{
public:
// System.Int32[] System.Globalization.NumberFormatInfo::numberGroupSizes
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___numberGroupSizes_1;
// System.Int32[] System.Globalization.NumberFormatInfo::currencyGroupSizes
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___currencyGroupSizes_2;
// System.Int32[] System.Globalization.NumberFormatInfo::percentGroupSizes
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___percentGroupSizes_3;
// System.String System.Globalization.NumberFormatInfo::positiveSign
String_t* ___positiveSign_4;
// System.String System.Globalization.NumberFormatInfo::negativeSign
String_t* ___negativeSign_5;
// System.String System.Globalization.NumberFormatInfo::numberDecimalSeparator
String_t* ___numberDecimalSeparator_6;
// System.String System.Globalization.NumberFormatInfo::numberGroupSeparator
String_t* ___numberGroupSeparator_7;
// System.String System.Globalization.NumberFormatInfo::currencyGroupSeparator
String_t* ___currencyGroupSeparator_8;
// System.String System.Globalization.NumberFormatInfo::currencyDecimalSeparator
String_t* ___currencyDecimalSeparator_9;
// System.String System.Globalization.NumberFormatInfo::currencySymbol
String_t* ___currencySymbol_10;
// System.String System.Globalization.NumberFormatInfo::ansiCurrencySymbol
String_t* ___ansiCurrencySymbol_11;
// System.String System.Globalization.NumberFormatInfo::nanSymbol
String_t* ___nanSymbol_12;
// System.String System.Globalization.NumberFormatInfo::positiveInfinitySymbol
String_t* ___positiveInfinitySymbol_13;
// System.String System.Globalization.NumberFormatInfo::negativeInfinitySymbol
String_t* ___negativeInfinitySymbol_14;
// System.String System.Globalization.NumberFormatInfo::percentDecimalSeparator
String_t* ___percentDecimalSeparator_15;
// System.String System.Globalization.NumberFormatInfo::percentGroupSeparator
String_t* ___percentGroupSeparator_16;
// System.String System.Globalization.NumberFormatInfo::percentSymbol
String_t* ___percentSymbol_17;
// System.String System.Globalization.NumberFormatInfo::perMilleSymbol
String_t* ___perMilleSymbol_18;
// System.String[] System.Globalization.NumberFormatInfo::nativeDigits
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___nativeDigits_19;
// System.Int32 System.Globalization.NumberFormatInfo::m_dataItem
int32_t ___m_dataItem_20;
// System.Int32 System.Globalization.NumberFormatInfo::numberDecimalDigits
int32_t ___numberDecimalDigits_21;
// System.Int32 System.Globalization.NumberFormatInfo::currencyDecimalDigits
int32_t ___currencyDecimalDigits_22;
// System.Int32 System.Globalization.NumberFormatInfo::currencyPositivePattern
int32_t ___currencyPositivePattern_23;
// System.Int32 System.Globalization.NumberFormatInfo::currencyNegativePattern
int32_t ___currencyNegativePattern_24;
// System.Int32 System.Globalization.NumberFormatInfo::numberNegativePattern
int32_t ___numberNegativePattern_25;
// System.Int32 System.Globalization.NumberFormatInfo::percentPositivePattern
int32_t ___percentPositivePattern_26;
// System.Int32 System.Globalization.NumberFormatInfo::percentNegativePattern
int32_t ___percentNegativePattern_27;
// System.Int32 System.Globalization.NumberFormatInfo::percentDecimalDigits
int32_t ___percentDecimalDigits_28;
// System.Int32 System.Globalization.NumberFormatInfo::digitSubstitution
int32_t ___digitSubstitution_29;
// System.Boolean System.Globalization.NumberFormatInfo::isReadOnly
bool ___isReadOnly_30;
// System.Boolean System.Globalization.NumberFormatInfo::m_useUserOverride
bool ___m_useUserOverride_31;
// System.Boolean System.Globalization.NumberFormatInfo::m_isInvariant
bool ___m_isInvariant_32;
// System.Boolean System.Globalization.NumberFormatInfo::validForParseAsNumber
bool ___validForParseAsNumber_33;
// System.Boolean System.Globalization.NumberFormatInfo::validForParseAsCurrency
bool ___validForParseAsCurrency_34;
public:
inline static int32_t get_offset_of_numberGroupSizes_1() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___numberGroupSizes_1)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_numberGroupSizes_1() const { return ___numberGroupSizes_1; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_numberGroupSizes_1() { return &___numberGroupSizes_1; }
inline void set_numberGroupSizes_1(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___numberGroupSizes_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___numberGroupSizes_1), (void*)value);
}
inline static int32_t get_offset_of_currencyGroupSizes_2() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___currencyGroupSizes_2)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_currencyGroupSizes_2() const { return ___currencyGroupSizes_2; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_currencyGroupSizes_2() { return &___currencyGroupSizes_2; }
inline void set_currencyGroupSizes_2(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___currencyGroupSizes_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currencyGroupSizes_2), (void*)value);
}
inline static int32_t get_offset_of_percentGroupSizes_3() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___percentGroupSizes_3)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_percentGroupSizes_3() const { return ___percentGroupSizes_3; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_percentGroupSizes_3() { return &___percentGroupSizes_3; }
inline void set_percentGroupSizes_3(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___percentGroupSizes_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___percentGroupSizes_3), (void*)value);
}
inline static int32_t get_offset_of_positiveSign_4() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___positiveSign_4)); }
inline String_t* get_positiveSign_4() const { return ___positiveSign_4; }
inline String_t** get_address_of_positiveSign_4() { return &___positiveSign_4; }
inline void set_positiveSign_4(String_t* value)
{
___positiveSign_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___positiveSign_4), (void*)value);
}
inline static int32_t get_offset_of_negativeSign_5() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___negativeSign_5)); }
inline String_t* get_negativeSign_5() const { return ___negativeSign_5; }
inline String_t** get_address_of_negativeSign_5() { return &___negativeSign_5; }
inline void set_negativeSign_5(String_t* value)
{
___negativeSign_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___negativeSign_5), (void*)value);
}
inline static int32_t get_offset_of_numberDecimalSeparator_6() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___numberDecimalSeparator_6)); }
inline String_t* get_numberDecimalSeparator_6() const { return ___numberDecimalSeparator_6; }
inline String_t** get_address_of_numberDecimalSeparator_6() { return &___numberDecimalSeparator_6; }
inline void set_numberDecimalSeparator_6(String_t* value)
{
___numberDecimalSeparator_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___numberDecimalSeparator_6), (void*)value);
}
inline static int32_t get_offset_of_numberGroupSeparator_7() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___numberGroupSeparator_7)); }
inline String_t* get_numberGroupSeparator_7() const { return ___numberGroupSeparator_7; }
inline String_t** get_address_of_numberGroupSeparator_7() { return &___numberGroupSeparator_7; }
inline void set_numberGroupSeparator_7(String_t* value)
{
___numberGroupSeparator_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___numberGroupSeparator_7), (void*)value);
}
inline static int32_t get_offset_of_currencyGroupSeparator_8() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___currencyGroupSeparator_8)); }
inline String_t* get_currencyGroupSeparator_8() const { return ___currencyGroupSeparator_8; }
inline String_t** get_address_of_currencyGroupSeparator_8() { return &___currencyGroupSeparator_8; }
inline void set_currencyGroupSeparator_8(String_t* value)
{
___currencyGroupSeparator_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currencyGroupSeparator_8), (void*)value);
}
inline static int32_t get_offset_of_currencyDecimalSeparator_9() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___currencyDecimalSeparator_9)); }
inline String_t* get_currencyDecimalSeparator_9() const { return ___currencyDecimalSeparator_9; }
inline String_t** get_address_of_currencyDecimalSeparator_9() { return &___currencyDecimalSeparator_9; }
inline void set_currencyDecimalSeparator_9(String_t* value)
{
___currencyDecimalSeparator_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currencyDecimalSeparator_9), (void*)value);
}
inline static int32_t get_offset_of_currencySymbol_10() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___currencySymbol_10)); }
inline String_t* get_currencySymbol_10() const { return ___currencySymbol_10; }
inline String_t** get_address_of_currencySymbol_10() { return &___currencySymbol_10; }
inline void set_currencySymbol_10(String_t* value)
{
___currencySymbol_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currencySymbol_10), (void*)value);
}
inline static int32_t get_offset_of_ansiCurrencySymbol_11() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___ansiCurrencySymbol_11)); }
inline String_t* get_ansiCurrencySymbol_11() const { return ___ansiCurrencySymbol_11; }
inline String_t** get_address_of_ansiCurrencySymbol_11() { return &___ansiCurrencySymbol_11; }
inline void set_ansiCurrencySymbol_11(String_t* value)
{
___ansiCurrencySymbol_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ansiCurrencySymbol_11), (void*)value);
}
inline static int32_t get_offset_of_nanSymbol_12() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___nanSymbol_12)); }
inline String_t* get_nanSymbol_12() const { return ___nanSymbol_12; }
inline String_t** get_address_of_nanSymbol_12() { return &___nanSymbol_12; }
inline void set_nanSymbol_12(String_t* value)
{
___nanSymbol_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___nanSymbol_12), (void*)value);
}
inline static int32_t get_offset_of_positiveInfinitySymbol_13() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___positiveInfinitySymbol_13)); }
inline String_t* get_positiveInfinitySymbol_13() const { return ___positiveInfinitySymbol_13; }
inline String_t** get_address_of_positiveInfinitySymbol_13() { return &___positiveInfinitySymbol_13; }
inline void set_positiveInfinitySymbol_13(String_t* value)
{
___positiveInfinitySymbol_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___positiveInfinitySymbol_13), (void*)value);
}
inline static int32_t get_offset_of_negativeInfinitySymbol_14() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___negativeInfinitySymbol_14)); }
inline String_t* get_negativeInfinitySymbol_14() const { return ___negativeInfinitySymbol_14; }
inline String_t** get_address_of_negativeInfinitySymbol_14() { return &___negativeInfinitySymbol_14; }
inline void set_negativeInfinitySymbol_14(String_t* value)
{
___negativeInfinitySymbol_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___negativeInfinitySymbol_14), (void*)value);
}
inline static int32_t get_offset_of_percentDecimalSeparator_15() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___percentDecimalSeparator_15)); }
inline String_t* get_percentDecimalSeparator_15() const { return ___percentDecimalSeparator_15; }
inline String_t** get_address_of_percentDecimalSeparator_15() { return &___percentDecimalSeparator_15; }
inline void set_percentDecimalSeparator_15(String_t* value)
{
___percentDecimalSeparator_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___percentDecimalSeparator_15), (void*)value);
}
inline static int32_t get_offset_of_percentGroupSeparator_16() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___percentGroupSeparator_16)); }
inline String_t* get_percentGroupSeparator_16() const { return ___percentGroupSeparator_16; }
inline String_t** get_address_of_percentGroupSeparator_16() { return &___percentGroupSeparator_16; }
inline void set_percentGroupSeparator_16(String_t* value)
{
___percentGroupSeparator_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___percentGroupSeparator_16), (void*)value);
}
inline static int32_t get_offset_of_percentSymbol_17() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___percentSymbol_17)); }
inline String_t* get_percentSymbol_17() const { return ___percentSymbol_17; }
inline String_t** get_address_of_percentSymbol_17() { return &___percentSymbol_17; }
inline void set_percentSymbol_17(String_t* value)
{
___percentSymbol_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___percentSymbol_17), (void*)value);
}
inline static int32_t get_offset_of_perMilleSymbol_18() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___perMilleSymbol_18)); }
inline String_t* get_perMilleSymbol_18() const { return ___perMilleSymbol_18; }
inline String_t** get_address_of_perMilleSymbol_18() { return &___perMilleSymbol_18; }
inline void set_perMilleSymbol_18(String_t* value)
{
___perMilleSymbol_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___perMilleSymbol_18), (void*)value);
}
inline static int32_t get_offset_of_nativeDigits_19() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___nativeDigits_19)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_nativeDigits_19() const { return ___nativeDigits_19; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_nativeDigits_19() { return &___nativeDigits_19; }
inline void set_nativeDigits_19(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___nativeDigits_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___nativeDigits_19), (void*)value);
}
inline static int32_t get_offset_of_m_dataItem_20() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___m_dataItem_20)); }
inline int32_t get_m_dataItem_20() const { return ___m_dataItem_20; }
inline int32_t* get_address_of_m_dataItem_20() { return &___m_dataItem_20; }
inline void set_m_dataItem_20(int32_t value)
{
___m_dataItem_20 = value;
}
inline static int32_t get_offset_of_numberDecimalDigits_21() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___numberDecimalDigits_21)); }
inline int32_t get_numberDecimalDigits_21() const { return ___numberDecimalDigits_21; }
inline int32_t* get_address_of_numberDecimalDigits_21() { return &___numberDecimalDigits_21; }
inline void set_numberDecimalDigits_21(int32_t value)
{
___numberDecimalDigits_21 = value;
}
inline static int32_t get_offset_of_currencyDecimalDigits_22() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___currencyDecimalDigits_22)); }
inline int32_t get_currencyDecimalDigits_22() const { return ___currencyDecimalDigits_22; }
inline int32_t* get_address_of_currencyDecimalDigits_22() { return &___currencyDecimalDigits_22; }
inline void set_currencyDecimalDigits_22(int32_t value)
{
___currencyDecimalDigits_22 = value;
}
inline static int32_t get_offset_of_currencyPositivePattern_23() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___currencyPositivePattern_23)); }
inline int32_t get_currencyPositivePattern_23() const { return ___currencyPositivePattern_23; }
inline int32_t* get_address_of_currencyPositivePattern_23() { return &___currencyPositivePattern_23; }
inline void set_currencyPositivePattern_23(int32_t value)
{
___currencyPositivePattern_23 = value;
}
inline static int32_t get_offset_of_currencyNegativePattern_24() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___currencyNegativePattern_24)); }
inline int32_t get_currencyNegativePattern_24() const { return ___currencyNegativePattern_24; }
inline int32_t* get_address_of_currencyNegativePattern_24() { return &___currencyNegativePattern_24; }
inline void set_currencyNegativePattern_24(int32_t value)
{
___currencyNegativePattern_24 = value;
}
inline static int32_t get_offset_of_numberNegativePattern_25() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___numberNegativePattern_25)); }
inline int32_t get_numberNegativePattern_25() const { return ___numberNegativePattern_25; }
inline int32_t* get_address_of_numberNegativePattern_25() { return &___numberNegativePattern_25; }
inline void set_numberNegativePattern_25(int32_t value)
{
___numberNegativePattern_25 = value;
}
inline static int32_t get_offset_of_percentPositivePattern_26() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___percentPositivePattern_26)); }
inline int32_t get_percentPositivePattern_26() const { return ___percentPositivePattern_26; }
inline int32_t* get_address_of_percentPositivePattern_26() { return &___percentPositivePattern_26; }
inline void set_percentPositivePattern_26(int32_t value)
{
___percentPositivePattern_26 = value;
}
inline static int32_t get_offset_of_percentNegativePattern_27() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___percentNegativePattern_27)); }
inline int32_t get_percentNegativePattern_27() const { return ___percentNegativePattern_27; }
inline int32_t* get_address_of_percentNegativePattern_27() { return &___percentNegativePattern_27; }
inline void set_percentNegativePattern_27(int32_t value)
{
___percentNegativePattern_27 = value;
}
inline static int32_t get_offset_of_percentDecimalDigits_28() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___percentDecimalDigits_28)); }
inline int32_t get_percentDecimalDigits_28() const { return ___percentDecimalDigits_28; }
inline int32_t* get_address_of_percentDecimalDigits_28() { return &___percentDecimalDigits_28; }
inline void set_percentDecimalDigits_28(int32_t value)
{
___percentDecimalDigits_28 = value;
}
inline static int32_t get_offset_of_digitSubstitution_29() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___digitSubstitution_29)); }
inline int32_t get_digitSubstitution_29() const { return ___digitSubstitution_29; }
inline int32_t* get_address_of_digitSubstitution_29() { return &___digitSubstitution_29; }
inline void set_digitSubstitution_29(int32_t value)
{
___digitSubstitution_29 = value;
}
inline static int32_t get_offset_of_isReadOnly_30() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___isReadOnly_30)); }
inline bool get_isReadOnly_30() const { return ___isReadOnly_30; }
inline bool* get_address_of_isReadOnly_30() { return &___isReadOnly_30; }
inline void set_isReadOnly_30(bool value)
{
___isReadOnly_30 = value;
}
inline static int32_t get_offset_of_m_useUserOverride_31() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___m_useUserOverride_31)); }
inline bool get_m_useUserOverride_31() const { return ___m_useUserOverride_31; }
inline bool* get_address_of_m_useUserOverride_31() { return &___m_useUserOverride_31; }
inline void set_m_useUserOverride_31(bool value)
{
___m_useUserOverride_31 = value;
}
inline static int32_t get_offset_of_m_isInvariant_32() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___m_isInvariant_32)); }
inline bool get_m_isInvariant_32() const { return ___m_isInvariant_32; }
inline bool* get_address_of_m_isInvariant_32() { return &___m_isInvariant_32; }
inline void set_m_isInvariant_32(bool value)
{
___m_isInvariant_32 = value;
}
inline static int32_t get_offset_of_validForParseAsNumber_33() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___validForParseAsNumber_33)); }
inline bool get_validForParseAsNumber_33() const { return ___validForParseAsNumber_33; }
inline bool* get_address_of_validForParseAsNumber_33() { return &___validForParseAsNumber_33; }
inline void set_validForParseAsNumber_33(bool value)
{
___validForParseAsNumber_33 = value;
}
inline static int32_t get_offset_of_validForParseAsCurrency_34() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D, ___validForParseAsCurrency_34)); }
inline bool get_validForParseAsCurrency_34() const { return ___validForParseAsCurrency_34; }
inline bool* get_address_of_validForParseAsCurrency_34() { return &___validForParseAsCurrency_34; }
inline void set_validForParseAsCurrency_34(bool value)
{
___validForParseAsCurrency_34 = value;
}
};
struct NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D_StaticFields
{
public:
// System.Globalization.NumberFormatInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Globalization.NumberFormatInfo::invariantInfo
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D * ___invariantInfo_0;
public:
inline static int32_t get_offset_of_invariantInfo_0() { return static_cast<int32_t>(offsetof(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D_StaticFields, ___invariantInfo_0)); }
inline NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D * get_invariantInfo_0() const { return ___invariantInfo_0; }
inline NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D ** get_address_of_invariantInfo_0() { return &___invariantInfo_0; }
inline void set_invariantInfo_0(NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D * value)
{
___invariantInfo_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___invariantInfo_0), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.Binary.ObjectProgress
struct ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB : public RuntimeObject
{
public:
// System.Boolean System.Runtime.Serialization.Formatters.Binary.ObjectProgress::isInitial
bool ___isInitial_1;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.ObjectProgress::count
int32_t ___count_2;
// System.Runtime.Serialization.Formatters.Binary.BinaryTypeEnum System.Runtime.Serialization.Formatters.Binary.ObjectProgress::expectedType
int32_t ___expectedType_3;
// System.Object System.Runtime.Serialization.Formatters.Binary.ObjectProgress::expectedTypeInformation
RuntimeObject * ___expectedTypeInformation_4;
// System.String System.Runtime.Serialization.Formatters.Binary.ObjectProgress::name
String_t* ___name_5;
// System.Runtime.Serialization.Formatters.Binary.InternalObjectTypeE System.Runtime.Serialization.Formatters.Binary.ObjectProgress::objectTypeEnum
int32_t ___objectTypeEnum_6;
// System.Runtime.Serialization.Formatters.Binary.InternalMemberTypeE System.Runtime.Serialization.Formatters.Binary.ObjectProgress::memberTypeEnum
int32_t ___memberTypeEnum_7;
// System.Runtime.Serialization.Formatters.Binary.InternalMemberValueE System.Runtime.Serialization.Formatters.Binary.ObjectProgress::memberValueEnum
int32_t ___memberValueEnum_8;
// System.Type System.Runtime.Serialization.Formatters.Binary.ObjectProgress::dtType
Type_t * ___dtType_9;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.ObjectProgress::numItems
int32_t ___numItems_10;
// System.Runtime.Serialization.Formatters.Binary.BinaryTypeEnum System.Runtime.Serialization.Formatters.Binary.ObjectProgress::binaryTypeEnum
int32_t ___binaryTypeEnum_11;
// System.Object System.Runtime.Serialization.Formatters.Binary.ObjectProgress::typeInformation
RuntimeObject * ___typeInformation_12;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.ObjectProgress::nullCount
int32_t ___nullCount_13;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.ObjectProgress::memberLength
int32_t ___memberLength_14;
// System.Runtime.Serialization.Formatters.Binary.BinaryTypeEnum[] System.Runtime.Serialization.Formatters.Binary.ObjectProgress::binaryTypeEnumA
BinaryTypeEnumU5BU5D_t5950CE9E53B3DCB20CBCB2B2F15D47C264BF86E7* ___binaryTypeEnumA_15;
// System.Object[] System.Runtime.Serialization.Formatters.Binary.ObjectProgress::typeInformationA
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___typeInformationA_16;
// System.String[] System.Runtime.Serialization.Formatters.Binary.ObjectProgress::memberNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___memberNames_17;
// System.Type[] System.Runtime.Serialization.Formatters.Binary.ObjectProgress::memberTypes
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ___memberTypes_18;
// System.Runtime.Serialization.Formatters.Binary.ParseRecord System.Runtime.Serialization.Formatters.Binary.ObjectProgress::pr
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413 * ___pr_19;
public:
inline static int32_t get_offset_of_isInitial_1() { return static_cast<int32_t>(offsetof(ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB, ___isInitial_1)); }
inline bool get_isInitial_1() const { return ___isInitial_1; }
inline bool* get_address_of_isInitial_1() { return &___isInitial_1; }
inline void set_isInitial_1(bool value)
{
___isInitial_1 = value;
}
inline static int32_t get_offset_of_count_2() { return static_cast<int32_t>(offsetof(ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB, ___count_2)); }
inline int32_t get_count_2() const { return ___count_2; }
inline int32_t* get_address_of_count_2() { return &___count_2; }
inline void set_count_2(int32_t value)
{
___count_2 = value;
}
inline static int32_t get_offset_of_expectedType_3() { return static_cast<int32_t>(offsetof(ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB, ___expectedType_3)); }
inline int32_t get_expectedType_3() const { return ___expectedType_3; }
inline int32_t* get_address_of_expectedType_3() { return &___expectedType_3; }
inline void set_expectedType_3(int32_t value)
{
___expectedType_3 = value;
}
inline static int32_t get_offset_of_expectedTypeInformation_4() { return static_cast<int32_t>(offsetof(ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB, ___expectedTypeInformation_4)); }
inline RuntimeObject * get_expectedTypeInformation_4() const { return ___expectedTypeInformation_4; }
inline RuntimeObject ** get_address_of_expectedTypeInformation_4() { return &___expectedTypeInformation_4; }
inline void set_expectedTypeInformation_4(RuntimeObject * value)
{
___expectedTypeInformation_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___expectedTypeInformation_4), (void*)value);
}
inline static int32_t get_offset_of_name_5() { return static_cast<int32_t>(offsetof(ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB, ___name_5)); }
inline String_t* get_name_5() const { return ___name_5; }
inline String_t** get_address_of_name_5() { return &___name_5; }
inline void set_name_5(String_t* value)
{
___name_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_5), (void*)value);
}
inline static int32_t get_offset_of_objectTypeEnum_6() { return static_cast<int32_t>(offsetof(ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB, ___objectTypeEnum_6)); }
inline int32_t get_objectTypeEnum_6() const { return ___objectTypeEnum_6; }
inline int32_t* get_address_of_objectTypeEnum_6() { return &___objectTypeEnum_6; }
inline void set_objectTypeEnum_6(int32_t value)
{
___objectTypeEnum_6 = value;
}
inline static int32_t get_offset_of_memberTypeEnum_7() { return static_cast<int32_t>(offsetof(ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB, ___memberTypeEnum_7)); }
inline int32_t get_memberTypeEnum_7() const { return ___memberTypeEnum_7; }
inline int32_t* get_address_of_memberTypeEnum_7() { return &___memberTypeEnum_7; }
inline void set_memberTypeEnum_7(int32_t value)
{
___memberTypeEnum_7 = value;
}
inline static int32_t get_offset_of_memberValueEnum_8() { return static_cast<int32_t>(offsetof(ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB, ___memberValueEnum_8)); }
inline int32_t get_memberValueEnum_8() const { return ___memberValueEnum_8; }
inline int32_t* get_address_of_memberValueEnum_8() { return &___memberValueEnum_8; }
inline void set_memberValueEnum_8(int32_t value)
{
___memberValueEnum_8 = value;
}
inline static int32_t get_offset_of_dtType_9() { return static_cast<int32_t>(offsetof(ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB, ___dtType_9)); }
inline Type_t * get_dtType_9() const { return ___dtType_9; }
inline Type_t ** get_address_of_dtType_9() { return &___dtType_9; }
inline void set_dtType_9(Type_t * value)
{
___dtType_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___dtType_9), (void*)value);
}
inline static int32_t get_offset_of_numItems_10() { return static_cast<int32_t>(offsetof(ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB, ___numItems_10)); }
inline int32_t get_numItems_10() const { return ___numItems_10; }
inline int32_t* get_address_of_numItems_10() { return &___numItems_10; }
inline void set_numItems_10(int32_t value)
{
___numItems_10 = value;
}
inline static int32_t get_offset_of_binaryTypeEnum_11() { return static_cast<int32_t>(offsetof(ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB, ___binaryTypeEnum_11)); }
inline int32_t get_binaryTypeEnum_11() const { return ___binaryTypeEnum_11; }
inline int32_t* get_address_of_binaryTypeEnum_11() { return &___binaryTypeEnum_11; }
inline void set_binaryTypeEnum_11(int32_t value)
{
___binaryTypeEnum_11 = value;
}
inline static int32_t get_offset_of_typeInformation_12() { return static_cast<int32_t>(offsetof(ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB, ___typeInformation_12)); }
inline RuntimeObject * get_typeInformation_12() const { return ___typeInformation_12; }
inline RuntimeObject ** get_address_of_typeInformation_12() { return &___typeInformation_12; }
inline void set_typeInformation_12(RuntimeObject * value)
{
___typeInformation_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeInformation_12), (void*)value);
}
inline static int32_t get_offset_of_nullCount_13() { return static_cast<int32_t>(offsetof(ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB, ___nullCount_13)); }
inline int32_t get_nullCount_13() const { return ___nullCount_13; }
inline int32_t* get_address_of_nullCount_13() { return &___nullCount_13; }
inline void set_nullCount_13(int32_t value)
{
___nullCount_13 = value;
}
inline static int32_t get_offset_of_memberLength_14() { return static_cast<int32_t>(offsetof(ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB, ___memberLength_14)); }
inline int32_t get_memberLength_14() const { return ___memberLength_14; }
inline int32_t* get_address_of_memberLength_14() { return &___memberLength_14; }
inline void set_memberLength_14(int32_t value)
{
___memberLength_14 = value;
}
inline static int32_t get_offset_of_binaryTypeEnumA_15() { return static_cast<int32_t>(offsetof(ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB, ___binaryTypeEnumA_15)); }
inline BinaryTypeEnumU5BU5D_t5950CE9E53B3DCB20CBCB2B2F15D47C264BF86E7* get_binaryTypeEnumA_15() const { return ___binaryTypeEnumA_15; }
inline BinaryTypeEnumU5BU5D_t5950CE9E53B3DCB20CBCB2B2F15D47C264BF86E7** get_address_of_binaryTypeEnumA_15() { return &___binaryTypeEnumA_15; }
inline void set_binaryTypeEnumA_15(BinaryTypeEnumU5BU5D_t5950CE9E53B3DCB20CBCB2B2F15D47C264BF86E7* value)
{
___binaryTypeEnumA_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___binaryTypeEnumA_15), (void*)value);
}
inline static int32_t get_offset_of_typeInformationA_16() { return static_cast<int32_t>(offsetof(ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB, ___typeInformationA_16)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_typeInformationA_16() const { return ___typeInformationA_16; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_typeInformationA_16() { return &___typeInformationA_16; }
inline void set_typeInformationA_16(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___typeInformationA_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeInformationA_16), (void*)value);
}
inline static int32_t get_offset_of_memberNames_17() { return static_cast<int32_t>(offsetof(ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB, ___memberNames_17)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_memberNames_17() const { return ___memberNames_17; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_memberNames_17() { return &___memberNames_17; }
inline void set_memberNames_17(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___memberNames_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberNames_17), (void*)value);
}
inline static int32_t get_offset_of_memberTypes_18() { return static_cast<int32_t>(offsetof(ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB, ___memberTypes_18)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get_memberTypes_18() const { return ___memberTypes_18; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of_memberTypes_18() { return &___memberTypes_18; }
inline void set_memberTypes_18(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
___memberTypes_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberTypes_18), (void*)value);
}
inline static int32_t get_offset_of_pr_19() { return static_cast<int32_t>(offsetof(ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB, ___pr_19)); }
inline ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413 * get_pr_19() const { return ___pr_19; }
inline ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413 ** get_address_of_pr_19() { return &___pr_19; }
inline void set_pr_19(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413 * value)
{
___pr_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___pr_19), (void*)value);
}
};
struct ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB_StaticFields
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.ObjectProgress::opRecordIdCount
int32_t ___opRecordIdCount_0;
public:
inline static int32_t get_offset_of_opRecordIdCount_0() { return static_cast<int32_t>(offsetof(ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB_StaticFields, ___opRecordIdCount_0)); }
inline int32_t get_opRecordIdCount_0() const { return ___opRecordIdCount_0; }
inline int32_t* get_address_of_opRecordIdCount_0() { return &___opRecordIdCount_0; }
inline void set_opRecordIdCount_0(int32_t value)
{
___opRecordIdCount_0 = value;
}
};
// System.Security.Cryptography.Oid
struct Oid_tD6586F9C615C5CBE741A5099DFB67FE0F99F4800 : public RuntimeObject
{
public:
// System.String System.Security.Cryptography.Oid::m_value
String_t* ___m_value_0;
// System.String System.Security.Cryptography.Oid::m_friendlyName
String_t* ___m_friendlyName_1;
// System.Security.Cryptography.OidGroup System.Security.Cryptography.Oid::m_group
int32_t ___m_group_2;
public:
inline static int32_t get_offset_of_m_value_0() { return static_cast<int32_t>(offsetof(Oid_tD6586F9C615C5CBE741A5099DFB67FE0F99F4800, ___m_value_0)); }
inline String_t* get_m_value_0() const { return ___m_value_0; }
inline String_t** get_address_of_m_value_0() { return &___m_value_0; }
inline void set_m_value_0(String_t* value)
{
___m_value_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_value_0), (void*)value);
}
inline static int32_t get_offset_of_m_friendlyName_1() { return static_cast<int32_t>(offsetof(Oid_tD6586F9C615C5CBE741A5099DFB67FE0F99F4800, ___m_friendlyName_1)); }
inline String_t* get_m_friendlyName_1() const { return ___m_friendlyName_1; }
inline String_t** get_address_of_m_friendlyName_1() { return &___m_friendlyName_1; }
inline void set_m_friendlyName_1(String_t* value)
{
___m_friendlyName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_friendlyName_1), (void*)value);
}
inline static int32_t get_offset_of_m_group_2() { return static_cast<int32_t>(offsetof(Oid_tD6586F9C615C5CBE741A5099DFB67FE0F99F4800, ___m_group_2)); }
inline int32_t get_m_group_2() const { return ___m_group_2; }
inline int32_t* get_address_of_m_group_2() { return &___m_group_2; }
inline void set_m_group_2(int32_t value)
{
___m_group_2 = value;
}
};
// System.OperatingSystem
struct OperatingSystem_tBB911FE4834884FD79AF78F2B07C19B938491463 : public RuntimeObject
{
public:
// System.PlatformID System.OperatingSystem::_platform
int32_t ____platform_0;
// System.Version System.OperatingSystem::_version
Version_tBDAEDED25425A1D09910468B8BD1759115646E3C * ____version_1;
// System.String System.OperatingSystem::_servicePack
String_t* ____servicePack_2;
public:
inline static int32_t get_offset_of__platform_0() { return static_cast<int32_t>(offsetof(OperatingSystem_tBB911FE4834884FD79AF78F2B07C19B938491463, ____platform_0)); }
inline int32_t get__platform_0() const { return ____platform_0; }
inline int32_t* get_address_of__platform_0() { return &____platform_0; }
inline void set__platform_0(int32_t value)
{
____platform_0 = value;
}
inline static int32_t get_offset_of__version_1() { return static_cast<int32_t>(offsetof(OperatingSystem_tBB911FE4834884FD79AF78F2B07C19B938491463, ____version_1)); }
inline Version_tBDAEDED25425A1D09910468B8BD1759115646E3C * get__version_1() const { return ____version_1; }
inline Version_tBDAEDED25425A1D09910468B8BD1759115646E3C ** get_address_of__version_1() { return &____version_1; }
inline void set__version_1(Version_tBDAEDED25425A1D09910468B8BD1759115646E3C * value)
{
____version_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____version_1), (void*)value);
}
inline static int32_t get_offset_of__servicePack_2() { return static_cast<int32_t>(offsetof(OperatingSystem_tBB911FE4834884FD79AF78F2B07C19B938491463, ____servicePack_2)); }
inline String_t* get__servicePack_2() const { return ____servicePack_2; }
inline String_t** get_address_of__servicePack_2() { return &____servicePack_2; }
inline void set__servicePack_2(String_t* value)
{
____servicePack_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____servicePack_2), (void*)value);
}
};
// UnityEngine.ResourceManagement.Exceptions.OperationException
struct OperationException_t5B03D7E3BBE3FC9CC74EF80A6F2305C2070ECCAD : public Exception_t
{
public:
public:
};
// System.Reflection.ParameterInfo
struct ParameterInfo_t9D9DBDD93E685815E35F4F6D6F58E90EBC8852B7 : public RuntimeObject
{
public:
// System.Type System.Reflection.ParameterInfo::ClassImpl
Type_t * ___ClassImpl_0;
// System.Object System.Reflection.ParameterInfo::DefaultValueImpl
RuntimeObject * ___DefaultValueImpl_1;
// System.Reflection.MemberInfo System.Reflection.ParameterInfo::MemberImpl
MemberInfo_t * ___MemberImpl_2;
// System.String System.Reflection.ParameterInfo::NameImpl
String_t* ___NameImpl_3;
// System.Int32 System.Reflection.ParameterInfo::PositionImpl
int32_t ___PositionImpl_4;
// System.Reflection.ParameterAttributes System.Reflection.ParameterInfo::AttrsImpl
int32_t ___AttrsImpl_5;
// System.Runtime.InteropServices.MarshalAsAttribute System.Reflection.ParameterInfo::marshalAs
MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6 * ___marshalAs_6;
public:
inline static int32_t get_offset_of_ClassImpl_0() { return static_cast<int32_t>(offsetof(ParameterInfo_t9D9DBDD93E685815E35F4F6D6F58E90EBC8852B7, ___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((void**)(&___ClassImpl_0), (void*)value);
}
inline static int32_t get_offset_of_DefaultValueImpl_1() { return static_cast<int32_t>(offsetof(ParameterInfo_t9D9DBDD93E685815E35F4F6D6F58E90EBC8852B7, ___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((void**)(&___DefaultValueImpl_1), (void*)value);
}
inline static int32_t get_offset_of_MemberImpl_2() { return static_cast<int32_t>(offsetof(ParameterInfo_t9D9DBDD93E685815E35F4F6D6F58E90EBC8852B7, ___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((void**)(&___MemberImpl_2), (void*)value);
}
inline static int32_t get_offset_of_NameImpl_3() { return static_cast<int32_t>(offsetof(ParameterInfo_t9D9DBDD93E685815E35F4F6D6F58E90EBC8852B7, ___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((void**)(&___NameImpl_3), (void*)value);
}
inline static int32_t get_offset_of_PositionImpl_4() { return static_cast<int32_t>(offsetof(ParameterInfo_t9D9DBDD93E685815E35F4F6D6F58E90EBC8852B7, ___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_t9D9DBDD93E685815E35F4F6D6F58E90EBC8852B7, ___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_t9D9DBDD93E685815E35F4F6D6F58E90EBC8852B7, ___marshalAs_6)); }
inline MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6 * get_marshalAs_6() const { return ___marshalAs_6; }
inline MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6 ** get_address_of_marshalAs_6() { return &___marshalAs_6; }
inline void set_marshalAs_6(MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6 * value)
{
___marshalAs_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___marshalAs_6), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Reflection.ParameterInfo
struct ParameterInfo_t9D9DBDD93E685815E35F4F6D6F58E90EBC8852B7_marshaled_pinvoke
{
Type_t * ___ClassImpl_0;
Il2CppIUnknown* ___DefaultValueImpl_1;
MemberInfo_t * ___MemberImpl_2;
char* ___NameImpl_3;
int32_t ___PositionImpl_4;
int32_t ___AttrsImpl_5;
MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6 * ___marshalAs_6;
};
// Native definition for COM marshalling of System.Reflection.ParameterInfo
struct ParameterInfo_t9D9DBDD93E685815E35F4F6D6F58E90EBC8852B7_marshaled_com
{
Type_t * ___ClassImpl_0;
Il2CppIUnknown* ___DefaultValueImpl_1;
MemberInfo_t * ___MemberImpl_2;
Il2CppChar* ___NameImpl_3;
int32_t ___PositionImpl_4;
int32_t ___AttrsImpl_5;
MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6 * ___marshalAs_6;
};
// System.Runtime.Serialization.Formatters.Binary.ParseRecord
struct ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413 : public RuntimeObject
{
public:
// System.Runtime.Serialization.Formatters.Binary.InternalParseTypeE System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRparseTypeEnum
int32_t ___PRparseTypeEnum_1;
// System.Runtime.Serialization.Formatters.Binary.InternalObjectTypeE System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRobjectTypeEnum
int32_t ___PRobjectTypeEnum_2;
// System.Runtime.Serialization.Formatters.Binary.InternalArrayTypeE System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRarrayTypeEnum
int32_t ___PRarrayTypeEnum_3;
// System.Runtime.Serialization.Formatters.Binary.InternalMemberTypeE System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRmemberTypeEnum
int32_t ___PRmemberTypeEnum_4;
// System.Runtime.Serialization.Formatters.Binary.InternalMemberValueE System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRmemberValueEnum
int32_t ___PRmemberValueEnum_5;
// System.Runtime.Serialization.Formatters.Binary.InternalObjectPositionE System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRobjectPositionEnum
int32_t ___PRobjectPositionEnum_6;
// System.String System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRname
String_t* ___PRname_7;
// System.String System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRvalue
String_t* ___PRvalue_8;
// System.Object System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRvarValue
RuntimeObject * ___PRvarValue_9;
// System.String System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRkeyDt
String_t* ___PRkeyDt_10;
// System.Type System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRdtType
Type_t * ___PRdtType_11;
// System.Runtime.Serialization.Formatters.Binary.InternalPrimitiveTypeE System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRdtTypeCode
int32_t ___PRdtTypeCode_12;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRisEnum
bool ___PRisEnum_13;
// System.Int64 System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRobjectId
int64_t ___PRobjectId_14;
// System.Int64 System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRidRef
int64_t ___PRidRef_15;
// System.String System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRarrayElementTypeString
String_t* ___PRarrayElementTypeString_16;
// System.Type System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRarrayElementType
Type_t * ___PRarrayElementType_17;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRisArrayVariant
bool ___PRisArrayVariant_18;
// System.Runtime.Serialization.Formatters.Binary.InternalPrimitiveTypeE System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRarrayElementTypeCode
int32_t ___PRarrayElementTypeCode_19;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRrank
int32_t ___PRrank_20;
// System.Int32[] System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRlengthA
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___PRlengthA_21;
// System.Int32[] System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRpositionA
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___PRpositionA_22;
// System.Int32[] System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRlowerBoundA
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___PRlowerBoundA_23;
// System.Int32[] System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRupperBoundA
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___PRupperBoundA_24;
// System.Int32[] System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRindexMap
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___PRindexMap_25;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRmemberIndex
int32_t ___PRmemberIndex_26;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRlinearlength
int32_t ___PRlinearlength_27;
// System.Int32[] System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRrectangularMap
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___PRrectangularMap_28;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRisLowerBound
bool ___PRisLowerBound_29;
// System.Int64 System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRtopId
int64_t ___PRtopId_30;
// System.Int64 System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRheaderId
int64_t ___PRheaderId_31;
// System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRobjectInfo
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223 * ___PRobjectInfo_32;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRisValueTypeFixup
bool ___PRisValueTypeFixup_33;
// System.Object System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRnewObj
RuntimeObject * ___PRnewObj_34;
// System.Object[] System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRobjectA
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___PRobjectA_35;
// System.Runtime.Serialization.Formatters.Binary.PrimitiveArray System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRprimitiveArray
PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4 * ___PRprimitiveArray_36;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRisRegistered
bool ___PRisRegistered_37;
// System.Object[] System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRmemberData
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___PRmemberData_38;
// System.Runtime.Serialization.SerializationInfo System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRsi
SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 * ___PRsi_39;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.ParseRecord::PRnullCount
int32_t ___PRnullCount_40;
public:
inline static int32_t get_offset_of_PRparseTypeEnum_1() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRparseTypeEnum_1)); }
inline int32_t get_PRparseTypeEnum_1() const { return ___PRparseTypeEnum_1; }
inline int32_t* get_address_of_PRparseTypeEnum_1() { return &___PRparseTypeEnum_1; }
inline void set_PRparseTypeEnum_1(int32_t value)
{
___PRparseTypeEnum_1 = value;
}
inline static int32_t get_offset_of_PRobjectTypeEnum_2() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRobjectTypeEnum_2)); }
inline int32_t get_PRobjectTypeEnum_2() const { return ___PRobjectTypeEnum_2; }
inline int32_t* get_address_of_PRobjectTypeEnum_2() { return &___PRobjectTypeEnum_2; }
inline void set_PRobjectTypeEnum_2(int32_t value)
{
___PRobjectTypeEnum_2 = value;
}
inline static int32_t get_offset_of_PRarrayTypeEnum_3() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRarrayTypeEnum_3)); }
inline int32_t get_PRarrayTypeEnum_3() const { return ___PRarrayTypeEnum_3; }
inline int32_t* get_address_of_PRarrayTypeEnum_3() { return &___PRarrayTypeEnum_3; }
inline void set_PRarrayTypeEnum_3(int32_t value)
{
___PRarrayTypeEnum_3 = value;
}
inline static int32_t get_offset_of_PRmemberTypeEnum_4() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRmemberTypeEnum_4)); }
inline int32_t get_PRmemberTypeEnum_4() const { return ___PRmemberTypeEnum_4; }
inline int32_t* get_address_of_PRmemberTypeEnum_4() { return &___PRmemberTypeEnum_4; }
inline void set_PRmemberTypeEnum_4(int32_t value)
{
___PRmemberTypeEnum_4 = value;
}
inline static int32_t get_offset_of_PRmemberValueEnum_5() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRmemberValueEnum_5)); }
inline int32_t get_PRmemberValueEnum_5() const { return ___PRmemberValueEnum_5; }
inline int32_t* get_address_of_PRmemberValueEnum_5() { return &___PRmemberValueEnum_5; }
inline void set_PRmemberValueEnum_5(int32_t value)
{
___PRmemberValueEnum_5 = value;
}
inline static int32_t get_offset_of_PRobjectPositionEnum_6() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRobjectPositionEnum_6)); }
inline int32_t get_PRobjectPositionEnum_6() const { return ___PRobjectPositionEnum_6; }
inline int32_t* get_address_of_PRobjectPositionEnum_6() { return &___PRobjectPositionEnum_6; }
inline void set_PRobjectPositionEnum_6(int32_t value)
{
___PRobjectPositionEnum_6 = value;
}
inline static int32_t get_offset_of_PRname_7() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRname_7)); }
inline String_t* get_PRname_7() const { return ___PRname_7; }
inline String_t** get_address_of_PRname_7() { return &___PRname_7; }
inline void set_PRname_7(String_t* value)
{
___PRname_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PRname_7), (void*)value);
}
inline static int32_t get_offset_of_PRvalue_8() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRvalue_8)); }
inline String_t* get_PRvalue_8() const { return ___PRvalue_8; }
inline String_t** get_address_of_PRvalue_8() { return &___PRvalue_8; }
inline void set_PRvalue_8(String_t* value)
{
___PRvalue_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PRvalue_8), (void*)value);
}
inline static int32_t get_offset_of_PRvarValue_9() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRvarValue_9)); }
inline RuntimeObject * get_PRvarValue_9() const { return ___PRvarValue_9; }
inline RuntimeObject ** get_address_of_PRvarValue_9() { return &___PRvarValue_9; }
inline void set_PRvarValue_9(RuntimeObject * value)
{
___PRvarValue_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PRvarValue_9), (void*)value);
}
inline static int32_t get_offset_of_PRkeyDt_10() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRkeyDt_10)); }
inline String_t* get_PRkeyDt_10() const { return ___PRkeyDt_10; }
inline String_t** get_address_of_PRkeyDt_10() { return &___PRkeyDt_10; }
inline void set_PRkeyDt_10(String_t* value)
{
___PRkeyDt_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PRkeyDt_10), (void*)value);
}
inline static int32_t get_offset_of_PRdtType_11() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRdtType_11)); }
inline Type_t * get_PRdtType_11() const { return ___PRdtType_11; }
inline Type_t ** get_address_of_PRdtType_11() { return &___PRdtType_11; }
inline void set_PRdtType_11(Type_t * value)
{
___PRdtType_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PRdtType_11), (void*)value);
}
inline static int32_t get_offset_of_PRdtTypeCode_12() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRdtTypeCode_12)); }
inline int32_t get_PRdtTypeCode_12() const { return ___PRdtTypeCode_12; }
inline int32_t* get_address_of_PRdtTypeCode_12() { return &___PRdtTypeCode_12; }
inline void set_PRdtTypeCode_12(int32_t value)
{
___PRdtTypeCode_12 = value;
}
inline static int32_t get_offset_of_PRisEnum_13() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRisEnum_13)); }
inline bool get_PRisEnum_13() const { return ___PRisEnum_13; }
inline bool* get_address_of_PRisEnum_13() { return &___PRisEnum_13; }
inline void set_PRisEnum_13(bool value)
{
___PRisEnum_13 = value;
}
inline static int32_t get_offset_of_PRobjectId_14() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRobjectId_14)); }
inline int64_t get_PRobjectId_14() const { return ___PRobjectId_14; }
inline int64_t* get_address_of_PRobjectId_14() { return &___PRobjectId_14; }
inline void set_PRobjectId_14(int64_t value)
{
___PRobjectId_14 = value;
}
inline static int32_t get_offset_of_PRidRef_15() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRidRef_15)); }
inline int64_t get_PRidRef_15() const { return ___PRidRef_15; }
inline int64_t* get_address_of_PRidRef_15() { return &___PRidRef_15; }
inline void set_PRidRef_15(int64_t value)
{
___PRidRef_15 = value;
}
inline static int32_t get_offset_of_PRarrayElementTypeString_16() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRarrayElementTypeString_16)); }
inline String_t* get_PRarrayElementTypeString_16() const { return ___PRarrayElementTypeString_16; }
inline String_t** get_address_of_PRarrayElementTypeString_16() { return &___PRarrayElementTypeString_16; }
inline void set_PRarrayElementTypeString_16(String_t* value)
{
___PRarrayElementTypeString_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PRarrayElementTypeString_16), (void*)value);
}
inline static int32_t get_offset_of_PRarrayElementType_17() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRarrayElementType_17)); }
inline Type_t * get_PRarrayElementType_17() const { return ___PRarrayElementType_17; }
inline Type_t ** get_address_of_PRarrayElementType_17() { return &___PRarrayElementType_17; }
inline void set_PRarrayElementType_17(Type_t * value)
{
___PRarrayElementType_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PRarrayElementType_17), (void*)value);
}
inline static int32_t get_offset_of_PRisArrayVariant_18() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRisArrayVariant_18)); }
inline bool get_PRisArrayVariant_18() const { return ___PRisArrayVariant_18; }
inline bool* get_address_of_PRisArrayVariant_18() { return &___PRisArrayVariant_18; }
inline void set_PRisArrayVariant_18(bool value)
{
___PRisArrayVariant_18 = value;
}
inline static int32_t get_offset_of_PRarrayElementTypeCode_19() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRarrayElementTypeCode_19)); }
inline int32_t get_PRarrayElementTypeCode_19() const { return ___PRarrayElementTypeCode_19; }
inline int32_t* get_address_of_PRarrayElementTypeCode_19() { return &___PRarrayElementTypeCode_19; }
inline void set_PRarrayElementTypeCode_19(int32_t value)
{
___PRarrayElementTypeCode_19 = value;
}
inline static int32_t get_offset_of_PRrank_20() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRrank_20)); }
inline int32_t get_PRrank_20() const { return ___PRrank_20; }
inline int32_t* get_address_of_PRrank_20() { return &___PRrank_20; }
inline void set_PRrank_20(int32_t value)
{
___PRrank_20 = value;
}
inline static int32_t get_offset_of_PRlengthA_21() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRlengthA_21)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_PRlengthA_21() const { return ___PRlengthA_21; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_PRlengthA_21() { return &___PRlengthA_21; }
inline void set_PRlengthA_21(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___PRlengthA_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PRlengthA_21), (void*)value);
}
inline static int32_t get_offset_of_PRpositionA_22() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRpositionA_22)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_PRpositionA_22() const { return ___PRpositionA_22; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_PRpositionA_22() { return &___PRpositionA_22; }
inline void set_PRpositionA_22(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___PRpositionA_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PRpositionA_22), (void*)value);
}
inline static int32_t get_offset_of_PRlowerBoundA_23() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRlowerBoundA_23)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_PRlowerBoundA_23() const { return ___PRlowerBoundA_23; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_PRlowerBoundA_23() { return &___PRlowerBoundA_23; }
inline void set_PRlowerBoundA_23(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___PRlowerBoundA_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PRlowerBoundA_23), (void*)value);
}
inline static int32_t get_offset_of_PRupperBoundA_24() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRupperBoundA_24)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_PRupperBoundA_24() const { return ___PRupperBoundA_24; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_PRupperBoundA_24() { return &___PRupperBoundA_24; }
inline void set_PRupperBoundA_24(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___PRupperBoundA_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PRupperBoundA_24), (void*)value);
}
inline static int32_t get_offset_of_PRindexMap_25() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRindexMap_25)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_PRindexMap_25() const { return ___PRindexMap_25; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_PRindexMap_25() { return &___PRindexMap_25; }
inline void set_PRindexMap_25(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___PRindexMap_25 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PRindexMap_25), (void*)value);
}
inline static int32_t get_offset_of_PRmemberIndex_26() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRmemberIndex_26)); }
inline int32_t get_PRmemberIndex_26() const { return ___PRmemberIndex_26; }
inline int32_t* get_address_of_PRmemberIndex_26() { return &___PRmemberIndex_26; }
inline void set_PRmemberIndex_26(int32_t value)
{
___PRmemberIndex_26 = value;
}
inline static int32_t get_offset_of_PRlinearlength_27() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRlinearlength_27)); }
inline int32_t get_PRlinearlength_27() const { return ___PRlinearlength_27; }
inline int32_t* get_address_of_PRlinearlength_27() { return &___PRlinearlength_27; }
inline void set_PRlinearlength_27(int32_t value)
{
___PRlinearlength_27 = value;
}
inline static int32_t get_offset_of_PRrectangularMap_28() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRrectangularMap_28)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_PRrectangularMap_28() const { return ___PRrectangularMap_28; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_PRrectangularMap_28() { return &___PRrectangularMap_28; }
inline void set_PRrectangularMap_28(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___PRrectangularMap_28 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PRrectangularMap_28), (void*)value);
}
inline static int32_t get_offset_of_PRisLowerBound_29() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRisLowerBound_29)); }
inline bool get_PRisLowerBound_29() const { return ___PRisLowerBound_29; }
inline bool* get_address_of_PRisLowerBound_29() { return &___PRisLowerBound_29; }
inline void set_PRisLowerBound_29(bool value)
{
___PRisLowerBound_29 = value;
}
inline static int32_t get_offset_of_PRtopId_30() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRtopId_30)); }
inline int64_t get_PRtopId_30() const { return ___PRtopId_30; }
inline int64_t* get_address_of_PRtopId_30() { return &___PRtopId_30; }
inline void set_PRtopId_30(int64_t value)
{
___PRtopId_30 = value;
}
inline static int32_t get_offset_of_PRheaderId_31() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRheaderId_31)); }
inline int64_t get_PRheaderId_31() const { return ___PRheaderId_31; }
inline int64_t* get_address_of_PRheaderId_31() { return &___PRheaderId_31; }
inline void set_PRheaderId_31(int64_t value)
{
___PRheaderId_31 = value;
}
inline static int32_t get_offset_of_PRobjectInfo_32() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRobjectInfo_32)); }
inline ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223 * get_PRobjectInfo_32() const { return ___PRobjectInfo_32; }
inline ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223 ** get_address_of_PRobjectInfo_32() { return &___PRobjectInfo_32; }
inline void set_PRobjectInfo_32(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223 * value)
{
___PRobjectInfo_32 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PRobjectInfo_32), (void*)value);
}
inline static int32_t get_offset_of_PRisValueTypeFixup_33() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRisValueTypeFixup_33)); }
inline bool get_PRisValueTypeFixup_33() const { return ___PRisValueTypeFixup_33; }
inline bool* get_address_of_PRisValueTypeFixup_33() { return &___PRisValueTypeFixup_33; }
inline void set_PRisValueTypeFixup_33(bool value)
{
___PRisValueTypeFixup_33 = value;
}
inline static int32_t get_offset_of_PRnewObj_34() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRnewObj_34)); }
inline RuntimeObject * get_PRnewObj_34() const { return ___PRnewObj_34; }
inline RuntimeObject ** get_address_of_PRnewObj_34() { return &___PRnewObj_34; }
inline void set_PRnewObj_34(RuntimeObject * value)
{
___PRnewObj_34 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PRnewObj_34), (void*)value);
}
inline static int32_t get_offset_of_PRobjectA_35() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRobjectA_35)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_PRobjectA_35() const { return ___PRobjectA_35; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_PRobjectA_35() { return &___PRobjectA_35; }
inline void set_PRobjectA_35(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___PRobjectA_35 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PRobjectA_35), (void*)value);
}
inline static int32_t get_offset_of_PRprimitiveArray_36() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRprimitiveArray_36)); }
inline PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4 * get_PRprimitiveArray_36() const { return ___PRprimitiveArray_36; }
inline PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4 ** get_address_of_PRprimitiveArray_36() { return &___PRprimitiveArray_36; }
inline void set_PRprimitiveArray_36(PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4 * value)
{
___PRprimitiveArray_36 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PRprimitiveArray_36), (void*)value);
}
inline static int32_t get_offset_of_PRisRegistered_37() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRisRegistered_37)); }
inline bool get_PRisRegistered_37() const { return ___PRisRegistered_37; }
inline bool* get_address_of_PRisRegistered_37() { return &___PRisRegistered_37; }
inline void set_PRisRegistered_37(bool value)
{
___PRisRegistered_37 = value;
}
inline static int32_t get_offset_of_PRmemberData_38() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRmemberData_38)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_PRmemberData_38() const { return ___PRmemberData_38; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_PRmemberData_38() { return &___PRmemberData_38; }
inline void set_PRmemberData_38(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___PRmemberData_38 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PRmemberData_38), (void*)value);
}
inline static int32_t get_offset_of_PRsi_39() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRsi_39)); }
inline SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 * get_PRsi_39() const { return ___PRsi_39; }
inline SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 ** get_address_of_PRsi_39() { return &___PRsi_39; }
inline void set_PRsi_39(SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 * value)
{
___PRsi_39 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PRsi_39), (void*)value);
}
inline static int32_t get_offset_of_PRnullCount_40() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413, ___PRnullCount_40)); }
inline int32_t get_PRnullCount_40() const { return ___PRnullCount_40; }
inline int32_t* get_address_of_PRnullCount_40() { return &___PRnullCount_40; }
inline void set_PRnullCount_40(int32_t value)
{
___PRnullCount_40 = value;
}
};
struct ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413_StaticFields
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.ParseRecord::parseRecordIdCount
int32_t ___parseRecordIdCount_0;
public:
inline static int32_t get_offset_of_parseRecordIdCount_0() { return static_cast<int32_t>(offsetof(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413_StaticFields, ___parseRecordIdCount_0)); }
inline int32_t get_parseRecordIdCount_0() const { return ___parseRecordIdCount_0; }
inline int32_t* get_address_of_parseRecordIdCount_0() { return &___parseRecordIdCount_0; }
inline void set_parseRecordIdCount_0(int32_t value)
{
___parseRecordIdCount_0 = value;
}
};
// UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors
struct ParsingErrors_t6BAAFC24B387A47B9FAEEF8FDD6CCA45E7CA6ABA : public Exception_t
{
public:
// UnityEngine.Localization.SmartFormat.Core.Parsing.Format UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors::result
Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * ___result_17;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors/ParsingIssue> UnityEngine.Localization.SmartFormat.Core.Parsing.ParsingErrors::<Issues>k__BackingField
List_1_t4700C9073CC50F36B25CFC27ED09665E6BA9C659 * ___U3CIssuesU3Ek__BackingField_18;
public:
inline static int32_t get_offset_of_result_17() { return static_cast<int32_t>(offsetof(ParsingErrors_t6BAAFC24B387A47B9FAEEF8FDD6CCA45E7CA6ABA, ___result_17)); }
inline Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * get_result_17() const { return ___result_17; }
inline Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E ** get_address_of_result_17() { return &___result_17; }
inline void set_result_17(Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E * value)
{
___result_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___result_17), (void*)value);
}
inline static int32_t get_offset_of_U3CIssuesU3Ek__BackingField_18() { return static_cast<int32_t>(offsetof(ParsingErrors_t6BAAFC24B387A47B9FAEEF8FDD6CCA45E7CA6ABA, ___U3CIssuesU3Ek__BackingField_18)); }
inline List_1_t4700C9073CC50F36B25CFC27ED09665E6BA9C659 * get_U3CIssuesU3Ek__BackingField_18() const { return ___U3CIssuesU3Ek__BackingField_18; }
inline List_1_t4700C9073CC50F36B25CFC27ED09665E6BA9C659 ** get_address_of_U3CIssuesU3Ek__BackingField_18() { return &___U3CIssuesU3Ek__BackingField_18; }
inline void set_U3CIssuesU3Ek__BackingField_18(List_1_t4700C9073CC50F36B25CFC27ED09665E6BA9C659 * value)
{
___U3CIssuesU3Ek__BackingField_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CIssuesU3Ek__BackingField_18), (void*)value);
}
};
// UnityEngine.Events.PersistentCall
struct PersistentCall_tD4B4BC3A0C50BD829EB4511AEB9862EF8045C8E9 : public RuntimeObject
{
public:
// UnityEngine.Object UnityEngine.Events.PersistentCall::m_Target
Object_tF2F3778131EFF286AF62B7B013A170F95A91571A * ___m_Target_0;
// System.String UnityEngine.Events.PersistentCall::m_TargetAssemblyTypeName
String_t* ___m_TargetAssemblyTypeName_1;
// System.String UnityEngine.Events.PersistentCall::m_MethodName
String_t* ___m_MethodName_2;
// UnityEngine.Events.PersistentListenerMode UnityEngine.Events.PersistentCall::m_Mode
int32_t ___m_Mode_3;
// UnityEngine.Events.ArgumentCache UnityEngine.Events.PersistentCall::m_Arguments
ArgumentCache_t4D7FB57CCBE856231DAF2D883AD4C1EB6726CB27 * ___m_Arguments_4;
// UnityEngine.Events.UnityEventCallState UnityEngine.Events.PersistentCall::m_CallState
int32_t ___m_CallState_5;
public:
inline static int32_t get_offset_of_m_Target_0() { return static_cast<int32_t>(offsetof(PersistentCall_tD4B4BC3A0C50BD829EB4511AEB9862EF8045C8E9, ___m_Target_0)); }
inline Object_tF2F3778131EFF286AF62B7B013A170F95A91571A * get_m_Target_0() const { return ___m_Target_0; }
inline Object_tF2F3778131EFF286AF62B7B013A170F95A91571A ** get_address_of_m_Target_0() { return &___m_Target_0; }
inline void set_m_Target_0(Object_tF2F3778131EFF286AF62B7B013A170F95A91571A * value)
{
___m_Target_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Target_0), (void*)value);
}
inline static int32_t get_offset_of_m_TargetAssemblyTypeName_1() { return static_cast<int32_t>(offsetof(PersistentCall_tD4B4BC3A0C50BD829EB4511AEB9862EF8045C8E9, ___m_TargetAssemblyTypeName_1)); }
inline String_t* get_m_TargetAssemblyTypeName_1() const { return ___m_TargetAssemblyTypeName_1; }
inline String_t** get_address_of_m_TargetAssemblyTypeName_1() { return &___m_TargetAssemblyTypeName_1; }
inline void set_m_TargetAssemblyTypeName_1(String_t* value)
{
___m_TargetAssemblyTypeName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TargetAssemblyTypeName_1), (void*)value);
}
inline static int32_t get_offset_of_m_MethodName_2() { return static_cast<int32_t>(offsetof(PersistentCall_tD4B4BC3A0C50BD829EB4511AEB9862EF8045C8E9, ___m_MethodName_2)); }
inline String_t* get_m_MethodName_2() const { return ___m_MethodName_2; }
inline String_t** get_address_of_m_MethodName_2() { return &___m_MethodName_2; }
inline void set_m_MethodName_2(String_t* value)
{
___m_MethodName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_MethodName_2), (void*)value);
}
inline static int32_t get_offset_of_m_Mode_3() { return static_cast<int32_t>(offsetof(PersistentCall_tD4B4BC3A0C50BD829EB4511AEB9862EF8045C8E9, ___m_Mode_3)); }
inline int32_t get_m_Mode_3() const { return ___m_Mode_3; }
inline int32_t* get_address_of_m_Mode_3() { return &___m_Mode_3; }
inline void set_m_Mode_3(int32_t value)
{
___m_Mode_3 = value;
}
inline static int32_t get_offset_of_m_Arguments_4() { return static_cast<int32_t>(offsetof(PersistentCall_tD4B4BC3A0C50BD829EB4511AEB9862EF8045C8E9, ___m_Arguments_4)); }
inline ArgumentCache_t4D7FB57CCBE856231DAF2D883AD4C1EB6726CB27 * get_m_Arguments_4() const { return ___m_Arguments_4; }
inline ArgumentCache_t4D7FB57CCBE856231DAF2D883AD4C1EB6726CB27 ** get_address_of_m_Arguments_4() { return &___m_Arguments_4; }
inline void set_m_Arguments_4(ArgumentCache_t4D7FB57CCBE856231DAF2D883AD4C1EB6726CB27 * value)
{
___m_Arguments_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Arguments_4), (void*)value);
}
inline static int32_t get_offset_of_m_CallState_5() { return static_cast<int32_t>(offsetof(PersistentCall_tD4B4BC3A0C50BD829EB4511AEB9862EF8045C8E9, ___m_CallState_5)); }
inline int32_t get_m_CallState_5() const { return ___m_CallState_5; }
inline int32_t* get_address_of_m_CallState_5() { return &___m_CallState_5; }
inline void set_m_CallState_5(int32_t value)
{
___m_CallState_5 = value;
}
};
// UnityEngine.Playables.Playable
struct Playable_tC24692CDD1DD8F1D5C646035A76D2830A70214E2
{
public:
// UnityEngine.Playables.PlayableHandle UnityEngine.Playables.Playable::m_Handle
PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(Playable_tC24692CDD1DD8F1D5C646035A76D2830A70214E2, ___m_Handle_0)); }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A value)
{
___m_Handle_0 = value;
}
};
struct Playable_tC24692CDD1DD8F1D5C646035A76D2830A70214E2_StaticFields
{
public:
// UnityEngine.Playables.Playable UnityEngine.Playables.Playable::m_NullPlayable
Playable_tC24692CDD1DD8F1D5C646035A76D2830A70214E2 ___m_NullPlayable_1;
public:
inline static int32_t get_offset_of_m_NullPlayable_1() { return static_cast<int32_t>(offsetof(Playable_tC24692CDD1DD8F1D5C646035A76D2830A70214E2_StaticFields, ___m_NullPlayable_1)); }
inline Playable_tC24692CDD1DD8F1D5C646035A76D2830A70214E2 get_m_NullPlayable_1() const { return ___m_NullPlayable_1; }
inline Playable_tC24692CDD1DD8F1D5C646035A76D2830A70214E2 * get_address_of_m_NullPlayable_1() { return &___m_NullPlayable_1; }
inline void set_m_NullPlayable_1(Playable_tC24692CDD1DD8F1D5C646035A76D2830A70214E2 value)
{
___m_NullPlayable_1 = value;
}
};
// UnityEngine.Playables.PlayableBinding
struct PlayableBinding_t265202500C703254AD9777368C05D1986C8AC7A2
{
public:
// System.String UnityEngine.Playables.PlayableBinding::m_StreamName
String_t* ___m_StreamName_0;
// UnityEngine.Object UnityEngine.Playables.PlayableBinding::m_SourceObject
Object_tF2F3778131EFF286AF62B7B013A170F95A91571A * ___m_SourceObject_1;
// System.Type UnityEngine.Playables.PlayableBinding::m_SourceBindingType
Type_t * ___m_SourceBindingType_2;
// UnityEngine.Playables.PlayableBinding/CreateOutputMethod UnityEngine.Playables.PlayableBinding::m_CreateOutputMethod
CreateOutputMethod_t7A129D00E8823B50AEDD0C9B082C9CB3DF863876 * ___m_CreateOutputMethod_3;
public:
inline static int32_t get_offset_of_m_StreamName_0() { return static_cast<int32_t>(offsetof(PlayableBinding_t265202500C703254AD9777368C05D1986C8AC7A2, ___m_StreamName_0)); }
inline String_t* get_m_StreamName_0() const { return ___m_StreamName_0; }
inline String_t** get_address_of_m_StreamName_0() { return &___m_StreamName_0; }
inline void set_m_StreamName_0(String_t* value)
{
___m_StreamName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_StreamName_0), (void*)value);
}
inline static int32_t get_offset_of_m_SourceObject_1() { return static_cast<int32_t>(offsetof(PlayableBinding_t265202500C703254AD9777368C05D1986C8AC7A2, ___m_SourceObject_1)); }
inline Object_tF2F3778131EFF286AF62B7B013A170F95A91571A * get_m_SourceObject_1() const { return ___m_SourceObject_1; }
inline Object_tF2F3778131EFF286AF62B7B013A170F95A91571A ** get_address_of_m_SourceObject_1() { return &___m_SourceObject_1; }
inline void set_m_SourceObject_1(Object_tF2F3778131EFF286AF62B7B013A170F95A91571A * value)
{
___m_SourceObject_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SourceObject_1), (void*)value);
}
inline static int32_t get_offset_of_m_SourceBindingType_2() { return static_cast<int32_t>(offsetof(PlayableBinding_t265202500C703254AD9777368C05D1986C8AC7A2, ___m_SourceBindingType_2)); }
inline Type_t * get_m_SourceBindingType_2() const { return ___m_SourceBindingType_2; }
inline Type_t ** get_address_of_m_SourceBindingType_2() { return &___m_SourceBindingType_2; }
inline void set_m_SourceBindingType_2(Type_t * value)
{
___m_SourceBindingType_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SourceBindingType_2), (void*)value);
}
inline static int32_t get_offset_of_m_CreateOutputMethod_3() { return static_cast<int32_t>(offsetof(PlayableBinding_t265202500C703254AD9777368C05D1986C8AC7A2, ___m_CreateOutputMethod_3)); }
inline CreateOutputMethod_t7A129D00E8823B50AEDD0C9B082C9CB3DF863876 * get_m_CreateOutputMethod_3() const { return ___m_CreateOutputMethod_3; }
inline CreateOutputMethod_t7A129D00E8823B50AEDD0C9B082C9CB3DF863876 ** get_address_of_m_CreateOutputMethod_3() { return &___m_CreateOutputMethod_3; }
inline void set_m_CreateOutputMethod_3(CreateOutputMethod_t7A129D00E8823B50AEDD0C9B082C9CB3DF863876 * value)
{
___m_CreateOutputMethod_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CreateOutputMethod_3), (void*)value);
}
};
struct PlayableBinding_t265202500C703254AD9777368C05D1986C8AC7A2_StaticFields
{
public:
// UnityEngine.Playables.PlayableBinding[] UnityEngine.Playables.PlayableBinding::None
PlayableBindingU5BU5D_t4FD470872BB5C6A1794C9CB06830B557CA874CB3* ___None_4;
// System.Double UnityEngine.Playables.PlayableBinding::DefaultDuration
double ___DefaultDuration_5;
public:
inline static int32_t get_offset_of_None_4() { return static_cast<int32_t>(offsetof(PlayableBinding_t265202500C703254AD9777368C05D1986C8AC7A2_StaticFields, ___None_4)); }
inline PlayableBindingU5BU5D_t4FD470872BB5C6A1794C9CB06830B557CA874CB3* get_None_4() const { return ___None_4; }
inline PlayableBindingU5BU5D_t4FD470872BB5C6A1794C9CB06830B557CA874CB3** get_address_of_None_4() { return &___None_4; }
inline void set_None_4(PlayableBindingU5BU5D_t4FD470872BB5C6A1794C9CB06830B557CA874CB3* value)
{
___None_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___None_4), (void*)value);
}
inline static int32_t get_offset_of_DefaultDuration_5() { return static_cast<int32_t>(offsetof(PlayableBinding_t265202500C703254AD9777368C05D1986C8AC7A2_StaticFields, ___DefaultDuration_5)); }
inline double get_DefaultDuration_5() const { return ___DefaultDuration_5; }
inline double* get_address_of_DefaultDuration_5() { return &___DefaultDuration_5; }
inline void set_DefaultDuration_5(double value)
{
___DefaultDuration_5 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Playables.PlayableBinding
struct PlayableBinding_t265202500C703254AD9777368C05D1986C8AC7A2_marshaled_pinvoke
{
char* ___m_StreamName_0;
Object_tF2F3778131EFF286AF62B7B013A170F95A91571A_marshaled_pinvoke ___m_SourceObject_1;
Type_t * ___m_SourceBindingType_2;
Il2CppMethodPointer ___m_CreateOutputMethod_3;
};
// Native definition for COM marshalling of UnityEngine.Playables.PlayableBinding
struct PlayableBinding_t265202500C703254AD9777368C05D1986C8AC7A2_marshaled_com
{
Il2CppChar* ___m_StreamName_0;
Object_tF2F3778131EFF286AF62B7B013A170F95A91571A_marshaled_com* ___m_SourceObject_1;
Type_t * ___m_SourceBindingType_2;
Il2CppMethodPointer ___m_CreateOutputMethod_3;
};
// UnityEngine.Playables.PlayableOutput
struct PlayableOutput_tE735DC774F014DB1711310988F2F914C66520F82
{
public:
// UnityEngine.Playables.PlayableOutputHandle UnityEngine.Playables.PlayableOutput::m_Handle
PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(PlayableOutput_tE735DC774F014DB1711310988F2F914C66520F82, ___m_Handle_0)); }
inline PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 value)
{
___m_Handle_0 = value;
}
};
struct PlayableOutput_tE735DC774F014DB1711310988F2F914C66520F82_StaticFields
{
public:
// UnityEngine.Playables.PlayableOutput UnityEngine.Playables.PlayableOutput::m_NullPlayableOutput
PlayableOutput_tE735DC774F014DB1711310988F2F914C66520F82 ___m_NullPlayableOutput_1;
public:
inline static int32_t get_offset_of_m_NullPlayableOutput_1() { return static_cast<int32_t>(offsetof(PlayableOutput_tE735DC774F014DB1711310988F2F914C66520F82_StaticFields, ___m_NullPlayableOutput_1)); }
inline PlayableOutput_tE735DC774F014DB1711310988F2F914C66520F82 get_m_NullPlayableOutput_1() const { return ___m_NullPlayableOutput_1; }
inline PlayableOutput_tE735DC774F014DB1711310988F2F914C66520F82 * get_address_of_m_NullPlayableOutput_1() { return &___m_NullPlayableOutput_1; }
inline void set_m_NullPlayableOutput_1(PlayableOutput_tE735DC774F014DB1711310988F2F914C66520F82 value)
{
___m_NullPlayableOutput_1 = value;
}
};
// UnityEngine.PlayerPrefsException
struct PlayerPrefsException_tA497D7D928C59701C7D14D506134BDE48515345A : public Exception_t
{
public:
public:
};
// UnityEngine.Experimental.GlobalIllumination.PointLight
struct PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E
{
public:
// System.Int32 UnityEngine.Experimental.GlobalIllumination.PointLight::instanceID
int32_t ___instanceID_0;
// System.Boolean UnityEngine.Experimental.GlobalIllumination.PointLight::shadow
bool ___shadow_1;
// UnityEngine.Experimental.GlobalIllumination.LightMode UnityEngine.Experimental.GlobalIllumination.PointLight::mode
uint8_t ___mode_2;
// UnityEngine.Vector3 UnityEngine.Experimental.GlobalIllumination.PointLight::position
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_3;
// UnityEngine.Experimental.GlobalIllumination.LinearColor UnityEngine.Experimental.GlobalIllumination.PointLight::color
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___color_4;
// UnityEngine.Experimental.GlobalIllumination.LinearColor UnityEngine.Experimental.GlobalIllumination.PointLight::indirectColor
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___indirectColor_5;
// System.Single UnityEngine.Experimental.GlobalIllumination.PointLight::range
float ___range_6;
// System.Single UnityEngine.Experimental.GlobalIllumination.PointLight::sphereRadius
float ___sphereRadius_7;
// UnityEngine.Experimental.GlobalIllumination.FalloffType UnityEngine.Experimental.GlobalIllumination.PointLight::falloff
uint8_t ___falloff_8;
public:
inline static int32_t get_offset_of_instanceID_0() { return static_cast<int32_t>(offsetof(PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E, ___instanceID_0)); }
inline int32_t get_instanceID_0() const { return ___instanceID_0; }
inline int32_t* get_address_of_instanceID_0() { return &___instanceID_0; }
inline void set_instanceID_0(int32_t value)
{
___instanceID_0 = value;
}
inline static int32_t get_offset_of_shadow_1() { return static_cast<int32_t>(offsetof(PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E, ___shadow_1)); }
inline bool get_shadow_1() const { return ___shadow_1; }
inline bool* get_address_of_shadow_1() { return &___shadow_1; }
inline void set_shadow_1(bool value)
{
___shadow_1 = value;
}
inline static int32_t get_offset_of_mode_2() { return static_cast<int32_t>(offsetof(PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E, ___mode_2)); }
inline uint8_t get_mode_2() const { return ___mode_2; }
inline uint8_t* get_address_of_mode_2() { return &___mode_2; }
inline void set_mode_2(uint8_t value)
{
___mode_2 = value;
}
inline static int32_t get_offset_of_position_3() { return static_cast<int32_t>(offsetof(PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E, ___position_3)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_position_3() const { return ___position_3; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_position_3() { return &___position_3; }
inline void set_position_3(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___position_3 = value;
}
inline static int32_t get_offset_of_color_4() { return static_cast<int32_t>(offsetof(PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E, ___color_4)); }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 get_color_4() const { return ___color_4; }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 * get_address_of_color_4() { return &___color_4; }
inline void set_color_4(LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 value)
{
___color_4 = value;
}
inline static int32_t get_offset_of_indirectColor_5() { return static_cast<int32_t>(offsetof(PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E, ___indirectColor_5)); }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 get_indirectColor_5() const { return ___indirectColor_5; }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 * get_address_of_indirectColor_5() { return &___indirectColor_5; }
inline void set_indirectColor_5(LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 value)
{
___indirectColor_5 = value;
}
inline static int32_t get_offset_of_range_6() { return static_cast<int32_t>(offsetof(PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E, ___range_6)); }
inline float get_range_6() const { return ___range_6; }
inline float* get_address_of_range_6() { return &___range_6; }
inline void set_range_6(float value)
{
___range_6 = value;
}
inline static int32_t get_offset_of_sphereRadius_7() { return static_cast<int32_t>(offsetof(PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E, ___sphereRadius_7)); }
inline float get_sphereRadius_7() const { return ___sphereRadius_7; }
inline float* get_address_of_sphereRadius_7() { return &___sphereRadius_7; }
inline void set_sphereRadius_7(float value)
{
___sphereRadius_7 = value;
}
inline static int32_t get_offset_of_falloff_8() { return static_cast<int32_t>(offsetof(PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E, ___falloff_8)); }
inline uint8_t get_falloff_8() const { return ___falloff_8; }
inline uint8_t* get_address_of_falloff_8() { return &___falloff_8; }
inline void set_falloff_8(uint8_t value)
{
___falloff_8 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Experimental.GlobalIllumination.PointLight
struct PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E_marshaled_pinvoke
{
int32_t ___instanceID_0;
int32_t ___shadow_1;
uint8_t ___mode_2;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_3;
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___color_4;
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___indirectColor_5;
float ___range_6;
float ___sphereRadius_7;
uint8_t ___falloff_8;
};
// Native definition for COM marshalling of UnityEngine.Experimental.GlobalIllumination.PointLight
struct PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E_marshaled_com
{
int32_t ___instanceID_0;
int32_t ___shadow_1;
uint8_t ___mode_2;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_3;
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___color_4;
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___indirectColor_5;
float ___range_6;
float ___sphereRadius_7;
uint8_t ___falloff_8;
};
// UnityEngine.EventSystems.PointerEventData
struct PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 : public BaseEventData_t722C48843CF21B50E06CC0E2E679415E38A7444E
{
public:
// UnityEngine.GameObject UnityEngine.EventSystems.PointerEventData::<pointerEnter>k__BackingField
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___U3CpointerEnterU3Ek__BackingField_2;
// UnityEngine.GameObject UnityEngine.EventSystems.PointerEventData::m_PointerPress
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_PointerPress_3;
// UnityEngine.GameObject UnityEngine.EventSystems.PointerEventData::<lastPress>k__BackingField
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___U3ClastPressU3Ek__BackingField_4;
// UnityEngine.GameObject UnityEngine.EventSystems.PointerEventData::<rawPointerPress>k__BackingField
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___U3CrawPointerPressU3Ek__BackingField_5;
// UnityEngine.GameObject UnityEngine.EventSystems.PointerEventData::<pointerDrag>k__BackingField
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___U3CpointerDragU3Ek__BackingField_6;
// UnityEngine.GameObject UnityEngine.EventSystems.PointerEventData::<pointerClick>k__BackingField
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___U3CpointerClickU3Ek__BackingField_7;
// UnityEngine.EventSystems.RaycastResult UnityEngine.EventSystems.PointerEventData::<pointerCurrentRaycast>k__BackingField
RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE ___U3CpointerCurrentRaycastU3Ek__BackingField_8;
// UnityEngine.EventSystems.RaycastResult UnityEngine.EventSystems.PointerEventData::<pointerPressRaycast>k__BackingField
RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE ___U3CpointerPressRaycastU3Ek__BackingField_9;
// System.Collections.Generic.List`1<UnityEngine.GameObject> UnityEngine.EventSystems.PointerEventData::hovered
List_1_t6D0A10F47F3440798295D2FFFC6D016477AF38E5 * ___hovered_10;
// System.Boolean UnityEngine.EventSystems.PointerEventData::<eligibleForClick>k__BackingField
bool ___U3CeligibleForClickU3Ek__BackingField_11;
// System.Int32 UnityEngine.EventSystems.PointerEventData::<pointerId>k__BackingField
int32_t ___U3CpointerIdU3Ek__BackingField_12;
// UnityEngine.Vector2 UnityEngine.EventSystems.PointerEventData::<position>k__BackingField
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___U3CpositionU3Ek__BackingField_13;
// UnityEngine.Vector2 UnityEngine.EventSystems.PointerEventData::<delta>k__BackingField
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___U3CdeltaU3Ek__BackingField_14;
// UnityEngine.Vector2 UnityEngine.EventSystems.PointerEventData::<pressPosition>k__BackingField
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___U3CpressPositionU3Ek__BackingField_15;
// UnityEngine.Vector3 UnityEngine.EventSystems.PointerEventData::<worldPosition>k__BackingField
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___U3CworldPositionU3Ek__BackingField_16;
// UnityEngine.Vector3 UnityEngine.EventSystems.PointerEventData::<worldNormal>k__BackingField
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___U3CworldNormalU3Ek__BackingField_17;
// System.Single UnityEngine.EventSystems.PointerEventData::<clickTime>k__BackingField
float ___U3CclickTimeU3Ek__BackingField_18;
// System.Int32 UnityEngine.EventSystems.PointerEventData::<clickCount>k__BackingField
int32_t ___U3CclickCountU3Ek__BackingField_19;
// UnityEngine.Vector2 UnityEngine.EventSystems.PointerEventData::<scrollDelta>k__BackingField
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___U3CscrollDeltaU3Ek__BackingField_20;
// System.Boolean UnityEngine.EventSystems.PointerEventData::<useDragThreshold>k__BackingField
bool ___U3CuseDragThresholdU3Ek__BackingField_21;
// System.Boolean UnityEngine.EventSystems.PointerEventData::<dragging>k__BackingField
bool ___U3CdraggingU3Ek__BackingField_22;
// UnityEngine.EventSystems.PointerEventData/InputButton UnityEngine.EventSystems.PointerEventData::<button>k__BackingField
int32_t ___U3CbuttonU3Ek__BackingField_23;
public:
inline static int32_t get_offset_of_U3CpointerEnterU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___U3CpointerEnterU3Ek__BackingField_2)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_U3CpointerEnterU3Ek__BackingField_2() const { return ___U3CpointerEnterU3Ek__BackingField_2; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_U3CpointerEnterU3Ek__BackingField_2() { return &___U3CpointerEnterU3Ek__BackingField_2; }
inline void set_U3CpointerEnterU3Ek__BackingField_2(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___U3CpointerEnterU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CpointerEnterU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_m_PointerPress_3() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___m_PointerPress_3)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_m_PointerPress_3() const { return ___m_PointerPress_3; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_m_PointerPress_3() { return &___m_PointerPress_3; }
inline void set_m_PointerPress_3(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___m_PointerPress_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PointerPress_3), (void*)value);
}
inline static int32_t get_offset_of_U3ClastPressU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___U3ClastPressU3Ek__BackingField_4)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_U3ClastPressU3Ek__BackingField_4() const { return ___U3ClastPressU3Ek__BackingField_4; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_U3ClastPressU3Ek__BackingField_4() { return &___U3ClastPressU3Ek__BackingField_4; }
inline void set_U3ClastPressU3Ek__BackingField_4(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___U3ClastPressU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3ClastPressU3Ek__BackingField_4), (void*)value);
}
inline static int32_t get_offset_of_U3CrawPointerPressU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___U3CrawPointerPressU3Ek__BackingField_5)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_U3CrawPointerPressU3Ek__BackingField_5() const { return ___U3CrawPointerPressU3Ek__BackingField_5; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_U3CrawPointerPressU3Ek__BackingField_5() { return &___U3CrawPointerPressU3Ek__BackingField_5; }
inline void set_U3CrawPointerPressU3Ek__BackingField_5(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___U3CrawPointerPressU3Ek__BackingField_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CrawPointerPressU3Ek__BackingField_5), (void*)value);
}
inline static int32_t get_offset_of_U3CpointerDragU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___U3CpointerDragU3Ek__BackingField_6)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_U3CpointerDragU3Ek__BackingField_6() const { return ___U3CpointerDragU3Ek__BackingField_6; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_U3CpointerDragU3Ek__BackingField_6() { return &___U3CpointerDragU3Ek__BackingField_6; }
inline void set_U3CpointerDragU3Ek__BackingField_6(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___U3CpointerDragU3Ek__BackingField_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CpointerDragU3Ek__BackingField_6), (void*)value);
}
inline static int32_t get_offset_of_U3CpointerClickU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___U3CpointerClickU3Ek__BackingField_7)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_U3CpointerClickU3Ek__BackingField_7() const { return ___U3CpointerClickU3Ek__BackingField_7; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_U3CpointerClickU3Ek__BackingField_7() { return &___U3CpointerClickU3Ek__BackingField_7; }
inline void set_U3CpointerClickU3Ek__BackingField_7(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___U3CpointerClickU3Ek__BackingField_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CpointerClickU3Ek__BackingField_7), (void*)value);
}
inline static int32_t get_offset_of_U3CpointerCurrentRaycastU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___U3CpointerCurrentRaycastU3Ek__BackingField_8)); }
inline RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE get_U3CpointerCurrentRaycastU3Ek__BackingField_8() const { return ___U3CpointerCurrentRaycastU3Ek__BackingField_8; }
inline RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE * get_address_of_U3CpointerCurrentRaycastU3Ek__BackingField_8() { return &___U3CpointerCurrentRaycastU3Ek__BackingField_8; }
inline void set_U3CpointerCurrentRaycastU3Ek__BackingField_8(RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE value)
{
___U3CpointerCurrentRaycastU3Ek__BackingField_8 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CpointerCurrentRaycastU3Ek__BackingField_8))->___m_GameObject_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CpointerCurrentRaycastU3Ek__BackingField_8))->___module_1), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_U3CpointerPressRaycastU3Ek__BackingField_9() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___U3CpointerPressRaycastU3Ek__BackingField_9)); }
inline RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE get_U3CpointerPressRaycastU3Ek__BackingField_9() const { return ___U3CpointerPressRaycastU3Ek__BackingField_9; }
inline RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE * get_address_of_U3CpointerPressRaycastU3Ek__BackingField_9() { return &___U3CpointerPressRaycastU3Ek__BackingField_9; }
inline void set_U3CpointerPressRaycastU3Ek__BackingField_9(RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE value)
{
___U3CpointerPressRaycastU3Ek__BackingField_9 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CpointerPressRaycastU3Ek__BackingField_9))->___m_GameObject_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CpointerPressRaycastU3Ek__BackingField_9))->___module_1), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_hovered_10() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___hovered_10)); }
inline List_1_t6D0A10F47F3440798295D2FFFC6D016477AF38E5 * get_hovered_10() const { return ___hovered_10; }
inline List_1_t6D0A10F47F3440798295D2FFFC6D016477AF38E5 ** get_address_of_hovered_10() { return &___hovered_10; }
inline void set_hovered_10(List_1_t6D0A10F47F3440798295D2FFFC6D016477AF38E5 * value)
{
___hovered_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___hovered_10), (void*)value);
}
inline static int32_t get_offset_of_U3CeligibleForClickU3Ek__BackingField_11() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___U3CeligibleForClickU3Ek__BackingField_11)); }
inline bool get_U3CeligibleForClickU3Ek__BackingField_11() const { return ___U3CeligibleForClickU3Ek__BackingField_11; }
inline bool* get_address_of_U3CeligibleForClickU3Ek__BackingField_11() { return &___U3CeligibleForClickU3Ek__BackingField_11; }
inline void set_U3CeligibleForClickU3Ek__BackingField_11(bool value)
{
___U3CeligibleForClickU3Ek__BackingField_11 = value;
}
inline static int32_t get_offset_of_U3CpointerIdU3Ek__BackingField_12() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___U3CpointerIdU3Ek__BackingField_12)); }
inline int32_t get_U3CpointerIdU3Ek__BackingField_12() const { return ___U3CpointerIdU3Ek__BackingField_12; }
inline int32_t* get_address_of_U3CpointerIdU3Ek__BackingField_12() { return &___U3CpointerIdU3Ek__BackingField_12; }
inline void set_U3CpointerIdU3Ek__BackingField_12(int32_t value)
{
___U3CpointerIdU3Ek__BackingField_12 = value;
}
inline static int32_t get_offset_of_U3CpositionU3Ek__BackingField_13() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___U3CpositionU3Ek__BackingField_13)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_U3CpositionU3Ek__BackingField_13() const { return ___U3CpositionU3Ek__BackingField_13; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_U3CpositionU3Ek__BackingField_13() { return &___U3CpositionU3Ek__BackingField_13; }
inline void set_U3CpositionU3Ek__BackingField_13(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___U3CpositionU3Ek__BackingField_13 = value;
}
inline static int32_t get_offset_of_U3CdeltaU3Ek__BackingField_14() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___U3CdeltaU3Ek__BackingField_14)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_U3CdeltaU3Ek__BackingField_14() const { return ___U3CdeltaU3Ek__BackingField_14; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_U3CdeltaU3Ek__BackingField_14() { return &___U3CdeltaU3Ek__BackingField_14; }
inline void set_U3CdeltaU3Ek__BackingField_14(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___U3CdeltaU3Ek__BackingField_14 = value;
}
inline static int32_t get_offset_of_U3CpressPositionU3Ek__BackingField_15() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___U3CpressPositionU3Ek__BackingField_15)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_U3CpressPositionU3Ek__BackingField_15() const { return ___U3CpressPositionU3Ek__BackingField_15; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_U3CpressPositionU3Ek__BackingField_15() { return &___U3CpressPositionU3Ek__BackingField_15; }
inline void set_U3CpressPositionU3Ek__BackingField_15(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___U3CpressPositionU3Ek__BackingField_15 = value;
}
inline static int32_t get_offset_of_U3CworldPositionU3Ek__BackingField_16() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___U3CworldPositionU3Ek__BackingField_16)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_U3CworldPositionU3Ek__BackingField_16() const { return ___U3CworldPositionU3Ek__BackingField_16; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_U3CworldPositionU3Ek__BackingField_16() { return &___U3CworldPositionU3Ek__BackingField_16; }
inline void set_U3CworldPositionU3Ek__BackingField_16(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___U3CworldPositionU3Ek__BackingField_16 = value;
}
inline static int32_t get_offset_of_U3CworldNormalU3Ek__BackingField_17() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___U3CworldNormalU3Ek__BackingField_17)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_U3CworldNormalU3Ek__BackingField_17() const { return ___U3CworldNormalU3Ek__BackingField_17; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_U3CworldNormalU3Ek__BackingField_17() { return &___U3CworldNormalU3Ek__BackingField_17; }
inline void set_U3CworldNormalU3Ek__BackingField_17(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___U3CworldNormalU3Ek__BackingField_17 = value;
}
inline static int32_t get_offset_of_U3CclickTimeU3Ek__BackingField_18() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___U3CclickTimeU3Ek__BackingField_18)); }
inline float get_U3CclickTimeU3Ek__BackingField_18() const { return ___U3CclickTimeU3Ek__BackingField_18; }
inline float* get_address_of_U3CclickTimeU3Ek__BackingField_18() { return &___U3CclickTimeU3Ek__BackingField_18; }
inline void set_U3CclickTimeU3Ek__BackingField_18(float value)
{
___U3CclickTimeU3Ek__BackingField_18 = value;
}
inline static int32_t get_offset_of_U3CclickCountU3Ek__BackingField_19() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___U3CclickCountU3Ek__BackingField_19)); }
inline int32_t get_U3CclickCountU3Ek__BackingField_19() const { return ___U3CclickCountU3Ek__BackingField_19; }
inline int32_t* get_address_of_U3CclickCountU3Ek__BackingField_19() { return &___U3CclickCountU3Ek__BackingField_19; }
inline void set_U3CclickCountU3Ek__BackingField_19(int32_t value)
{
___U3CclickCountU3Ek__BackingField_19 = value;
}
inline static int32_t get_offset_of_U3CscrollDeltaU3Ek__BackingField_20() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___U3CscrollDeltaU3Ek__BackingField_20)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_U3CscrollDeltaU3Ek__BackingField_20() const { return ___U3CscrollDeltaU3Ek__BackingField_20; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_U3CscrollDeltaU3Ek__BackingField_20() { return &___U3CscrollDeltaU3Ek__BackingField_20; }
inline void set_U3CscrollDeltaU3Ek__BackingField_20(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___U3CscrollDeltaU3Ek__BackingField_20 = value;
}
inline static int32_t get_offset_of_U3CuseDragThresholdU3Ek__BackingField_21() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___U3CuseDragThresholdU3Ek__BackingField_21)); }
inline bool get_U3CuseDragThresholdU3Ek__BackingField_21() const { return ___U3CuseDragThresholdU3Ek__BackingField_21; }
inline bool* get_address_of_U3CuseDragThresholdU3Ek__BackingField_21() { return &___U3CuseDragThresholdU3Ek__BackingField_21; }
inline void set_U3CuseDragThresholdU3Ek__BackingField_21(bool value)
{
___U3CuseDragThresholdU3Ek__BackingField_21 = value;
}
inline static int32_t get_offset_of_U3CdraggingU3Ek__BackingField_22() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___U3CdraggingU3Ek__BackingField_22)); }
inline bool get_U3CdraggingU3Ek__BackingField_22() const { return ___U3CdraggingU3Ek__BackingField_22; }
inline bool* get_address_of_U3CdraggingU3Ek__BackingField_22() { return &___U3CdraggingU3Ek__BackingField_22; }
inline void set_U3CdraggingU3Ek__BackingField_22(bool value)
{
___U3CdraggingU3Ek__BackingField_22 = value;
}
inline static int32_t get_offset_of_U3CbuttonU3Ek__BackingField_23() { return static_cast<int32_t>(offsetof(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954, ___U3CbuttonU3Ek__BackingField_23)); }
inline int32_t get_U3CbuttonU3Ek__BackingField_23() const { return ___U3CbuttonU3Ek__BackingField_23; }
inline int32_t* get_address_of_U3CbuttonU3Ek__BackingField_23() { return &___U3CbuttonU3Ek__BackingField_23; }
inline void set_U3CbuttonU3Ek__BackingField_23(int32_t value)
{
___U3CbuttonU3Ek__BackingField_23 = value;
}
};
// UnityEngine.XR.Tango.PoseData
struct PoseData_t291D206DDA816BEA210B5659CEB0E5953912809E
{
public:
// System.Double UnityEngine.XR.Tango.PoseData::orientation_x
double ___orientation_x_0;
// System.Double UnityEngine.XR.Tango.PoseData::orientation_y
double ___orientation_y_1;
// System.Double UnityEngine.XR.Tango.PoseData::orientation_z
double ___orientation_z_2;
// System.Double UnityEngine.XR.Tango.PoseData::orientation_w
double ___orientation_w_3;
// System.Double UnityEngine.XR.Tango.PoseData::translation_x
double ___translation_x_4;
// System.Double UnityEngine.XR.Tango.PoseData::translation_y
double ___translation_y_5;
// System.Double UnityEngine.XR.Tango.PoseData::translation_z
double ___translation_z_6;
// UnityEngine.XR.Tango.PoseStatus UnityEngine.XR.Tango.PoseData::statusCode
int32_t ___statusCode_7;
public:
inline static int32_t get_offset_of_orientation_x_0() { return static_cast<int32_t>(offsetof(PoseData_t291D206DDA816BEA210B5659CEB0E5953912809E, ___orientation_x_0)); }
inline double get_orientation_x_0() const { return ___orientation_x_0; }
inline double* get_address_of_orientation_x_0() { return &___orientation_x_0; }
inline void set_orientation_x_0(double value)
{
___orientation_x_0 = value;
}
inline static int32_t get_offset_of_orientation_y_1() { return static_cast<int32_t>(offsetof(PoseData_t291D206DDA816BEA210B5659CEB0E5953912809E, ___orientation_y_1)); }
inline double get_orientation_y_1() const { return ___orientation_y_1; }
inline double* get_address_of_orientation_y_1() { return &___orientation_y_1; }
inline void set_orientation_y_1(double value)
{
___orientation_y_1 = value;
}
inline static int32_t get_offset_of_orientation_z_2() { return static_cast<int32_t>(offsetof(PoseData_t291D206DDA816BEA210B5659CEB0E5953912809E, ___orientation_z_2)); }
inline double get_orientation_z_2() const { return ___orientation_z_2; }
inline double* get_address_of_orientation_z_2() { return &___orientation_z_2; }
inline void set_orientation_z_2(double value)
{
___orientation_z_2 = value;
}
inline static int32_t get_offset_of_orientation_w_3() { return static_cast<int32_t>(offsetof(PoseData_t291D206DDA816BEA210B5659CEB0E5953912809E, ___orientation_w_3)); }
inline double get_orientation_w_3() const { return ___orientation_w_3; }
inline double* get_address_of_orientation_w_3() { return &___orientation_w_3; }
inline void set_orientation_w_3(double value)
{
___orientation_w_3 = value;
}
inline static int32_t get_offset_of_translation_x_4() { return static_cast<int32_t>(offsetof(PoseData_t291D206DDA816BEA210B5659CEB0E5953912809E, ___translation_x_4)); }
inline double get_translation_x_4() const { return ___translation_x_4; }
inline double* get_address_of_translation_x_4() { return &___translation_x_4; }
inline void set_translation_x_4(double value)
{
___translation_x_4 = value;
}
inline static int32_t get_offset_of_translation_y_5() { return static_cast<int32_t>(offsetof(PoseData_t291D206DDA816BEA210B5659CEB0E5953912809E, ___translation_y_5)); }
inline double get_translation_y_5() const { return ___translation_y_5; }
inline double* get_address_of_translation_y_5() { return &___translation_y_5; }
inline void set_translation_y_5(double value)
{
___translation_y_5 = value;
}
inline static int32_t get_offset_of_translation_z_6() { return static_cast<int32_t>(offsetof(PoseData_t291D206DDA816BEA210B5659CEB0E5953912809E, ___translation_z_6)); }
inline double get_translation_z_6() const { return ___translation_z_6; }
inline double* get_address_of_translation_z_6() { return &___translation_z_6; }
inline void set_translation_z_6(double value)
{
___translation_z_6 = value;
}
inline static int32_t get_offset_of_statusCode_7() { return static_cast<int32_t>(offsetof(PoseData_t291D206DDA816BEA210B5659CEB0E5953912809E, ___statusCode_7)); }
inline int32_t get_statusCode_7() const { return ___statusCode_7; }
inline int32_t* get_address_of_statusCode_7() { return &___statusCode_7; }
inline void set_statusCode_7(int32_t value)
{
___statusCode_7 = value;
}
};
// UnityEngine.Localization.Metadata.PreloadAssetTableMetadata
struct PreloadAssetTableMetadata_t0D4FCA82FF850B93DB57C1D7663CB8E89F4CA205 : public RuntimeObject
{
public:
// UnityEngine.Localization.Metadata.PreloadAssetTableMetadata/PreloadBehaviour UnityEngine.Localization.Metadata.PreloadAssetTableMetadata::m_PreloadBehaviour
int32_t ___m_PreloadBehaviour_0;
public:
inline static int32_t get_offset_of_m_PreloadBehaviour_0() { return static_cast<int32_t>(offsetof(PreloadAssetTableMetadata_t0D4FCA82FF850B93DB57C1D7663CB8E89F4CA205, ___m_PreloadBehaviour_0)); }
inline int32_t get_m_PreloadBehaviour_0() const { return ___m_PreloadBehaviour_0; }
inline int32_t* get_address_of_m_PreloadBehaviour_0() { return &___m_PreloadBehaviour_0; }
inline void set_m_PreloadBehaviour_0(int32_t value)
{
___m_PreloadBehaviour_0 = value;
}
};
// UnityEngine.PreloadData
struct PreloadData_t400AD8AFCE6EBB7674A988B6FD61512C11F85BF4 : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// System.Runtime.Serialization.Formatters.Binary.PrimitiveArray
struct PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4 : public RuntimeObject
{
public:
// System.Runtime.Serialization.Formatters.Binary.InternalPrimitiveTypeE System.Runtime.Serialization.Formatters.Binary.PrimitiveArray::code
int32_t ___code_0;
// System.Boolean[] System.Runtime.Serialization.Formatters.Binary.PrimitiveArray::booleanA
BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C* ___booleanA_1;
// System.Char[] System.Runtime.Serialization.Formatters.Binary.PrimitiveArray::charA
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___charA_2;
// System.Double[] System.Runtime.Serialization.Formatters.Binary.PrimitiveArray::doubleA
DoubleU5BU5D_t8E1B42EB2ABB79FBD193A6B8C8D97A7CDE44A4FB* ___doubleA_3;
// System.Int16[] System.Runtime.Serialization.Formatters.Binary.PrimitiveArray::int16A
Int16U5BU5D_tD134F1E6F746D4C09C987436805256C210C2FFCD* ___int16A_4;
// System.Int32[] System.Runtime.Serialization.Formatters.Binary.PrimitiveArray::int32A
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___int32A_5;
// System.Int64[] System.Runtime.Serialization.Formatters.Binary.PrimitiveArray::int64A
Int64U5BU5D_tCA61E42872C63A4286B24EEE6E0650143B43DCE6* ___int64A_6;
// System.SByte[] System.Runtime.Serialization.Formatters.Binary.PrimitiveArray::sbyteA
SByteU5BU5D_t7D94C53295E6116625EA7CC7DEA21FEDC39869E7* ___sbyteA_7;
// System.Single[] System.Runtime.Serialization.Formatters.Binary.PrimitiveArray::singleA
SingleU5BU5D_t47E8DBF5B597C122478D1FFBD9DD57399A0650FA* ___singleA_8;
// System.UInt16[] System.Runtime.Serialization.Formatters.Binary.PrimitiveArray::uint16A
UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67* ___uint16A_9;
// System.UInt32[] System.Runtime.Serialization.Formatters.Binary.PrimitiveArray::uint32A
UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* ___uint32A_10;
// System.UInt64[] System.Runtime.Serialization.Formatters.Binary.PrimitiveArray::uint64A
UInt64U5BU5D_t7C6E32D10F47677C1CEF3C30F4E4CE95B3A633E2* ___uint64A_11;
public:
inline static int32_t get_offset_of_code_0() { return static_cast<int32_t>(offsetof(PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4, ___code_0)); }
inline int32_t get_code_0() const { return ___code_0; }
inline int32_t* get_address_of_code_0() { return &___code_0; }
inline void set_code_0(int32_t value)
{
___code_0 = value;
}
inline static int32_t get_offset_of_booleanA_1() { return static_cast<int32_t>(offsetof(PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4, ___booleanA_1)); }
inline BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C* get_booleanA_1() const { return ___booleanA_1; }
inline BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C** get_address_of_booleanA_1() { return &___booleanA_1; }
inline void set_booleanA_1(BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C* value)
{
___booleanA_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___booleanA_1), (void*)value);
}
inline static int32_t get_offset_of_charA_2() { return static_cast<int32_t>(offsetof(PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4, ___charA_2)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_charA_2() const { return ___charA_2; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_charA_2() { return &___charA_2; }
inline void set_charA_2(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___charA_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___charA_2), (void*)value);
}
inline static int32_t get_offset_of_doubleA_3() { return static_cast<int32_t>(offsetof(PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4, ___doubleA_3)); }
inline DoubleU5BU5D_t8E1B42EB2ABB79FBD193A6B8C8D97A7CDE44A4FB* get_doubleA_3() const { return ___doubleA_3; }
inline DoubleU5BU5D_t8E1B42EB2ABB79FBD193A6B8C8D97A7CDE44A4FB** get_address_of_doubleA_3() { return &___doubleA_3; }
inline void set_doubleA_3(DoubleU5BU5D_t8E1B42EB2ABB79FBD193A6B8C8D97A7CDE44A4FB* value)
{
___doubleA_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___doubleA_3), (void*)value);
}
inline static int32_t get_offset_of_int16A_4() { return static_cast<int32_t>(offsetof(PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4, ___int16A_4)); }
inline Int16U5BU5D_tD134F1E6F746D4C09C987436805256C210C2FFCD* get_int16A_4() const { return ___int16A_4; }
inline Int16U5BU5D_tD134F1E6F746D4C09C987436805256C210C2FFCD** get_address_of_int16A_4() { return &___int16A_4; }
inline void set_int16A_4(Int16U5BU5D_tD134F1E6F746D4C09C987436805256C210C2FFCD* value)
{
___int16A_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___int16A_4), (void*)value);
}
inline static int32_t get_offset_of_int32A_5() { return static_cast<int32_t>(offsetof(PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4, ___int32A_5)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_int32A_5() const { return ___int32A_5; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_int32A_5() { return &___int32A_5; }
inline void set_int32A_5(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___int32A_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___int32A_5), (void*)value);
}
inline static int32_t get_offset_of_int64A_6() { return static_cast<int32_t>(offsetof(PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4, ___int64A_6)); }
inline Int64U5BU5D_tCA61E42872C63A4286B24EEE6E0650143B43DCE6* get_int64A_6() const { return ___int64A_6; }
inline Int64U5BU5D_tCA61E42872C63A4286B24EEE6E0650143B43DCE6** get_address_of_int64A_6() { return &___int64A_6; }
inline void set_int64A_6(Int64U5BU5D_tCA61E42872C63A4286B24EEE6E0650143B43DCE6* value)
{
___int64A_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___int64A_6), (void*)value);
}
inline static int32_t get_offset_of_sbyteA_7() { return static_cast<int32_t>(offsetof(PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4, ___sbyteA_7)); }
inline SByteU5BU5D_t7D94C53295E6116625EA7CC7DEA21FEDC39869E7* get_sbyteA_7() const { return ___sbyteA_7; }
inline SByteU5BU5D_t7D94C53295E6116625EA7CC7DEA21FEDC39869E7** get_address_of_sbyteA_7() { return &___sbyteA_7; }
inline void set_sbyteA_7(SByteU5BU5D_t7D94C53295E6116625EA7CC7DEA21FEDC39869E7* value)
{
___sbyteA_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sbyteA_7), (void*)value);
}
inline static int32_t get_offset_of_singleA_8() { return static_cast<int32_t>(offsetof(PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4, ___singleA_8)); }
inline SingleU5BU5D_t47E8DBF5B597C122478D1FFBD9DD57399A0650FA* get_singleA_8() const { return ___singleA_8; }
inline SingleU5BU5D_t47E8DBF5B597C122478D1FFBD9DD57399A0650FA** get_address_of_singleA_8() { return &___singleA_8; }
inline void set_singleA_8(SingleU5BU5D_t47E8DBF5B597C122478D1FFBD9DD57399A0650FA* value)
{
___singleA_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___singleA_8), (void*)value);
}
inline static int32_t get_offset_of_uint16A_9() { return static_cast<int32_t>(offsetof(PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4, ___uint16A_9)); }
inline UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67* get_uint16A_9() const { return ___uint16A_9; }
inline UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67** get_address_of_uint16A_9() { return &___uint16A_9; }
inline void set_uint16A_9(UInt16U5BU5D_t42D35C587B07DCDBCFDADF572C6D733AE85B2A67* value)
{
___uint16A_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___uint16A_9), (void*)value);
}
inline static int32_t get_offset_of_uint32A_10() { return static_cast<int32_t>(offsetof(PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4, ___uint32A_10)); }
inline UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* get_uint32A_10() const { return ___uint32A_10; }
inline UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF** get_address_of_uint32A_10() { return &___uint32A_10; }
inline void set_uint32A_10(UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* value)
{
___uint32A_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___uint32A_10), (void*)value);
}
inline static int32_t get_offset_of_uint64A_11() { return static_cast<int32_t>(offsetof(PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4, ___uint64A_11)); }
inline UInt64U5BU5D_t7C6E32D10F47677C1CEF3C30F4E4CE95B3A633E2* get_uint64A_11() const { return ___uint64A_11; }
inline UInt64U5BU5D_t7C6E32D10F47677C1CEF3C30F4E4CE95B3A633E2** get_address_of_uint64A_11() { return &___uint64A_11; }
inline void set_uint64A_11(UInt64U5BU5D_t7C6E32D10F47677C1CEF3C30F4E4CE95B3A633E2* value)
{
___uint64A_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___uint64A_11), (void*)value);
}
};
// UnityEngine.QualitySettings
struct QualitySettings_t5DCEF82055F1D94E4226D77EB3970567DF6B3B01 : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// UnityEngine.Experimental.GlobalIllumination.RectangleLight
struct RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985
{
public:
// System.Int32 UnityEngine.Experimental.GlobalIllumination.RectangleLight::instanceID
int32_t ___instanceID_0;
// System.Boolean UnityEngine.Experimental.GlobalIllumination.RectangleLight::shadow
bool ___shadow_1;
// UnityEngine.Experimental.GlobalIllumination.LightMode UnityEngine.Experimental.GlobalIllumination.RectangleLight::mode
uint8_t ___mode_2;
// UnityEngine.Vector3 UnityEngine.Experimental.GlobalIllumination.RectangleLight::position
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_3;
// UnityEngine.Quaternion UnityEngine.Experimental.GlobalIllumination.RectangleLight::orientation
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___orientation_4;
// UnityEngine.Experimental.GlobalIllumination.LinearColor UnityEngine.Experimental.GlobalIllumination.RectangleLight::color
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___color_5;
// UnityEngine.Experimental.GlobalIllumination.LinearColor UnityEngine.Experimental.GlobalIllumination.RectangleLight::indirectColor
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___indirectColor_6;
// System.Single UnityEngine.Experimental.GlobalIllumination.RectangleLight::range
float ___range_7;
// System.Single UnityEngine.Experimental.GlobalIllumination.RectangleLight::width
float ___width_8;
// System.Single UnityEngine.Experimental.GlobalIllumination.RectangleLight::height
float ___height_9;
// UnityEngine.Experimental.GlobalIllumination.FalloffType UnityEngine.Experimental.GlobalIllumination.RectangleLight::falloff
uint8_t ___falloff_10;
public:
inline static int32_t get_offset_of_instanceID_0() { return static_cast<int32_t>(offsetof(RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985, ___instanceID_0)); }
inline int32_t get_instanceID_0() const { return ___instanceID_0; }
inline int32_t* get_address_of_instanceID_0() { return &___instanceID_0; }
inline void set_instanceID_0(int32_t value)
{
___instanceID_0 = value;
}
inline static int32_t get_offset_of_shadow_1() { return static_cast<int32_t>(offsetof(RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985, ___shadow_1)); }
inline bool get_shadow_1() const { return ___shadow_1; }
inline bool* get_address_of_shadow_1() { return &___shadow_1; }
inline void set_shadow_1(bool value)
{
___shadow_1 = value;
}
inline static int32_t get_offset_of_mode_2() { return static_cast<int32_t>(offsetof(RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985, ___mode_2)); }
inline uint8_t get_mode_2() const { return ___mode_2; }
inline uint8_t* get_address_of_mode_2() { return &___mode_2; }
inline void set_mode_2(uint8_t value)
{
___mode_2 = value;
}
inline static int32_t get_offset_of_position_3() { return static_cast<int32_t>(offsetof(RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985, ___position_3)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_position_3() const { return ___position_3; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_position_3() { return &___position_3; }
inline void set_position_3(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___position_3 = value;
}
inline static int32_t get_offset_of_orientation_4() { return static_cast<int32_t>(offsetof(RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985, ___orientation_4)); }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 get_orientation_4() const { return ___orientation_4; }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 * get_address_of_orientation_4() { return &___orientation_4; }
inline void set_orientation_4(Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 value)
{
___orientation_4 = value;
}
inline static int32_t get_offset_of_color_5() { return static_cast<int32_t>(offsetof(RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985, ___color_5)); }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 get_color_5() const { return ___color_5; }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 * get_address_of_color_5() { return &___color_5; }
inline void set_color_5(LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 value)
{
___color_5 = value;
}
inline static int32_t get_offset_of_indirectColor_6() { return static_cast<int32_t>(offsetof(RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985, ___indirectColor_6)); }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 get_indirectColor_6() const { return ___indirectColor_6; }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 * get_address_of_indirectColor_6() { return &___indirectColor_6; }
inline void set_indirectColor_6(LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 value)
{
___indirectColor_6 = value;
}
inline static int32_t get_offset_of_range_7() { return static_cast<int32_t>(offsetof(RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985, ___range_7)); }
inline float get_range_7() const { return ___range_7; }
inline float* get_address_of_range_7() { return &___range_7; }
inline void set_range_7(float value)
{
___range_7 = value;
}
inline static int32_t get_offset_of_width_8() { return static_cast<int32_t>(offsetof(RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985, ___width_8)); }
inline float get_width_8() const { return ___width_8; }
inline float* get_address_of_width_8() { return &___width_8; }
inline void set_width_8(float value)
{
___width_8 = value;
}
inline static int32_t get_offset_of_height_9() { return static_cast<int32_t>(offsetof(RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985, ___height_9)); }
inline float get_height_9() const { return ___height_9; }
inline float* get_address_of_height_9() { return &___height_9; }
inline void set_height_9(float value)
{
___height_9 = value;
}
inline static int32_t get_offset_of_falloff_10() { return static_cast<int32_t>(offsetof(RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985, ___falloff_10)); }
inline uint8_t get_falloff_10() const { return ___falloff_10; }
inline uint8_t* get_address_of_falloff_10() { return &___falloff_10; }
inline void set_falloff_10(uint8_t value)
{
___falloff_10 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Experimental.GlobalIllumination.RectangleLight
struct RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985_marshaled_pinvoke
{
int32_t ___instanceID_0;
int32_t ___shadow_1;
uint8_t ___mode_2;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_3;
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___orientation_4;
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___color_5;
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___indirectColor_6;
float ___range_7;
float ___width_8;
float ___height_9;
uint8_t ___falloff_10;
};
// Native definition for COM marshalling of UnityEngine.Experimental.GlobalIllumination.RectangleLight
struct RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985_marshaled_com
{
int32_t ___instanceID_0;
int32_t ___shadow_1;
uint8_t ___mode_2;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_3;
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___orientation_4;
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___color_5;
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___indirectColor_6;
float ___range_7;
float ___width_8;
float ___height_9;
uint8_t ___falloff_10;
};
// System.Text.RegularExpressions.Regex
struct Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F : public RuntimeObject
{
public:
// System.String System.Text.RegularExpressions.Regex::pattern
String_t* ___pattern_0;
// System.Text.RegularExpressions.RegexRunnerFactory System.Text.RegularExpressions.Regex::factory
RegexRunnerFactory_tA425EC5DC77FC0AAD86EB116E5483E94679CAA96 * ___factory_1;
// System.Text.RegularExpressions.RegexOptions System.Text.RegularExpressions.Regex::roptions
int32_t ___roptions_2;
// System.TimeSpan System.Text.RegularExpressions.Regex::internalMatchTimeout
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ___internalMatchTimeout_5;
// System.Collections.Hashtable System.Text.RegularExpressions.Regex::caps
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___caps_9;
// System.Collections.Hashtable System.Text.RegularExpressions.Regex::capnames
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___capnames_10;
// System.String[] System.Text.RegularExpressions.Regex::capslist
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___capslist_11;
// System.Int32 System.Text.RegularExpressions.Regex::capsize
int32_t ___capsize_12;
// System.Text.RegularExpressions.ExclusiveReference System.Text.RegularExpressions.Regex::runnerref
ExclusiveReference_t7F4A5D2416EA34710F520BAD225E61BC1E98D1D8 * ___runnerref_13;
// System.Text.RegularExpressions.SharedReference System.Text.RegularExpressions.Regex::replref
SharedReference_t74AB40C102A76A7523C72269A49D2C8FBDD83926 * ___replref_14;
// System.Text.RegularExpressions.RegexCode System.Text.RegularExpressions.Regex::code
RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5 * ___code_15;
// System.Boolean System.Text.RegularExpressions.Regex::refsInitialized
bool ___refsInitialized_16;
public:
inline static int32_t get_offset_of_pattern_0() { return static_cast<int32_t>(offsetof(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F, ___pattern_0)); }
inline String_t* get_pattern_0() const { return ___pattern_0; }
inline String_t** get_address_of_pattern_0() { return &___pattern_0; }
inline void set_pattern_0(String_t* value)
{
___pattern_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___pattern_0), (void*)value);
}
inline static int32_t get_offset_of_factory_1() { return static_cast<int32_t>(offsetof(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F, ___factory_1)); }
inline RegexRunnerFactory_tA425EC5DC77FC0AAD86EB116E5483E94679CAA96 * get_factory_1() const { return ___factory_1; }
inline RegexRunnerFactory_tA425EC5DC77FC0AAD86EB116E5483E94679CAA96 ** get_address_of_factory_1() { return &___factory_1; }
inline void set_factory_1(RegexRunnerFactory_tA425EC5DC77FC0AAD86EB116E5483E94679CAA96 * value)
{
___factory_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___factory_1), (void*)value);
}
inline static int32_t get_offset_of_roptions_2() { return static_cast<int32_t>(offsetof(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F, ___roptions_2)); }
inline int32_t get_roptions_2() const { return ___roptions_2; }
inline int32_t* get_address_of_roptions_2() { return &___roptions_2; }
inline void set_roptions_2(int32_t value)
{
___roptions_2 = value;
}
inline static int32_t get_offset_of_internalMatchTimeout_5() { return static_cast<int32_t>(offsetof(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F, ___internalMatchTimeout_5)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get_internalMatchTimeout_5() const { return ___internalMatchTimeout_5; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of_internalMatchTimeout_5() { return &___internalMatchTimeout_5; }
inline void set_internalMatchTimeout_5(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
___internalMatchTimeout_5 = value;
}
inline static int32_t get_offset_of_caps_9() { return static_cast<int32_t>(offsetof(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F, ___caps_9)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_caps_9() const { return ___caps_9; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_caps_9() { return &___caps_9; }
inline void set_caps_9(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___caps_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___caps_9), (void*)value);
}
inline static int32_t get_offset_of_capnames_10() { return static_cast<int32_t>(offsetof(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F, ___capnames_10)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_capnames_10() const { return ___capnames_10; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_capnames_10() { return &___capnames_10; }
inline void set_capnames_10(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___capnames_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___capnames_10), (void*)value);
}
inline static int32_t get_offset_of_capslist_11() { return static_cast<int32_t>(offsetof(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F, ___capslist_11)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_capslist_11() const { return ___capslist_11; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_capslist_11() { return &___capslist_11; }
inline void set_capslist_11(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___capslist_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___capslist_11), (void*)value);
}
inline static int32_t get_offset_of_capsize_12() { return static_cast<int32_t>(offsetof(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F, ___capsize_12)); }
inline int32_t get_capsize_12() const { return ___capsize_12; }
inline int32_t* get_address_of_capsize_12() { return &___capsize_12; }
inline void set_capsize_12(int32_t value)
{
___capsize_12 = value;
}
inline static int32_t get_offset_of_runnerref_13() { return static_cast<int32_t>(offsetof(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F, ___runnerref_13)); }
inline ExclusiveReference_t7F4A5D2416EA34710F520BAD225E61BC1E98D1D8 * get_runnerref_13() const { return ___runnerref_13; }
inline ExclusiveReference_t7F4A5D2416EA34710F520BAD225E61BC1E98D1D8 ** get_address_of_runnerref_13() { return &___runnerref_13; }
inline void set_runnerref_13(ExclusiveReference_t7F4A5D2416EA34710F520BAD225E61BC1E98D1D8 * value)
{
___runnerref_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___runnerref_13), (void*)value);
}
inline static int32_t get_offset_of_replref_14() { return static_cast<int32_t>(offsetof(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F, ___replref_14)); }
inline SharedReference_t74AB40C102A76A7523C72269A49D2C8FBDD83926 * get_replref_14() const { return ___replref_14; }
inline SharedReference_t74AB40C102A76A7523C72269A49D2C8FBDD83926 ** get_address_of_replref_14() { return &___replref_14; }
inline void set_replref_14(SharedReference_t74AB40C102A76A7523C72269A49D2C8FBDD83926 * value)
{
___replref_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___replref_14), (void*)value);
}
inline static int32_t get_offset_of_code_15() { return static_cast<int32_t>(offsetof(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F, ___code_15)); }
inline RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5 * get_code_15() const { return ___code_15; }
inline RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5 ** get_address_of_code_15() { return &___code_15; }
inline void set_code_15(RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5 * value)
{
___code_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___code_15), (void*)value);
}
inline static int32_t get_offset_of_refsInitialized_16() { return static_cast<int32_t>(offsetof(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F, ___refsInitialized_16)); }
inline bool get_refsInitialized_16() const { return ___refsInitialized_16; }
inline bool* get_address_of_refsInitialized_16() { return &___refsInitialized_16; }
inline void set_refsInitialized_16(bool value)
{
___refsInitialized_16 = value;
}
};
struct Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F_StaticFields
{
public:
// System.TimeSpan System.Text.RegularExpressions.Regex::MaximumMatchTimeout
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ___MaximumMatchTimeout_3;
// System.TimeSpan System.Text.RegularExpressions.Regex::InfiniteMatchTimeout
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ___InfiniteMatchTimeout_4;
// System.TimeSpan System.Text.RegularExpressions.Regex::FallbackDefaultMatchTimeout
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ___FallbackDefaultMatchTimeout_7;
// System.TimeSpan System.Text.RegularExpressions.Regex::DefaultMatchTimeout
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ___DefaultMatchTimeout_8;
// System.Collections.Generic.LinkedList`1<System.Text.RegularExpressions.CachedCodeEntry> System.Text.RegularExpressions.Regex::livecode
LinkedList_1_t0AD3FC1D19E68F4B148AFF908DC3719C9B117D92 * ___livecode_17;
// System.Int32 System.Text.RegularExpressions.Regex::cacheSize
int32_t ___cacheSize_18;
public:
inline static int32_t get_offset_of_MaximumMatchTimeout_3() { return static_cast<int32_t>(offsetof(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F_StaticFields, ___MaximumMatchTimeout_3)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get_MaximumMatchTimeout_3() const { return ___MaximumMatchTimeout_3; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of_MaximumMatchTimeout_3() { return &___MaximumMatchTimeout_3; }
inline void set_MaximumMatchTimeout_3(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
___MaximumMatchTimeout_3 = value;
}
inline static int32_t get_offset_of_InfiniteMatchTimeout_4() { return static_cast<int32_t>(offsetof(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F_StaticFields, ___InfiniteMatchTimeout_4)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get_InfiniteMatchTimeout_4() const { return ___InfiniteMatchTimeout_4; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of_InfiniteMatchTimeout_4() { return &___InfiniteMatchTimeout_4; }
inline void set_InfiniteMatchTimeout_4(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
___InfiniteMatchTimeout_4 = value;
}
inline static int32_t get_offset_of_FallbackDefaultMatchTimeout_7() { return static_cast<int32_t>(offsetof(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F_StaticFields, ___FallbackDefaultMatchTimeout_7)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get_FallbackDefaultMatchTimeout_7() const { return ___FallbackDefaultMatchTimeout_7; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of_FallbackDefaultMatchTimeout_7() { return &___FallbackDefaultMatchTimeout_7; }
inline void set_FallbackDefaultMatchTimeout_7(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
___FallbackDefaultMatchTimeout_7 = value;
}
inline static int32_t get_offset_of_DefaultMatchTimeout_8() { return static_cast<int32_t>(offsetof(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F_StaticFields, ___DefaultMatchTimeout_8)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get_DefaultMatchTimeout_8() const { return ___DefaultMatchTimeout_8; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of_DefaultMatchTimeout_8() { return &___DefaultMatchTimeout_8; }
inline void set_DefaultMatchTimeout_8(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
___DefaultMatchTimeout_8 = value;
}
inline static int32_t get_offset_of_livecode_17() { return static_cast<int32_t>(offsetof(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F_StaticFields, ___livecode_17)); }
inline LinkedList_1_t0AD3FC1D19E68F4B148AFF908DC3719C9B117D92 * get_livecode_17() const { return ___livecode_17; }
inline LinkedList_1_t0AD3FC1D19E68F4B148AFF908DC3719C9B117D92 ** get_address_of_livecode_17() { return &___livecode_17; }
inline void set_livecode_17(LinkedList_1_t0AD3FC1D19E68F4B148AFF908DC3719C9B117D92 * value)
{
___livecode_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___livecode_17), (void*)value);
}
inline static int32_t get_offset_of_cacheSize_18() { return static_cast<int32_t>(offsetof(Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F_StaticFields, ___cacheSize_18)); }
inline int32_t get_cacheSize_18() const { return ___cacheSize_18; }
inline int32_t* get_address_of_cacheSize_18() { return &___cacheSize_18; }
inline void set_cacheSize_18(int32_t value)
{
___cacheSize_18 = value;
}
};
// System.Text.RegularExpressions.RegexNode
struct RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 : public RuntimeObject
{
public:
// System.Int32 System.Text.RegularExpressions.RegexNode::_type
int32_t ____type_0;
// System.Collections.Generic.List`1<System.Text.RegularExpressions.RegexNode> System.Text.RegularExpressions.RegexNode::_children
List_1_t692D260BEBA1E69864C98DEEDB3E9256C38CD9B9 * ____children_1;
// System.String System.Text.RegularExpressions.RegexNode::_str
String_t* ____str_2;
// System.Char System.Text.RegularExpressions.RegexNode::_ch
Il2CppChar ____ch_3;
// System.Int32 System.Text.RegularExpressions.RegexNode::_m
int32_t ____m_4;
// System.Int32 System.Text.RegularExpressions.RegexNode::_n
int32_t ____n_5;
// System.Text.RegularExpressions.RegexOptions System.Text.RegularExpressions.RegexNode::_options
int32_t ____options_6;
// System.Text.RegularExpressions.RegexNode System.Text.RegularExpressions.RegexNode::_next
RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * ____next_7;
public:
inline static int32_t get_offset_of__type_0() { return static_cast<int32_t>(offsetof(RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43, ____type_0)); }
inline int32_t get__type_0() const { return ____type_0; }
inline int32_t* get_address_of__type_0() { return &____type_0; }
inline void set__type_0(int32_t value)
{
____type_0 = value;
}
inline static int32_t get_offset_of__children_1() { return static_cast<int32_t>(offsetof(RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43, ____children_1)); }
inline List_1_t692D260BEBA1E69864C98DEEDB3E9256C38CD9B9 * get__children_1() const { return ____children_1; }
inline List_1_t692D260BEBA1E69864C98DEEDB3E9256C38CD9B9 ** get_address_of__children_1() { return &____children_1; }
inline void set__children_1(List_1_t692D260BEBA1E69864C98DEEDB3E9256C38CD9B9 * value)
{
____children_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____children_1), (void*)value);
}
inline static int32_t get_offset_of__str_2() { return static_cast<int32_t>(offsetof(RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43, ____str_2)); }
inline String_t* get__str_2() const { return ____str_2; }
inline String_t** get_address_of__str_2() { return &____str_2; }
inline void set__str_2(String_t* value)
{
____str_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____str_2), (void*)value);
}
inline static int32_t get_offset_of__ch_3() { return static_cast<int32_t>(offsetof(RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43, ____ch_3)); }
inline Il2CppChar get__ch_3() const { return ____ch_3; }
inline Il2CppChar* get_address_of__ch_3() { return &____ch_3; }
inline void set__ch_3(Il2CppChar value)
{
____ch_3 = value;
}
inline static int32_t get_offset_of__m_4() { return static_cast<int32_t>(offsetof(RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43, ____m_4)); }
inline int32_t get__m_4() const { return ____m_4; }
inline int32_t* get_address_of__m_4() { return &____m_4; }
inline void set__m_4(int32_t value)
{
____m_4 = value;
}
inline static int32_t get_offset_of__n_5() { return static_cast<int32_t>(offsetof(RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43, ____n_5)); }
inline int32_t get__n_5() const { return ____n_5; }
inline int32_t* get_address_of__n_5() { return &____n_5; }
inline void set__n_5(int32_t value)
{
____n_5 = value;
}
inline static int32_t get_offset_of__options_6() { return static_cast<int32_t>(offsetof(RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43, ____options_6)); }
inline int32_t get__options_6() const { return ____options_6; }
inline int32_t* get_address_of__options_6() { return &____options_6; }
inline void set__options_6(int32_t value)
{
____options_6 = value;
}
inline static int32_t get_offset_of__next_7() { return static_cast<int32_t>(offsetof(RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43, ____next_7)); }
inline RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * get__next_7() const { return ____next_7; }
inline RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 ** get_address_of__next_7() { return &____next_7; }
inline void set__next_7(RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * value)
{
____next_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&____next_7), (void*)value);
}
};
// System.Text.RegularExpressions.RegexParser
struct RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9 : public RuntimeObject
{
public:
// System.Text.RegularExpressions.RegexNode System.Text.RegularExpressions.RegexParser::_stack
RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * ____stack_0;
// System.Text.RegularExpressions.RegexNode System.Text.RegularExpressions.RegexParser::_group
RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * ____group_1;
// System.Text.RegularExpressions.RegexNode System.Text.RegularExpressions.RegexParser::_alternation
RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * ____alternation_2;
// System.Text.RegularExpressions.RegexNode System.Text.RegularExpressions.RegexParser::_concatenation
RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * ____concatenation_3;
// System.Text.RegularExpressions.RegexNode System.Text.RegularExpressions.RegexParser::_unit
RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * ____unit_4;
// System.String System.Text.RegularExpressions.RegexParser::_pattern
String_t* ____pattern_5;
// System.Int32 System.Text.RegularExpressions.RegexParser::_currentPos
int32_t ____currentPos_6;
// System.Globalization.CultureInfo System.Text.RegularExpressions.RegexParser::_culture
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * ____culture_7;
// System.Int32 System.Text.RegularExpressions.RegexParser::_autocap
int32_t ____autocap_8;
// System.Int32 System.Text.RegularExpressions.RegexParser::_capcount
int32_t ____capcount_9;
// System.Int32 System.Text.RegularExpressions.RegexParser::_captop
int32_t ____captop_10;
// System.Int32 System.Text.RegularExpressions.RegexParser::_capsize
int32_t ____capsize_11;
// System.Collections.Hashtable System.Text.RegularExpressions.RegexParser::_caps
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ____caps_12;
// System.Collections.Hashtable System.Text.RegularExpressions.RegexParser::_capnames
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ____capnames_13;
// System.Int32[] System.Text.RegularExpressions.RegexParser::_capnumlist
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ____capnumlist_14;
// System.Collections.Generic.List`1<System.String> System.Text.RegularExpressions.RegexParser::_capnamelist
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ____capnamelist_15;
// System.Text.RegularExpressions.RegexOptions System.Text.RegularExpressions.RegexParser::_options
int32_t ____options_16;
// System.Collections.Generic.List`1<System.Text.RegularExpressions.RegexOptions> System.Text.RegularExpressions.RegexParser::_optionsStack
List_1_tE931333A40AB4E57F72E00F9F23D19057C78120A * ____optionsStack_17;
// System.Boolean System.Text.RegularExpressions.RegexParser::_ignoreNextParen
bool ____ignoreNextParen_18;
public:
inline static int32_t get_offset_of__stack_0() { return static_cast<int32_t>(offsetof(RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9, ____stack_0)); }
inline RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * get__stack_0() const { return ____stack_0; }
inline RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 ** get_address_of__stack_0() { return &____stack_0; }
inline void set__stack_0(RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * value)
{
____stack_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____stack_0), (void*)value);
}
inline static int32_t get_offset_of__group_1() { return static_cast<int32_t>(offsetof(RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9, ____group_1)); }
inline RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * get__group_1() const { return ____group_1; }
inline RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 ** get_address_of__group_1() { return &____group_1; }
inline void set__group_1(RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * value)
{
____group_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____group_1), (void*)value);
}
inline static int32_t get_offset_of__alternation_2() { return static_cast<int32_t>(offsetof(RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9, ____alternation_2)); }
inline RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * get__alternation_2() const { return ____alternation_2; }
inline RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 ** get_address_of__alternation_2() { return &____alternation_2; }
inline void set__alternation_2(RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * value)
{
____alternation_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____alternation_2), (void*)value);
}
inline static int32_t get_offset_of__concatenation_3() { return static_cast<int32_t>(offsetof(RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9, ____concatenation_3)); }
inline RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * get__concatenation_3() const { return ____concatenation_3; }
inline RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 ** get_address_of__concatenation_3() { return &____concatenation_3; }
inline void set__concatenation_3(RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * value)
{
____concatenation_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____concatenation_3), (void*)value);
}
inline static int32_t get_offset_of__unit_4() { return static_cast<int32_t>(offsetof(RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9, ____unit_4)); }
inline RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * get__unit_4() const { return ____unit_4; }
inline RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 ** get_address_of__unit_4() { return &____unit_4; }
inline void set__unit_4(RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * value)
{
____unit_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____unit_4), (void*)value);
}
inline static int32_t get_offset_of__pattern_5() { return static_cast<int32_t>(offsetof(RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9, ____pattern_5)); }
inline String_t* get__pattern_5() const { return ____pattern_5; }
inline String_t** get_address_of__pattern_5() { return &____pattern_5; }
inline void set__pattern_5(String_t* value)
{
____pattern_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____pattern_5), (void*)value);
}
inline static int32_t get_offset_of__currentPos_6() { return static_cast<int32_t>(offsetof(RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9, ____currentPos_6)); }
inline int32_t get__currentPos_6() const { return ____currentPos_6; }
inline int32_t* get_address_of__currentPos_6() { return &____currentPos_6; }
inline void set__currentPos_6(int32_t value)
{
____currentPos_6 = value;
}
inline static int32_t get_offset_of__culture_7() { return static_cast<int32_t>(offsetof(RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9, ____culture_7)); }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * get__culture_7() const { return ____culture_7; }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 ** get_address_of__culture_7() { return &____culture_7; }
inline void set__culture_7(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * value)
{
____culture_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&____culture_7), (void*)value);
}
inline static int32_t get_offset_of__autocap_8() { return static_cast<int32_t>(offsetof(RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9, ____autocap_8)); }
inline int32_t get__autocap_8() const { return ____autocap_8; }
inline int32_t* get_address_of__autocap_8() { return &____autocap_8; }
inline void set__autocap_8(int32_t value)
{
____autocap_8 = value;
}
inline static int32_t get_offset_of__capcount_9() { return static_cast<int32_t>(offsetof(RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9, ____capcount_9)); }
inline int32_t get__capcount_9() const { return ____capcount_9; }
inline int32_t* get_address_of__capcount_9() { return &____capcount_9; }
inline void set__capcount_9(int32_t value)
{
____capcount_9 = value;
}
inline static int32_t get_offset_of__captop_10() { return static_cast<int32_t>(offsetof(RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9, ____captop_10)); }
inline int32_t get__captop_10() const { return ____captop_10; }
inline int32_t* get_address_of__captop_10() { return &____captop_10; }
inline void set__captop_10(int32_t value)
{
____captop_10 = value;
}
inline static int32_t get_offset_of__capsize_11() { return static_cast<int32_t>(offsetof(RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9, ____capsize_11)); }
inline int32_t get__capsize_11() const { return ____capsize_11; }
inline int32_t* get_address_of__capsize_11() { return &____capsize_11; }
inline void set__capsize_11(int32_t value)
{
____capsize_11 = value;
}
inline static int32_t get_offset_of__caps_12() { return static_cast<int32_t>(offsetof(RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9, ____caps_12)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get__caps_12() const { return ____caps_12; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of__caps_12() { return &____caps_12; }
inline void set__caps_12(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
____caps_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&____caps_12), (void*)value);
}
inline static int32_t get_offset_of__capnames_13() { return static_cast<int32_t>(offsetof(RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9, ____capnames_13)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get__capnames_13() const { return ____capnames_13; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of__capnames_13() { return &____capnames_13; }
inline void set__capnames_13(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
____capnames_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&____capnames_13), (void*)value);
}
inline static int32_t get_offset_of__capnumlist_14() { return static_cast<int32_t>(offsetof(RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9, ____capnumlist_14)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get__capnumlist_14() const { return ____capnumlist_14; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of__capnumlist_14() { return &____capnumlist_14; }
inline void set__capnumlist_14(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
____capnumlist_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&____capnumlist_14), (void*)value);
}
inline static int32_t get_offset_of__capnamelist_15() { return static_cast<int32_t>(offsetof(RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9, ____capnamelist_15)); }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * get__capnamelist_15() const { return ____capnamelist_15; }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 ** get_address_of__capnamelist_15() { return &____capnamelist_15; }
inline void set__capnamelist_15(List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * value)
{
____capnamelist_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&____capnamelist_15), (void*)value);
}
inline static int32_t get_offset_of__options_16() { return static_cast<int32_t>(offsetof(RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9, ____options_16)); }
inline int32_t get__options_16() const { return ____options_16; }
inline int32_t* get_address_of__options_16() { return &____options_16; }
inline void set__options_16(int32_t value)
{
____options_16 = value;
}
inline static int32_t get_offset_of__optionsStack_17() { return static_cast<int32_t>(offsetof(RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9, ____optionsStack_17)); }
inline List_1_tE931333A40AB4E57F72E00F9F23D19057C78120A * get__optionsStack_17() const { return ____optionsStack_17; }
inline List_1_tE931333A40AB4E57F72E00F9F23D19057C78120A ** get_address_of__optionsStack_17() { return &____optionsStack_17; }
inline void set__optionsStack_17(List_1_tE931333A40AB4E57F72E00F9F23D19057C78120A * value)
{
____optionsStack_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&____optionsStack_17), (void*)value);
}
inline static int32_t get_offset_of__ignoreNextParen_18() { return static_cast<int32_t>(offsetof(RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9, ____ignoreNextParen_18)); }
inline bool get__ignoreNextParen_18() const { return ____ignoreNextParen_18; }
inline bool* get_address_of__ignoreNextParen_18() { return &____ignoreNextParen_18; }
inline void set__ignoreNextParen_18(bool value)
{
____ignoreNextParen_18 = value;
}
};
struct RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9_StaticFields
{
public:
// System.Byte[] System.Text.RegularExpressions.RegexParser::_category
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ____category_19;
public:
inline static int32_t get_offset_of__category_19() { return static_cast<int32_t>(offsetof(RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9_StaticFields, ____category_19)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get__category_19() const { return ____category_19; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of__category_19() { return &____category_19; }
inline void set__category_19(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
____category_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&____category_19), (void*)value);
}
};
// System.Text.RegularExpressions.RegexTree
struct RegexTree_t63A434601D42EC388D9B2DCA2913286CFC8811F3 : public RuntimeObject
{
public:
// System.Text.RegularExpressions.RegexNode System.Text.RegularExpressions.RegexTree::_root
RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * ____root_0;
// System.Collections.Hashtable System.Text.RegularExpressions.RegexTree::_caps
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ____caps_1;
// System.Int32[] System.Text.RegularExpressions.RegexTree::_capnumlist
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ____capnumlist_2;
// System.Collections.Hashtable System.Text.RegularExpressions.RegexTree::_capnames
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ____capnames_3;
// System.String[] System.Text.RegularExpressions.RegexTree::_capslist
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ____capslist_4;
// System.Text.RegularExpressions.RegexOptions System.Text.RegularExpressions.RegexTree::_options
int32_t ____options_5;
// System.Int32 System.Text.RegularExpressions.RegexTree::_captop
int32_t ____captop_6;
public:
inline static int32_t get_offset_of__root_0() { return static_cast<int32_t>(offsetof(RegexTree_t63A434601D42EC388D9B2DCA2913286CFC8811F3, ____root_0)); }
inline RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * get__root_0() const { return ____root_0; }
inline RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 ** get_address_of__root_0() { return &____root_0; }
inline void set__root_0(RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43 * value)
{
____root_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&____root_0), (void*)value);
}
inline static int32_t get_offset_of__caps_1() { return static_cast<int32_t>(offsetof(RegexTree_t63A434601D42EC388D9B2DCA2913286CFC8811F3, ____caps_1)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get__caps_1() const { return ____caps_1; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of__caps_1() { return &____caps_1; }
inline void set__caps_1(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
____caps_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____caps_1), (void*)value);
}
inline static int32_t get_offset_of__capnumlist_2() { return static_cast<int32_t>(offsetof(RegexTree_t63A434601D42EC388D9B2DCA2913286CFC8811F3, ____capnumlist_2)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get__capnumlist_2() const { return ____capnumlist_2; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of__capnumlist_2() { return &____capnumlist_2; }
inline void set__capnumlist_2(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
____capnumlist_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____capnumlist_2), (void*)value);
}
inline static int32_t get_offset_of__capnames_3() { return static_cast<int32_t>(offsetof(RegexTree_t63A434601D42EC388D9B2DCA2913286CFC8811F3, ____capnames_3)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get__capnames_3() const { return ____capnames_3; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of__capnames_3() { return &____capnames_3; }
inline void set__capnames_3(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
____capnames_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____capnames_3), (void*)value);
}
inline static int32_t get_offset_of__capslist_4() { return static_cast<int32_t>(offsetof(RegexTree_t63A434601D42EC388D9B2DCA2913286CFC8811F3, ____capslist_4)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get__capslist_4() const { return ____capslist_4; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of__capslist_4() { return &____capslist_4; }
inline void set__capslist_4(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
____capslist_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____capslist_4), (void*)value);
}
inline static int32_t get_offset_of__options_5() { return static_cast<int32_t>(offsetof(RegexTree_t63A434601D42EC388D9B2DCA2913286CFC8811F3, ____options_5)); }
inline int32_t get__options_5() const { return ____options_5; }
inline int32_t* get_address_of__options_5() { return &____options_5; }
inline void set__options_5(int32_t value)
{
____options_5 = value;
}
inline static int32_t get_offset_of__captop_6() { return static_cast<int32_t>(offsetof(RegexTree_t63A434601D42EC388D9B2DCA2913286CFC8811F3, ____captop_6)); }
inline int32_t get__captop_6() const { return ____captop_6; }
inline int32_t* get_address_of__captop_6() { return &____captop_6; }
inline void set__captop_6(int32_t value)
{
____captop_6 = value;
}
};
// System.Threading.RegisteredWaitHandle
struct RegisteredWaitHandle_t52523298EBA66F0BF8B4C6BE53B74A0848199D7F : public MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8
{
public:
// System.Threading.WaitHandle System.Threading.RegisteredWaitHandle::_waitObject
WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842 * ____waitObject_1;
// System.Threading.WaitOrTimerCallback System.Threading.RegisteredWaitHandle::_callback
WaitOrTimerCallback_t79FBDDC8E879825AA8322F3422BF8F1BEAE3BCDB * ____callback_2;
// System.Object System.Threading.RegisteredWaitHandle::_state
RuntimeObject * ____state_3;
// System.Threading.WaitHandle System.Threading.RegisteredWaitHandle::_finalEvent
WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842 * ____finalEvent_4;
// System.Threading.ManualResetEvent System.Threading.RegisteredWaitHandle::_cancelEvent
ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * ____cancelEvent_5;
// System.TimeSpan System.Threading.RegisteredWaitHandle::_timeout
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ____timeout_6;
// System.Int32 System.Threading.RegisteredWaitHandle::_callsInProcess
int32_t ____callsInProcess_7;
// System.Boolean System.Threading.RegisteredWaitHandle::_executeOnlyOnce
bool ____executeOnlyOnce_8;
// System.Boolean System.Threading.RegisteredWaitHandle::_unregistered
bool ____unregistered_9;
public:
inline static int32_t get_offset_of__waitObject_1() { return static_cast<int32_t>(offsetof(RegisteredWaitHandle_t52523298EBA66F0BF8B4C6BE53B74A0848199D7F, ____waitObject_1)); }
inline WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842 * get__waitObject_1() const { return ____waitObject_1; }
inline WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842 ** get_address_of__waitObject_1() { return &____waitObject_1; }
inline void set__waitObject_1(WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842 * value)
{
____waitObject_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____waitObject_1), (void*)value);
}
inline static int32_t get_offset_of__callback_2() { return static_cast<int32_t>(offsetof(RegisteredWaitHandle_t52523298EBA66F0BF8B4C6BE53B74A0848199D7F, ____callback_2)); }
inline WaitOrTimerCallback_t79FBDDC8E879825AA8322F3422BF8F1BEAE3BCDB * get__callback_2() const { return ____callback_2; }
inline WaitOrTimerCallback_t79FBDDC8E879825AA8322F3422BF8F1BEAE3BCDB ** get_address_of__callback_2() { return &____callback_2; }
inline void set__callback_2(WaitOrTimerCallback_t79FBDDC8E879825AA8322F3422BF8F1BEAE3BCDB * value)
{
____callback_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&____callback_2), (void*)value);
}
inline static int32_t get_offset_of__state_3() { return static_cast<int32_t>(offsetof(RegisteredWaitHandle_t52523298EBA66F0BF8B4C6BE53B74A0848199D7F, ____state_3)); }
inline RuntimeObject * get__state_3() const { return ____state_3; }
inline RuntimeObject ** get_address_of__state_3() { return &____state_3; }
inline void set__state_3(RuntimeObject * value)
{
____state_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____state_3), (void*)value);
}
inline static int32_t get_offset_of__finalEvent_4() { return static_cast<int32_t>(offsetof(RegisteredWaitHandle_t52523298EBA66F0BF8B4C6BE53B74A0848199D7F, ____finalEvent_4)); }
inline WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842 * get__finalEvent_4() const { return ____finalEvent_4; }
inline WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842 ** get_address_of__finalEvent_4() { return &____finalEvent_4; }
inline void set__finalEvent_4(WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842 * value)
{
____finalEvent_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____finalEvent_4), (void*)value);
}
inline static int32_t get_offset_of__cancelEvent_5() { return static_cast<int32_t>(offsetof(RegisteredWaitHandle_t52523298EBA66F0BF8B4C6BE53B74A0848199D7F, ____cancelEvent_5)); }
inline ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * get__cancelEvent_5() const { return ____cancelEvent_5; }
inline ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA ** get_address_of__cancelEvent_5() { return &____cancelEvent_5; }
inline void set__cancelEvent_5(ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA * value)
{
____cancelEvent_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____cancelEvent_5), (void*)value);
}
inline static int32_t get_offset_of__timeout_6() { return static_cast<int32_t>(offsetof(RegisteredWaitHandle_t52523298EBA66F0BF8B4C6BE53B74A0848199D7F, ____timeout_6)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get__timeout_6() const { return ____timeout_6; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of__timeout_6() { return &____timeout_6; }
inline void set__timeout_6(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
____timeout_6 = value;
}
inline static int32_t get_offset_of__callsInProcess_7() { return static_cast<int32_t>(offsetof(RegisteredWaitHandle_t52523298EBA66F0BF8B4C6BE53B74A0848199D7F, ____callsInProcess_7)); }
inline int32_t get__callsInProcess_7() const { return ____callsInProcess_7; }
inline int32_t* get_address_of__callsInProcess_7() { return &____callsInProcess_7; }
inline void set__callsInProcess_7(int32_t value)
{
____callsInProcess_7 = value;
}
inline static int32_t get_offset_of__executeOnlyOnce_8() { return static_cast<int32_t>(offsetof(RegisteredWaitHandle_t52523298EBA66F0BF8B4C6BE53B74A0848199D7F, ____executeOnlyOnce_8)); }
inline bool get__executeOnlyOnce_8() const { return ____executeOnlyOnce_8; }
inline bool* get_address_of__executeOnlyOnce_8() { return &____executeOnlyOnce_8; }
inline void set__executeOnlyOnce_8(bool value)
{
____executeOnlyOnce_8 = value;
}
inline static int32_t get_offset_of__unregistered_9() { return static_cast<int32_t>(offsetof(RegisteredWaitHandle_t52523298EBA66F0BF8B4C6BE53B74A0848199D7F, ____unregistered_9)); }
inline bool get__unregistered_9() const { return ____unregistered_9; }
inline bool* get_address_of__unregistered_9() { return &____unregistered_9; }
inline void set__unregistered_9(bool value)
{
____unregistered_9 = value;
}
};
// System.Runtime.ConstrainedExecution.ReliabilityContractAttribute
struct ReliabilityContractAttribute_tA4C92DE9C416AF50E26D17FF85A9251D01D0A971 : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Runtime.ConstrainedExecution.Consistency System.Runtime.ConstrainedExecution.ReliabilityContractAttribute::_consistency
int32_t ____consistency_0;
// System.Runtime.ConstrainedExecution.Cer System.Runtime.ConstrainedExecution.ReliabilityContractAttribute::_cer
int32_t ____cer_1;
public:
inline static int32_t get_offset_of__consistency_0() { return static_cast<int32_t>(offsetof(ReliabilityContractAttribute_tA4C92DE9C416AF50E26D17FF85A9251D01D0A971, ____consistency_0)); }
inline int32_t get__consistency_0() const { return ____consistency_0; }
inline int32_t* get_address_of__consistency_0() { return &____consistency_0; }
inline void set__consistency_0(int32_t value)
{
____consistency_0 = value;
}
inline static int32_t get_offset_of__cer_1() { return static_cast<int32_t>(offsetof(ReliabilityContractAttribute_tA4C92DE9C416AF50E26D17FF85A9251D01D0A971, ____cer_1)); }
inline int32_t get__cer_1() const { return ____cer_1; }
inline int32_t* get_address_of__cer_1() { return &____cer_1; }
inline void set__cer_1(int32_t value)
{
____cer_1 = value;
}
};
// UnityEngine.RenderSettings
struct RenderSettings_t27BCBBFA42D1BA1E8CB224228FD67DD1187E36E1 : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// UnityEngine.Rendering.RenderTargetIdentifier
struct RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13
{
public:
// UnityEngine.Rendering.BuiltinRenderTextureType UnityEngine.Rendering.RenderTargetIdentifier::m_Type
int32_t ___m_Type_0;
// System.Int32 UnityEngine.Rendering.RenderTargetIdentifier::m_NameID
int32_t ___m_NameID_1;
// System.Int32 UnityEngine.Rendering.RenderTargetIdentifier::m_InstanceID
int32_t ___m_InstanceID_2;
// System.IntPtr UnityEngine.Rendering.RenderTargetIdentifier::m_BufferPointer
intptr_t ___m_BufferPointer_3;
// System.Int32 UnityEngine.Rendering.RenderTargetIdentifier::m_MipLevel
int32_t ___m_MipLevel_4;
// UnityEngine.CubemapFace UnityEngine.Rendering.RenderTargetIdentifier::m_CubeFace
int32_t ___m_CubeFace_5;
// System.Int32 UnityEngine.Rendering.RenderTargetIdentifier::m_DepthSlice
int32_t ___m_DepthSlice_6;
public:
inline static int32_t get_offset_of_m_Type_0() { return static_cast<int32_t>(offsetof(RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13, ___m_Type_0)); }
inline int32_t get_m_Type_0() const { return ___m_Type_0; }
inline int32_t* get_address_of_m_Type_0() { return &___m_Type_0; }
inline void set_m_Type_0(int32_t value)
{
___m_Type_0 = value;
}
inline static int32_t get_offset_of_m_NameID_1() { return static_cast<int32_t>(offsetof(RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13, ___m_NameID_1)); }
inline int32_t get_m_NameID_1() const { return ___m_NameID_1; }
inline int32_t* get_address_of_m_NameID_1() { return &___m_NameID_1; }
inline void set_m_NameID_1(int32_t value)
{
___m_NameID_1 = value;
}
inline static int32_t get_offset_of_m_InstanceID_2() { return static_cast<int32_t>(offsetof(RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13, ___m_InstanceID_2)); }
inline int32_t get_m_InstanceID_2() const { return ___m_InstanceID_2; }
inline int32_t* get_address_of_m_InstanceID_2() { return &___m_InstanceID_2; }
inline void set_m_InstanceID_2(int32_t value)
{
___m_InstanceID_2 = value;
}
inline static int32_t get_offset_of_m_BufferPointer_3() { return static_cast<int32_t>(offsetof(RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13, ___m_BufferPointer_3)); }
inline intptr_t get_m_BufferPointer_3() const { return ___m_BufferPointer_3; }
inline intptr_t* get_address_of_m_BufferPointer_3() { return &___m_BufferPointer_3; }
inline void set_m_BufferPointer_3(intptr_t value)
{
___m_BufferPointer_3 = value;
}
inline static int32_t get_offset_of_m_MipLevel_4() { return static_cast<int32_t>(offsetof(RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13, ___m_MipLevel_4)); }
inline int32_t get_m_MipLevel_4() const { return ___m_MipLevel_4; }
inline int32_t* get_address_of_m_MipLevel_4() { return &___m_MipLevel_4; }
inline void set_m_MipLevel_4(int32_t value)
{
___m_MipLevel_4 = value;
}
inline static int32_t get_offset_of_m_CubeFace_5() { return static_cast<int32_t>(offsetof(RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13, ___m_CubeFace_5)); }
inline int32_t get_m_CubeFace_5() const { return ___m_CubeFace_5; }
inline int32_t* get_address_of_m_CubeFace_5() { return &___m_CubeFace_5; }
inline void set_m_CubeFace_5(int32_t value)
{
___m_CubeFace_5 = value;
}
inline static int32_t get_offset_of_m_DepthSlice_6() { return static_cast<int32_t>(offsetof(RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13, ___m_DepthSlice_6)); }
inline int32_t get_m_DepthSlice_6() const { return ___m_DepthSlice_6; }
inline int32_t* get_address_of_m_DepthSlice_6() { return &___m_DepthSlice_6; }
inline void set_m_DepthSlice_6(int32_t value)
{
___m_DepthSlice_6 = value;
}
};
// UnityEngine.RenderTextureDescriptor
struct RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47
{
public:
// System.Int32 UnityEngine.RenderTextureDescriptor::<width>k__BackingField
int32_t ___U3CwidthU3Ek__BackingField_0;
// System.Int32 UnityEngine.RenderTextureDescriptor::<height>k__BackingField
int32_t ___U3CheightU3Ek__BackingField_1;
// System.Int32 UnityEngine.RenderTextureDescriptor::<msaaSamples>k__BackingField
int32_t ___U3CmsaaSamplesU3Ek__BackingField_2;
// System.Int32 UnityEngine.RenderTextureDescriptor::<volumeDepth>k__BackingField
int32_t ___U3CvolumeDepthU3Ek__BackingField_3;
// System.Int32 UnityEngine.RenderTextureDescriptor::<mipCount>k__BackingField
int32_t ___U3CmipCountU3Ek__BackingField_4;
// UnityEngine.Experimental.Rendering.GraphicsFormat UnityEngine.RenderTextureDescriptor::_graphicsFormat
int32_t ____graphicsFormat_5;
// UnityEngine.Experimental.Rendering.GraphicsFormat UnityEngine.RenderTextureDescriptor::<stencilFormat>k__BackingField
int32_t ___U3CstencilFormatU3Ek__BackingField_6;
// System.Int32 UnityEngine.RenderTextureDescriptor::_depthBufferBits
int32_t ____depthBufferBits_7;
// UnityEngine.Rendering.TextureDimension UnityEngine.RenderTextureDescriptor::<dimension>k__BackingField
int32_t ___U3CdimensionU3Ek__BackingField_9;
// UnityEngine.Rendering.ShadowSamplingMode UnityEngine.RenderTextureDescriptor::<shadowSamplingMode>k__BackingField
int32_t ___U3CshadowSamplingModeU3Ek__BackingField_10;
// UnityEngine.VRTextureUsage UnityEngine.RenderTextureDescriptor::<vrUsage>k__BackingField
int32_t ___U3CvrUsageU3Ek__BackingField_11;
// UnityEngine.RenderTextureCreationFlags UnityEngine.RenderTextureDescriptor::_flags
int32_t ____flags_12;
// UnityEngine.RenderTextureMemoryless UnityEngine.RenderTextureDescriptor::<memoryless>k__BackingField
int32_t ___U3CmemorylessU3Ek__BackingField_13;
public:
inline static int32_t get_offset_of_U3CwidthU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47, ___U3CwidthU3Ek__BackingField_0)); }
inline int32_t get_U3CwidthU3Ek__BackingField_0() const { return ___U3CwidthU3Ek__BackingField_0; }
inline int32_t* get_address_of_U3CwidthU3Ek__BackingField_0() { return &___U3CwidthU3Ek__BackingField_0; }
inline void set_U3CwidthU3Ek__BackingField_0(int32_t value)
{
___U3CwidthU3Ek__BackingField_0 = value;
}
inline static int32_t get_offset_of_U3CheightU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47, ___U3CheightU3Ek__BackingField_1)); }
inline int32_t get_U3CheightU3Ek__BackingField_1() const { return ___U3CheightU3Ek__BackingField_1; }
inline int32_t* get_address_of_U3CheightU3Ek__BackingField_1() { return &___U3CheightU3Ek__BackingField_1; }
inline void set_U3CheightU3Ek__BackingField_1(int32_t value)
{
___U3CheightU3Ek__BackingField_1 = value;
}
inline static int32_t get_offset_of_U3CmsaaSamplesU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47, ___U3CmsaaSamplesU3Ek__BackingField_2)); }
inline int32_t get_U3CmsaaSamplesU3Ek__BackingField_2() const { return ___U3CmsaaSamplesU3Ek__BackingField_2; }
inline int32_t* get_address_of_U3CmsaaSamplesU3Ek__BackingField_2() { return &___U3CmsaaSamplesU3Ek__BackingField_2; }
inline void set_U3CmsaaSamplesU3Ek__BackingField_2(int32_t value)
{
___U3CmsaaSamplesU3Ek__BackingField_2 = value;
}
inline static int32_t get_offset_of_U3CvolumeDepthU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47, ___U3CvolumeDepthU3Ek__BackingField_3)); }
inline int32_t get_U3CvolumeDepthU3Ek__BackingField_3() const { return ___U3CvolumeDepthU3Ek__BackingField_3; }
inline int32_t* get_address_of_U3CvolumeDepthU3Ek__BackingField_3() { return &___U3CvolumeDepthU3Ek__BackingField_3; }
inline void set_U3CvolumeDepthU3Ek__BackingField_3(int32_t value)
{
___U3CvolumeDepthU3Ek__BackingField_3 = value;
}
inline static int32_t get_offset_of_U3CmipCountU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47, ___U3CmipCountU3Ek__BackingField_4)); }
inline int32_t get_U3CmipCountU3Ek__BackingField_4() const { return ___U3CmipCountU3Ek__BackingField_4; }
inline int32_t* get_address_of_U3CmipCountU3Ek__BackingField_4() { return &___U3CmipCountU3Ek__BackingField_4; }
inline void set_U3CmipCountU3Ek__BackingField_4(int32_t value)
{
___U3CmipCountU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of__graphicsFormat_5() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47, ____graphicsFormat_5)); }
inline int32_t get__graphicsFormat_5() const { return ____graphicsFormat_5; }
inline int32_t* get_address_of__graphicsFormat_5() { return &____graphicsFormat_5; }
inline void set__graphicsFormat_5(int32_t value)
{
____graphicsFormat_5 = value;
}
inline static int32_t get_offset_of_U3CstencilFormatU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47, ___U3CstencilFormatU3Ek__BackingField_6)); }
inline int32_t get_U3CstencilFormatU3Ek__BackingField_6() const { return ___U3CstencilFormatU3Ek__BackingField_6; }
inline int32_t* get_address_of_U3CstencilFormatU3Ek__BackingField_6() { return &___U3CstencilFormatU3Ek__BackingField_6; }
inline void set_U3CstencilFormatU3Ek__BackingField_6(int32_t value)
{
___U3CstencilFormatU3Ek__BackingField_6 = value;
}
inline static int32_t get_offset_of__depthBufferBits_7() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47, ____depthBufferBits_7)); }
inline int32_t get__depthBufferBits_7() const { return ____depthBufferBits_7; }
inline int32_t* get_address_of__depthBufferBits_7() { return &____depthBufferBits_7; }
inline void set__depthBufferBits_7(int32_t value)
{
____depthBufferBits_7 = value;
}
inline static int32_t get_offset_of_U3CdimensionU3Ek__BackingField_9() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47, ___U3CdimensionU3Ek__BackingField_9)); }
inline int32_t get_U3CdimensionU3Ek__BackingField_9() const { return ___U3CdimensionU3Ek__BackingField_9; }
inline int32_t* get_address_of_U3CdimensionU3Ek__BackingField_9() { return &___U3CdimensionU3Ek__BackingField_9; }
inline void set_U3CdimensionU3Ek__BackingField_9(int32_t value)
{
___U3CdimensionU3Ek__BackingField_9 = value;
}
inline static int32_t get_offset_of_U3CshadowSamplingModeU3Ek__BackingField_10() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47, ___U3CshadowSamplingModeU3Ek__BackingField_10)); }
inline int32_t get_U3CshadowSamplingModeU3Ek__BackingField_10() const { return ___U3CshadowSamplingModeU3Ek__BackingField_10; }
inline int32_t* get_address_of_U3CshadowSamplingModeU3Ek__BackingField_10() { return &___U3CshadowSamplingModeU3Ek__BackingField_10; }
inline void set_U3CshadowSamplingModeU3Ek__BackingField_10(int32_t value)
{
___U3CshadowSamplingModeU3Ek__BackingField_10 = value;
}
inline static int32_t get_offset_of_U3CvrUsageU3Ek__BackingField_11() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47, ___U3CvrUsageU3Ek__BackingField_11)); }
inline int32_t get_U3CvrUsageU3Ek__BackingField_11() const { return ___U3CvrUsageU3Ek__BackingField_11; }
inline int32_t* get_address_of_U3CvrUsageU3Ek__BackingField_11() { return &___U3CvrUsageU3Ek__BackingField_11; }
inline void set_U3CvrUsageU3Ek__BackingField_11(int32_t value)
{
___U3CvrUsageU3Ek__BackingField_11 = value;
}
inline static int32_t get_offset_of__flags_12() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47, ____flags_12)); }
inline int32_t get__flags_12() const { return ____flags_12; }
inline int32_t* get_address_of__flags_12() { return &____flags_12; }
inline void set__flags_12(int32_t value)
{
____flags_12 = value;
}
inline static int32_t get_offset_of_U3CmemorylessU3Ek__BackingField_13() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47, ___U3CmemorylessU3Ek__BackingField_13)); }
inline int32_t get_U3CmemorylessU3Ek__BackingField_13() const { return ___U3CmemorylessU3Ek__BackingField_13; }
inline int32_t* get_address_of_U3CmemorylessU3Ek__BackingField_13() { return &___U3CmemorylessU3Ek__BackingField_13; }
inline void set_U3CmemorylessU3Ek__BackingField_13(int32_t value)
{
___U3CmemorylessU3Ek__BackingField_13 = value;
}
};
struct RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47_StaticFields
{
public:
// System.Int32[] UnityEngine.RenderTextureDescriptor::depthFormatBits
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___depthFormatBits_8;
public:
inline static int32_t get_offset_of_depthFormatBits_8() { return static_cast<int32_t>(offsetof(RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47_StaticFields, ___depthFormatBits_8)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_depthFormatBits_8() const { return ___depthFormatBits_8; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_depthFormatBits_8() { return &___depthFormatBits_8; }
inline void set_depthFormatBits_8(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___depthFormatBits_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___depthFormatBits_8), (void*)value);
}
};
// System.Resources.ResourceManager
struct ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A : public RuntimeObject
{
public:
// System.Collections.Hashtable System.Resources.ResourceManager::ResourceSets
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___ResourceSets_0;
// System.Collections.Generic.Dictionary`2<System.String,System.Resources.ResourceSet> System.Resources.ResourceManager::_resourceSets
Dictionary_2_tF591ED968D904B93A92B04B711C65E797B9D6E5E * ____resourceSets_1;
// System.Reflection.Assembly System.Resources.ResourceManager::MainAssembly
Assembly_t * ___MainAssembly_2;
// System.Globalization.CultureInfo System.Resources.ResourceManager::_neutralResourcesCulture
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * ____neutralResourcesCulture_3;
// System.Resources.ResourceManager/CultureNameResourceSetPair System.Resources.ResourceManager::_lastUsedResourceCache
CultureNameResourceSetPair_t7DF2947B0015A29C8148DB0F32695ECB59369A84 * ____lastUsedResourceCache_4;
// System.Boolean System.Resources.ResourceManager::UseManifest
bool ___UseManifest_5;
// System.Boolean System.Resources.ResourceManager::UseSatelliteAssem
bool ___UseSatelliteAssem_6;
// System.Resources.UltimateResourceFallbackLocation System.Resources.ResourceManager::_fallbackLoc
int32_t ____fallbackLoc_7;
// System.Reflection.Assembly System.Resources.ResourceManager::_callingAssembly
Assembly_t * ____callingAssembly_8;
// System.Reflection.RuntimeAssembly System.Resources.ResourceManager::m_callingAssembly
RuntimeAssembly_t799877C849878A70E10D25C690D7B0476DAF0B56 * ___m_callingAssembly_9;
// System.Resources.IResourceGroveler System.Resources.ResourceManager::resourceGroveler
RuntimeObject* ___resourceGroveler_10;
public:
inline static int32_t get_offset_of_ResourceSets_0() { return static_cast<int32_t>(offsetof(ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A, ___ResourceSets_0)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_ResourceSets_0() const { return ___ResourceSets_0; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_ResourceSets_0() { return &___ResourceSets_0; }
inline void set_ResourceSets_0(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___ResourceSets_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ResourceSets_0), (void*)value);
}
inline static int32_t get_offset_of__resourceSets_1() { return static_cast<int32_t>(offsetof(ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A, ____resourceSets_1)); }
inline Dictionary_2_tF591ED968D904B93A92B04B711C65E797B9D6E5E * get__resourceSets_1() const { return ____resourceSets_1; }
inline Dictionary_2_tF591ED968D904B93A92B04B711C65E797B9D6E5E ** get_address_of__resourceSets_1() { return &____resourceSets_1; }
inline void set__resourceSets_1(Dictionary_2_tF591ED968D904B93A92B04B711C65E797B9D6E5E * value)
{
____resourceSets_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&____resourceSets_1), (void*)value);
}
inline static int32_t get_offset_of_MainAssembly_2() { return static_cast<int32_t>(offsetof(ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A, ___MainAssembly_2)); }
inline Assembly_t * get_MainAssembly_2() const { return ___MainAssembly_2; }
inline Assembly_t ** get_address_of_MainAssembly_2() { return &___MainAssembly_2; }
inline void set_MainAssembly_2(Assembly_t * value)
{
___MainAssembly_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___MainAssembly_2), (void*)value);
}
inline static int32_t get_offset_of__neutralResourcesCulture_3() { return static_cast<int32_t>(offsetof(ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A, ____neutralResourcesCulture_3)); }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * get__neutralResourcesCulture_3() const { return ____neutralResourcesCulture_3; }
inline CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 ** get_address_of__neutralResourcesCulture_3() { return &____neutralResourcesCulture_3; }
inline void set__neutralResourcesCulture_3(CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98 * value)
{
____neutralResourcesCulture_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____neutralResourcesCulture_3), (void*)value);
}
inline static int32_t get_offset_of__lastUsedResourceCache_4() { return static_cast<int32_t>(offsetof(ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A, ____lastUsedResourceCache_4)); }
inline CultureNameResourceSetPair_t7DF2947B0015A29C8148DB0F32695ECB59369A84 * get__lastUsedResourceCache_4() const { return ____lastUsedResourceCache_4; }
inline CultureNameResourceSetPair_t7DF2947B0015A29C8148DB0F32695ECB59369A84 ** get_address_of__lastUsedResourceCache_4() { return &____lastUsedResourceCache_4; }
inline void set__lastUsedResourceCache_4(CultureNameResourceSetPair_t7DF2947B0015A29C8148DB0F32695ECB59369A84 * value)
{
____lastUsedResourceCache_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____lastUsedResourceCache_4), (void*)value);
}
inline static int32_t get_offset_of_UseManifest_5() { return static_cast<int32_t>(offsetof(ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A, ___UseManifest_5)); }
inline bool get_UseManifest_5() const { return ___UseManifest_5; }
inline bool* get_address_of_UseManifest_5() { return &___UseManifest_5; }
inline void set_UseManifest_5(bool value)
{
___UseManifest_5 = value;
}
inline static int32_t get_offset_of_UseSatelliteAssem_6() { return static_cast<int32_t>(offsetof(ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A, ___UseSatelliteAssem_6)); }
inline bool get_UseSatelliteAssem_6() const { return ___UseSatelliteAssem_6; }
inline bool* get_address_of_UseSatelliteAssem_6() { return &___UseSatelliteAssem_6; }
inline void set_UseSatelliteAssem_6(bool value)
{
___UseSatelliteAssem_6 = value;
}
inline static int32_t get_offset_of__fallbackLoc_7() { return static_cast<int32_t>(offsetof(ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A, ____fallbackLoc_7)); }
inline int32_t get__fallbackLoc_7() const { return ____fallbackLoc_7; }
inline int32_t* get_address_of__fallbackLoc_7() { return &____fallbackLoc_7; }
inline void set__fallbackLoc_7(int32_t value)
{
____fallbackLoc_7 = value;
}
inline static int32_t get_offset_of__callingAssembly_8() { return static_cast<int32_t>(offsetof(ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A, ____callingAssembly_8)); }
inline Assembly_t * get__callingAssembly_8() const { return ____callingAssembly_8; }
inline Assembly_t ** get_address_of__callingAssembly_8() { return &____callingAssembly_8; }
inline void set__callingAssembly_8(Assembly_t * value)
{
____callingAssembly_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&____callingAssembly_8), (void*)value);
}
inline static int32_t get_offset_of_m_callingAssembly_9() { return static_cast<int32_t>(offsetof(ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A, ___m_callingAssembly_9)); }
inline RuntimeAssembly_t799877C849878A70E10D25C690D7B0476DAF0B56 * get_m_callingAssembly_9() const { return ___m_callingAssembly_9; }
inline RuntimeAssembly_t799877C849878A70E10D25C690D7B0476DAF0B56 ** get_address_of_m_callingAssembly_9() { return &___m_callingAssembly_9; }
inline void set_m_callingAssembly_9(RuntimeAssembly_t799877C849878A70E10D25C690D7B0476DAF0B56 * value)
{
___m_callingAssembly_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_callingAssembly_9), (void*)value);
}
inline static int32_t get_offset_of_resourceGroveler_10() { return static_cast<int32_t>(offsetof(ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A, ___resourceGroveler_10)); }
inline RuntimeObject* get_resourceGroveler_10() const { return ___resourceGroveler_10; }
inline RuntimeObject** get_address_of_resourceGroveler_10() { return &___resourceGroveler_10; }
inline void set_resourceGroveler_10(RuntimeObject* value)
{
___resourceGroveler_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___resourceGroveler_10), (void*)value);
}
};
struct ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A_StaticFields
{
public:
// System.Int32 System.Resources.ResourceManager::MagicNumber
int32_t ___MagicNumber_11;
// System.Int32 System.Resources.ResourceManager::HeaderVersionNumber
int32_t ___HeaderVersionNumber_12;
// System.Type System.Resources.ResourceManager::_minResourceSet
Type_t * ____minResourceSet_13;
// System.String System.Resources.ResourceManager::ResReaderTypeName
String_t* ___ResReaderTypeName_14;
// System.String System.Resources.ResourceManager::ResSetTypeName
String_t* ___ResSetTypeName_15;
// System.String System.Resources.ResourceManager::MscorlibName
String_t* ___MscorlibName_16;
// System.Int32 System.Resources.ResourceManager::DEBUG
int32_t ___DEBUG_17;
public:
inline static int32_t get_offset_of_MagicNumber_11() { return static_cast<int32_t>(offsetof(ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A_StaticFields, ___MagicNumber_11)); }
inline int32_t get_MagicNumber_11() const { return ___MagicNumber_11; }
inline int32_t* get_address_of_MagicNumber_11() { return &___MagicNumber_11; }
inline void set_MagicNumber_11(int32_t value)
{
___MagicNumber_11 = value;
}
inline static int32_t get_offset_of_HeaderVersionNumber_12() { return static_cast<int32_t>(offsetof(ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A_StaticFields, ___HeaderVersionNumber_12)); }
inline int32_t get_HeaderVersionNumber_12() const { return ___HeaderVersionNumber_12; }
inline int32_t* get_address_of_HeaderVersionNumber_12() { return &___HeaderVersionNumber_12; }
inline void set_HeaderVersionNumber_12(int32_t value)
{
___HeaderVersionNumber_12 = value;
}
inline static int32_t get_offset_of__minResourceSet_13() { return static_cast<int32_t>(offsetof(ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A_StaticFields, ____minResourceSet_13)); }
inline Type_t * get__minResourceSet_13() const { return ____minResourceSet_13; }
inline Type_t ** get_address_of__minResourceSet_13() { return &____minResourceSet_13; }
inline void set__minResourceSet_13(Type_t * value)
{
____minResourceSet_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&____minResourceSet_13), (void*)value);
}
inline static int32_t get_offset_of_ResReaderTypeName_14() { return static_cast<int32_t>(offsetof(ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A_StaticFields, ___ResReaderTypeName_14)); }
inline String_t* get_ResReaderTypeName_14() const { return ___ResReaderTypeName_14; }
inline String_t** get_address_of_ResReaderTypeName_14() { return &___ResReaderTypeName_14; }
inline void set_ResReaderTypeName_14(String_t* value)
{
___ResReaderTypeName_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ResReaderTypeName_14), (void*)value);
}
inline static int32_t get_offset_of_ResSetTypeName_15() { return static_cast<int32_t>(offsetof(ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A_StaticFields, ___ResSetTypeName_15)); }
inline String_t* get_ResSetTypeName_15() const { return ___ResSetTypeName_15; }
inline String_t** get_address_of_ResSetTypeName_15() { return &___ResSetTypeName_15; }
inline void set_ResSetTypeName_15(String_t* value)
{
___ResSetTypeName_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ResSetTypeName_15), (void*)value);
}
inline static int32_t get_offset_of_MscorlibName_16() { return static_cast<int32_t>(offsetof(ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A_StaticFields, ___MscorlibName_16)); }
inline String_t* get_MscorlibName_16() const { return ___MscorlibName_16; }
inline String_t** get_address_of_MscorlibName_16() { return &___MscorlibName_16; }
inline void set_MscorlibName_16(String_t* value)
{
___MscorlibName_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___MscorlibName_16), (void*)value);
}
inline static int32_t get_offset_of_DEBUG_17() { return static_cast<int32_t>(offsetof(ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A_StaticFields, ___DEBUG_17)); }
inline int32_t get_DEBUG_17() const { return ___DEBUG_17; }
inline int32_t* get_address_of_DEBUG_17() { return &___DEBUG_17; }
inline void set_DEBUG_17(int32_t value)
{
___DEBUG_17 = value;
}
};
// UnityEngine.ResourceManagement.Exceptions.ResourceManagerException
struct ResourceManagerException_t7816EE70554858C84C8AAB5CE7E3DEB47B4C8EA2 : public Exception_t
{
public:
public:
};
// UnityEngine.ResourceManagement.ResourceProviders.ResourceProviderBase
struct ResourceProviderBase_tC5E5ED488310C5EDBDD71BC37FEB5EE1C77D7F28 : public RuntimeObject
{
public:
// System.String UnityEngine.ResourceManagement.ResourceProviders.ResourceProviderBase::m_ProviderId
String_t* ___m_ProviderId_0;
// UnityEngine.ResourceManagement.ResourceProviders.ProviderBehaviourFlags UnityEngine.ResourceManagement.ResourceProviders.ResourceProviderBase::m_BehaviourFlags
int32_t ___m_BehaviourFlags_1;
public:
inline static int32_t get_offset_of_m_ProviderId_0() { return static_cast<int32_t>(offsetof(ResourceProviderBase_tC5E5ED488310C5EDBDD71BC37FEB5EE1C77D7F28, ___m_ProviderId_0)); }
inline String_t* get_m_ProviderId_0() const { return ___m_ProviderId_0; }
inline String_t** get_address_of_m_ProviderId_0() { return &___m_ProviderId_0; }
inline void set_m_ProviderId_0(String_t* value)
{
___m_ProviderId_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ProviderId_0), (void*)value);
}
inline static int32_t get_offset_of_m_BehaviourFlags_1() { return static_cast<int32_t>(offsetof(ResourceProviderBase_tC5E5ED488310C5EDBDD71BC37FEB5EE1C77D7F28, ___m_BehaviourFlags_1)); }
inline int32_t get_m_BehaviourFlags_1() const { return ___m_BehaviourFlags_1; }
inline int32_t* get_address_of_m_BehaviourFlags_1() { return &___m_BehaviourFlags_1; }
inline void set_m_BehaviourFlags_1(int32_t value)
{
___m_BehaviourFlags_1 = value;
}
};
// UnityEngine.ResourceRequest
struct ResourceRequest_tD2D09E98C844087E6AB0F04532B7AA139558CBAD : public AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86
{
public:
// System.String UnityEngine.ResourceRequest::m_Path
String_t* ___m_Path_2;
// System.Type UnityEngine.ResourceRequest::m_Type
Type_t * ___m_Type_3;
public:
inline static int32_t get_offset_of_m_Path_2() { return static_cast<int32_t>(offsetof(ResourceRequest_tD2D09E98C844087E6AB0F04532B7AA139558CBAD, ___m_Path_2)); }
inline String_t* get_m_Path_2() const { return ___m_Path_2; }
inline String_t** get_address_of_m_Path_2() { return &___m_Path_2; }
inline void set_m_Path_2(String_t* value)
{
___m_Path_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Path_2), (void*)value);
}
inline static int32_t get_offset_of_m_Type_3() { return static_cast<int32_t>(offsetof(ResourceRequest_tD2D09E98C844087E6AB0F04532B7AA139558CBAD, ___m_Type_3)); }
inline Type_t * get_m_Type_3() const { return ___m_Type_3; }
inline Type_t ** get_address_of_m_Type_3() { return &___m_Type_3; }
inline void set_m_Type_3(Type_t * value)
{
___m_Type_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Type_3), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.ResourceRequest
struct ResourceRequest_tD2D09E98C844087E6AB0F04532B7AA139558CBAD_marshaled_pinvoke : public AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86_marshaled_pinvoke
{
char* ___m_Path_2;
Type_t * ___m_Type_3;
};
// Native definition for COM marshalling of UnityEngine.ResourceRequest
struct ResourceRequest_tD2D09E98C844087E6AB0F04532B7AA139558CBAD_marshaled_com : public AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86_marshaled_com
{
Il2CppChar* ___m_Path_2;
Type_t * ___m_Type_3;
};
// TMPro.RichTextTagAttribute
struct RichTextTagAttribute_t5686297F46AB107FF79754273CB592F0185ACCC9
{
public:
// System.Int32 TMPro.RichTextTagAttribute::nameHashCode
int32_t ___nameHashCode_0;
// System.Int32 TMPro.RichTextTagAttribute::valueHashCode
int32_t ___valueHashCode_1;
// TMPro.TagValueType TMPro.RichTextTagAttribute::valueType
int32_t ___valueType_2;
// System.Int32 TMPro.RichTextTagAttribute::valueStartIndex
int32_t ___valueStartIndex_3;
// System.Int32 TMPro.RichTextTagAttribute::valueLength
int32_t ___valueLength_4;
// TMPro.TagUnitType TMPro.RichTextTagAttribute::unitType
int32_t ___unitType_5;
public:
inline static int32_t get_offset_of_nameHashCode_0() { return static_cast<int32_t>(offsetof(RichTextTagAttribute_t5686297F46AB107FF79754273CB592F0185ACCC9, ___nameHashCode_0)); }
inline int32_t get_nameHashCode_0() const { return ___nameHashCode_0; }
inline int32_t* get_address_of_nameHashCode_0() { return &___nameHashCode_0; }
inline void set_nameHashCode_0(int32_t value)
{
___nameHashCode_0 = value;
}
inline static int32_t get_offset_of_valueHashCode_1() { return static_cast<int32_t>(offsetof(RichTextTagAttribute_t5686297F46AB107FF79754273CB592F0185ACCC9, ___valueHashCode_1)); }
inline int32_t get_valueHashCode_1() const { return ___valueHashCode_1; }
inline int32_t* get_address_of_valueHashCode_1() { return &___valueHashCode_1; }
inline void set_valueHashCode_1(int32_t value)
{
___valueHashCode_1 = value;
}
inline static int32_t get_offset_of_valueType_2() { return static_cast<int32_t>(offsetof(RichTextTagAttribute_t5686297F46AB107FF79754273CB592F0185ACCC9, ___valueType_2)); }
inline int32_t get_valueType_2() const { return ___valueType_2; }
inline int32_t* get_address_of_valueType_2() { return &___valueType_2; }
inline void set_valueType_2(int32_t value)
{
___valueType_2 = value;
}
inline static int32_t get_offset_of_valueStartIndex_3() { return static_cast<int32_t>(offsetof(RichTextTagAttribute_t5686297F46AB107FF79754273CB592F0185ACCC9, ___valueStartIndex_3)); }
inline int32_t get_valueStartIndex_3() const { return ___valueStartIndex_3; }
inline int32_t* get_address_of_valueStartIndex_3() { return &___valueStartIndex_3; }
inline void set_valueStartIndex_3(int32_t value)
{
___valueStartIndex_3 = value;
}
inline static int32_t get_offset_of_valueLength_4() { return static_cast<int32_t>(offsetof(RichTextTagAttribute_t5686297F46AB107FF79754273CB592F0185ACCC9, ___valueLength_4)); }
inline int32_t get_valueLength_4() const { return ___valueLength_4; }
inline int32_t* get_address_of_valueLength_4() { return &___valueLength_4; }
inline void set_valueLength_4(int32_t value)
{
___valueLength_4 = value;
}
inline static int32_t get_offset_of_unitType_5() { return static_cast<int32_t>(offsetof(RichTextTagAttribute_t5686297F46AB107FF79754273CB592F0185ACCC9, ___unitType_5)); }
inline int32_t get_unitType_5() const { return ___unitType_5; }
inline int32_t* get_address_of_unitType_5() { return &___unitType_5; }
inline void set_unitType_5(int32_t value)
{
___unitType_5 = value;
}
};
// System.Reflection.RtFieldInfo
struct RtFieldInfo_t7DFB04CF559A6D7AAFDF7D124A556DF6FC53D179 : public RuntimeFieldInfo_t9A67C36552ACE9F3BFC87DB94709424B2E8AB70C
{
public:
public:
};
// UnityEngine.RuntimeAnimatorController
struct RuntimeAnimatorController_t6F70D5BE51CCBA99132F444EFFA41439DFE71BAB : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// System.Reflection.RuntimeAssembly
struct RuntimeAssembly_t799877C849878A70E10D25C690D7B0476DAF0B56 : public Assembly_t
{
public:
public:
};
// System.Reflection.RuntimeConstructorInfo
struct RuntimeConstructorInfo_t9B65F4BAA154E6B8888A68FA9BA02993090876BB : public ConstructorInfo_t449AEC508DCA508EE46784C4F2716545488ACD5B
{
public:
public:
};
// UnityEngine.RuntimeInitializeOnLoadMethodAttribute
struct RuntimeInitializeOnLoadMethodAttribute_tDE87D2AA72896514411AC9F8F48A4084536BDC2D : public PreserveAttribute_tD3CDF1454F8E64CEF59CF7094B45BBACE2C69948
{
public:
// UnityEngine.RuntimeInitializeLoadType UnityEngine.RuntimeInitializeOnLoadMethodAttribute::m_LoadType
int32_t ___m_LoadType_0;
public:
inline static int32_t get_offset_of_m_LoadType_0() { return static_cast<int32_t>(offsetof(RuntimeInitializeOnLoadMethodAttribute_tDE87D2AA72896514411AC9F8F48A4084536BDC2D, ___m_LoadType_0)); }
inline int32_t get_m_LoadType_0() const { return ___m_LoadType_0; }
inline int32_t* get_address_of_m_LoadType_0() { return &___m_LoadType_0; }
inline void set_m_LoadType_0(int32_t value)
{
___m_LoadType_0 = value;
}
};
// System.Reflection.RuntimeMethodInfo
struct RuntimeMethodInfo_tCA399779FA50C8E2D4942CED76DAA9F8CFED5CAC : public MethodInfo_t
{
public:
public:
};
// System.Runtime.CompilerServices.RuntimeWrappedException
struct RuntimeWrappedException_tF5D723180432C0C1156A29128C10A68E2BE07FB9 : public Exception_t
{
public:
// System.Object System.Runtime.CompilerServices.RuntimeWrappedException::m_wrappedException
RuntimeObject * ___m_wrappedException_17;
public:
inline static int32_t get_offset_of_m_wrappedException_17() { return static_cast<int32_t>(offsetof(RuntimeWrappedException_tF5D723180432C0C1156A29128C10A68E2BE07FB9, ___m_wrappedException_17)); }
inline RuntimeObject * get_m_wrappedException_17() const { return ___m_wrappedException_17; }
inline RuntimeObject ** get_address_of_m_wrappedException_17() { return &___m_wrappedException_17; }
inline void set_m_wrappedException_17(RuntimeObject * value)
{
___m_wrappedException_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_wrappedException_17), (void*)value);
}
};
// Microsoft.Win32.SafeHandles.SafeHandleZeroOrMinusOneIsInvalid
struct SafeHandleZeroOrMinusOneIsInvalid_t0C690C7DC958D0C04E529E2BB0F6569956328B45 : public SafeHandle_tC07DCA2CABF6988953342757EFB1547363E5A36B
{
public:
public:
};
// UnityEngine.ResourceManagement.ResourceProviders.SceneInstance
struct SceneInstance_t0B7101C4211F3C781874320E11F45117106046CA
{
public:
// UnityEngine.SceneManagement.Scene UnityEngine.ResourceManagement.ResourceProviders.SceneInstance::m_Scene
Scene_t5495AD2FDC587DB2E94D9BDE2B85868BFB9A92EE ___m_Scene_0;
// UnityEngine.AsyncOperation UnityEngine.ResourceManagement.ResourceProviders.SceneInstance::m_Operation
AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86 * ___m_Operation_1;
public:
inline static int32_t get_offset_of_m_Scene_0() { return static_cast<int32_t>(offsetof(SceneInstance_t0B7101C4211F3C781874320E11F45117106046CA, ___m_Scene_0)); }
inline Scene_t5495AD2FDC587DB2E94D9BDE2B85868BFB9A92EE get_m_Scene_0() const { return ___m_Scene_0; }
inline Scene_t5495AD2FDC587DB2E94D9BDE2B85868BFB9A92EE * get_address_of_m_Scene_0() { return &___m_Scene_0; }
inline void set_m_Scene_0(Scene_t5495AD2FDC587DB2E94D9BDE2B85868BFB9A92EE value)
{
___m_Scene_0 = value;
}
inline static int32_t get_offset_of_m_Operation_1() { return static_cast<int32_t>(offsetof(SceneInstance_t0B7101C4211F3C781874320E11F45117106046CA, ___m_Operation_1)); }
inline AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86 * get_m_Operation_1() const { return ___m_Operation_1; }
inline AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86 ** get_address_of_m_Operation_1() { return &___m_Operation_1; }
inline void set_m_Operation_1(AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86 * value)
{
___m_Operation_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Operation_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.ResourceManagement.ResourceProviders.SceneInstance
struct SceneInstance_t0B7101C4211F3C781874320E11F45117106046CA_marshaled_pinvoke
{
Scene_t5495AD2FDC587DB2E94D9BDE2B85868BFB9A92EE ___m_Scene_0;
AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86_marshaled_pinvoke ___m_Operation_1;
};
// Native definition for COM marshalling of UnityEngine.ResourceManagement.ResourceProviders.SceneInstance
struct SceneInstance_t0B7101C4211F3C781874320E11F45117106046CA_marshaled_com
{
Scene_t5495AD2FDC587DB2E94D9BDE2B85868BFB9A92EE ___m_Scene_0;
AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86_marshaled_com* ___m_Operation_1;
};
// System.Linq.Expressions.Scope1
struct Scope1_tB4CCBE69CF8B934331BE4C5C7FCBBB5FBDFD8C2E : public ScopeExpression_tDE0A022479B618F70B02FDFE5F88D5D02E90FB9D
{
public:
// System.Object System.Linq.Expressions.Scope1::_body
RuntimeObject * ____body_4;
public:
inline static int32_t get_offset_of__body_4() { return static_cast<int32_t>(offsetof(Scope1_tB4CCBE69CF8B934331BE4C5C7FCBBB5FBDFD8C2E, ____body_4)); }
inline RuntimeObject * get__body_4() const { return ____body_4; }
inline RuntimeObject ** get_address_of__body_4() { return &____body_4; }
inline void set__body_4(RuntimeObject * value)
{
____body_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____body_4), (void*)value);
}
};
// System.Linq.Expressions.ScopeN
struct ScopeN_t05FE8F6E97A62B48B2252350706D84DC841E006F : public ScopeExpression_tDE0A022479B618F70B02FDFE5F88D5D02E90FB9D
{
public:
// System.Collections.Generic.IReadOnlyList`1<System.Linq.Expressions.Expression> System.Linq.Expressions.ScopeN::_body
RuntimeObject* ____body_4;
public:
inline static int32_t get_offset_of__body_4() { return static_cast<int32_t>(offsetof(ScopeN_t05FE8F6E97A62B48B2252350706D84DC841E006F, ____body_4)); }
inline RuntimeObject* get__body_4() const { return ____body_4; }
inline RuntimeObject** get_address_of__body_4() { return &____body_4; }
inline void set__body_4(RuntimeObject* value)
{
____body_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____body_4), (void*)value);
}
};
// UnityEngine.Playables.ScriptPlayableOutput
struct ScriptPlayableOutput_tC84FD711C54470AF76109EC9236489F86CDC7087
{
public:
// UnityEngine.Playables.PlayableOutputHandle UnityEngine.Playables.ScriptPlayableOutput::m_Handle
PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(ScriptPlayableOutput_tC84FD711C54470AF76109EC9236489F86CDC7087, ___m_Handle_0)); }
inline PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 value)
{
___m_Handle_0 = value;
}
};
// UnityEngine.ScriptableObject
struct ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// Native definition for P/Invoke marshalling of UnityEngine.ScriptableObject
struct ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A_marshaled_pinvoke : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A_marshaled_pinvoke
{
};
// Native definition for COM marshalling of UnityEngine.ScriptableObject
struct ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A_marshaled_com : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A_marshaled_com
{
};
// System.Security.Permissions.SecurityPermissionAttribute
struct SecurityPermissionAttribute_t4840FF6F04B8182B7BE9A2DC315C9FBB67877B86 : public CodeAccessSecurityAttribute_tDFD5754F85D0138CA98EAA383EA7D50B5503C319
{
public:
// System.Security.Permissions.SecurityPermissionFlag System.Security.Permissions.SecurityPermissionAttribute::m_Flags
int32_t ___m_Flags_0;
public:
inline static int32_t get_offset_of_m_Flags_0() { return static_cast<int32_t>(offsetof(SecurityPermissionAttribute_t4840FF6F04B8182B7BE9A2DC315C9FBB67877B86, ___m_Flags_0)); }
inline int32_t get_m_Flags_0() const { return ___m_Flags_0; }
inline int32_t* get_address_of_m_Flags_0() { return &___m_Flags_0; }
inline void set_m_Flags_0(int32_t value)
{
___m_Flags_0 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.SerializationHeaderRecord
struct SerializationHeaderRecord_t58AFB2ADC0098B395661EE07EC90016CAA2F06D4 : public RuntimeObject
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.SerializationHeaderRecord::binaryFormatterMajorVersion
int32_t ___binaryFormatterMajorVersion_0;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.SerializationHeaderRecord::binaryFormatterMinorVersion
int32_t ___binaryFormatterMinorVersion_1;
// System.Runtime.Serialization.Formatters.Binary.BinaryHeaderEnum System.Runtime.Serialization.Formatters.Binary.SerializationHeaderRecord::binaryHeaderEnum
int32_t ___binaryHeaderEnum_2;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.SerializationHeaderRecord::topId
int32_t ___topId_3;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.SerializationHeaderRecord::headerId
int32_t ___headerId_4;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.SerializationHeaderRecord::majorVersion
int32_t ___majorVersion_5;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.SerializationHeaderRecord::minorVersion
int32_t ___minorVersion_6;
public:
inline static int32_t get_offset_of_binaryFormatterMajorVersion_0() { return static_cast<int32_t>(offsetof(SerializationHeaderRecord_t58AFB2ADC0098B395661EE07EC90016CAA2F06D4, ___binaryFormatterMajorVersion_0)); }
inline int32_t get_binaryFormatterMajorVersion_0() const { return ___binaryFormatterMajorVersion_0; }
inline int32_t* get_address_of_binaryFormatterMajorVersion_0() { return &___binaryFormatterMajorVersion_0; }
inline void set_binaryFormatterMajorVersion_0(int32_t value)
{
___binaryFormatterMajorVersion_0 = value;
}
inline static int32_t get_offset_of_binaryFormatterMinorVersion_1() { return static_cast<int32_t>(offsetof(SerializationHeaderRecord_t58AFB2ADC0098B395661EE07EC90016CAA2F06D4, ___binaryFormatterMinorVersion_1)); }
inline int32_t get_binaryFormatterMinorVersion_1() const { return ___binaryFormatterMinorVersion_1; }
inline int32_t* get_address_of_binaryFormatterMinorVersion_1() { return &___binaryFormatterMinorVersion_1; }
inline void set_binaryFormatterMinorVersion_1(int32_t value)
{
___binaryFormatterMinorVersion_1 = value;
}
inline static int32_t get_offset_of_binaryHeaderEnum_2() { return static_cast<int32_t>(offsetof(SerializationHeaderRecord_t58AFB2ADC0098B395661EE07EC90016CAA2F06D4, ___binaryHeaderEnum_2)); }
inline int32_t get_binaryHeaderEnum_2() const { return ___binaryHeaderEnum_2; }
inline int32_t* get_address_of_binaryHeaderEnum_2() { return &___binaryHeaderEnum_2; }
inline void set_binaryHeaderEnum_2(int32_t value)
{
___binaryHeaderEnum_2 = value;
}
inline static int32_t get_offset_of_topId_3() { return static_cast<int32_t>(offsetof(SerializationHeaderRecord_t58AFB2ADC0098B395661EE07EC90016CAA2F06D4, ___topId_3)); }
inline int32_t get_topId_3() const { return ___topId_3; }
inline int32_t* get_address_of_topId_3() { return &___topId_3; }
inline void set_topId_3(int32_t value)
{
___topId_3 = value;
}
inline static int32_t get_offset_of_headerId_4() { return static_cast<int32_t>(offsetof(SerializationHeaderRecord_t58AFB2ADC0098B395661EE07EC90016CAA2F06D4, ___headerId_4)); }
inline int32_t get_headerId_4() const { return ___headerId_4; }
inline int32_t* get_address_of_headerId_4() { return &___headerId_4; }
inline void set_headerId_4(int32_t value)
{
___headerId_4 = value;
}
inline static int32_t get_offset_of_majorVersion_5() { return static_cast<int32_t>(offsetof(SerializationHeaderRecord_t58AFB2ADC0098B395661EE07EC90016CAA2F06D4, ___majorVersion_5)); }
inline int32_t get_majorVersion_5() const { return ___majorVersion_5; }
inline int32_t* get_address_of_majorVersion_5() { return &___majorVersion_5; }
inline void set_majorVersion_5(int32_t value)
{
___majorVersion_5 = value;
}
inline static int32_t get_offset_of_minorVersion_6() { return static_cast<int32_t>(offsetof(SerializationHeaderRecord_t58AFB2ADC0098B395661EE07EC90016CAA2F06D4, ___minorVersion_6)); }
inline int32_t get_minorVersion_6() const { return ___minorVersion_6; }
inline int32_t* get_address_of_minorVersion_6() { return &___minorVersion_6; }
inline void set_minorVersion_6(int32_t value)
{
___minorVersion_6 = value;
}
};
// UnityEngine.Shader
struct Shader_tB2355DC4F3CAF20B2F1AB5AABBF37C3555FFBC39 : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// System.Linq.Expressions.SimpleBinaryExpression
struct SimpleBinaryExpression_tD31812298FB2E8F19C62AA1D18B48BD23DC411CB : public BinaryExpression_tCD79755962D104E6603B50D89E7F0E41D1D9CA79
{
public:
// System.Linq.Expressions.ExpressionType System.Linq.Expressions.SimpleBinaryExpression::<NodeType>k__BackingField
int32_t ___U3CNodeTypeU3Ek__BackingField_5;
// System.Type System.Linq.Expressions.SimpleBinaryExpression::<Type>k__BackingField
Type_t * ___U3CTypeU3Ek__BackingField_6;
public:
inline static int32_t get_offset_of_U3CNodeTypeU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(SimpleBinaryExpression_tD31812298FB2E8F19C62AA1D18B48BD23DC411CB, ___U3CNodeTypeU3Ek__BackingField_5)); }
inline int32_t get_U3CNodeTypeU3Ek__BackingField_5() const { return ___U3CNodeTypeU3Ek__BackingField_5; }
inline int32_t* get_address_of_U3CNodeTypeU3Ek__BackingField_5() { return &___U3CNodeTypeU3Ek__BackingField_5; }
inline void set_U3CNodeTypeU3Ek__BackingField_5(int32_t value)
{
___U3CNodeTypeU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CTypeU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(SimpleBinaryExpression_tD31812298FB2E8F19C62AA1D18B48BD23DC411CB, ___U3CTypeU3Ek__BackingField_6)); }
inline Type_t * get_U3CTypeU3Ek__BackingField_6() const { return ___U3CTypeU3Ek__BackingField_6; }
inline Type_t ** get_address_of_U3CTypeU3Ek__BackingField_6() { return &___U3CTypeU3Ek__BackingField_6; }
inline void set_U3CTypeU3Ek__BackingField_6(Type_t * value)
{
___U3CTypeU3Ek__BackingField_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CTypeU3Ek__BackingField_6), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Core.Settings.SmartSettings
struct SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627 : public RuntimeObject
{
public:
// UnityEngine.Localization.SmartFormat.Core.Settings.ErrorAction UnityEngine.Localization.SmartFormat.Core.Settings.SmartSettings::m_FormatErrorAction
int32_t ___m_FormatErrorAction_0;
// UnityEngine.Localization.SmartFormat.Core.Settings.ErrorAction UnityEngine.Localization.SmartFormat.Core.Settings.SmartSettings::m_ParseErrorAction
int32_t ___m_ParseErrorAction_1;
// UnityEngine.Localization.SmartFormat.Core.Settings.CaseSensitivityType UnityEngine.Localization.SmartFormat.Core.Settings.SmartSettings::m_CaseSensitivity
int32_t ___m_CaseSensitivity_2;
// System.Boolean UnityEngine.Localization.SmartFormat.Core.Settings.SmartSettings::m_ConvertCharacterStringLiterals
bool ___m_ConvertCharacterStringLiterals_3;
public:
inline static int32_t get_offset_of_m_FormatErrorAction_0() { return static_cast<int32_t>(offsetof(SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627, ___m_FormatErrorAction_0)); }
inline int32_t get_m_FormatErrorAction_0() const { return ___m_FormatErrorAction_0; }
inline int32_t* get_address_of_m_FormatErrorAction_0() { return &___m_FormatErrorAction_0; }
inline void set_m_FormatErrorAction_0(int32_t value)
{
___m_FormatErrorAction_0 = value;
}
inline static int32_t get_offset_of_m_ParseErrorAction_1() { return static_cast<int32_t>(offsetof(SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627, ___m_ParseErrorAction_1)); }
inline int32_t get_m_ParseErrorAction_1() const { return ___m_ParseErrorAction_1; }
inline int32_t* get_address_of_m_ParseErrorAction_1() { return &___m_ParseErrorAction_1; }
inline void set_m_ParseErrorAction_1(int32_t value)
{
___m_ParseErrorAction_1 = value;
}
inline static int32_t get_offset_of_m_CaseSensitivity_2() { return static_cast<int32_t>(offsetof(SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627, ___m_CaseSensitivity_2)); }
inline int32_t get_m_CaseSensitivity_2() const { return ___m_CaseSensitivity_2; }
inline int32_t* get_address_of_m_CaseSensitivity_2() { return &___m_CaseSensitivity_2; }
inline void set_m_CaseSensitivity_2(int32_t value)
{
___m_CaseSensitivity_2 = value;
}
inline static int32_t get_offset_of_m_ConvertCharacterStringLiterals_3() { return static_cast<int32_t>(offsetof(SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627, ___m_ConvertCharacterStringLiterals_3)); }
inline bool get_m_ConvertCharacterStringLiterals_3() const { return ___m_ConvertCharacterStringLiterals_3; }
inline bool* get_address_of_m_ConvertCharacterStringLiterals_3() { return &___m_ConvertCharacterStringLiterals_3; }
inline void set_m_ConvertCharacterStringLiterals_3(bool value)
{
___m_ConvertCharacterStringLiterals_3 = value;
}
};
// System.Globalization.SortKey
struct SortKey_tBBD5A739AC7187C1514CBA47698C1D5E36877F52 : public RuntimeObject
{
public:
// System.String System.Globalization.SortKey::source
String_t* ___source_0;
// System.Byte[] System.Globalization.SortKey::key
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___key_1;
// System.Globalization.CompareOptions System.Globalization.SortKey::options
int32_t ___options_2;
// System.Int32 System.Globalization.SortKey::lcid
int32_t ___lcid_3;
public:
inline static int32_t get_offset_of_source_0() { return static_cast<int32_t>(offsetof(SortKey_tBBD5A739AC7187C1514CBA47698C1D5E36877F52, ___source_0)); }
inline String_t* get_source_0() const { return ___source_0; }
inline String_t** get_address_of_source_0() { return &___source_0; }
inline void set_source_0(String_t* value)
{
___source_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___source_0), (void*)value);
}
inline static int32_t get_offset_of_key_1() { return static_cast<int32_t>(offsetof(SortKey_tBBD5A739AC7187C1514CBA47698C1D5E36877F52, ___key_1)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_key_1() const { return ___key_1; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_key_1() { return &___key_1; }
inline void set_key_1(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___key_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___key_1), (void*)value);
}
inline static int32_t get_offset_of_options_2() { return static_cast<int32_t>(offsetof(SortKey_tBBD5A739AC7187C1514CBA47698C1D5E36877F52, ___options_2)); }
inline int32_t get_options_2() const { return ___options_2; }
inline int32_t* get_address_of_options_2() { return &___options_2; }
inline void set_options_2(int32_t value)
{
___options_2 = value;
}
inline static int32_t get_offset_of_lcid_3() { return static_cast<int32_t>(offsetof(SortKey_tBBD5A739AC7187C1514CBA47698C1D5E36877F52, ___lcid_3)); }
inline int32_t get_lcid_3() const { return ___lcid_3; }
inline int32_t* get_address_of_lcid_3() { return &___lcid_3; }
inline void set_lcid_3(int32_t value)
{
___lcid_3 = value;
}
};
// Native definition for P/Invoke marshalling of System.Globalization.SortKey
struct SortKey_tBBD5A739AC7187C1514CBA47698C1D5E36877F52_marshaled_pinvoke
{
char* ___source_0;
Il2CppSafeArray/*NONE*/* ___key_1;
int32_t ___options_2;
int32_t ___lcid_3;
};
// Native definition for COM marshalling of System.Globalization.SortKey
struct SortKey_tBBD5A739AC7187C1514CBA47698C1D5E36877F52_marshaled_com
{
Il2CppChar* ___source_0;
Il2CppSafeArray/*NONE*/* ___key_1;
int32_t ___options_2;
int32_t ___lcid_3;
};
// Mono.Globalization.Unicode.SortKeyBuffer
struct SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE : public RuntimeObject
{
public:
// System.Byte[] Mono.Globalization.Unicode.SortKeyBuffer::l1b
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___l1b_0;
// System.Byte[] Mono.Globalization.Unicode.SortKeyBuffer::l2b
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___l2b_1;
// System.Byte[] Mono.Globalization.Unicode.SortKeyBuffer::l3b
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___l3b_2;
// System.Byte[] Mono.Globalization.Unicode.SortKeyBuffer::l4sb
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___l4sb_3;
// System.Byte[] Mono.Globalization.Unicode.SortKeyBuffer::l4tb
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___l4tb_4;
// System.Byte[] Mono.Globalization.Unicode.SortKeyBuffer::l4kb
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___l4kb_5;
// System.Byte[] Mono.Globalization.Unicode.SortKeyBuffer::l4wb
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___l4wb_6;
// System.Byte[] Mono.Globalization.Unicode.SortKeyBuffer::l5b
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___l5b_7;
// System.String Mono.Globalization.Unicode.SortKeyBuffer::source
String_t* ___source_8;
// System.Int32 Mono.Globalization.Unicode.SortKeyBuffer::l1
int32_t ___l1_9;
// System.Int32 Mono.Globalization.Unicode.SortKeyBuffer::l2
int32_t ___l2_10;
// System.Int32 Mono.Globalization.Unicode.SortKeyBuffer::l3
int32_t ___l3_11;
// System.Int32 Mono.Globalization.Unicode.SortKeyBuffer::l4s
int32_t ___l4s_12;
// System.Int32 Mono.Globalization.Unicode.SortKeyBuffer::l4t
int32_t ___l4t_13;
// System.Int32 Mono.Globalization.Unicode.SortKeyBuffer::l4k
int32_t ___l4k_14;
// System.Int32 Mono.Globalization.Unicode.SortKeyBuffer::l4w
int32_t ___l4w_15;
// System.Int32 Mono.Globalization.Unicode.SortKeyBuffer::l5
int32_t ___l5_16;
// System.Int32 Mono.Globalization.Unicode.SortKeyBuffer::lcid
int32_t ___lcid_17;
// System.Globalization.CompareOptions Mono.Globalization.Unicode.SortKeyBuffer::options
int32_t ___options_18;
// System.Boolean Mono.Globalization.Unicode.SortKeyBuffer::processLevel2
bool ___processLevel2_19;
// System.Boolean Mono.Globalization.Unicode.SortKeyBuffer::frenchSort
bool ___frenchSort_20;
// System.Boolean Mono.Globalization.Unicode.SortKeyBuffer::frenchSorted
bool ___frenchSorted_21;
public:
inline static int32_t get_offset_of_l1b_0() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___l1b_0)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_l1b_0() const { return ___l1b_0; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_l1b_0() { return &___l1b_0; }
inline void set_l1b_0(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___l1b_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___l1b_0), (void*)value);
}
inline static int32_t get_offset_of_l2b_1() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___l2b_1)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_l2b_1() const { return ___l2b_1; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_l2b_1() { return &___l2b_1; }
inline void set_l2b_1(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___l2b_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___l2b_1), (void*)value);
}
inline static int32_t get_offset_of_l3b_2() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___l3b_2)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_l3b_2() const { return ___l3b_2; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_l3b_2() { return &___l3b_2; }
inline void set_l3b_2(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___l3b_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___l3b_2), (void*)value);
}
inline static int32_t get_offset_of_l4sb_3() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___l4sb_3)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_l4sb_3() const { return ___l4sb_3; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_l4sb_3() { return &___l4sb_3; }
inline void set_l4sb_3(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___l4sb_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___l4sb_3), (void*)value);
}
inline static int32_t get_offset_of_l4tb_4() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___l4tb_4)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_l4tb_4() const { return ___l4tb_4; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_l4tb_4() { return &___l4tb_4; }
inline void set_l4tb_4(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___l4tb_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___l4tb_4), (void*)value);
}
inline static int32_t get_offset_of_l4kb_5() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___l4kb_5)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_l4kb_5() const { return ___l4kb_5; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_l4kb_5() { return &___l4kb_5; }
inline void set_l4kb_5(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___l4kb_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___l4kb_5), (void*)value);
}
inline static int32_t get_offset_of_l4wb_6() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___l4wb_6)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_l4wb_6() const { return ___l4wb_6; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_l4wb_6() { return &___l4wb_6; }
inline void set_l4wb_6(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___l4wb_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___l4wb_6), (void*)value);
}
inline static int32_t get_offset_of_l5b_7() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___l5b_7)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_l5b_7() const { return ___l5b_7; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_l5b_7() { return &___l5b_7; }
inline void set_l5b_7(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___l5b_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___l5b_7), (void*)value);
}
inline static int32_t get_offset_of_source_8() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___source_8)); }
inline String_t* get_source_8() const { return ___source_8; }
inline String_t** get_address_of_source_8() { return &___source_8; }
inline void set_source_8(String_t* value)
{
___source_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___source_8), (void*)value);
}
inline static int32_t get_offset_of_l1_9() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___l1_9)); }
inline int32_t get_l1_9() const { return ___l1_9; }
inline int32_t* get_address_of_l1_9() { return &___l1_9; }
inline void set_l1_9(int32_t value)
{
___l1_9 = value;
}
inline static int32_t get_offset_of_l2_10() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___l2_10)); }
inline int32_t get_l2_10() const { return ___l2_10; }
inline int32_t* get_address_of_l2_10() { return &___l2_10; }
inline void set_l2_10(int32_t value)
{
___l2_10 = value;
}
inline static int32_t get_offset_of_l3_11() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___l3_11)); }
inline int32_t get_l3_11() const { return ___l3_11; }
inline int32_t* get_address_of_l3_11() { return &___l3_11; }
inline void set_l3_11(int32_t value)
{
___l3_11 = value;
}
inline static int32_t get_offset_of_l4s_12() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___l4s_12)); }
inline int32_t get_l4s_12() const { return ___l4s_12; }
inline int32_t* get_address_of_l4s_12() { return &___l4s_12; }
inline void set_l4s_12(int32_t value)
{
___l4s_12 = value;
}
inline static int32_t get_offset_of_l4t_13() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___l4t_13)); }
inline int32_t get_l4t_13() const { return ___l4t_13; }
inline int32_t* get_address_of_l4t_13() { return &___l4t_13; }
inline void set_l4t_13(int32_t value)
{
___l4t_13 = value;
}
inline static int32_t get_offset_of_l4k_14() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___l4k_14)); }
inline int32_t get_l4k_14() const { return ___l4k_14; }
inline int32_t* get_address_of_l4k_14() { return &___l4k_14; }
inline void set_l4k_14(int32_t value)
{
___l4k_14 = value;
}
inline static int32_t get_offset_of_l4w_15() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___l4w_15)); }
inline int32_t get_l4w_15() const { return ___l4w_15; }
inline int32_t* get_address_of_l4w_15() { return &___l4w_15; }
inline void set_l4w_15(int32_t value)
{
___l4w_15 = value;
}
inline static int32_t get_offset_of_l5_16() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___l5_16)); }
inline int32_t get_l5_16() const { return ___l5_16; }
inline int32_t* get_address_of_l5_16() { return &___l5_16; }
inline void set_l5_16(int32_t value)
{
___l5_16 = value;
}
inline static int32_t get_offset_of_lcid_17() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___lcid_17)); }
inline int32_t get_lcid_17() const { return ___lcid_17; }
inline int32_t* get_address_of_lcid_17() { return &___lcid_17; }
inline void set_lcid_17(int32_t value)
{
___lcid_17 = value;
}
inline static int32_t get_offset_of_options_18() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___options_18)); }
inline int32_t get_options_18() const { return ___options_18; }
inline int32_t* get_address_of_options_18() { return &___options_18; }
inline void set_options_18(int32_t value)
{
___options_18 = value;
}
inline static int32_t get_offset_of_processLevel2_19() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___processLevel2_19)); }
inline bool get_processLevel2_19() const { return ___processLevel2_19; }
inline bool* get_address_of_processLevel2_19() { return &___processLevel2_19; }
inline void set_processLevel2_19(bool value)
{
___processLevel2_19 = value;
}
inline static int32_t get_offset_of_frenchSort_20() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___frenchSort_20)); }
inline bool get_frenchSort_20() const { return ___frenchSort_20; }
inline bool* get_address_of_frenchSort_20() { return &___frenchSort_20; }
inline void set_frenchSort_20(bool value)
{
___frenchSort_20 = value;
}
inline static int32_t get_offset_of_frenchSorted_21() { return static_cast<int32_t>(offsetof(SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE, ___frenchSorted_21)); }
inline bool get_frenchSorted_21() const { return ___frenchSorted_21; }
inline bool* get_address_of_frenchSorted_21() { return &___frenchSorted_21; }
inline void set_frenchSorted_21(bool value)
{
___frenchSorted_21 = value;
}
};
// UnityEngine.Experimental.GlobalIllumination.SpotLight
struct SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D
{
public:
// System.Int32 UnityEngine.Experimental.GlobalIllumination.SpotLight::instanceID
int32_t ___instanceID_0;
// System.Boolean UnityEngine.Experimental.GlobalIllumination.SpotLight::shadow
bool ___shadow_1;
// UnityEngine.Experimental.GlobalIllumination.LightMode UnityEngine.Experimental.GlobalIllumination.SpotLight::mode
uint8_t ___mode_2;
// UnityEngine.Vector3 UnityEngine.Experimental.GlobalIllumination.SpotLight::position
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_3;
// UnityEngine.Quaternion UnityEngine.Experimental.GlobalIllumination.SpotLight::orientation
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___orientation_4;
// UnityEngine.Experimental.GlobalIllumination.LinearColor UnityEngine.Experimental.GlobalIllumination.SpotLight::color
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___color_5;
// UnityEngine.Experimental.GlobalIllumination.LinearColor UnityEngine.Experimental.GlobalIllumination.SpotLight::indirectColor
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___indirectColor_6;
// System.Single UnityEngine.Experimental.GlobalIllumination.SpotLight::range
float ___range_7;
// System.Single UnityEngine.Experimental.GlobalIllumination.SpotLight::sphereRadius
float ___sphereRadius_8;
// System.Single UnityEngine.Experimental.GlobalIllumination.SpotLight::coneAngle
float ___coneAngle_9;
// System.Single UnityEngine.Experimental.GlobalIllumination.SpotLight::innerConeAngle
float ___innerConeAngle_10;
// UnityEngine.Experimental.GlobalIllumination.FalloffType UnityEngine.Experimental.GlobalIllumination.SpotLight::falloff
uint8_t ___falloff_11;
// UnityEngine.Experimental.GlobalIllumination.AngularFalloffType UnityEngine.Experimental.GlobalIllumination.SpotLight::angularFalloff
uint8_t ___angularFalloff_12;
public:
inline static int32_t get_offset_of_instanceID_0() { return static_cast<int32_t>(offsetof(SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D, ___instanceID_0)); }
inline int32_t get_instanceID_0() const { return ___instanceID_0; }
inline int32_t* get_address_of_instanceID_0() { return &___instanceID_0; }
inline void set_instanceID_0(int32_t value)
{
___instanceID_0 = value;
}
inline static int32_t get_offset_of_shadow_1() { return static_cast<int32_t>(offsetof(SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D, ___shadow_1)); }
inline bool get_shadow_1() const { return ___shadow_1; }
inline bool* get_address_of_shadow_1() { return &___shadow_1; }
inline void set_shadow_1(bool value)
{
___shadow_1 = value;
}
inline static int32_t get_offset_of_mode_2() { return static_cast<int32_t>(offsetof(SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D, ___mode_2)); }
inline uint8_t get_mode_2() const { return ___mode_2; }
inline uint8_t* get_address_of_mode_2() { return &___mode_2; }
inline void set_mode_2(uint8_t value)
{
___mode_2 = value;
}
inline static int32_t get_offset_of_position_3() { return static_cast<int32_t>(offsetof(SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D, ___position_3)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_position_3() const { return ___position_3; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_position_3() { return &___position_3; }
inline void set_position_3(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___position_3 = value;
}
inline static int32_t get_offset_of_orientation_4() { return static_cast<int32_t>(offsetof(SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D, ___orientation_4)); }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 get_orientation_4() const { return ___orientation_4; }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 * get_address_of_orientation_4() { return &___orientation_4; }
inline void set_orientation_4(Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 value)
{
___orientation_4 = value;
}
inline static int32_t get_offset_of_color_5() { return static_cast<int32_t>(offsetof(SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D, ___color_5)); }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 get_color_5() const { return ___color_5; }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 * get_address_of_color_5() { return &___color_5; }
inline void set_color_5(LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 value)
{
___color_5 = value;
}
inline static int32_t get_offset_of_indirectColor_6() { return static_cast<int32_t>(offsetof(SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D, ___indirectColor_6)); }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 get_indirectColor_6() const { return ___indirectColor_6; }
inline LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 * get_address_of_indirectColor_6() { return &___indirectColor_6; }
inline void set_indirectColor_6(LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 value)
{
___indirectColor_6 = value;
}
inline static int32_t get_offset_of_range_7() { return static_cast<int32_t>(offsetof(SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D, ___range_7)); }
inline float get_range_7() const { return ___range_7; }
inline float* get_address_of_range_7() { return &___range_7; }
inline void set_range_7(float value)
{
___range_7 = value;
}
inline static int32_t get_offset_of_sphereRadius_8() { return static_cast<int32_t>(offsetof(SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D, ___sphereRadius_8)); }
inline float get_sphereRadius_8() const { return ___sphereRadius_8; }
inline float* get_address_of_sphereRadius_8() { return &___sphereRadius_8; }
inline void set_sphereRadius_8(float value)
{
___sphereRadius_8 = value;
}
inline static int32_t get_offset_of_coneAngle_9() { return static_cast<int32_t>(offsetof(SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D, ___coneAngle_9)); }
inline float get_coneAngle_9() const { return ___coneAngle_9; }
inline float* get_address_of_coneAngle_9() { return &___coneAngle_9; }
inline void set_coneAngle_9(float value)
{
___coneAngle_9 = value;
}
inline static int32_t get_offset_of_innerConeAngle_10() { return static_cast<int32_t>(offsetof(SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D, ___innerConeAngle_10)); }
inline float get_innerConeAngle_10() const { return ___innerConeAngle_10; }
inline float* get_address_of_innerConeAngle_10() { return &___innerConeAngle_10; }
inline void set_innerConeAngle_10(float value)
{
___innerConeAngle_10 = value;
}
inline static int32_t get_offset_of_falloff_11() { return static_cast<int32_t>(offsetof(SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D, ___falloff_11)); }
inline uint8_t get_falloff_11() const { return ___falloff_11; }
inline uint8_t* get_address_of_falloff_11() { return &___falloff_11; }
inline void set_falloff_11(uint8_t value)
{
___falloff_11 = value;
}
inline static int32_t get_offset_of_angularFalloff_12() { return static_cast<int32_t>(offsetof(SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D, ___angularFalloff_12)); }
inline uint8_t get_angularFalloff_12() const { return ___angularFalloff_12; }
inline uint8_t* get_address_of_angularFalloff_12() { return &___angularFalloff_12; }
inline void set_angularFalloff_12(uint8_t value)
{
___angularFalloff_12 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Experimental.GlobalIllumination.SpotLight
struct SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D_marshaled_pinvoke
{
int32_t ___instanceID_0;
int32_t ___shadow_1;
uint8_t ___mode_2;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_3;
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___orientation_4;
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___color_5;
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___indirectColor_6;
float ___range_7;
float ___sphereRadius_8;
float ___coneAngle_9;
float ___innerConeAngle_10;
uint8_t ___falloff_11;
uint8_t ___angularFalloff_12;
};
// Native definition for COM marshalling of UnityEngine.Experimental.GlobalIllumination.SpotLight
struct SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D_marshaled_com
{
int32_t ___instanceID_0;
int32_t ___shadow_1;
uint8_t ___mode_2;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___position_3;
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___orientation_4;
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___color_5;
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2 ___indirectColor_6;
float ___range_7;
float ___sphereRadius_8;
float ___coneAngle_9;
float ___innerConeAngle_10;
uint8_t ___falloff_11;
uint8_t ___angularFalloff_12;
};
// UnityEngine.Sprite
struct Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// UnityEngine.U2D.SpriteAtlas
struct SpriteAtlas_t72834B063A58822D683F5557DF8D164740C8A5F9 : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// UnityEngine.Experimental.U2D.SpriteIntermediateRendererInfo
struct SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299
{
public:
// System.Int32 UnityEngine.Experimental.U2D.SpriteIntermediateRendererInfo::SpriteID
int32_t ___SpriteID_0;
// System.Int32 UnityEngine.Experimental.U2D.SpriteIntermediateRendererInfo::TextureID
int32_t ___TextureID_1;
// System.Int32 UnityEngine.Experimental.U2D.SpriteIntermediateRendererInfo::MaterialID
int32_t ___MaterialID_2;
// UnityEngine.Color UnityEngine.Experimental.U2D.SpriteIntermediateRendererInfo::Color
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___Color_3;
// UnityEngine.Matrix4x4 UnityEngine.Experimental.U2D.SpriteIntermediateRendererInfo::Transform
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 ___Transform_4;
// UnityEngine.Bounds UnityEngine.Experimental.U2D.SpriteIntermediateRendererInfo::Bounds
Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 ___Bounds_5;
// System.Int32 UnityEngine.Experimental.U2D.SpriteIntermediateRendererInfo::Layer
int32_t ___Layer_6;
// System.Int32 UnityEngine.Experimental.U2D.SpriteIntermediateRendererInfo::SortingLayer
int32_t ___SortingLayer_7;
// System.Int32 UnityEngine.Experimental.U2D.SpriteIntermediateRendererInfo::SortingOrder
int32_t ___SortingOrder_8;
// System.UInt64 UnityEngine.Experimental.U2D.SpriteIntermediateRendererInfo::SceneCullingMask
uint64_t ___SceneCullingMask_9;
// System.IntPtr UnityEngine.Experimental.U2D.SpriteIntermediateRendererInfo::IndexData
intptr_t ___IndexData_10;
// System.IntPtr UnityEngine.Experimental.U2D.SpriteIntermediateRendererInfo::VertexData
intptr_t ___VertexData_11;
// System.Int32 UnityEngine.Experimental.U2D.SpriteIntermediateRendererInfo::IndexCount
int32_t ___IndexCount_12;
// System.Int32 UnityEngine.Experimental.U2D.SpriteIntermediateRendererInfo::VertexCount
int32_t ___VertexCount_13;
// System.Int32 UnityEngine.Experimental.U2D.SpriteIntermediateRendererInfo::ShaderChannelMask
int32_t ___ShaderChannelMask_14;
public:
inline static int32_t get_offset_of_SpriteID_0() { return static_cast<int32_t>(offsetof(SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299, ___SpriteID_0)); }
inline int32_t get_SpriteID_0() const { return ___SpriteID_0; }
inline int32_t* get_address_of_SpriteID_0() { return &___SpriteID_0; }
inline void set_SpriteID_0(int32_t value)
{
___SpriteID_0 = value;
}
inline static int32_t get_offset_of_TextureID_1() { return static_cast<int32_t>(offsetof(SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299, ___TextureID_1)); }
inline int32_t get_TextureID_1() const { return ___TextureID_1; }
inline int32_t* get_address_of_TextureID_1() { return &___TextureID_1; }
inline void set_TextureID_1(int32_t value)
{
___TextureID_1 = value;
}
inline static int32_t get_offset_of_MaterialID_2() { return static_cast<int32_t>(offsetof(SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299, ___MaterialID_2)); }
inline int32_t get_MaterialID_2() const { return ___MaterialID_2; }
inline int32_t* get_address_of_MaterialID_2() { return &___MaterialID_2; }
inline void set_MaterialID_2(int32_t value)
{
___MaterialID_2 = value;
}
inline static int32_t get_offset_of_Color_3() { return static_cast<int32_t>(offsetof(SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299, ___Color_3)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_Color_3() const { return ___Color_3; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_Color_3() { return &___Color_3; }
inline void set_Color_3(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___Color_3 = value;
}
inline static int32_t get_offset_of_Transform_4() { return static_cast<int32_t>(offsetof(SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299, ___Transform_4)); }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 get_Transform_4() const { return ___Transform_4; }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 * get_address_of_Transform_4() { return &___Transform_4; }
inline void set_Transform_4(Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 value)
{
___Transform_4 = value;
}
inline static int32_t get_offset_of_Bounds_5() { return static_cast<int32_t>(offsetof(SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299, ___Bounds_5)); }
inline Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 get_Bounds_5() const { return ___Bounds_5; }
inline Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 * get_address_of_Bounds_5() { return &___Bounds_5; }
inline void set_Bounds_5(Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 value)
{
___Bounds_5 = value;
}
inline static int32_t get_offset_of_Layer_6() { return static_cast<int32_t>(offsetof(SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299, ___Layer_6)); }
inline int32_t get_Layer_6() const { return ___Layer_6; }
inline int32_t* get_address_of_Layer_6() { return &___Layer_6; }
inline void set_Layer_6(int32_t value)
{
___Layer_6 = value;
}
inline static int32_t get_offset_of_SortingLayer_7() { return static_cast<int32_t>(offsetof(SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299, ___SortingLayer_7)); }
inline int32_t get_SortingLayer_7() const { return ___SortingLayer_7; }
inline int32_t* get_address_of_SortingLayer_7() { return &___SortingLayer_7; }
inline void set_SortingLayer_7(int32_t value)
{
___SortingLayer_7 = value;
}
inline static int32_t get_offset_of_SortingOrder_8() { return static_cast<int32_t>(offsetof(SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299, ___SortingOrder_8)); }
inline int32_t get_SortingOrder_8() const { return ___SortingOrder_8; }
inline int32_t* get_address_of_SortingOrder_8() { return &___SortingOrder_8; }
inline void set_SortingOrder_8(int32_t value)
{
___SortingOrder_8 = value;
}
inline static int32_t get_offset_of_SceneCullingMask_9() { return static_cast<int32_t>(offsetof(SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299, ___SceneCullingMask_9)); }
inline uint64_t get_SceneCullingMask_9() const { return ___SceneCullingMask_9; }
inline uint64_t* get_address_of_SceneCullingMask_9() { return &___SceneCullingMask_9; }
inline void set_SceneCullingMask_9(uint64_t value)
{
___SceneCullingMask_9 = value;
}
inline static int32_t get_offset_of_IndexData_10() { return static_cast<int32_t>(offsetof(SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299, ___IndexData_10)); }
inline intptr_t get_IndexData_10() const { return ___IndexData_10; }
inline intptr_t* get_address_of_IndexData_10() { return &___IndexData_10; }
inline void set_IndexData_10(intptr_t value)
{
___IndexData_10 = value;
}
inline static int32_t get_offset_of_VertexData_11() { return static_cast<int32_t>(offsetof(SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299, ___VertexData_11)); }
inline intptr_t get_VertexData_11() const { return ___VertexData_11; }
inline intptr_t* get_address_of_VertexData_11() { return &___VertexData_11; }
inline void set_VertexData_11(intptr_t value)
{
___VertexData_11 = value;
}
inline static int32_t get_offset_of_IndexCount_12() { return static_cast<int32_t>(offsetof(SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299, ___IndexCount_12)); }
inline int32_t get_IndexCount_12() const { return ___IndexCount_12; }
inline int32_t* get_address_of_IndexCount_12() { return &___IndexCount_12; }
inline void set_IndexCount_12(int32_t value)
{
___IndexCount_12 = value;
}
inline static int32_t get_offset_of_VertexCount_13() { return static_cast<int32_t>(offsetof(SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299, ___VertexCount_13)); }
inline int32_t get_VertexCount_13() const { return ___VertexCount_13; }
inline int32_t* get_address_of_VertexCount_13() { return &___VertexCount_13; }
inline void set_VertexCount_13(int32_t value)
{
___VertexCount_13 = value;
}
inline static int32_t get_offset_of_ShaderChannelMask_14() { return static_cast<int32_t>(offsetof(SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299, ___ShaderChannelMask_14)); }
inline int32_t get_ShaderChannelMask_14() const { return ___ShaderChannelMask_14; }
inline int32_t* get_address_of_ShaderChannelMask_14() { return &___ShaderChannelMask_14; }
inline void set_ShaderChannelMask_14(int32_t value)
{
___ShaderChannelMask_14 = value;
}
};
// System.Threading.Tasks.StandardTaskContinuation
struct StandardTaskContinuation_t740639F203FBF1B86D3F0A967FF49970C1D9FA7E : public TaskContinuation_t7DB04E82749A3EF935DB28E54C213451D635E7C0
{
public:
// System.Threading.Tasks.Task System.Threading.Tasks.StandardTaskContinuation::m_task
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * ___m_task_0;
// System.Threading.Tasks.TaskContinuationOptions System.Threading.Tasks.StandardTaskContinuation::m_options
int32_t ___m_options_1;
// System.Threading.Tasks.TaskScheduler System.Threading.Tasks.StandardTaskContinuation::m_taskScheduler
TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D * ___m_taskScheduler_2;
public:
inline static int32_t get_offset_of_m_task_0() { return static_cast<int32_t>(offsetof(StandardTaskContinuation_t740639F203FBF1B86D3F0A967FF49970C1D9FA7E, ___m_task_0)); }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * get_m_task_0() const { return ___m_task_0; }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 ** get_address_of_m_task_0() { return &___m_task_0; }
inline void set_m_task_0(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * value)
{
___m_task_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_task_0), (void*)value);
}
inline static int32_t get_offset_of_m_options_1() { return static_cast<int32_t>(offsetof(StandardTaskContinuation_t740639F203FBF1B86D3F0A967FF49970C1D9FA7E, ___m_options_1)); }
inline int32_t get_m_options_1() const { return ___m_options_1; }
inline int32_t* get_address_of_m_options_1() { return &___m_options_1; }
inline void set_m_options_1(int32_t value)
{
___m_options_1 = value;
}
inline static int32_t get_offset_of_m_taskScheduler_2() { return static_cast<int32_t>(offsetof(StandardTaskContinuation_t740639F203FBF1B86D3F0A967FF49970C1D9FA7E, ___m_taskScheduler_2)); }
inline TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D * get_m_taskScheduler_2() const { return ___m_taskScheduler_2; }
inline TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D ** get_address_of_m_taskScheduler_2() { return &___m_taskScheduler_2; }
inline void set_m_taskScheduler_2(TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D * value)
{
___m_taskScheduler_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_taskScheduler_2), (void*)value);
}
};
// UnityEngine.Bindings.StaticAccessorAttribute
struct StaticAccessorAttribute_t7A16FF0FA31E38510BBC8BCA5AE56C3E67D5A2BA : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.String UnityEngine.Bindings.StaticAccessorAttribute::<Name>k__BackingField
String_t* ___U3CNameU3Ek__BackingField_0;
// UnityEngine.Bindings.StaticAccessorType UnityEngine.Bindings.StaticAccessorAttribute::<Type>k__BackingField
int32_t ___U3CTypeU3Ek__BackingField_1;
public:
inline static int32_t get_offset_of_U3CNameU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(StaticAccessorAttribute_t7A16FF0FA31E38510BBC8BCA5AE56C3E67D5A2BA, ___U3CNameU3Ek__BackingField_0)); }
inline String_t* get_U3CNameU3Ek__BackingField_0() const { return ___U3CNameU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CNameU3Ek__BackingField_0() { return &___U3CNameU3Ek__BackingField_0; }
inline void set_U3CNameU3Ek__BackingField_0(String_t* value)
{
___U3CNameU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CNameU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CTypeU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(StaticAccessorAttribute_t7A16FF0FA31E38510BBC8BCA5AE56C3E67D5A2BA, ___U3CTypeU3Ek__BackingField_1)); }
inline int32_t get_U3CTypeU3Ek__BackingField_1() const { return ___U3CTypeU3Ek__BackingField_1; }
inline int32_t* get_address_of_U3CTypeU3Ek__BackingField_1() { return &___U3CTypeU3Ek__BackingField_1; }
inline void set_U3CTypeU3Ek__BackingField_1(int32_t value)
{
___U3CTypeU3Ek__BackingField_1 = value;
}
};
// System.Runtime.Serialization.StreamingContext
struct StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505
{
public:
// System.Object System.Runtime.Serialization.StreamingContext::m_additionalContext
RuntimeObject * ___m_additionalContext_0;
// System.Runtime.Serialization.StreamingContextStates System.Runtime.Serialization.StreamingContext::m_state
int32_t ___m_state_1;
public:
inline static int32_t get_offset_of_m_additionalContext_0() { return static_cast<int32_t>(offsetof(StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505, ___m_additionalContext_0)); }
inline RuntimeObject * get_m_additionalContext_0() const { return ___m_additionalContext_0; }
inline RuntimeObject ** get_address_of_m_additionalContext_0() { return &___m_additionalContext_0; }
inline void set_m_additionalContext_0(RuntimeObject * value)
{
___m_additionalContext_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_additionalContext_0), (void*)value);
}
inline static int32_t get_offset_of_m_state_1() { return static_cast<int32_t>(offsetof(StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505, ___m_state_1)); }
inline int32_t get_m_state_1() const { return ___m_state_1; }
inline int32_t* get_address_of_m_state_1() { return &___m_state_1; }
inline void set_m_state_1(int32_t value)
{
___m_state_1 = value;
}
};
// Native definition for P/Invoke marshalling of System.Runtime.Serialization.StreamingContext
struct StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505_marshaled_pinvoke
{
Il2CppIUnknown* ___m_additionalContext_0;
int32_t ___m_state_1;
};
// Native definition for COM marshalling of System.Runtime.Serialization.StreamingContext
struct StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505_marshaled_com
{
Il2CppIUnknown* ___m_additionalContext_0;
int32_t ___m_state_1;
};
// System.ComponentModel.StringConverter
struct StringConverter_tEC598B89E55C16F1669CFBC98F5C2308E2F232E5 : public TypeConverter_t004F185B630F00F509F08BD8F8D82471867323B4
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.Extensions.SubStringFormatter
struct SubStringFormatter_t60914361294E427D7E917BBE96B11F9A7DCEE243 : public FormatterBase_t9C41952D199D3C96A9F94A46395C8E387B42FC0C
{
public:
// System.Char UnityEngine.Localization.SmartFormat.Extensions.SubStringFormatter::m_ParameterDelimiter
Il2CppChar ___m_ParameterDelimiter_1;
// System.String UnityEngine.Localization.SmartFormat.Extensions.SubStringFormatter::m_NullDisplayString
String_t* ___m_NullDisplayString_2;
// UnityEngine.Localization.SmartFormat.Extensions.SubStringFormatter/SubStringOutOfRangeBehavior UnityEngine.Localization.SmartFormat.Extensions.SubStringFormatter::m_OutOfRangeBehavior
int32_t ___m_OutOfRangeBehavior_3;
public:
inline static int32_t get_offset_of_m_ParameterDelimiter_1() { return static_cast<int32_t>(offsetof(SubStringFormatter_t60914361294E427D7E917BBE96B11F9A7DCEE243, ___m_ParameterDelimiter_1)); }
inline Il2CppChar get_m_ParameterDelimiter_1() const { return ___m_ParameterDelimiter_1; }
inline Il2CppChar* get_address_of_m_ParameterDelimiter_1() { return &___m_ParameterDelimiter_1; }
inline void set_m_ParameterDelimiter_1(Il2CppChar value)
{
___m_ParameterDelimiter_1 = value;
}
inline static int32_t get_offset_of_m_NullDisplayString_2() { return static_cast<int32_t>(offsetof(SubStringFormatter_t60914361294E427D7E917BBE96B11F9A7DCEE243, ___m_NullDisplayString_2)); }
inline String_t* get_m_NullDisplayString_2() const { return ___m_NullDisplayString_2; }
inline String_t** get_address_of_m_NullDisplayString_2() { return &___m_NullDisplayString_2; }
inline void set_m_NullDisplayString_2(String_t* value)
{
___m_NullDisplayString_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_NullDisplayString_2), (void*)value);
}
inline static int32_t get_offset_of_m_OutOfRangeBehavior_3() { return static_cast<int32_t>(offsetof(SubStringFormatter_t60914361294E427D7E917BBE96B11F9A7DCEE243, ___m_OutOfRangeBehavior_3)); }
inline int32_t get_m_OutOfRangeBehavior_3() const { return ___m_OutOfRangeBehavior_3; }
inline int32_t* get_address_of_m_OutOfRangeBehavior_3() { return &___m_OutOfRangeBehavior_3; }
inline void set_m_OutOfRangeBehavior_3(int32_t value)
{
___m_OutOfRangeBehavior_3 = value;
}
};
// UnityEngine.Rendering.SupportedRenderingFeatures
struct SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54 : public RuntimeObject
{
public:
// UnityEngine.Rendering.SupportedRenderingFeatures/ReflectionProbeModes UnityEngine.Rendering.SupportedRenderingFeatures::<reflectionProbeModes>k__BackingField
int32_t ___U3CreflectionProbeModesU3Ek__BackingField_1;
// UnityEngine.Rendering.SupportedRenderingFeatures/LightmapMixedBakeModes UnityEngine.Rendering.SupportedRenderingFeatures::<defaultMixedLightingModes>k__BackingField
int32_t ___U3CdefaultMixedLightingModesU3Ek__BackingField_2;
// UnityEngine.Rendering.SupportedRenderingFeatures/LightmapMixedBakeModes UnityEngine.Rendering.SupportedRenderingFeatures::<mixedLightingModes>k__BackingField
int32_t ___U3CmixedLightingModesU3Ek__BackingField_3;
// UnityEngine.LightmapBakeType UnityEngine.Rendering.SupportedRenderingFeatures::<lightmapBakeTypes>k__BackingField
int32_t ___U3ClightmapBakeTypesU3Ek__BackingField_4;
// UnityEngine.LightmapsMode UnityEngine.Rendering.SupportedRenderingFeatures::<lightmapsModes>k__BackingField
int32_t ___U3ClightmapsModesU3Ek__BackingField_5;
// System.Boolean UnityEngine.Rendering.SupportedRenderingFeatures::<enlighten>k__BackingField
bool ___U3CenlightenU3Ek__BackingField_6;
// System.Boolean UnityEngine.Rendering.SupportedRenderingFeatures::<lightProbeProxyVolumes>k__BackingField
bool ___U3ClightProbeProxyVolumesU3Ek__BackingField_7;
// System.Boolean UnityEngine.Rendering.SupportedRenderingFeatures::<motionVectors>k__BackingField
bool ___U3CmotionVectorsU3Ek__BackingField_8;
// System.Boolean UnityEngine.Rendering.SupportedRenderingFeatures::<receiveShadows>k__BackingField
bool ___U3CreceiveShadowsU3Ek__BackingField_9;
// System.Boolean UnityEngine.Rendering.SupportedRenderingFeatures::<reflectionProbes>k__BackingField
bool ___U3CreflectionProbesU3Ek__BackingField_10;
// System.Boolean UnityEngine.Rendering.SupportedRenderingFeatures::<rendererPriority>k__BackingField
bool ___U3CrendererPriorityU3Ek__BackingField_11;
// System.Boolean UnityEngine.Rendering.SupportedRenderingFeatures::<terrainDetailUnsupported>k__BackingField
bool ___U3CterrainDetailUnsupportedU3Ek__BackingField_12;
// System.Boolean UnityEngine.Rendering.SupportedRenderingFeatures::<rendersUIOverlay>k__BackingField
bool ___U3CrendersUIOverlayU3Ek__BackingField_13;
// System.Boolean UnityEngine.Rendering.SupportedRenderingFeatures::<overridesEnvironmentLighting>k__BackingField
bool ___U3CoverridesEnvironmentLightingU3Ek__BackingField_14;
// System.Boolean UnityEngine.Rendering.SupportedRenderingFeatures::<overridesFog>k__BackingField
bool ___U3CoverridesFogU3Ek__BackingField_15;
// System.Boolean UnityEngine.Rendering.SupportedRenderingFeatures::<overridesRealtimeReflectionProbes>k__BackingField
bool ___U3CoverridesRealtimeReflectionProbesU3Ek__BackingField_16;
// System.Boolean UnityEngine.Rendering.SupportedRenderingFeatures::<overridesOtherLightingSettings>k__BackingField
bool ___U3CoverridesOtherLightingSettingsU3Ek__BackingField_17;
// System.Boolean UnityEngine.Rendering.SupportedRenderingFeatures::<editableMaterialRenderQueue>k__BackingField
bool ___U3CeditableMaterialRenderQueueU3Ek__BackingField_18;
// System.Boolean UnityEngine.Rendering.SupportedRenderingFeatures::<overridesLODBias>k__BackingField
bool ___U3CoverridesLODBiasU3Ek__BackingField_19;
// System.Boolean UnityEngine.Rendering.SupportedRenderingFeatures::<overridesMaximumLODLevel>k__BackingField
bool ___U3CoverridesMaximumLODLevelU3Ek__BackingField_20;
// System.Boolean UnityEngine.Rendering.SupportedRenderingFeatures::<rendererProbes>k__BackingField
bool ___U3CrendererProbesU3Ek__BackingField_21;
// System.Boolean UnityEngine.Rendering.SupportedRenderingFeatures::<particleSystemInstancing>k__BackingField
bool ___U3CparticleSystemInstancingU3Ek__BackingField_22;
// System.Boolean UnityEngine.Rendering.SupportedRenderingFeatures::<autoAmbientProbeBaking>k__BackingField
bool ___U3CautoAmbientProbeBakingU3Ek__BackingField_23;
// System.Boolean UnityEngine.Rendering.SupportedRenderingFeatures::<autoDefaultReflectionProbeBaking>k__BackingField
bool ___U3CautoDefaultReflectionProbeBakingU3Ek__BackingField_24;
// System.Boolean UnityEngine.Rendering.SupportedRenderingFeatures::<overridesShadowmask>k__BackingField
bool ___U3CoverridesShadowmaskU3Ek__BackingField_25;
// System.String UnityEngine.Rendering.SupportedRenderingFeatures::<overrideShadowmaskMessage>k__BackingField
String_t* ___U3CoverrideShadowmaskMessageU3Ek__BackingField_26;
public:
inline static int32_t get_offset_of_U3CreflectionProbeModesU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CreflectionProbeModesU3Ek__BackingField_1)); }
inline int32_t get_U3CreflectionProbeModesU3Ek__BackingField_1() const { return ___U3CreflectionProbeModesU3Ek__BackingField_1; }
inline int32_t* get_address_of_U3CreflectionProbeModesU3Ek__BackingField_1() { return &___U3CreflectionProbeModesU3Ek__BackingField_1; }
inline void set_U3CreflectionProbeModesU3Ek__BackingField_1(int32_t value)
{
___U3CreflectionProbeModesU3Ek__BackingField_1 = value;
}
inline static int32_t get_offset_of_U3CdefaultMixedLightingModesU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CdefaultMixedLightingModesU3Ek__BackingField_2)); }
inline int32_t get_U3CdefaultMixedLightingModesU3Ek__BackingField_2() const { return ___U3CdefaultMixedLightingModesU3Ek__BackingField_2; }
inline int32_t* get_address_of_U3CdefaultMixedLightingModesU3Ek__BackingField_2() { return &___U3CdefaultMixedLightingModesU3Ek__BackingField_2; }
inline void set_U3CdefaultMixedLightingModesU3Ek__BackingField_2(int32_t value)
{
___U3CdefaultMixedLightingModesU3Ek__BackingField_2 = value;
}
inline static int32_t get_offset_of_U3CmixedLightingModesU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CmixedLightingModesU3Ek__BackingField_3)); }
inline int32_t get_U3CmixedLightingModesU3Ek__BackingField_3() const { return ___U3CmixedLightingModesU3Ek__BackingField_3; }
inline int32_t* get_address_of_U3CmixedLightingModesU3Ek__BackingField_3() { return &___U3CmixedLightingModesU3Ek__BackingField_3; }
inline void set_U3CmixedLightingModesU3Ek__BackingField_3(int32_t value)
{
___U3CmixedLightingModesU3Ek__BackingField_3 = value;
}
inline static int32_t get_offset_of_U3ClightmapBakeTypesU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3ClightmapBakeTypesU3Ek__BackingField_4)); }
inline int32_t get_U3ClightmapBakeTypesU3Ek__BackingField_4() const { return ___U3ClightmapBakeTypesU3Ek__BackingField_4; }
inline int32_t* get_address_of_U3ClightmapBakeTypesU3Ek__BackingField_4() { return &___U3ClightmapBakeTypesU3Ek__BackingField_4; }
inline void set_U3ClightmapBakeTypesU3Ek__BackingField_4(int32_t value)
{
___U3ClightmapBakeTypesU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3ClightmapsModesU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3ClightmapsModesU3Ek__BackingField_5)); }
inline int32_t get_U3ClightmapsModesU3Ek__BackingField_5() const { return ___U3ClightmapsModesU3Ek__BackingField_5; }
inline int32_t* get_address_of_U3ClightmapsModesU3Ek__BackingField_5() { return &___U3ClightmapsModesU3Ek__BackingField_5; }
inline void set_U3ClightmapsModesU3Ek__BackingField_5(int32_t value)
{
___U3ClightmapsModesU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CenlightenU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CenlightenU3Ek__BackingField_6)); }
inline bool get_U3CenlightenU3Ek__BackingField_6() const { return ___U3CenlightenU3Ek__BackingField_6; }
inline bool* get_address_of_U3CenlightenU3Ek__BackingField_6() { return &___U3CenlightenU3Ek__BackingField_6; }
inline void set_U3CenlightenU3Ek__BackingField_6(bool value)
{
___U3CenlightenU3Ek__BackingField_6 = value;
}
inline static int32_t get_offset_of_U3ClightProbeProxyVolumesU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3ClightProbeProxyVolumesU3Ek__BackingField_7)); }
inline bool get_U3ClightProbeProxyVolumesU3Ek__BackingField_7() const { return ___U3ClightProbeProxyVolumesU3Ek__BackingField_7; }
inline bool* get_address_of_U3ClightProbeProxyVolumesU3Ek__BackingField_7() { return &___U3ClightProbeProxyVolumesU3Ek__BackingField_7; }
inline void set_U3ClightProbeProxyVolumesU3Ek__BackingField_7(bool value)
{
___U3ClightProbeProxyVolumesU3Ek__BackingField_7 = value;
}
inline static int32_t get_offset_of_U3CmotionVectorsU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CmotionVectorsU3Ek__BackingField_8)); }
inline bool get_U3CmotionVectorsU3Ek__BackingField_8() const { return ___U3CmotionVectorsU3Ek__BackingField_8; }
inline bool* get_address_of_U3CmotionVectorsU3Ek__BackingField_8() { return &___U3CmotionVectorsU3Ek__BackingField_8; }
inline void set_U3CmotionVectorsU3Ek__BackingField_8(bool value)
{
___U3CmotionVectorsU3Ek__BackingField_8 = value;
}
inline static int32_t get_offset_of_U3CreceiveShadowsU3Ek__BackingField_9() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CreceiveShadowsU3Ek__BackingField_9)); }
inline bool get_U3CreceiveShadowsU3Ek__BackingField_9() const { return ___U3CreceiveShadowsU3Ek__BackingField_9; }
inline bool* get_address_of_U3CreceiveShadowsU3Ek__BackingField_9() { return &___U3CreceiveShadowsU3Ek__BackingField_9; }
inline void set_U3CreceiveShadowsU3Ek__BackingField_9(bool value)
{
___U3CreceiveShadowsU3Ek__BackingField_9 = value;
}
inline static int32_t get_offset_of_U3CreflectionProbesU3Ek__BackingField_10() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CreflectionProbesU3Ek__BackingField_10)); }
inline bool get_U3CreflectionProbesU3Ek__BackingField_10() const { return ___U3CreflectionProbesU3Ek__BackingField_10; }
inline bool* get_address_of_U3CreflectionProbesU3Ek__BackingField_10() { return &___U3CreflectionProbesU3Ek__BackingField_10; }
inline void set_U3CreflectionProbesU3Ek__BackingField_10(bool value)
{
___U3CreflectionProbesU3Ek__BackingField_10 = value;
}
inline static int32_t get_offset_of_U3CrendererPriorityU3Ek__BackingField_11() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CrendererPriorityU3Ek__BackingField_11)); }
inline bool get_U3CrendererPriorityU3Ek__BackingField_11() const { return ___U3CrendererPriorityU3Ek__BackingField_11; }
inline bool* get_address_of_U3CrendererPriorityU3Ek__BackingField_11() { return &___U3CrendererPriorityU3Ek__BackingField_11; }
inline void set_U3CrendererPriorityU3Ek__BackingField_11(bool value)
{
___U3CrendererPriorityU3Ek__BackingField_11 = value;
}
inline static int32_t get_offset_of_U3CterrainDetailUnsupportedU3Ek__BackingField_12() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CterrainDetailUnsupportedU3Ek__BackingField_12)); }
inline bool get_U3CterrainDetailUnsupportedU3Ek__BackingField_12() const { return ___U3CterrainDetailUnsupportedU3Ek__BackingField_12; }
inline bool* get_address_of_U3CterrainDetailUnsupportedU3Ek__BackingField_12() { return &___U3CterrainDetailUnsupportedU3Ek__BackingField_12; }
inline void set_U3CterrainDetailUnsupportedU3Ek__BackingField_12(bool value)
{
___U3CterrainDetailUnsupportedU3Ek__BackingField_12 = value;
}
inline static int32_t get_offset_of_U3CrendersUIOverlayU3Ek__BackingField_13() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CrendersUIOverlayU3Ek__BackingField_13)); }
inline bool get_U3CrendersUIOverlayU3Ek__BackingField_13() const { return ___U3CrendersUIOverlayU3Ek__BackingField_13; }
inline bool* get_address_of_U3CrendersUIOverlayU3Ek__BackingField_13() { return &___U3CrendersUIOverlayU3Ek__BackingField_13; }
inline void set_U3CrendersUIOverlayU3Ek__BackingField_13(bool value)
{
___U3CrendersUIOverlayU3Ek__BackingField_13 = value;
}
inline static int32_t get_offset_of_U3CoverridesEnvironmentLightingU3Ek__BackingField_14() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CoverridesEnvironmentLightingU3Ek__BackingField_14)); }
inline bool get_U3CoverridesEnvironmentLightingU3Ek__BackingField_14() const { return ___U3CoverridesEnvironmentLightingU3Ek__BackingField_14; }
inline bool* get_address_of_U3CoverridesEnvironmentLightingU3Ek__BackingField_14() { return &___U3CoverridesEnvironmentLightingU3Ek__BackingField_14; }
inline void set_U3CoverridesEnvironmentLightingU3Ek__BackingField_14(bool value)
{
___U3CoverridesEnvironmentLightingU3Ek__BackingField_14 = value;
}
inline static int32_t get_offset_of_U3CoverridesFogU3Ek__BackingField_15() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CoverridesFogU3Ek__BackingField_15)); }
inline bool get_U3CoverridesFogU3Ek__BackingField_15() const { return ___U3CoverridesFogU3Ek__BackingField_15; }
inline bool* get_address_of_U3CoverridesFogU3Ek__BackingField_15() { return &___U3CoverridesFogU3Ek__BackingField_15; }
inline void set_U3CoverridesFogU3Ek__BackingField_15(bool value)
{
___U3CoverridesFogU3Ek__BackingField_15 = value;
}
inline static int32_t get_offset_of_U3CoverridesRealtimeReflectionProbesU3Ek__BackingField_16() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CoverridesRealtimeReflectionProbesU3Ek__BackingField_16)); }
inline bool get_U3CoverridesRealtimeReflectionProbesU3Ek__BackingField_16() const { return ___U3CoverridesRealtimeReflectionProbesU3Ek__BackingField_16; }
inline bool* get_address_of_U3CoverridesRealtimeReflectionProbesU3Ek__BackingField_16() { return &___U3CoverridesRealtimeReflectionProbesU3Ek__BackingField_16; }
inline void set_U3CoverridesRealtimeReflectionProbesU3Ek__BackingField_16(bool value)
{
___U3CoverridesRealtimeReflectionProbesU3Ek__BackingField_16 = value;
}
inline static int32_t get_offset_of_U3CoverridesOtherLightingSettingsU3Ek__BackingField_17() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CoverridesOtherLightingSettingsU3Ek__BackingField_17)); }
inline bool get_U3CoverridesOtherLightingSettingsU3Ek__BackingField_17() const { return ___U3CoverridesOtherLightingSettingsU3Ek__BackingField_17; }
inline bool* get_address_of_U3CoverridesOtherLightingSettingsU3Ek__BackingField_17() { return &___U3CoverridesOtherLightingSettingsU3Ek__BackingField_17; }
inline void set_U3CoverridesOtherLightingSettingsU3Ek__BackingField_17(bool value)
{
___U3CoverridesOtherLightingSettingsU3Ek__BackingField_17 = value;
}
inline static int32_t get_offset_of_U3CeditableMaterialRenderQueueU3Ek__BackingField_18() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CeditableMaterialRenderQueueU3Ek__BackingField_18)); }
inline bool get_U3CeditableMaterialRenderQueueU3Ek__BackingField_18() const { return ___U3CeditableMaterialRenderQueueU3Ek__BackingField_18; }
inline bool* get_address_of_U3CeditableMaterialRenderQueueU3Ek__BackingField_18() { return &___U3CeditableMaterialRenderQueueU3Ek__BackingField_18; }
inline void set_U3CeditableMaterialRenderQueueU3Ek__BackingField_18(bool value)
{
___U3CeditableMaterialRenderQueueU3Ek__BackingField_18 = value;
}
inline static int32_t get_offset_of_U3CoverridesLODBiasU3Ek__BackingField_19() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CoverridesLODBiasU3Ek__BackingField_19)); }
inline bool get_U3CoverridesLODBiasU3Ek__BackingField_19() const { return ___U3CoverridesLODBiasU3Ek__BackingField_19; }
inline bool* get_address_of_U3CoverridesLODBiasU3Ek__BackingField_19() { return &___U3CoverridesLODBiasU3Ek__BackingField_19; }
inline void set_U3CoverridesLODBiasU3Ek__BackingField_19(bool value)
{
___U3CoverridesLODBiasU3Ek__BackingField_19 = value;
}
inline static int32_t get_offset_of_U3CoverridesMaximumLODLevelU3Ek__BackingField_20() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CoverridesMaximumLODLevelU3Ek__BackingField_20)); }
inline bool get_U3CoverridesMaximumLODLevelU3Ek__BackingField_20() const { return ___U3CoverridesMaximumLODLevelU3Ek__BackingField_20; }
inline bool* get_address_of_U3CoverridesMaximumLODLevelU3Ek__BackingField_20() { return &___U3CoverridesMaximumLODLevelU3Ek__BackingField_20; }
inline void set_U3CoverridesMaximumLODLevelU3Ek__BackingField_20(bool value)
{
___U3CoverridesMaximumLODLevelU3Ek__BackingField_20 = value;
}
inline static int32_t get_offset_of_U3CrendererProbesU3Ek__BackingField_21() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CrendererProbesU3Ek__BackingField_21)); }
inline bool get_U3CrendererProbesU3Ek__BackingField_21() const { return ___U3CrendererProbesU3Ek__BackingField_21; }
inline bool* get_address_of_U3CrendererProbesU3Ek__BackingField_21() { return &___U3CrendererProbesU3Ek__BackingField_21; }
inline void set_U3CrendererProbesU3Ek__BackingField_21(bool value)
{
___U3CrendererProbesU3Ek__BackingField_21 = value;
}
inline static int32_t get_offset_of_U3CparticleSystemInstancingU3Ek__BackingField_22() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CparticleSystemInstancingU3Ek__BackingField_22)); }
inline bool get_U3CparticleSystemInstancingU3Ek__BackingField_22() const { return ___U3CparticleSystemInstancingU3Ek__BackingField_22; }
inline bool* get_address_of_U3CparticleSystemInstancingU3Ek__BackingField_22() { return &___U3CparticleSystemInstancingU3Ek__BackingField_22; }
inline void set_U3CparticleSystemInstancingU3Ek__BackingField_22(bool value)
{
___U3CparticleSystemInstancingU3Ek__BackingField_22 = value;
}
inline static int32_t get_offset_of_U3CautoAmbientProbeBakingU3Ek__BackingField_23() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CautoAmbientProbeBakingU3Ek__BackingField_23)); }
inline bool get_U3CautoAmbientProbeBakingU3Ek__BackingField_23() const { return ___U3CautoAmbientProbeBakingU3Ek__BackingField_23; }
inline bool* get_address_of_U3CautoAmbientProbeBakingU3Ek__BackingField_23() { return &___U3CautoAmbientProbeBakingU3Ek__BackingField_23; }
inline void set_U3CautoAmbientProbeBakingU3Ek__BackingField_23(bool value)
{
___U3CautoAmbientProbeBakingU3Ek__BackingField_23 = value;
}
inline static int32_t get_offset_of_U3CautoDefaultReflectionProbeBakingU3Ek__BackingField_24() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CautoDefaultReflectionProbeBakingU3Ek__BackingField_24)); }
inline bool get_U3CautoDefaultReflectionProbeBakingU3Ek__BackingField_24() const { return ___U3CautoDefaultReflectionProbeBakingU3Ek__BackingField_24; }
inline bool* get_address_of_U3CautoDefaultReflectionProbeBakingU3Ek__BackingField_24() { return &___U3CautoDefaultReflectionProbeBakingU3Ek__BackingField_24; }
inline void set_U3CautoDefaultReflectionProbeBakingU3Ek__BackingField_24(bool value)
{
___U3CautoDefaultReflectionProbeBakingU3Ek__BackingField_24 = value;
}
inline static int32_t get_offset_of_U3CoverridesShadowmaskU3Ek__BackingField_25() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CoverridesShadowmaskU3Ek__BackingField_25)); }
inline bool get_U3CoverridesShadowmaskU3Ek__BackingField_25() const { return ___U3CoverridesShadowmaskU3Ek__BackingField_25; }
inline bool* get_address_of_U3CoverridesShadowmaskU3Ek__BackingField_25() { return &___U3CoverridesShadowmaskU3Ek__BackingField_25; }
inline void set_U3CoverridesShadowmaskU3Ek__BackingField_25(bool value)
{
___U3CoverridesShadowmaskU3Ek__BackingField_25 = value;
}
inline static int32_t get_offset_of_U3CoverrideShadowmaskMessageU3Ek__BackingField_26() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54, ___U3CoverrideShadowmaskMessageU3Ek__BackingField_26)); }
inline String_t* get_U3CoverrideShadowmaskMessageU3Ek__BackingField_26() const { return ___U3CoverrideShadowmaskMessageU3Ek__BackingField_26; }
inline String_t** get_address_of_U3CoverrideShadowmaskMessageU3Ek__BackingField_26() { return &___U3CoverrideShadowmaskMessageU3Ek__BackingField_26; }
inline void set_U3CoverrideShadowmaskMessageU3Ek__BackingField_26(String_t* value)
{
___U3CoverrideShadowmaskMessageU3Ek__BackingField_26 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CoverrideShadowmaskMessageU3Ek__BackingField_26), (void*)value);
}
};
struct SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54_StaticFields
{
public:
// UnityEngine.Rendering.SupportedRenderingFeatures UnityEngine.Rendering.SupportedRenderingFeatures::s_Active
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54 * ___s_Active_0;
public:
inline static int32_t get_offset_of_s_Active_0() { return static_cast<int32_t>(offsetof(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54_StaticFields, ___s_Active_0)); }
inline SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54 * get_s_Active_0() const { return ___s_Active_0; }
inline SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54 ** get_address_of_s_Active_0() { return &___s_Active_0; }
inline void set_s_Active_0(SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54 * value)
{
___s_Active_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Active_0), (void*)value);
}
};
// System.SystemException
struct SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62 : public Exception_t
{
public:
public:
};
// TMPro.TMP_CharacterInfo
struct TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B
{
public:
// System.Char TMPro.TMP_CharacterInfo::character
Il2CppChar ___character_0;
// System.Int32 TMPro.TMP_CharacterInfo::index
int32_t ___index_1;
// System.Int32 TMPro.TMP_CharacterInfo::stringLength
int32_t ___stringLength_2;
// TMPro.TMP_TextElementType TMPro.TMP_CharacterInfo::elementType
int32_t ___elementType_3;
// TMPro.TMP_TextElement TMPro.TMP_CharacterInfo::textElement
TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832 * ___textElement_4;
// TMPro.TMP_FontAsset TMPro.TMP_CharacterInfo::fontAsset
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___fontAsset_5;
// TMPro.TMP_SpriteAsset TMPro.TMP_CharacterInfo::spriteAsset
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * ___spriteAsset_6;
// System.Int32 TMPro.TMP_CharacterInfo::spriteIndex
int32_t ___spriteIndex_7;
// UnityEngine.Material TMPro.TMP_CharacterInfo::material
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___material_8;
// System.Int32 TMPro.TMP_CharacterInfo::materialReferenceIndex
int32_t ___materialReferenceIndex_9;
// System.Boolean TMPro.TMP_CharacterInfo::isUsingAlternateTypeface
bool ___isUsingAlternateTypeface_10;
// System.Single TMPro.TMP_CharacterInfo::pointSize
float ___pointSize_11;
// System.Int32 TMPro.TMP_CharacterInfo::lineNumber
int32_t ___lineNumber_12;
// System.Int32 TMPro.TMP_CharacterInfo::pageNumber
int32_t ___pageNumber_13;
// System.Int32 TMPro.TMP_CharacterInfo::vertexIndex
int32_t ___vertexIndex_14;
// TMPro.TMP_Vertex TMPro.TMP_CharacterInfo::vertex_BL
TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E ___vertex_BL_15;
// TMPro.TMP_Vertex TMPro.TMP_CharacterInfo::vertex_TL
TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E ___vertex_TL_16;
// TMPro.TMP_Vertex TMPro.TMP_CharacterInfo::vertex_TR
TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E ___vertex_TR_17;
// TMPro.TMP_Vertex TMPro.TMP_CharacterInfo::vertex_BR
TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E ___vertex_BR_18;
// UnityEngine.Vector3 TMPro.TMP_CharacterInfo::topLeft
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___topLeft_19;
// UnityEngine.Vector3 TMPro.TMP_CharacterInfo::bottomLeft
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___bottomLeft_20;
// UnityEngine.Vector3 TMPro.TMP_CharacterInfo::topRight
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___topRight_21;
// UnityEngine.Vector3 TMPro.TMP_CharacterInfo::bottomRight
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___bottomRight_22;
// System.Single TMPro.TMP_CharacterInfo::origin
float ___origin_23;
// System.Single TMPro.TMP_CharacterInfo::xAdvance
float ___xAdvance_24;
// System.Single TMPro.TMP_CharacterInfo::ascender
float ___ascender_25;
// System.Single TMPro.TMP_CharacterInfo::baseLine
float ___baseLine_26;
// System.Single TMPro.TMP_CharacterInfo::descender
float ___descender_27;
// System.Single TMPro.TMP_CharacterInfo::adjustedAscender
float ___adjustedAscender_28;
// System.Single TMPro.TMP_CharacterInfo::adjustedDescender
float ___adjustedDescender_29;
// System.Single TMPro.TMP_CharacterInfo::aspectRatio
float ___aspectRatio_30;
// System.Single TMPro.TMP_CharacterInfo::scale
float ___scale_31;
// UnityEngine.Color32 TMPro.TMP_CharacterInfo::color
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___color_32;
// UnityEngine.Color32 TMPro.TMP_CharacterInfo::underlineColor
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___underlineColor_33;
// System.Int32 TMPro.TMP_CharacterInfo::underlineVertexIndex
int32_t ___underlineVertexIndex_34;
// UnityEngine.Color32 TMPro.TMP_CharacterInfo::strikethroughColor
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___strikethroughColor_35;
// System.Int32 TMPro.TMP_CharacterInfo::strikethroughVertexIndex
int32_t ___strikethroughVertexIndex_36;
// UnityEngine.Color32 TMPro.TMP_CharacterInfo::highlightColor
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___highlightColor_37;
// TMPro.HighlightState TMPro.TMP_CharacterInfo::highlightState
HighlightState_t52CE27A1187034A1037ABC13A70BAEE4AC3B5759 ___highlightState_38;
// TMPro.FontStyles TMPro.TMP_CharacterInfo::style
int32_t ___style_39;
// System.Boolean TMPro.TMP_CharacterInfo::isVisible
bool ___isVisible_40;
public:
inline static int32_t get_offset_of_character_0() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___character_0)); }
inline Il2CppChar get_character_0() const { return ___character_0; }
inline Il2CppChar* get_address_of_character_0() { return &___character_0; }
inline void set_character_0(Il2CppChar value)
{
___character_0 = value;
}
inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___index_1)); }
inline int32_t get_index_1() const { return ___index_1; }
inline int32_t* get_address_of_index_1() { return &___index_1; }
inline void set_index_1(int32_t value)
{
___index_1 = value;
}
inline static int32_t get_offset_of_stringLength_2() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___stringLength_2)); }
inline int32_t get_stringLength_2() const { return ___stringLength_2; }
inline int32_t* get_address_of_stringLength_2() { return &___stringLength_2; }
inline void set_stringLength_2(int32_t value)
{
___stringLength_2 = value;
}
inline static int32_t get_offset_of_elementType_3() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___elementType_3)); }
inline int32_t get_elementType_3() const { return ___elementType_3; }
inline int32_t* get_address_of_elementType_3() { return &___elementType_3; }
inline void set_elementType_3(int32_t value)
{
___elementType_3 = value;
}
inline static int32_t get_offset_of_textElement_4() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___textElement_4)); }
inline TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832 * get_textElement_4() const { return ___textElement_4; }
inline TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832 ** get_address_of_textElement_4() { return &___textElement_4; }
inline void set_textElement_4(TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832 * value)
{
___textElement_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___textElement_4), (void*)value);
}
inline static int32_t get_offset_of_fontAsset_5() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___fontAsset_5)); }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * get_fontAsset_5() const { return ___fontAsset_5; }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 ** get_address_of_fontAsset_5() { return &___fontAsset_5; }
inline void set_fontAsset_5(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * value)
{
___fontAsset_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___fontAsset_5), (void*)value);
}
inline static int32_t get_offset_of_spriteAsset_6() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___spriteAsset_6)); }
inline TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * get_spriteAsset_6() const { return ___spriteAsset_6; }
inline TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 ** get_address_of_spriteAsset_6() { return &___spriteAsset_6; }
inline void set_spriteAsset_6(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * value)
{
___spriteAsset_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___spriteAsset_6), (void*)value);
}
inline static int32_t get_offset_of_spriteIndex_7() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___spriteIndex_7)); }
inline int32_t get_spriteIndex_7() const { return ___spriteIndex_7; }
inline int32_t* get_address_of_spriteIndex_7() { return &___spriteIndex_7; }
inline void set_spriteIndex_7(int32_t value)
{
___spriteIndex_7 = value;
}
inline static int32_t get_offset_of_material_8() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___material_8)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_material_8() const { return ___material_8; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_material_8() { return &___material_8; }
inline void set_material_8(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___material_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___material_8), (void*)value);
}
inline static int32_t get_offset_of_materialReferenceIndex_9() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___materialReferenceIndex_9)); }
inline int32_t get_materialReferenceIndex_9() const { return ___materialReferenceIndex_9; }
inline int32_t* get_address_of_materialReferenceIndex_9() { return &___materialReferenceIndex_9; }
inline void set_materialReferenceIndex_9(int32_t value)
{
___materialReferenceIndex_9 = value;
}
inline static int32_t get_offset_of_isUsingAlternateTypeface_10() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___isUsingAlternateTypeface_10)); }
inline bool get_isUsingAlternateTypeface_10() const { return ___isUsingAlternateTypeface_10; }
inline bool* get_address_of_isUsingAlternateTypeface_10() { return &___isUsingAlternateTypeface_10; }
inline void set_isUsingAlternateTypeface_10(bool value)
{
___isUsingAlternateTypeface_10 = value;
}
inline static int32_t get_offset_of_pointSize_11() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___pointSize_11)); }
inline float get_pointSize_11() const { return ___pointSize_11; }
inline float* get_address_of_pointSize_11() { return &___pointSize_11; }
inline void set_pointSize_11(float value)
{
___pointSize_11 = value;
}
inline static int32_t get_offset_of_lineNumber_12() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___lineNumber_12)); }
inline int32_t get_lineNumber_12() const { return ___lineNumber_12; }
inline int32_t* get_address_of_lineNumber_12() { return &___lineNumber_12; }
inline void set_lineNumber_12(int32_t value)
{
___lineNumber_12 = value;
}
inline static int32_t get_offset_of_pageNumber_13() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___pageNumber_13)); }
inline int32_t get_pageNumber_13() const { return ___pageNumber_13; }
inline int32_t* get_address_of_pageNumber_13() { return &___pageNumber_13; }
inline void set_pageNumber_13(int32_t value)
{
___pageNumber_13 = value;
}
inline static int32_t get_offset_of_vertexIndex_14() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___vertexIndex_14)); }
inline int32_t get_vertexIndex_14() const { return ___vertexIndex_14; }
inline int32_t* get_address_of_vertexIndex_14() { return &___vertexIndex_14; }
inline void set_vertexIndex_14(int32_t value)
{
___vertexIndex_14 = value;
}
inline static int32_t get_offset_of_vertex_BL_15() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___vertex_BL_15)); }
inline TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E get_vertex_BL_15() const { return ___vertex_BL_15; }
inline TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E * get_address_of_vertex_BL_15() { return &___vertex_BL_15; }
inline void set_vertex_BL_15(TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E value)
{
___vertex_BL_15 = value;
}
inline static int32_t get_offset_of_vertex_TL_16() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___vertex_TL_16)); }
inline TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E get_vertex_TL_16() const { return ___vertex_TL_16; }
inline TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E * get_address_of_vertex_TL_16() { return &___vertex_TL_16; }
inline void set_vertex_TL_16(TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E value)
{
___vertex_TL_16 = value;
}
inline static int32_t get_offset_of_vertex_TR_17() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___vertex_TR_17)); }
inline TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E get_vertex_TR_17() const { return ___vertex_TR_17; }
inline TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E * get_address_of_vertex_TR_17() { return &___vertex_TR_17; }
inline void set_vertex_TR_17(TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E value)
{
___vertex_TR_17 = value;
}
inline static int32_t get_offset_of_vertex_BR_18() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___vertex_BR_18)); }
inline TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E get_vertex_BR_18() const { return ___vertex_BR_18; }
inline TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E * get_address_of_vertex_BR_18() { return &___vertex_BR_18; }
inline void set_vertex_BR_18(TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E value)
{
___vertex_BR_18 = value;
}
inline static int32_t get_offset_of_topLeft_19() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___topLeft_19)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_topLeft_19() const { return ___topLeft_19; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_topLeft_19() { return &___topLeft_19; }
inline void set_topLeft_19(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___topLeft_19 = value;
}
inline static int32_t get_offset_of_bottomLeft_20() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___bottomLeft_20)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_bottomLeft_20() const { return ___bottomLeft_20; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_bottomLeft_20() { return &___bottomLeft_20; }
inline void set_bottomLeft_20(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___bottomLeft_20 = value;
}
inline static int32_t get_offset_of_topRight_21() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___topRight_21)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_topRight_21() const { return ___topRight_21; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_topRight_21() { return &___topRight_21; }
inline void set_topRight_21(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___topRight_21 = value;
}
inline static int32_t get_offset_of_bottomRight_22() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___bottomRight_22)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_bottomRight_22() const { return ___bottomRight_22; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_bottomRight_22() { return &___bottomRight_22; }
inline void set_bottomRight_22(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___bottomRight_22 = value;
}
inline static int32_t get_offset_of_origin_23() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___origin_23)); }
inline float get_origin_23() const { return ___origin_23; }
inline float* get_address_of_origin_23() { return &___origin_23; }
inline void set_origin_23(float value)
{
___origin_23 = value;
}
inline static int32_t get_offset_of_xAdvance_24() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___xAdvance_24)); }
inline float get_xAdvance_24() const { return ___xAdvance_24; }
inline float* get_address_of_xAdvance_24() { return &___xAdvance_24; }
inline void set_xAdvance_24(float value)
{
___xAdvance_24 = value;
}
inline static int32_t get_offset_of_ascender_25() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___ascender_25)); }
inline float get_ascender_25() const { return ___ascender_25; }
inline float* get_address_of_ascender_25() { return &___ascender_25; }
inline void set_ascender_25(float value)
{
___ascender_25 = value;
}
inline static int32_t get_offset_of_baseLine_26() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___baseLine_26)); }
inline float get_baseLine_26() const { return ___baseLine_26; }
inline float* get_address_of_baseLine_26() { return &___baseLine_26; }
inline void set_baseLine_26(float value)
{
___baseLine_26 = value;
}
inline static int32_t get_offset_of_descender_27() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___descender_27)); }
inline float get_descender_27() const { return ___descender_27; }
inline float* get_address_of_descender_27() { return &___descender_27; }
inline void set_descender_27(float value)
{
___descender_27 = value;
}
inline static int32_t get_offset_of_adjustedAscender_28() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___adjustedAscender_28)); }
inline float get_adjustedAscender_28() const { return ___adjustedAscender_28; }
inline float* get_address_of_adjustedAscender_28() { return &___adjustedAscender_28; }
inline void set_adjustedAscender_28(float value)
{
___adjustedAscender_28 = value;
}
inline static int32_t get_offset_of_adjustedDescender_29() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___adjustedDescender_29)); }
inline float get_adjustedDescender_29() const { return ___adjustedDescender_29; }
inline float* get_address_of_adjustedDescender_29() { return &___adjustedDescender_29; }
inline void set_adjustedDescender_29(float value)
{
___adjustedDescender_29 = value;
}
inline static int32_t get_offset_of_aspectRatio_30() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___aspectRatio_30)); }
inline float get_aspectRatio_30() const { return ___aspectRatio_30; }
inline float* get_address_of_aspectRatio_30() { return &___aspectRatio_30; }
inline void set_aspectRatio_30(float value)
{
___aspectRatio_30 = value;
}
inline static int32_t get_offset_of_scale_31() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___scale_31)); }
inline float get_scale_31() const { return ___scale_31; }
inline float* get_address_of_scale_31() { return &___scale_31; }
inline void set_scale_31(float value)
{
___scale_31 = value;
}
inline static int32_t get_offset_of_color_32() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___color_32)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_color_32() const { return ___color_32; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_color_32() { return &___color_32; }
inline void set_color_32(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___color_32 = value;
}
inline static int32_t get_offset_of_underlineColor_33() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___underlineColor_33)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_underlineColor_33() const { return ___underlineColor_33; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_underlineColor_33() { return &___underlineColor_33; }
inline void set_underlineColor_33(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___underlineColor_33 = value;
}
inline static int32_t get_offset_of_underlineVertexIndex_34() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___underlineVertexIndex_34)); }
inline int32_t get_underlineVertexIndex_34() const { return ___underlineVertexIndex_34; }
inline int32_t* get_address_of_underlineVertexIndex_34() { return &___underlineVertexIndex_34; }
inline void set_underlineVertexIndex_34(int32_t value)
{
___underlineVertexIndex_34 = value;
}
inline static int32_t get_offset_of_strikethroughColor_35() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___strikethroughColor_35)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_strikethroughColor_35() const { return ___strikethroughColor_35; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_strikethroughColor_35() { return &___strikethroughColor_35; }
inline void set_strikethroughColor_35(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___strikethroughColor_35 = value;
}
inline static int32_t get_offset_of_strikethroughVertexIndex_36() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___strikethroughVertexIndex_36)); }
inline int32_t get_strikethroughVertexIndex_36() const { return ___strikethroughVertexIndex_36; }
inline int32_t* get_address_of_strikethroughVertexIndex_36() { return &___strikethroughVertexIndex_36; }
inline void set_strikethroughVertexIndex_36(int32_t value)
{
___strikethroughVertexIndex_36 = value;
}
inline static int32_t get_offset_of_highlightColor_37() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___highlightColor_37)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_highlightColor_37() const { return ___highlightColor_37; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_highlightColor_37() { return &___highlightColor_37; }
inline void set_highlightColor_37(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___highlightColor_37 = value;
}
inline static int32_t get_offset_of_highlightState_38() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___highlightState_38)); }
inline HighlightState_t52CE27A1187034A1037ABC13A70BAEE4AC3B5759 get_highlightState_38() const { return ___highlightState_38; }
inline HighlightState_t52CE27A1187034A1037ABC13A70BAEE4AC3B5759 * get_address_of_highlightState_38() { return &___highlightState_38; }
inline void set_highlightState_38(HighlightState_t52CE27A1187034A1037ABC13A70BAEE4AC3B5759 value)
{
___highlightState_38 = value;
}
inline static int32_t get_offset_of_style_39() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___style_39)); }
inline int32_t get_style_39() const { return ___style_39; }
inline int32_t* get_address_of_style_39() { return &___style_39; }
inline void set_style_39(int32_t value)
{
___style_39 = value;
}
inline static int32_t get_offset_of_isVisible_40() { return static_cast<int32_t>(offsetof(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B, ___isVisible_40)); }
inline bool get_isVisible_40() const { return ___isVisible_40; }
inline bool* get_address_of_isVisible_40() { return &___isVisible_40; }
inline void set_isVisible_40(bool value)
{
___isVisible_40 = value;
}
};
// Native definition for P/Invoke marshalling of TMPro.TMP_CharacterInfo
struct TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B_marshaled_pinvoke
{
uint8_t ___character_0;
int32_t ___index_1;
int32_t ___stringLength_2;
int32_t ___elementType_3;
TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832 * ___textElement_4;
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___fontAsset_5;
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * ___spriteAsset_6;
int32_t ___spriteIndex_7;
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___material_8;
int32_t ___materialReferenceIndex_9;
int32_t ___isUsingAlternateTypeface_10;
float ___pointSize_11;
int32_t ___lineNumber_12;
int32_t ___pageNumber_13;
int32_t ___vertexIndex_14;
TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E ___vertex_BL_15;
TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E ___vertex_TL_16;
TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E ___vertex_TR_17;
TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E ___vertex_BR_18;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___topLeft_19;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___bottomLeft_20;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___topRight_21;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___bottomRight_22;
float ___origin_23;
float ___xAdvance_24;
float ___ascender_25;
float ___baseLine_26;
float ___descender_27;
float ___adjustedAscender_28;
float ___adjustedDescender_29;
float ___aspectRatio_30;
float ___scale_31;
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___color_32;
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___underlineColor_33;
int32_t ___underlineVertexIndex_34;
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___strikethroughColor_35;
int32_t ___strikethroughVertexIndex_36;
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___highlightColor_37;
HighlightState_t52CE27A1187034A1037ABC13A70BAEE4AC3B5759 ___highlightState_38;
int32_t ___style_39;
int32_t ___isVisible_40;
};
// Native definition for COM marshalling of TMPro.TMP_CharacterInfo
struct TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B_marshaled_com
{
uint8_t ___character_0;
int32_t ___index_1;
int32_t ___stringLength_2;
int32_t ___elementType_3;
TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832 * ___textElement_4;
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___fontAsset_5;
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * ___spriteAsset_6;
int32_t ___spriteIndex_7;
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___material_8;
int32_t ___materialReferenceIndex_9;
int32_t ___isUsingAlternateTypeface_10;
float ___pointSize_11;
int32_t ___lineNumber_12;
int32_t ___pageNumber_13;
int32_t ___vertexIndex_14;
TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E ___vertex_BL_15;
TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E ___vertex_TL_16;
TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E ___vertex_TR_17;
TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E ___vertex_BR_18;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___topLeft_19;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___bottomLeft_20;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___topRight_21;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___bottomRight_22;
float ___origin_23;
float ___xAdvance_24;
float ___ascender_25;
float ___baseLine_26;
float ___descender_27;
float ___adjustedAscender_28;
float ___adjustedDescender_29;
float ___aspectRatio_30;
float ___scale_31;
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___color_32;
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___underlineColor_33;
int32_t ___underlineVertexIndex_34;
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___strikethroughColor_35;
int32_t ___strikethroughVertexIndex_36;
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___highlightColor_37;
HighlightState_t52CE27A1187034A1037ABC13A70BAEE4AC3B5759 ___highlightState_38;
int32_t ___style_39;
int32_t ___isVisible_40;
};
// TMPro.TMP_GlyphPairAdjustmentRecord
struct TMP_GlyphPairAdjustmentRecord_t79F65D973582F66AF3787F0C63E6E6575C8E0C10 : public RuntimeObject
{
public:
// TMPro.TMP_GlyphAdjustmentRecord TMPro.TMP_GlyphPairAdjustmentRecord::m_FirstAdjustmentRecord
TMP_GlyphAdjustmentRecord_t722843E4D5C44C6027391ACAFAC6D117DE8AAF4D ___m_FirstAdjustmentRecord_0;
// TMPro.TMP_GlyphAdjustmentRecord TMPro.TMP_GlyphPairAdjustmentRecord::m_SecondAdjustmentRecord
TMP_GlyphAdjustmentRecord_t722843E4D5C44C6027391ACAFAC6D117DE8AAF4D ___m_SecondAdjustmentRecord_1;
// TMPro.FontFeatureLookupFlags TMPro.TMP_GlyphPairAdjustmentRecord::m_FeatureLookupFlags
int32_t ___m_FeatureLookupFlags_2;
public:
inline static int32_t get_offset_of_m_FirstAdjustmentRecord_0() { return static_cast<int32_t>(offsetof(TMP_GlyphPairAdjustmentRecord_t79F65D973582F66AF3787F0C63E6E6575C8E0C10, ___m_FirstAdjustmentRecord_0)); }
inline TMP_GlyphAdjustmentRecord_t722843E4D5C44C6027391ACAFAC6D117DE8AAF4D get_m_FirstAdjustmentRecord_0() const { return ___m_FirstAdjustmentRecord_0; }
inline TMP_GlyphAdjustmentRecord_t722843E4D5C44C6027391ACAFAC6D117DE8AAF4D * get_address_of_m_FirstAdjustmentRecord_0() { return &___m_FirstAdjustmentRecord_0; }
inline void set_m_FirstAdjustmentRecord_0(TMP_GlyphAdjustmentRecord_t722843E4D5C44C6027391ACAFAC6D117DE8AAF4D value)
{
___m_FirstAdjustmentRecord_0 = value;
}
inline static int32_t get_offset_of_m_SecondAdjustmentRecord_1() { return static_cast<int32_t>(offsetof(TMP_GlyphPairAdjustmentRecord_t79F65D973582F66AF3787F0C63E6E6575C8E0C10, ___m_SecondAdjustmentRecord_1)); }
inline TMP_GlyphAdjustmentRecord_t722843E4D5C44C6027391ACAFAC6D117DE8AAF4D get_m_SecondAdjustmentRecord_1() const { return ___m_SecondAdjustmentRecord_1; }
inline TMP_GlyphAdjustmentRecord_t722843E4D5C44C6027391ACAFAC6D117DE8AAF4D * get_address_of_m_SecondAdjustmentRecord_1() { return &___m_SecondAdjustmentRecord_1; }
inline void set_m_SecondAdjustmentRecord_1(TMP_GlyphAdjustmentRecord_t722843E4D5C44C6027391ACAFAC6D117DE8AAF4D value)
{
___m_SecondAdjustmentRecord_1 = value;
}
inline static int32_t get_offset_of_m_FeatureLookupFlags_2() { return static_cast<int32_t>(offsetof(TMP_GlyphPairAdjustmentRecord_t79F65D973582F66AF3787F0C63E6E6575C8E0C10, ___m_FeatureLookupFlags_2)); }
inline int32_t get_m_FeatureLookupFlags_2() const { return ___m_FeatureLookupFlags_2; }
inline int32_t* get_address_of_m_FeatureLookupFlags_2() { return &___m_FeatureLookupFlags_2; }
inline void set_m_FeatureLookupFlags_2(int32_t value)
{
___m_FeatureLookupFlags_2 = value;
}
};
// TMPro.TMP_LineInfo
struct TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7
{
public:
// System.Int32 TMPro.TMP_LineInfo::controlCharacterCount
int32_t ___controlCharacterCount_0;
// System.Int32 TMPro.TMP_LineInfo::characterCount
int32_t ___characterCount_1;
// System.Int32 TMPro.TMP_LineInfo::visibleCharacterCount
int32_t ___visibleCharacterCount_2;
// System.Int32 TMPro.TMP_LineInfo::spaceCount
int32_t ___spaceCount_3;
// System.Int32 TMPro.TMP_LineInfo::wordCount
int32_t ___wordCount_4;
// System.Int32 TMPro.TMP_LineInfo::firstCharacterIndex
int32_t ___firstCharacterIndex_5;
// System.Int32 TMPro.TMP_LineInfo::firstVisibleCharacterIndex
int32_t ___firstVisibleCharacterIndex_6;
// System.Int32 TMPro.TMP_LineInfo::lastCharacterIndex
int32_t ___lastCharacterIndex_7;
// System.Int32 TMPro.TMP_LineInfo::lastVisibleCharacterIndex
int32_t ___lastVisibleCharacterIndex_8;
// System.Single TMPro.TMP_LineInfo::length
float ___length_9;
// System.Single TMPro.TMP_LineInfo::lineHeight
float ___lineHeight_10;
// System.Single TMPro.TMP_LineInfo::ascender
float ___ascender_11;
// System.Single TMPro.TMP_LineInfo::baseline
float ___baseline_12;
// System.Single TMPro.TMP_LineInfo::descender
float ___descender_13;
// System.Single TMPro.TMP_LineInfo::maxAdvance
float ___maxAdvance_14;
// System.Single TMPro.TMP_LineInfo::width
float ___width_15;
// System.Single TMPro.TMP_LineInfo::marginLeft
float ___marginLeft_16;
// System.Single TMPro.TMP_LineInfo::marginRight
float ___marginRight_17;
// TMPro.HorizontalAlignmentOptions TMPro.TMP_LineInfo::alignment
int32_t ___alignment_18;
// TMPro.Extents TMPro.TMP_LineInfo::lineExtents
Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA ___lineExtents_19;
public:
inline static int32_t get_offset_of_controlCharacterCount_0() { return static_cast<int32_t>(offsetof(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7, ___controlCharacterCount_0)); }
inline int32_t get_controlCharacterCount_0() const { return ___controlCharacterCount_0; }
inline int32_t* get_address_of_controlCharacterCount_0() { return &___controlCharacterCount_0; }
inline void set_controlCharacterCount_0(int32_t value)
{
___controlCharacterCount_0 = value;
}
inline static int32_t get_offset_of_characterCount_1() { return static_cast<int32_t>(offsetof(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7, ___characterCount_1)); }
inline int32_t get_characterCount_1() const { return ___characterCount_1; }
inline int32_t* get_address_of_characterCount_1() { return &___characterCount_1; }
inline void set_characterCount_1(int32_t value)
{
___characterCount_1 = value;
}
inline static int32_t get_offset_of_visibleCharacterCount_2() { return static_cast<int32_t>(offsetof(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7, ___visibleCharacterCount_2)); }
inline int32_t get_visibleCharacterCount_2() const { return ___visibleCharacterCount_2; }
inline int32_t* get_address_of_visibleCharacterCount_2() { return &___visibleCharacterCount_2; }
inline void set_visibleCharacterCount_2(int32_t value)
{
___visibleCharacterCount_2 = value;
}
inline static int32_t get_offset_of_spaceCount_3() { return static_cast<int32_t>(offsetof(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7, ___spaceCount_3)); }
inline int32_t get_spaceCount_3() const { return ___spaceCount_3; }
inline int32_t* get_address_of_spaceCount_3() { return &___spaceCount_3; }
inline void set_spaceCount_3(int32_t value)
{
___spaceCount_3 = value;
}
inline static int32_t get_offset_of_wordCount_4() { return static_cast<int32_t>(offsetof(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7, ___wordCount_4)); }
inline int32_t get_wordCount_4() const { return ___wordCount_4; }
inline int32_t* get_address_of_wordCount_4() { return &___wordCount_4; }
inline void set_wordCount_4(int32_t value)
{
___wordCount_4 = value;
}
inline static int32_t get_offset_of_firstCharacterIndex_5() { return static_cast<int32_t>(offsetof(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7, ___firstCharacterIndex_5)); }
inline int32_t get_firstCharacterIndex_5() const { return ___firstCharacterIndex_5; }
inline int32_t* get_address_of_firstCharacterIndex_5() { return &___firstCharacterIndex_5; }
inline void set_firstCharacterIndex_5(int32_t value)
{
___firstCharacterIndex_5 = value;
}
inline static int32_t get_offset_of_firstVisibleCharacterIndex_6() { return static_cast<int32_t>(offsetof(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7, ___firstVisibleCharacterIndex_6)); }
inline int32_t get_firstVisibleCharacterIndex_6() const { return ___firstVisibleCharacterIndex_6; }
inline int32_t* get_address_of_firstVisibleCharacterIndex_6() { return &___firstVisibleCharacterIndex_6; }
inline void set_firstVisibleCharacterIndex_6(int32_t value)
{
___firstVisibleCharacterIndex_6 = value;
}
inline static int32_t get_offset_of_lastCharacterIndex_7() { return static_cast<int32_t>(offsetof(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7, ___lastCharacterIndex_7)); }
inline int32_t get_lastCharacterIndex_7() const { return ___lastCharacterIndex_7; }
inline int32_t* get_address_of_lastCharacterIndex_7() { return &___lastCharacterIndex_7; }
inline void set_lastCharacterIndex_7(int32_t value)
{
___lastCharacterIndex_7 = value;
}
inline static int32_t get_offset_of_lastVisibleCharacterIndex_8() { return static_cast<int32_t>(offsetof(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7, ___lastVisibleCharacterIndex_8)); }
inline int32_t get_lastVisibleCharacterIndex_8() const { return ___lastVisibleCharacterIndex_8; }
inline int32_t* get_address_of_lastVisibleCharacterIndex_8() { return &___lastVisibleCharacterIndex_8; }
inline void set_lastVisibleCharacterIndex_8(int32_t value)
{
___lastVisibleCharacterIndex_8 = value;
}
inline static int32_t get_offset_of_length_9() { return static_cast<int32_t>(offsetof(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7, ___length_9)); }
inline float get_length_9() const { return ___length_9; }
inline float* get_address_of_length_9() { return &___length_9; }
inline void set_length_9(float value)
{
___length_9 = value;
}
inline static int32_t get_offset_of_lineHeight_10() { return static_cast<int32_t>(offsetof(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7, ___lineHeight_10)); }
inline float get_lineHeight_10() const { return ___lineHeight_10; }
inline float* get_address_of_lineHeight_10() { return &___lineHeight_10; }
inline void set_lineHeight_10(float value)
{
___lineHeight_10 = value;
}
inline static int32_t get_offset_of_ascender_11() { return static_cast<int32_t>(offsetof(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7, ___ascender_11)); }
inline float get_ascender_11() const { return ___ascender_11; }
inline float* get_address_of_ascender_11() { return &___ascender_11; }
inline void set_ascender_11(float value)
{
___ascender_11 = value;
}
inline static int32_t get_offset_of_baseline_12() { return static_cast<int32_t>(offsetof(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7, ___baseline_12)); }
inline float get_baseline_12() const { return ___baseline_12; }
inline float* get_address_of_baseline_12() { return &___baseline_12; }
inline void set_baseline_12(float value)
{
___baseline_12 = value;
}
inline static int32_t get_offset_of_descender_13() { return static_cast<int32_t>(offsetof(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7, ___descender_13)); }
inline float get_descender_13() const { return ___descender_13; }
inline float* get_address_of_descender_13() { return &___descender_13; }
inline void set_descender_13(float value)
{
___descender_13 = value;
}
inline static int32_t get_offset_of_maxAdvance_14() { return static_cast<int32_t>(offsetof(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7, ___maxAdvance_14)); }
inline float get_maxAdvance_14() const { return ___maxAdvance_14; }
inline float* get_address_of_maxAdvance_14() { return &___maxAdvance_14; }
inline void set_maxAdvance_14(float value)
{
___maxAdvance_14 = value;
}
inline static int32_t get_offset_of_width_15() { return static_cast<int32_t>(offsetof(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7, ___width_15)); }
inline float get_width_15() const { return ___width_15; }
inline float* get_address_of_width_15() { return &___width_15; }
inline void set_width_15(float value)
{
___width_15 = value;
}
inline static int32_t get_offset_of_marginLeft_16() { return static_cast<int32_t>(offsetof(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7, ___marginLeft_16)); }
inline float get_marginLeft_16() const { return ___marginLeft_16; }
inline float* get_address_of_marginLeft_16() { return &___marginLeft_16; }
inline void set_marginLeft_16(float value)
{
___marginLeft_16 = value;
}
inline static int32_t get_offset_of_marginRight_17() { return static_cast<int32_t>(offsetof(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7, ___marginRight_17)); }
inline float get_marginRight_17() const { return ___marginRight_17; }
inline float* get_address_of_marginRight_17() { return &___marginRight_17; }
inline void set_marginRight_17(float value)
{
___marginRight_17 = value;
}
inline static int32_t get_offset_of_alignment_18() { return static_cast<int32_t>(offsetof(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7, ___alignment_18)); }
inline int32_t get_alignment_18() const { return ___alignment_18; }
inline int32_t* get_address_of_alignment_18() { return &___alignment_18; }
inline void set_alignment_18(int32_t value)
{
___alignment_18 = value;
}
inline static int32_t get_offset_of_lineExtents_19() { return static_cast<int32_t>(offsetof(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7, ___lineExtents_19)); }
inline Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA get_lineExtents_19() const { return ___lineExtents_19; }
inline Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA * get_address_of_lineExtents_19() { return &___lineExtents_19; }
inline void set_lineExtents_19(Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA value)
{
___lineExtents_19 = value;
}
};
// TMPro.TMP_MeshInfo
struct TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176
{
public:
// UnityEngine.Mesh TMPro.TMP_MeshInfo::mesh
Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * ___mesh_4;
// System.Int32 TMPro.TMP_MeshInfo::vertexCount
int32_t ___vertexCount_5;
// UnityEngine.Vector3[] TMPro.TMP_MeshInfo::vertices
Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* ___vertices_6;
// UnityEngine.Vector3[] TMPro.TMP_MeshInfo::normals
Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* ___normals_7;
// UnityEngine.Vector4[] TMPro.TMP_MeshInfo::tangents
Vector4U5BU5D_tCE72D928AA6FF1852BAC5E4396F6F0131ED11871* ___tangents_8;
// UnityEngine.Vector2[] TMPro.TMP_MeshInfo::uvs0
Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA* ___uvs0_9;
// UnityEngine.Vector2[] TMPro.TMP_MeshInfo::uvs2
Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA* ___uvs2_10;
// UnityEngine.Color32[] TMPro.TMP_MeshInfo::colors32
Color32U5BU5D_t7FEB526973BF84608073B85CF2D581427F0235E2* ___colors32_11;
// System.Int32[] TMPro.TMP_MeshInfo::triangles
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___triangles_12;
// UnityEngine.Material TMPro.TMP_MeshInfo::material
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___material_13;
public:
inline static int32_t get_offset_of_mesh_4() { return static_cast<int32_t>(offsetof(TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176, ___mesh_4)); }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * get_mesh_4() const { return ___mesh_4; }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 ** get_address_of_mesh_4() { return &___mesh_4; }
inline void set_mesh_4(Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * value)
{
___mesh_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___mesh_4), (void*)value);
}
inline static int32_t get_offset_of_vertexCount_5() { return static_cast<int32_t>(offsetof(TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176, ___vertexCount_5)); }
inline int32_t get_vertexCount_5() const { return ___vertexCount_5; }
inline int32_t* get_address_of_vertexCount_5() { return &___vertexCount_5; }
inline void set_vertexCount_5(int32_t value)
{
___vertexCount_5 = value;
}
inline static int32_t get_offset_of_vertices_6() { return static_cast<int32_t>(offsetof(TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176, ___vertices_6)); }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* get_vertices_6() const { return ___vertices_6; }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4** get_address_of_vertices_6() { return &___vertices_6; }
inline void set_vertices_6(Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* value)
{
___vertices_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___vertices_6), (void*)value);
}
inline static int32_t get_offset_of_normals_7() { return static_cast<int32_t>(offsetof(TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176, ___normals_7)); }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* get_normals_7() const { return ___normals_7; }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4** get_address_of_normals_7() { return &___normals_7; }
inline void set_normals_7(Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* value)
{
___normals_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___normals_7), (void*)value);
}
inline static int32_t get_offset_of_tangents_8() { return static_cast<int32_t>(offsetof(TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176, ___tangents_8)); }
inline Vector4U5BU5D_tCE72D928AA6FF1852BAC5E4396F6F0131ED11871* get_tangents_8() const { return ___tangents_8; }
inline Vector4U5BU5D_tCE72D928AA6FF1852BAC5E4396F6F0131ED11871** get_address_of_tangents_8() { return &___tangents_8; }
inline void set_tangents_8(Vector4U5BU5D_tCE72D928AA6FF1852BAC5E4396F6F0131ED11871* value)
{
___tangents_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___tangents_8), (void*)value);
}
inline static int32_t get_offset_of_uvs0_9() { return static_cast<int32_t>(offsetof(TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176, ___uvs0_9)); }
inline Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA* get_uvs0_9() const { return ___uvs0_9; }
inline Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA** get_address_of_uvs0_9() { return &___uvs0_9; }
inline void set_uvs0_9(Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA* value)
{
___uvs0_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___uvs0_9), (void*)value);
}
inline static int32_t get_offset_of_uvs2_10() { return static_cast<int32_t>(offsetof(TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176, ___uvs2_10)); }
inline Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA* get_uvs2_10() const { return ___uvs2_10; }
inline Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA** get_address_of_uvs2_10() { return &___uvs2_10; }
inline void set_uvs2_10(Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA* value)
{
___uvs2_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___uvs2_10), (void*)value);
}
inline static int32_t get_offset_of_colors32_11() { return static_cast<int32_t>(offsetof(TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176, ___colors32_11)); }
inline Color32U5BU5D_t7FEB526973BF84608073B85CF2D581427F0235E2* get_colors32_11() const { return ___colors32_11; }
inline Color32U5BU5D_t7FEB526973BF84608073B85CF2D581427F0235E2** get_address_of_colors32_11() { return &___colors32_11; }
inline void set_colors32_11(Color32U5BU5D_t7FEB526973BF84608073B85CF2D581427F0235E2* value)
{
___colors32_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___colors32_11), (void*)value);
}
inline static int32_t get_offset_of_triangles_12() { return static_cast<int32_t>(offsetof(TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176, ___triangles_12)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_triangles_12() const { return ___triangles_12; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_triangles_12() { return &___triangles_12; }
inline void set_triangles_12(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___triangles_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___triangles_12), (void*)value);
}
inline static int32_t get_offset_of_material_13() { return static_cast<int32_t>(offsetof(TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176, ___material_13)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_material_13() const { return ___material_13; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_material_13() { return &___material_13; }
inline void set_material_13(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___material_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___material_13), (void*)value);
}
};
struct TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176_StaticFields
{
public:
// UnityEngine.Color32 TMPro.TMP_MeshInfo::s_DefaultColor
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___s_DefaultColor_0;
// UnityEngine.Vector3 TMPro.TMP_MeshInfo::s_DefaultNormal
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___s_DefaultNormal_1;
// UnityEngine.Vector4 TMPro.TMP_MeshInfo::s_DefaultTangent
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 ___s_DefaultTangent_2;
// UnityEngine.Bounds TMPro.TMP_MeshInfo::s_DefaultBounds
Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 ___s_DefaultBounds_3;
public:
inline static int32_t get_offset_of_s_DefaultColor_0() { return static_cast<int32_t>(offsetof(TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176_StaticFields, ___s_DefaultColor_0)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_s_DefaultColor_0() const { return ___s_DefaultColor_0; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_s_DefaultColor_0() { return &___s_DefaultColor_0; }
inline void set_s_DefaultColor_0(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___s_DefaultColor_0 = value;
}
inline static int32_t get_offset_of_s_DefaultNormal_1() { return static_cast<int32_t>(offsetof(TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176_StaticFields, ___s_DefaultNormal_1)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_s_DefaultNormal_1() const { return ___s_DefaultNormal_1; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_s_DefaultNormal_1() { return &___s_DefaultNormal_1; }
inline void set_s_DefaultNormal_1(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___s_DefaultNormal_1 = value;
}
inline static int32_t get_offset_of_s_DefaultTangent_2() { return static_cast<int32_t>(offsetof(TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176_StaticFields, ___s_DefaultTangent_2)); }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 get_s_DefaultTangent_2() const { return ___s_DefaultTangent_2; }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 * get_address_of_s_DefaultTangent_2() { return &___s_DefaultTangent_2; }
inline void set_s_DefaultTangent_2(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 value)
{
___s_DefaultTangent_2 = value;
}
inline static int32_t get_offset_of_s_DefaultBounds_3() { return static_cast<int32_t>(offsetof(TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176_StaticFields, ___s_DefaultBounds_3)); }
inline Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 get_s_DefaultBounds_3() const { return ___s_DefaultBounds_3; }
inline Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 * get_address_of_s_DefaultBounds_3() { return &___s_DefaultBounds_3; }
inline void set_s_DefaultBounds_3(Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 value)
{
___s_DefaultBounds_3 = value;
}
};
// Native definition for P/Invoke marshalling of TMPro.TMP_MeshInfo
struct TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176_marshaled_pinvoke
{
Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * ___mesh_4;
int32_t ___vertexCount_5;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * ___vertices_6;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * ___normals_7;
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 * ___tangents_8;
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * ___uvs0_9;
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * ___uvs2_10;
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * ___colors32_11;
Il2CppSafeArray/*NONE*/* ___triangles_12;
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___material_13;
};
// Native definition for COM marshalling of TMPro.TMP_MeshInfo
struct TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176_marshaled_com
{
Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * ___mesh_4;
int32_t ___vertexCount_5;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * ___vertices_6;
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * ___normals_7;
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 * ___tangents_8;
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * ___uvs0_9;
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * ___uvs2_10;
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * ___colors32_11;
Il2CppSafeArray/*NONE*/* ___triangles_12;
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___material_13;
};
// TMPro.TMP_SpriteGlyph
struct TMP_SpriteGlyph_t5DF3D3BFFC0D0A72ABEBA3490F804B591BF1F25D : public Glyph_tC58ED6BC718B82A55B7E1A3690A289FFA8EBEFD1
{
public:
// UnityEngine.Sprite TMPro.TMP_SpriteGlyph::sprite
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___sprite_5;
public:
inline static int32_t get_offset_of_sprite_5() { return static_cast<int32_t>(offsetof(TMP_SpriteGlyph_t5DF3D3BFFC0D0A72ABEBA3490F804B591BF1F25D, ___sprite_5)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_sprite_5() const { return ___sprite_5; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_sprite_5() { return &___sprite_5; }
inline void set_sprite_5(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___sprite_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sprite_5), (void*)value);
}
};
// TMPro.TMP_TextElement
struct TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832 : public RuntimeObject
{
public:
// TMPro.TextElementType TMPro.TMP_TextElement::m_ElementType
uint8_t ___m_ElementType_0;
// System.UInt32 TMPro.TMP_TextElement::m_Unicode
uint32_t ___m_Unicode_1;
// TMPro.TMP_Asset TMPro.TMP_TextElement::m_TextAsset
TMP_Asset_tEE129B2B2FE167D4B860286167207DD3AD45B45E * ___m_TextAsset_2;
// UnityEngine.TextCore.Glyph TMPro.TMP_TextElement::m_Glyph
Glyph_tC58ED6BC718B82A55B7E1A3690A289FFA8EBEFD1 * ___m_Glyph_3;
// System.UInt32 TMPro.TMP_TextElement::m_GlyphIndex
uint32_t ___m_GlyphIndex_4;
// System.Single TMPro.TMP_TextElement::m_Scale
float ___m_Scale_5;
public:
inline static int32_t get_offset_of_m_ElementType_0() { return static_cast<int32_t>(offsetof(TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832, ___m_ElementType_0)); }
inline uint8_t get_m_ElementType_0() const { return ___m_ElementType_0; }
inline uint8_t* get_address_of_m_ElementType_0() { return &___m_ElementType_0; }
inline void set_m_ElementType_0(uint8_t value)
{
___m_ElementType_0 = value;
}
inline static int32_t get_offset_of_m_Unicode_1() { return static_cast<int32_t>(offsetof(TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832, ___m_Unicode_1)); }
inline uint32_t get_m_Unicode_1() const { return ___m_Unicode_1; }
inline uint32_t* get_address_of_m_Unicode_1() { return &___m_Unicode_1; }
inline void set_m_Unicode_1(uint32_t value)
{
___m_Unicode_1 = value;
}
inline static int32_t get_offset_of_m_TextAsset_2() { return static_cast<int32_t>(offsetof(TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832, ___m_TextAsset_2)); }
inline TMP_Asset_tEE129B2B2FE167D4B860286167207DD3AD45B45E * get_m_TextAsset_2() const { return ___m_TextAsset_2; }
inline TMP_Asset_tEE129B2B2FE167D4B860286167207DD3AD45B45E ** get_address_of_m_TextAsset_2() { return &___m_TextAsset_2; }
inline void set_m_TextAsset_2(TMP_Asset_tEE129B2B2FE167D4B860286167207DD3AD45B45E * value)
{
___m_TextAsset_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TextAsset_2), (void*)value);
}
inline static int32_t get_offset_of_m_Glyph_3() { return static_cast<int32_t>(offsetof(TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832, ___m_Glyph_3)); }
inline Glyph_tC58ED6BC718B82A55B7E1A3690A289FFA8EBEFD1 * get_m_Glyph_3() const { return ___m_Glyph_3; }
inline Glyph_tC58ED6BC718B82A55B7E1A3690A289FFA8EBEFD1 ** get_address_of_m_Glyph_3() { return &___m_Glyph_3; }
inline void set_m_Glyph_3(Glyph_tC58ED6BC718B82A55B7E1A3690A289FFA8EBEFD1 * value)
{
___m_Glyph_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Glyph_3), (void*)value);
}
inline static int32_t get_offset_of_m_GlyphIndex_4() { return static_cast<int32_t>(offsetof(TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832, ___m_GlyphIndex_4)); }
inline uint32_t get_m_GlyphIndex_4() const { return ___m_GlyphIndex_4; }
inline uint32_t* get_address_of_m_GlyphIndex_4() { return &___m_GlyphIndex_4; }
inline void set_m_GlyphIndex_4(uint32_t value)
{
___m_GlyphIndex_4 = value;
}
inline static int32_t get_offset_of_m_Scale_5() { return static_cast<int32_t>(offsetof(TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832, ___m_Scale_5)); }
inline float get_m_Scale_5() const { return ___m_Scale_5; }
inline float* get_address_of_m_Scale_5() { return &___m_Scale_5; }
inline void set_m_Scale_5(float value)
{
___m_Scale_5 = value;
}
};
// TMPro.TMP_UpdateManager
struct TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1 : public RuntimeObject
{
public:
// System.Collections.Generic.HashSet`1<System.Int32> TMPro.TMP_UpdateManager::m_LayoutQueueLookup
HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * ___m_LayoutQueueLookup_1;
// System.Collections.Generic.List`1<TMPro.TMP_Text> TMPro.TMP_UpdateManager::m_LayoutRebuildQueue
List_1_tB6DC4E33A6D425C4CCA3CC020E0A5E62D10201E6 * ___m_LayoutRebuildQueue_2;
// System.Collections.Generic.HashSet`1<System.Int32> TMPro.TMP_UpdateManager::m_GraphicQueueLookup
HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * ___m_GraphicQueueLookup_3;
// System.Collections.Generic.List`1<TMPro.TMP_Text> TMPro.TMP_UpdateManager::m_GraphicRebuildQueue
List_1_tB6DC4E33A6D425C4CCA3CC020E0A5E62D10201E6 * ___m_GraphicRebuildQueue_4;
// System.Collections.Generic.HashSet`1<System.Int32> TMPro.TMP_UpdateManager::m_InternalUpdateLookup
HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * ___m_InternalUpdateLookup_5;
// System.Collections.Generic.List`1<TMPro.TMP_Text> TMPro.TMP_UpdateManager::m_InternalUpdateQueue
List_1_tB6DC4E33A6D425C4CCA3CC020E0A5E62D10201E6 * ___m_InternalUpdateQueue_6;
// System.Collections.Generic.HashSet`1<System.Int32> TMPro.TMP_UpdateManager::m_CullingUpdateLookup
HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * ___m_CullingUpdateLookup_7;
// System.Collections.Generic.List`1<TMPro.TMP_Text> TMPro.TMP_UpdateManager::m_CullingUpdateQueue
List_1_tB6DC4E33A6D425C4CCA3CC020E0A5E62D10201E6 * ___m_CullingUpdateQueue_8;
public:
inline static int32_t get_offset_of_m_LayoutQueueLookup_1() { return static_cast<int32_t>(offsetof(TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1, ___m_LayoutQueueLookup_1)); }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * get_m_LayoutQueueLookup_1() const { return ___m_LayoutQueueLookup_1; }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 ** get_address_of_m_LayoutQueueLookup_1() { return &___m_LayoutQueueLookup_1; }
inline void set_m_LayoutQueueLookup_1(HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * value)
{
___m_LayoutQueueLookup_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LayoutQueueLookup_1), (void*)value);
}
inline static int32_t get_offset_of_m_LayoutRebuildQueue_2() { return static_cast<int32_t>(offsetof(TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1, ___m_LayoutRebuildQueue_2)); }
inline List_1_tB6DC4E33A6D425C4CCA3CC020E0A5E62D10201E6 * get_m_LayoutRebuildQueue_2() const { return ___m_LayoutRebuildQueue_2; }
inline List_1_tB6DC4E33A6D425C4CCA3CC020E0A5E62D10201E6 ** get_address_of_m_LayoutRebuildQueue_2() { return &___m_LayoutRebuildQueue_2; }
inline void set_m_LayoutRebuildQueue_2(List_1_tB6DC4E33A6D425C4CCA3CC020E0A5E62D10201E6 * value)
{
___m_LayoutRebuildQueue_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LayoutRebuildQueue_2), (void*)value);
}
inline static int32_t get_offset_of_m_GraphicQueueLookup_3() { return static_cast<int32_t>(offsetof(TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1, ___m_GraphicQueueLookup_3)); }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * get_m_GraphicQueueLookup_3() const { return ___m_GraphicQueueLookup_3; }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 ** get_address_of_m_GraphicQueueLookup_3() { return &___m_GraphicQueueLookup_3; }
inline void set_m_GraphicQueueLookup_3(HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * value)
{
___m_GraphicQueueLookup_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GraphicQueueLookup_3), (void*)value);
}
inline static int32_t get_offset_of_m_GraphicRebuildQueue_4() { return static_cast<int32_t>(offsetof(TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1, ___m_GraphicRebuildQueue_4)); }
inline List_1_tB6DC4E33A6D425C4CCA3CC020E0A5E62D10201E6 * get_m_GraphicRebuildQueue_4() const { return ___m_GraphicRebuildQueue_4; }
inline List_1_tB6DC4E33A6D425C4CCA3CC020E0A5E62D10201E6 ** get_address_of_m_GraphicRebuildQueue_4() { return &___m_GraphicRebuildQueue_4; }
inline void set_m_GraphicRebuildQueue_4(List_1_tB6DC4E33A6D425C4CCA3CC020E0A5E62D10201E6 * value)
{
___m_GraphicRebuildQueue_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GraphicRebuildQueue_4), (void*)value);
}
inline static int32_t get_offset_of_m_InternalUpdateLookup_5() { return static_cast<int32_t>(offsetof(TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1, ___m_InternalUpdateLookup_5)); }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * get_m_InternalUpdateLookup_5() const { return ___m_InternalUpdateLookup_5; }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 ** get_address_of_m_InternalUpdateLookup_5() { return &___m_InternalUpdateLookup_5; }
inline void set_m_InternalUpdateLookup_5(HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * value)
{
___m_InternalUpdateLookup_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalUpdateLookup_5), (void*)value);
}
inline static int32_t get_offset_of_m_InternalUpdateQueue_6() { return static_cast<int32_t>(offsetof(TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1, ___m_InternalUpdateQueue_6)); }
inline List_1_tB6DC4E33A6D425C4CCA3CC020E0A5E62D10201E6 * get_m_InternalUpdateQueue_6() const { return ___m_InternalUpdateQueue_6; }
inline List_1_tB6DC4E33A6D425C4CCA3CC020E0A5E62D10201E6 ** get_address_of_m_InternalUpdateQueue_6() { return &___m_InternalUpdateQueue_6; }
inline void set_m_InternalUpdateQueue_6(List_1_tB6DC4E33A6D425C4CCA3CC020E0A5E62D10201E6 * value)
{
___m_InternalUpdateQueue_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalUpdateQueue_6), (void*)value);
}
inline static int32_t get_offset_of_m_CullingUpdateLookup_7() { return static_cast<int32_t>(offsetof(TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1, ___m_CullingUpdateLookup_7)); }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * get_m_CullingUpdateLookup_7() const { return ___m_CullingUpdateLookup_7; }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 ** get_address_of_m_CullingUpdateLookup_7() { return &___m_CullingUpdateLookup_7; }
inline void set_m_CullingUpdateLookup_7(HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * value)
{
___m_CullingUpdateLookup_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CullingUpdateLookup_7), (void*)value);
}
inline static int32_t get_offset_of_m_CullingUpdateQueue_8() { return static_cast<int32_t>(offsetof(TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1, ___m_CullingUpdateQueue_8)); }
inline List_1_tB6DC4E33A6D425C4CCA3CC020E0A5E62D10201E6 * get_m_CullingUpdateQueue_8() const { return ___m_CullingUpdateQueue_8; }
inline List_1_tB6DC4E33A6D425C4CCA3CC020E0A5E62D10201E6 ** get_address_of_m_CullingUpdateQueue_8() { return &___m_CullingUpdateQueue_8; }
inline void set_m_CullingUpdateQueue_8(List_1_tB6DC4E33A6D425C4CCA3CC020E0A5E62D10201E6 * value)
{
___m_CullingUpdateQueue_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CullingUpdateQueue_8), (void*)value);
}
};
struct TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1_StaticFields
{
public:
// TMPro.TMP_UpdateManager TMPro.TMP_UpdateManager::s_Instance
TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1 * ___s_Instance_0;
// Unity.Profiling.ProfilerMarker TMPro.TMP_UpdateManager::k_RegisterTextObjectForUpdateMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_RegisterTextObjectForUpdateMarker_9;
// Unity.Profiling.ProfilerMarker TMPro.TMP_UpdateManager::k_RegisterTextElementForGraphicRebuildMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_RegisterTextElementForGraphicRebuildMarker_10;
// Unity.Profiling.ProfilerMarker TMPro.TMP_UpdateManager::k_RegisterTextElementForCullingUpdateMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_RegisterTextElementForCullingUpdateMarker_11;
// Unity.Profiling.ProfilerMarker TMPro.TMP_UpdateManager::k_UnregisterTextObjectForUpdateMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_UnregisterTextObjectForUpdateMarker_12;
// Unity.Profiling.ProfilerMarker TMPro.TMP_UpdateManager::k_UnregisterTextElementForGraphicRebuildMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_UnregisterTextElementForGraphicRebuildMarker_13;
public:
inline static int32_t get_offset_of_s_Instance_0() { return static_cast<int32_t>(offsetof(TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1_StaticFields, ___s_Instance_0)); }
inline TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1 * get_s_Instance_0() const { return ___s_Instance_0; }
inline TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1 ** get_address_of_s_Instance_0() { return &___s_Instance_0; }
inline void set_s_Instance_0(TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1 * value)
{
___s_Instance_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Instance_0), (void*)value);
}
inline static int32_t get_offset_of_k_RegisterTextObjectForUpdateMarker_9() { return static_cast<int32_t>(offsetof(TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1_StaticFields, ___k_RegisterTextObjectForUpdateMarker_9)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_RegisterTextObjectForUpdateMarker_9() const { return ___k_RegisterTextObjectForUpdateMarker_9; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_RegisterTextObjectForUpdateMarker_9() { return &___k_RegisterTextObjectForUpdateMarker_9; }
inline void set_k_RegisterTextObjectForUpdateMarker_9(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_RegisterTextObjectForUpdateMarker_9 = value;
}
inline static int32_t get_offset_of_k_RegisterTextElementForGraphicRebuildMarker_10() { return static_cast<int32_t>(offsetof(TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1_StaticFields, ___k_RegisterTextElementForGraphicRebuildMarker_10)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_RegisterTextElementForGraphicRebuildMarker_10() const { return ___k_RegisterTextElementForGraphicRebuildMarker_10; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_RegisterTextElementForGraphicRebuildMarker_10() { return &___k_RegisterTextElementForGraphicRebuildMarker_10; }
inline void set_k_RegisterTextElementForGraphicRebuildMarker_10(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_RegisterTextElementForGraphicRebuildMarker_10 = value;
}
inline static int32_t get_offset_of_k_RegisterTextElementForCullingUpdateMarker_11() { return static_cast<int32_t>(offsetof(TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1_StaticFields, ___k_RegisterTextElementForCullingUpdateMarker_11)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_RegisterTextElementForCullingUpdateMarker_11() const { return ___k_RegisterTextElementForCullingUpdateMarker_11; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_RegisterTextElementForCullingUpdateMarker_11() { return &___k_RegisterTextElementForCullingUpdateMarker_11; }
inline void set_k_RegisterTextElementForCullingUpdateMarker_11(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_RegisterTextElementForCullingUpdateMarker_11 = value;
}
inline static int32_t get_offset_of_k_UnregisterTextObjectForUpdateMarker_12() { return static_cast<int32_t>(offsetof(TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1_StaticFields, ___k_UnregisterTextObjectForUpdateMarker_12)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_UnregisterTextObjectForUpdateMarker_12() const { return ___k_UnregisterTextObjectForUpdateMarker_12; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_UnregisterTextObjectForUpdateMarker_12() { return &___k_UnregisterTextObjectForUpdateMarker_12; }
inline void set_k_UnregisterTextObjectForUpdateMarker_12(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_UnregisterTextObjectForUpdateMarker_12 = value;
}
inline static int32_t get_offset_of_k_UnregisterTextElementForGraphicRebuildMarker_13() { return static_cast<int32_t>(offsetof(TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1_StaticFields, ___k_UnregisterTextElementForGraphicRebuildMarker_13)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_UnregisterTextElementForGraphicRebuildMarker_13() const { return ___k_UnregisterTextElementForGraphicRebuildMarker_13; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_UnregisterTextElementForGraphicRebuildMarker_13() { return &___k_UnregisterTextElementForGraphicRebuildMarker_13; }
inline void set_k_UnregisterTextElementForGraphicRebuildMarker_13(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_UnregisterTextElementForGraphicRebuildMarker_13 = value;
}
};
// UnityEngine.Localization.Tables.TableEntryReference
struct TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4
{
public:
// System.Int64 UnityEngine.Localization.Tables.TableEntryReference::m_KeyId
int64_t ___m_KeyId_0;
// System.String UnityEngine.Localization.Tables.TableEntryReference::m_Key
String_t* ___m_Key_1;
// System.Boolean UnityEngine.Localization.Tables.TableEntryReference::m_Valid
bool ___m_Valid_2;
// UnityEngine.Localization.Tables.TableEntryReference/Type UnityEngine.Localization.Tables.TableEntryReference::<ReferenceType>k__BackingField
int32_t ___U3CReferenceTypeU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_m_KeyId_0() { return static_cast<int32_t>(offsetof(TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4, ___m_KeyId_0)); }
inline int64_t get_m_KeyId_0() const { return ___m_KeyId_0; }
inline int64_t* get_address_of_m_KeyId_0() { return &___m_KeyId_0; }
inline void set_m_KeyId_0(int64_t value)
{
___m_KeyId_0 = value;
}
inline static int32_t get_offset_of_m_Key_1() { return static_cast<int32_t>(offsetof(TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4, ___m_Key_1)); }
inline String_t* get_m_Key_1() const { return ___m_Key_1; }
inline String_t** get_address_of_m_Key_1() { return &___m_Key_1; }
inline void set_m_Key_1(String_t* value)
{
___m_Key_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Key_1), (void*)value);
}
inline static int32_t get_offset_of_m_Valid_2() { return static_cast<int32_t>(offsetof(TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4, ___m_Valid_2)); }
inline bool get_m_Valid_2() const { return ___m_Valid_2; }
inline bool* get_address_of_m_Valid_2() { return &___m_Valid_2; }
inline void set_m_Valid_2(bool value)
{
___m_Valid_2 = value;
}
inline static int32_t get_offset_of_U3CReferenceTypeU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4, ___U3CReferenceTypeU3Ek__BackingField_3)); }
inline int32_t get_U3CReferenceTypeU3Ek__BackingField_3() const { return ___U3CReferenceTypeU3Ek__BackingField_3; }
inline int32_t* get_address_of_U3CReferenceTypeU3Ek__BackingField_3() { return &___U3CReferenceTypeU3Ek__BackingField_3; }
inline void set_U3CReferenceTypeU3Ek__BackingField_3(int32_t value)
{
___U3CReferenceTypeU3Ek__BackingField_3 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Localization.Tables.TableEntryReference
struct TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4_marshaled_pinvoke
{
int64_t ___m_KeyId_0;
char* ___m_Key_1;
int32_t ___m_Valid_2;
int32_t ___U3CReferenceTypeU3Ek__BackingField_3;
};
// Native definition for COM marshalling of UnityEngine.Localization.Tables.TableEntryReference
struct TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4_marshaled_com
{
int64_t ___m_KeyId_0;
Il2CppChar* ___m_Key_1;
int32_t ___m_Valid_2;
int32_t ___U3CReferenceTypeU3Ek__BackingField_3;
};
// UnityEngine.Localization.Tables.TableReference
struct TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4
{
public:
// System.String UnityEngine.Localization.Tables.TableReference::m_TableCollectionName
String_t* ___m_TableCollectionName_0;
// System.Boolean UnityEngine.Localization.Tables.TableReference::m_Valid
bool ___m_Valid_1;
// UnityEngine.Localization.Tables.TableReference/Type UnityEngine.Localization.Tables.TableReference::<ReferenceType>k__BackingField
int32_t ___U3CReferenceTypeU3Ek__BackingField_3;
// System.Guid UnityEngine.Localization.Tables.TableReference::<TableCollectionNameGuid>k__BackingField
Guid_t ___U3CTableCollectionNameGuidU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_m_TableCollectionName_0() { return static_cast<int32_t>(offsetof(TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4, ___m_TableCollectionName_0)); }
inline String_t* get_m_TableCollectionName_0() const { return ___m_TableCollectionName_0; }
inline String_t** get_address_of_m_TableCollectionName_0() { return &___m_TableCollectionName_0; }
inline void set_m_TableCollectionName_0(String_t* value)
{
___m_TableCollectionName_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TableCollectionName_0), (void*)value);
}
inline static int32_t get_offset_of_m_Valid_1() { return static_cast<int32_t>(offsetof(TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4, ___m_Valid_1)); }
inline bool get_m_Valid_1() const { return ___m_Valid_1; }
inline bool* get_address_of_m_Valid_1() { return &___m_Valid_1; }
inline void set_m_Valid_1(bool value)
{
___m_Valid_1 = value;
}
inline static int32_t get_offset_of_U3CReferenceTypeU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4, ___U3CReferenceTypeU3Ek__BackingField_3)); }
inline int32_t get_U3CReferenceTypeU3Ek__BackingField_3() const { return ___U3CReferenceTypeU3Ek__BackingField_3; }
inline int32_t* get_address_of_U3CReferenceTypeU3Ek__BackingField_3() { return &___U3CReferenceTypeU3Ek__BackingField_3; }
inline void set_U3CReferenceTypeU3Ek__BackingField_3(int32_t value)
{
___U3CReferenceTypeU3Ek__BackingField_3 = value;
}
inline static int32_t get_offset_of_U3CTableCollectionNameGuidU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4, ___U3CTableCollectionNameGuidU3Ek__BackingField_4)); }
inline Guid_t get_U3CTableCollectionNameGuidU3Ek__BackingField_4() const { return ___U3CTableCollectionNameGuidU3Ek__BackingField_4; }
inline Guid_t * get_address_of_U3CTableCollectionNameGuidU3Ek__BackingField_4() { return &___U3CTableCollectionNameGuidU3Ek__BackingField_4; }
inline void set_U3CTableCollectionNameGuidU3Ek__BackingField_4(Guid_t value)
{
___U3CTableCollectionNameGuidU3Ek__BackingField_4 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Localization.Tables.TableReference
struct TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4_marshaled_pinvoke
{
char* ___m_TableCollectionName_0;
int32_t ___m_Valid_1;
int32_t ___U3CReferenceTypeU3Ek__BackingField_3;
Guid_t ___U3CTableCollectionNameGuidU3Ek__BackingField_4;
};
// Native definition for COM marshalling of UnityEngine.Localization.Tables.TableReference
struct TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4_marshaled_com
{
Il2CppChar* ___m_TableCollectionName_0;
int32_t ___m_Valid_1;
int32_t ___U3CReferenceTypeU3Ek__BackingField_3;
Guid_t ___U3CTableCollectionNameGuidU3Ek__BackingField_4;
};
// System.Threading.Tasks.TaskFactory
struct TaskFactory_t22D999A05A967C31A4B5FFBD08864809BF35EA3B : public RuntimeObject
{
public:
// System.Threading.CancellationToken System.Threading.Tasks.TaskFactory::m_defaultCancellationToken
CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD ___m_defaultCancellationToken_0;
// System.Threading.Tasks.TaskScheduler System.Threading.Tasks.TaskFactory::m_defaultScheduler
TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D * ___m_defaultScheduler_1;
// System.Threading.Tasks.TaskCreationOptions System.Threading.Tasks.TaskFactory::m_defaultCreationOptions
int32_t ___m_defaultCreationOptions_2;
// System.Threading.Tasks.TaskContinuationOptions System.Threading.Tasks.TaskFactory::m_defaultContinuationOptions
int32_t ___m_defaultContinuationOptions_3;
public:
inline static int32_t get_offset_of_m_defaultCancellationToken_0() { return static_cast<int32_t>(offsetof(TaskFactory_t22D999A05A967C31A4B5FFBD08864809BF35EA3B, ___m_defaultCancellationToken_0)); }
inline CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD get_m_defaultCancellationToken_0() const { return ___m_defaultCancellationToken_0; }
inline CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD * get_address_of_m_defaultCancellationToken_0() { return &___m_defaultCancellationToken_0; }
inline void set_m_defaultCancellationToken_0(CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD value)
{
___m_defaultCancellationToken_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_defaultCancellationToken_0))->___m_source_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_defaultScheduler_1() { return static_cast<int32_t>(offsetof(TaskFactory_t22D999A05A967C31A4B5FFBD08864809BF35EA3B, ___m_defaultScheduler_1)); }
inline TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D * get_m_defaultScheduler_1() const { return ___m_defaultScheduler_1; }
inline TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D ** get_address_of_m_defaultScheduler_1() { return &___m_defaultScheduler_1; }
inline void set_m_defaultScheduler_1(TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D * value)
{
___m_defaultScheduler_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_defaultScheduler_1), (void*)value);
}
inline static int32_t get_offset_of_m_defaultCreationOptions_2() { return static_cast<int32_t>(offsetof(TaskFactory_t22D999A05A967C31A4B5FFBD08864809BF35EA3B, ___m_defaultCreationOptions_2)); }
inline int32_t get_m_defaultCreationOptions_2() const { return ___m_defaultCreationOptions_2; }
inline int32_t* get_address_of_m_defaultCreationOptions_2() { return &___m_defaultCreationOptions_2; }
inline void set_m_defaultCreationOptions_2(int32_t value)
{
___m_defaultCreationOptions_2 = value;
}
inline static int32_t get_offset_of_m_defaultContinuationOptions_3() { return static_cast<int32_t>(offsetof(TaskFactory_t22D999A05A967C31A4B5FFBD08864809BF35EA3B, ___m_defaultContinuationOptions_3)); }
inline int32_t get_m_defaultContinuationOptions_3() const { return ___m_defaultContinuationOptions_3; }
inline int32_t* get_address_of_m_defaultContinuationOptions_3() { return &___m_defaultContinuationOptions_3; }
inline void set_m_defaultContinuationOptions_3(int32_t value)
{
___m_defaultContinuationOptions_3 = value;
}
};
// System.Threading.Tasks.TaskSchedulerException
struct TaskSchedulerException_t79D87FA65C9362FA90709229B2015FC06C28AE84 : public Exception_t
{
public:
public:
};
// System.TermInfoDriver
struct TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03 : public RuntimeObject
{
public:
// System.TermInfoReader System.TermInfoDriver::reader
TermInfoReader_t2E8E4A86C0450CF03E110E870EB8378C7A617F62 * ___reader_3;
// System.Int32 System.TermInfoDriver::cursorLeft
int32_t ___cursorLeft_4;
// System.Int32 System.TermInfoDriver::cursorTop
int32_t ___cursorTop_5;
// System.String System.TermInfoDriver::title
String_t* ___title_6;
// System.String System.TermInfoDriver::titleFormat
String_t* ___titleFormat_7;
// System.Boolean System.TermInfoDriver::cursorVisible
bool ___cursorVisible_8;
// System.String System.TermInfoDriver::csrVisible
String_t* ___csrVisible_9;
// System.String System.TermInfoDriver::csrInvisible
String_t* ___csrInvisible_10;
// System.String System.TermInfoDriver::clear
String_t* ___clear_11;
// System.String System.TermInfoDriver::bell
String_t* ___bell_12;
// System.String System.TermInfoDriver::term
String_t* ___term_13;
// System.IO.StreamReader System.TermInfoDriver::stdin
StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3 * ___stdin_14;
// System.IO.CStreamWriter System.TermInfoDriver::stdout
CStreamWriter_tBC3C3F9F3E738D2FF586EF7A680A077D5AA3D27A * ___stdout_15;
// System.Int32 System.TermInfoDriver::windowWidth
int32_t ___windowWidth_16;
// System.Int32 System.TermInfoDriver::windowHeight
int32_t ___windowHeight_17;
// System.Int32 System.TermInfoDriver::bufferHeight
int32_t ___bufferHeight_18;
// System.Int32 System.TermInfoDriver::bufferWidth
int32_t ___bufferWidth_19;
// System.Char[] System.TermInfoDriver::buffer
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___buffer_20;
// System.Int32 System.TermInfoDriver::readpos
int32_t ___readpos_21;
// System.Int32 System.TermInfoDriver::writepos
int32_t ___writepos_22;
// System.String System.TermInfoDriver::keypadXmit
String_t* ___keypadXmit_23;
// System.String System.TermInfoDriver::keypadLocal
String_t* ___keypadLocal_24;
// System.Boolean System.TermInfoDriver::inited
bool ___inited_25;
// System.Object System.TermInfoDriver::initLock
RuntimeObject * ___initLock_26;
// System.Boolean System.TermInfoDriver::initKeys
bool ___initKeys_27;
// System.String System.TermInfoDriver::origPair
String_t* ___origPair_28;
// System.String System.TermInfoDriver::origColors
String_t* ___origColors_29;
// System.String System.TermInfoDriver::cursorAddress
String_t* ___cursorAddress_30;
// System.ConsoleColor System.TermInfoDriver::fgcolor
int32_t ___fgcolor_31;
// System.String System.TermInfoDriver::setfgcolor
String_t* ___setfgcolor_32;
// System.String System.TermInfoDriver::setbgcolor
String_t* ___setbgcolor_33;
// System.Int32 System.TermInfoDriver::maxColors
int32_t ___maxColors_34;
// System.Boolean System.TermInfoDriver::noGetPosition
bool ___noGetPosition_35;
// System.Collections.Hashtable System.TermInfoDriver::keymap
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___keymap_36;
// System.ByteMatcher System.TermInfoDriver::rootmap
ByteMatcher_t22B28B6FEEDB86326E893675F4C6B5C74E66F5D7 * ___rootmap_37;
// System.Int32 System.TermInfoDriver::rl_startx
int32_t ___rl_startx_38;
// System.Int32 System.TermInfoDriver::rl_starty
int32_t ___rl_starty_39;
// System.Byte[] System.TermInfoDriver::control_characters
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___control_characters_40;
// System.Char[] System.TermInfoDriver::echobuf
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___echobuf_42;
// System.Int32 System.TermInfoDriver::echon
int32_t ___echon_43;
public:
inline static int32_t get_offset_of_reader_3() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___reader_3)); }
inline TermInfoReader_t2E8E4A86C0450CF03E110E870EB8378C7A617F62 * get_reader_3() const { return ___reader_3; }
inline TermInfoReader_t2E8E4A86C0450CF03E110E870EB8378C7A617F62 ** get_address_of_reader_3() { return &___reader_3; }
inline void set_reader_3(TermInfoReader_t2E8E4A86C0450CF03E110E870EB8378C7A617F62 * value)
{
___reader_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___reader_3), (void*)value);
}
inline static int32_t get_offset_of_cursorLeft_4() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___cursorLeft_4)); }
inline int32_t get_cursorLeft_4() const { return ___cursorLeft_4; }
inline int32_t* get_address_of_cursorLeft_4() { return &___cursorLeft_4; }
inline void set_cursorLeft_4(int32_t value)
{
___cursorLeft_4 = value;
}
inline static int32_t get_offset_of_cursorTop_5() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___cursorTop_5)); }
inline int32_t get_cursorTop_5() const { return ___cursorTop_5; }
inline int32_t* get_address_of_cursorTop_5() { return &___cursorTop_5; }
inline void set_cursorTop_5(int32_t value)
{
___cursorTop_5 = value;
}
inline static int32_t get_offset_of_title_6() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___title_6)); }
inline String_t* get_title_6() const { return ___title_6; }
inline String_t** get_address_of_title_6() { return &___title_6; }
inline void set_title_6(String_t* value)
{
___title_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___title_6), (void*)value);
}
inline static int32_t get_offset_of_titleFormat_7() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___titleFormat_7)); }
inline String_t* get_titleFormat_7() const { return ___titleFormat_7; }
inline String_t** get_address_of_titleFormat_7() { return &___titleFormat_7; }
inline void set_titleFormat_7(String_t* value)
{
___titleFormat_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___titleFormat_7), (void*)value);
}
inline static int32_t get_offset_of_cursorVisible_8() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___cursorVisible_8)); }
inline bool get_cursorVisible_8() const { return ___cursorVisible_8; }
inline bool* get_address_of_cursorVisible_8() { return &___cursorVisible_8; }
inline void set_cursorVisible_8(bool value)
{
___cursorVisible_8 = value;
}
inline static int32_t get_offset_of_csrVisible_9() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___csrVisible_9)); }
inline String_t* get_csrVisible_9() const { return ___csrVisible_9; }
inline String_t** get_address_of_csrVisible_9() { return &___csrVisible_9; }
inline void set_csrVisible_9(String_t* value)
{
___csrVisible_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___csrVisible_9), (void*)value);
}
inline static int32_t get_offset_of_csrInvisible_10() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___csrInvisible_10)); }
inline String_t* get_csrInvisible_10() const { return ___csrInvisible_10; }
inline String_t** get_address_of_csrInvisible_10() { return &___csrInvisible_10; }
inline void set_csrInvisible_10(String_t* value)
{
___csrInvisible_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___csrInvisible_10), (void*)value);
}
inline static int32_t get_offset_of_clear_11() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___clear_11)); }
inline String_t* get_clear_11() const { return ___clear_11; }
inline String_t** get_address_of_clear_11() { return &___clear_11; }
inline void set_clear_11(String_t* value)
{
___clear_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___clear_11), (void*)value);
}
inline static int32_t get_offset_of_bell_12() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___bell_12)); }
inline String_t* get_bell_12() const { return ___bell_12; }
inline String_t** get_address_of_bell_12() { return &___bell_12; }
inline void set_bell_12(String_t* value)
{
___bell_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___bell_12), (void*)value);
}
inline static int32_t get_offset_of_term_13() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___term_13)); }
inline String_t* get_term_13() const { return ___term_13; }
inline String_t** get_address_of_term_13() { return &___term_13; }
inline void set_term_13(String_t* value)
{
___term_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___term_13), (void*)value);
}
inline static int32_t get_offset_of_stdin_14() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___stdin_14)); }
inline StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3 * get_stdin_14() const { return ___stdin_14; }
inline StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3 ** get_address_of_stdin_14() { return &___stdin_14; }
inline void set_stdin_14(StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3 * value)
{
___stdin_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___stdin_14), (void*)value);
}
inline static int32_t get_offset_of_stdout_15() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___stdout_15)); }
inline CStreamWriter_tBC3C3F9F3E738D2FF586EF7A680A077D5AA3D27A * get_stdout_15() const { return ___stdout_15; }
inline CStreamWriter_tBC3C3F9F3E738D2FF586EF7A680A077D5AA3D27A ** get_address_of_stdout_15() { return &___stdout_15; }
inline void set_stdout_15(CStreamWriter_tBC3C3F9F3E738D2FF586EF7A680A077D5AA3D27A * value)
{
___stdout_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___stdout_15), (void*)value);
}
inline static int32_t get_offset_of_windowWidth_16() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___windowWidth_16)); }
inline int32_t get_windowWidth_16() const { return ___windowWidth_16; }
inline int32_t* get_address_of_windowWidth_16() { return &___windowWidth_16; }
inline void set_windowWidth_16(int32_t value)
{
___windowWidth_16 = value;
}
inline static int32_t get_offset_of_windowHeight_17() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___windowHeight_17)); }
inline int32_t get_windowHeight_17() const { return ___windowHeight_17; }
inline int32_t* get_address_of_windowHeight_17() { return &___windowHeight_17; }
inline void set_windowHeight_17(int32_t value)
{
___windowHeight_17 = value;
}
inline static int32_t get_offset_of_bufferHeight_18() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___bufferHeight_18)); }
inline int32_t get_bufferHeight_18() const { return ___bufferHeight_18; }
inline int32_t* get_address_of_bufferHeight_18() { return &___bufferHeight_18; }
inline void set_bufferHeight_18(int32_t value)
{
___bufferHeight_18 = value;
}
inline static int32_t get_offset_of_bufferWidth_19() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___bufferWidth_19)); }
inline int32_t get_bufferWidth_19() const { return ___bufferWidth_19; }
inline int32_t* get_address_of_bufferWidth_19() { return &___bufferWidth_19; }
inline void set_bufferWidth_19(int32_t value)
{
___bufferWidth_19 = value;
}
inline static int32_t get_offset_of_buffer_20() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___buffer_20)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_buffer_20() const { return ___buffer_20; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_buffer_20() { return &___buffer_20; }
inline void set_buffer_20(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___buffer_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___buffer_20), (void*)value);
}
inline static int32_t get_offset_of_readpos_21() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___readpos_21)); }
inline int32_t get_readpos_21() const { return ___readpos_21; }
inline int32_t* get_address_of_readpos_21() { return &___readpos_21; }
inline void set_readpos_21(int32_t value)
{
___readpos_21 = value;
}
inline static int32_t get_offset_of_writepos_22() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___writepos_22)); }
inline int32_t get_writepos_22() const { return ___writepos_22; }
inline int32_t* get_address_of_writepos_22() { return &___writepos_22; }
inline void set_writepos_22(int32_t value)
{
___writepos_22 = value;
}
inline static int32_t get_offset_of_keypadXmit_23() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___keypadXmit_23)); }
inline String_t* get_keypadXmit_23() const { return ___keypadXmit_23; }
inline String_t** get_address_of_keypadXmit_23() { return &___keypadXmit_23; }
inline void set_keypadXmit_23(String_t* value)
{
___keypadXmit_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___keypadXmit_23), (void*)value);
}
inline static int32_t get_offset_of_keypadLocal_24() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___keypadLocal_24)); }
inline String_t* get_keypadLocal_24() const { return ___keypadLocal_24; }
inline String_t** get_address_of_keypadLocal_24() { return &___keypadLocal_24; }
inline void set_keypadLocal_24(String_t* value)
{
___keypadLocal_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___keypadLocal_24), (void*)value);
}
inline static int32_t get_offset_of_inited_25() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___inited_25)); }
inline bool get_inited_25() const { return ___inited_25; }
inline bool* get_address_of_inited_25() { return &___inited_25; }
inline void set_inited_25(bool value)
{
___inited_25 = value;
}
inline static int32_t get_offset_of_initLock_26() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___initLock_26)); }
inline RuntimeObject * get_initLock_26() const { return ___initLock_26; }
inline RuntimeObject ** get_address_of_initLock_26() { return &___initLock_26; }
inline void set_initLock_26(RuntimeObject * value)
{
___initLock_26 = value;
Il2CppCodeGenWriteBarrier((void**)(&___initLock_26), (void*)value);
}
inline static int32_t get_offset_of_initKeys_27() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___initKeys_27)); }
inline bool get_initKeys_27() const { return ___initKeys_27; }
inline bool* get_address_of_initKeys_27() { return &___initKeys_27; }
inline void set_initKeys_27(bool value)
{
___initKeys_27 = value;
}
inline static int32_t get_offset_of_origPair_28() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___origPair_28)); }
inline String_t* get_origPair_28() const { return ___origPair_28; }
inline String_t** get_address_of_origPair_28() { return &___origPair_28; }
inline void set_origPair_28(String_t* value)
{
___origPair_28 = value;
Il2CppCodeGenWriteBarrier((void**)(&___origPair_28), (void*)value);
}
inline static int32_t get_offset_of_origColors_29() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___origColors_29)); }
inline String_t* get_origColors_29() const { return ___origColors_29; }
inline String_t** get_address_of_origColors_29() { return &___origColors_29; }
inline void set_origColors_29(String_t* value)
{
___origColors_29 = value;
Il2CppCodeGenWriteBarrier((void**)(&___origColors_29), (void*)value);
}
inline static int32_t get_offset_of_cursorAddress_30() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___cursorAddress_30)); }
inline String_t* get_cursorAddress_30() const { return ___cursorAddress_30; }
inline String_t** get_address_of_cursorAddress_30() { return &___cursorAddress_30; }
inline void set_cursorAddress_30(String_t* value)
{
___cursorAddress_30 = value;
Il2CppCodeGenWriteBarrier((void**)(&___cursorAddress_30), (void*)value);
}
inline static int32_t get_offset_of_fgcolor_31() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___fgcolor_31)); }
inline int32_t get_fgcolor_31() const { return ___fgcolor_31; }
inline int32_t* get_address_of_fgcolor_31() { return &___fgcolor_31; }
inline void set_fgcolor_31(int32_t value)
{
___fgcolor_31 = value;
}
inline static int32_t get_offset_of_setfgcolor_32() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___setfgcolor_32)); }
inline String_t* get_setfgcolor_32() const { return ___setfgcolor_32; }
inline String_t** get_address_of_setfgcolor_32() { return &___setfgcolor_32; }
inline void set_setfgcolor_32(String_t* value)
{
___setfgcolor_32 = value;
Il2CppCodeGenWriteBarrier((void**)(&___setfgcolor_32), (void*)value);
}
inline static int32_t get_offset_of_setbgcolor_33() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___setbgcolor_33)); }
inline String_t* get_setbgcolor_33() const { return ___setbgcolor_33; }
inline String_t** get_address_of_setbgcolor_33() { return &___setbgcolor_33; }
inline void set_setbgcolor_33(String_t* value)
{
___setbgcolor_33 = value;
Il2CppCodeGenWriteBarrier((void**)(&___setbgcolor_33), (void*)value);
}
inline static int32_t get_offset_of_maxColors_34() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___maxColors_34)); }
inline int32_t get_maxColors_34() const { return ___maxColors_34; }
inline int32_t* get_address_of_maxColors_34() { return &___maxColors_34; }
inline void set_maxColors_34(int32_t value)
{
___maxColors_34 = value;
}
inline static int32_t get_offset_of_noGetPosition_35() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___noGetPosition_35)); }
inline bool get_noGetPosition_35() const { return ___noGetPosition_35; }
inline bool* get_address_of_noGetPosition_35() { return &___noGetPosition_35; }
inline void set_noGetPosition_35(bool value)
{
___noGetPosition_35 = value;
}
inline static int32_t get_offset_of_keymap_36() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___keymap_36)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_keymap_36() const { return ___keymap_36; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_keymap_36() { return &___keymap_36; }
inline void set_keymap_36(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___keymap_36 = value;
Il2CppCodeGenWriteBarrier((void**)(&___keymap_36), (void*)value);
}
inline static int32_t get_offset_of_rootmap_37() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___rootmap_37)); }
inline ByteMatcher_t22B28B6FEEDB86326E893675F4C6B5C74E66F5D7 * get_rootmap_37() const { return ___rootmap_37; }
inline ByteMatcher_t22B28B6FEEDB86326E893675F4C6B5C74E66F5D7 ** get_address_of_rootmap_37() { return &___rootmap_37; }
inline void set_rootmap_37(ByteMatcher_t22B28B6FEEDB86326E893675F4C6B5C74E66F5D7 * value)
{
___rootmap_37 = value;
Il2CppCodeGenWriteBarrier((void**)(&___rootmap_37), (void*)value);
}
inline static int32_t get_offset_of_rl_startx_38() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___rl_startx_38)); }
inline int32_t get_rl_startx_38() const { return ___rl_startx_38; }
inline int32_t* get_address_of_rl_startx_38() { return &___rl_startx_38; }
inline void set_rl_startx_38(int32_t value)
{
___rl_startx_38 = value;
}
inline static int32_t get_offset_of_rl_starty_39() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___rl_starty_39)); }
inline int32_t get_rl_starty_39() const { return ___rl_starty_39; }
inline int32_t* get_address_of_rl_starty_39() { return &___rl_starty_39; }
inline void set_rl_starty_39(int32_t value)
{
___rl_starty_39 = value;
}
inline static int32_t get_offset_of_control_characters_40() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___control_characters_40)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_control_characters_40() const { return ___control_characters_40; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_control_characters_40() { return &___control_characters_40; }
inline void set_control_characters_40(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___control_characters_40 = value;
Il2CppCodeGenWriteBarrier((void**)(&___control_characters_40), (void*)value);
}
inline static int32_t get_offset_of_echobuf_42() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___echobuf_42)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_echobuf_42() const { return ___echobuf_42; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_echobuf_42() { return &___echobuf_42; }
inline void set_echobuf_42(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___echobuf_42 = value;
Il2CppCodeGenWriteBarrier((void**)(&___echobuf_42), (void*)value);
}
inline static int32_t get_offset_of_echon_43() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03, ___echon_43)); }
inline int32_t get_echon_43() const { return ___echon_43; }
inline int32_t* get_address_of_echon_43() { return &___echon_43; }
inline void set_echon_43(int32_t value)
{
___echon_43 = value;
}
};
struct TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03_StaticFields
{
public:
// System.Int32* System.TermInfoDriver::native_terminal_size
int32_t* ___native_terminal_size_0;
// System.Int32 System.TermInfoDriver::terminal_size
int32_t ___terminal_size_1;
// System.String[] System.TermInfoDriver::locations
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___locations_2;
// System.Int32[] System.TermInfoDriver::_consoleColorToAnsiCode
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ____consoleColorToAnsiCode_41;
public:
inline static int32_t get_offset_of_native_terminal_size_0() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03_StaticFields, ___native_terminal_size_0)); }
inline int32_t* get_native_terminal_size_0() const { return ___native_terminal_size_0; }
inline int32_t** get_address_of_native_terminal_size_0() { return &___native_terminal_size_0; }
inline void set_native_terminal_size_0(int32_t* value)
{
___native_terminal_size_0 = value;
}
inline static int32_t get_offset_of_terminal_size_1() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03_StaticFields, ___terminal_size_1)); }
inline int32_t get_terminal_size_1() const { return ___terminal_size_1; }
inline int32_t* get_address_of_terminal_size_1() { return &___terminal_size_1; }
inline void set_terminal_size_1(int32_t value)
{
___terminal_size_1 = value;
}
inline static int32_t get_offset_of_locations_2() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03_StaticFields, ___locations_2)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_locations_2() const { return ___locations_2; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_locations_2() { return &___locations_2; }
inline void set_locations_2(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___locations_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___locations_2), (void*)value);
}
inline static int32_t get_offset_of__consoleColorToAnsiCode_41() { return static_cast<int32_t>(offsetof(TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03_StaticFields, ____consoleColorToAnsiCode_41)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get__consoleColorToAnsiCode_41() const { return ____consoleColorToAnsiCode_41; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of__consoleColorToAnsiCode_41() { return &____consoleColorToAnsiCode_41; }
inline void set__consoleColorToAnsiCode_41(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
____consoleColorToAnsiCode_41 = value;
Il2CppCodeGenWriteBarrier((void**)(&____consoleColorToAnsiCode_41), (void*)value);
}
};
// UnityEngine.TextAsset
struct TextAsset_t1969F5FD1F628C7C0A70D9605C0D251B4F547234 : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// UnityEngine.TextEditor
struct TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B : public RuntimeObject
{
public:
// UnityEngine.TouchScreenKeyboard UnityEngine.TextEditor::keyboardOnScreen
TouchScreenKeyboard_t7964B2E9E52C4E095B14F01C32774B98CA11711E * ___keyboardOnScreen_0;
// System.Int32 UnityEngine.TextEditor::controlID
int32_t ___controlID_1;
// UnityEngine.GUIStyle UnityEngine.TextEditor::style
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___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_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___scrollOffset_6;
// UnityEngine.GUIContent UnityEngine.TextEditor::m_Content
GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E * ___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_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B, ___keyboardOnScreen_0)); }
inline TouchScreenKeyboard_t7964B2E9E52C4E095B14F01C32774B98CA11711E * get_keyboardOnScreen_0() const { return ___keyboardOnScreen_0; }
inline TouchScreenKeyboard_t7964B2E9E52C4E095B14F01C32774B98CA11711E ** get_address_of_keyboardOnScreen_0() { return &___keyboardOnScreen_0; }
inline void set_keyboardOnScreen_0(TouchScreenKeyboard_t7964B2E9E52C4E095B14F01C32774B98CA11711E * value)
{
___keyboardOnScreen_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___keyboardOnScreen_0), (void*)value);
}
inline static int32_t get_offset_of_controlID_1() { return static_cast<int32_t>(offsetof(TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B, ___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_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B, ___style_2)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_style_2() const { return ___style_2; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_style_2() { return &___style_2; }
inline void set_style_2(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___style_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___style_2), (void*)value);
}
inline static int32_t get_offset_of_multiline_3() { return static_cast<int32_t>(offsetof(TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B, ___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_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B, ___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_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B, ___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_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B, ___scrollOffset_6)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_scrollOffset_6() const { return ___scrollOffset_6; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_scrollOffset_6() { return &___scrollOffset_6; }
inline void set_scrollOffset_6(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___scrollOffset_6 = value;
}
inline static int32_t get_offset_of_m_Content_7() { return static_cast<int32_t>(offsetof(TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B, ___m_Content_7)); }
inline GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E * get_m_Content_7() const { return ___m_Content_7; }
inline GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E ** get_address_of_m_Content_7() { return &___m_Content_7; }
inline void set_m_Content_7(GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E * value)
{
___m_Content_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Content_7), (void*)value);
}
inline static int32_t get_offset_of_m_CursorIndex_8() { return static_cast<int32_t>(offsetof(TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B, ___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_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B, ___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_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B, ___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_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B, ___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_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B, ___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_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B, ___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_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B, ___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_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B, ___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;
}
};
// UnityEngine.TextGenerationSettings
struct TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A
{
public:
// UnityEngine.Font UnityEngine.TextGenerationSettings::font
Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9 * ___font_0;
// UnityEngine.Color UnityEngine.TextGenerationSettings::color
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___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_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___generationExtents_15;
// UnityEngine.Vector2 UnityEngine.TextGenerationSettings::pivot
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___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_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A, ___font_0)); }
inline Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9 * get_font_0() const { return ___font_0; }
inline Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9 ** get_address_of_font_0() { return &___font_0; }
inline void set_font_0(Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9 * value)
{
___font_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___font_0), (void*)value);
}
inline static int32_t get_offset_of_color_1() { return static_cast<int32_t>(offsetof(TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A, ___color_1)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_color_1() const { return ___color_1; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_color_1() { return &___color_1; }
inline void set_color_1(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___color_1 = value;
}
inline static int32_t get_offset_of_fontSize_2() { return static_cast<int32_t>(offsetof(TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A, ___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_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A, ___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_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A, ___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_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A, ___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_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A, ___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_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A, ___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_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A, ___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_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A, ___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_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A, ___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_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A, ___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_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A, ___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_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A, ___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_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A, ___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_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A, ___generationExtents_15)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_generationExtents_15() const { return ___generationExtents_15; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_generationExtents_15() { return &___generationExtents_15; }
inline void set_generationExtents_15(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___generationExtents_15 = value;
}
inline static int32_t get_offset_of_pivot_16() { return static_cast<int32_t>(offsetof(TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A, ___pivot_16)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_pivot_16() const { return ___pivot_16; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_pivot_16() { return &___pivot_16; }
inline void set_pivot_16(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___pivot_16 = value;
}
inline static int32_t get_offset_of_generateOutOfBounds_17() { return static_cast<int32_t>(offsetof(TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A, ___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;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.TextGenerationSettings
struct TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A_marshaled_pinvoke
{
Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9 * ___font_0;
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___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_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___generationExtents_15;
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___pivot_16;
int32_t ___generateOutOfBounds_17;
};
// Native definition for COM marshalling of UnityEngine.TextGenerationSettings
struct TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A_marshaled_com
{
Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9 * ___font_0;
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___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_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___generationExtents_15;
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___pivot_16;
int32_t ___generateOutOfBounds_17;
};
// UnityEngine.Texture
struct Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
struct Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE_StaticFields
{
public:
// System.Int32 UnityEngine.Texture::GenerateAllMips
int32_t ___GenerateAllMips_4;
public:
inline static int32_t get_offset_of_GenerateAllMips_4() { return static_cast<int32_t>(offsetof(Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE_StaticFields, ___GenerateAllMips_4)); }
inline int32_t get_GenerateAllMips_4() const { return ___GenerateAllMips_4; }
inline int32_t* get_address_of_GenerateAllMips_4() { return &___GenerateAllMips_4; }
inline void set_GenerateAllMips_4(int32_t value)
{
___GenerateAllMips_4 = value;
}
};
// UnityEngine.Experimental.Playables.TextureMixerPlayable
struct TextureMixerPlayable_tFB2B863C89A2EF9E78112907CE52AAA2E299F405
{
public:
// UnityEngine.Playables.PlayableHandle UnityEngine.Experimental.Playables.TextureMixerPlayable::m_Handle
PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(TextureMixerPlayable_tFB2B863C89A2EF9E78112907CE52AAA2E299F405, ___m_Handle_0)); }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A value)
{
___m_Handle_0 = value;
}
};
// UnityEngine.Experimental.Playables.TexturePlayableOutput
struct TexturePlayableOutput_t85F2BAEA947F492D052706E7C270DB1CA2EFB530
{
public:
// UnityEngine.Playables.PlayableOutputHandle UnityEngine.Experimental.Playables.TexturePlayableOutput::m_Handle
PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(TexturePlayableOutput_t85F2BAEA947F492D052706E7C270DB1CA2EFB530, ___m_Handle_0)); }
inline PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1 value)
{
___m_Handle_0 = value;
}
};
// System.Threading.Tasks.ThreadPoolTaskScheduler
struct ThreadPoolTaskScheduler_t92487E31A2D014A33A4AE9C1AC4AEDDD34F758AA : public TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D
{
public:
public:
};
struct ThreadPoolTaskScheduler_t92487E31A2D014A33A4AE9C1AC4AEDDD34F758AA_StaticFields
{
public:
// System.Threading.ParameterizedThreadStart System.Threading.Tasks.ThreadPoolTaskScheduler::s_longRunningThreadWork
ParameterizedThreadStart_t5C6FC428171B904D8547954B337B373083E89516 * ___s_longRunningThreadWork_6;
public:
inline static int32_t get_offset_of_s_longRunningThreadWork_6() { return static_cast<int32_t>(offsetof(ThreadPoolTaskScheduler_t92487E31A2D014A33A4AE9C1AC4AEDDD34F758AA_StaticFields, ___s_longRunningThreadWork_6)); }
inline ParameterizedThreadStart_t5C6FC428171B904D8547954B337B373083E89516 * get_s_longRunningThreadWork_6() const { return ___s_longRunningThreadWork_6; }
inline ParameterizedThreadStart_t5C6FC428171B904D8547954B337B373083E89516 ** get_address_of_s_longRunningThreadWork_6() { return &___s_longRunningThreadWork_6; }
inline void set_s_longRunningThreadWork_6(ParameterizedThreadStart_t5C6FC428171B904D8547954B337B373083E89516 * value)
{
___s_longRunningThreadWork_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_longRunningThreadWork_6), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.Extensions.TimeFormatter
struct TimeFormatter_t92A9A82213B9A480EDE6DD5B7AF1B6D42D8BD2FC : public FormatterBase_t9C41952D199D3C96A9F94A46395C8E387B42FC0C
{
public:
// UnityEngine.Localization.SmartFormat.Utilities.TimeSpanFormatOptions UnityEngine.Localization.SmartFormat.Extensions.TimeFormatter::m_DefaultFormatOptions
int32_t ___m_DefaultFormatOptions_1;
// System.String UnityEngine.Localization.SmartFormat.Extensions.TimeFormatter::m_DefaultTwoLetterIsoLanguageName
String_t* ___m_DefaultTwoLetterIsoLanguageName_2;
public:
inline static int32_t get_offset_of_m_DefaultFormatOptions_1() { return static_cast<int32_t>(offsetof(TimeFormatter_t92A9A82213B9A480EDE6DD5B7AF1B6D42D8BD2FC, ___m_DefaultFormatOptions_1)); }
inline int32_t get_m_DefaultFormatOptions_1() const { return ___m_DefaultFormatOptions_1; }
inline int32_t* get_address_of_m_DefaultFormatOptions_1() { return &___m_DefaultFormatOptions_1; }
inline void set_m_DefaultFormatOptions_1(int32_t value)
{
___m_DefaultFormatOptions_1 = value;
}
inline static int32_t get_offset_of_m_DefaultTwoLetterIsoLanguageName_2() { return static_cast<int32_t>(offsetof(TimeFormatter_t92A9A82213B9A480EDE6DD5B7AF1B6D42D8BD2FC, ___m_DefaultTwoLetterIsoLanguageName_2)); }
inline String_t* get_m_DefaultTwoLetterIsoLanguageName_2() const { return ___m_DefaultTwoLetterIsoLanguageName_2; }
inline String_t** get_address_of_m_DefaultTwoLetterIsoLanguageName_2() { return &___m_DefaultTwoLetterIsoLanguageName_2; }
inline void set_m_DefaultTwoLetterIsoLanguageName_2(String_t* value)
{
___m_DefaultTwoLetterIsoLanguageName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DefaultTwoLetterIsoLanguageName_2), (void*)value);
}
};
// System.ComponentModel.TimeSpanConverter
struct TimeSpanConverter_t5F2498D1A18C834B1F4B9E7A3CF59069D2B72D2E : public TypeConverter_t004F185B630F00F509F08BD8F8D82471867323B4
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.Utilities.TimeSpanUtility
struct TimeSpanUtility_t3903E6E2EE7425539C5603887372B7E17A19C016 : public RuntimeObject
{
public:
public:
};
struct TimeSpanUtility_t3903E6E2EE7425539C5603887372B7E17A19C016_StaticFields
{
public:
// UnityEngine.Localization.SmartFormat.Utilities.TimeSpanFormatOptions UnityEngine.Localization.SmartFormat.Utilities.TimeSpanUtility::<DefaultFormatOptions>k__BackingField
int32_t ___U3CDefaultFormatOptionsU3Ek__BackingField_4;
// UnityEngine.Localization.SmartFormat.Utilities.TimeSpanFormatOptions UnityEngine.Localization.SmartFormat.Utilities.TimeSpanUtility::<AbsoluteDefaults>k__BackingField
int32_t ___U3CAbsoluteDefaultsU3Ek__BackingField_5;
public:
inline static int32_t get_offset_of_U3CDefaultFormatOptionsU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(TimeSpanUtility_t3903E6E2EE7425539C5603887372B7E17A19C016_StaticFields, ___U3CDefaultFormatOptionsU3Ek__BackingField_4)); }
inline int32_t get_U3CDefaultFormatOptionsU3Ek__BackingField_4() const { return ___U3CDefaultFormatOptionsU3Ek__BackingField_4; }
inline int32_t* get_address_of_U3CDefaultFormatOptionsU3Ek__BackingField_4() { return &___U3CDefaultFormatOptionsU3Ek__BackingField_4; }
inline void set_U3CDefaultFormatOptionsU3Ek__BackingField_4(int32_t value)
{
___U3CDefaultFormatOptionsU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3CAbsoluteDefaultsU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(TimeSpanUtility_t3903E6E2EE7425539C5603887372B7E17A19C016_StaticFields, ___U3CAbsoluteDefaultsU3Ek__BackingField_5)); }
inline int32_t get_U3CAbsoluteDefaultsU3Ek__BackingField_5() const { return ___U3CAbsoluteDefaultsU3Ek__BackingField_5; }
inline int32_t* get_address_of_U3CAbsoluteDefaultsU3Ek__BackingField_5() { return &___U3CAbsoluteDefaultsU3Ek__BackingField_5; }
inline void set_U3CAbsoluteDefaultsU3Ek__BackingField_5(int32_t value)
{
___U3CAbsoluteDefaultsU3Ek__BackingField_5 = value;
}
};
// System.TimeZoneInfo
struct TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074 : public RuntimeObject
{
public:
// System.TimeSpan System.TimeZoneInfo::baseUtcOffset
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ___baseUtcOffset_0;
// System.String System.TimeZoneInfo::daylightDisplayName
String_t* ___daylightDisplayName_1;
// System.String System.TimeZoneInfo::displayName
String_t* ___displayName_2;
// System.String System.TimeZoneInfo::id
String_t* ___id_3;
// System.Collections.Generic.List`1<System.Collections.Generic.KeyValuePair`2<System.DateTime,System.TimeType>> System.TimeZoneInfo::transitions
List_1_t960AA958F641EF26613957B203B645E693F9430D * ___transitions_5;
// System.String System.TimeZoneInfo::standardDisplayName
String_t* ___standardDisplayName_7;
// System.Boolean System.TimeZoneInfo::supportsDaylightSavingTime
bool ___supportsDaylightSavingTime_8;
// System.TimeZoneInfo/AdjustmentRule[] System.TimeZoneInfo::adjustmentRules
AdjustmentRuleU5BU5D_t13A903FE644194C2CAF6698B6890B32A226FD19F* ___adjustmentRules_11;
public:
inline static int32_t get_offset_of_baseUtcOffset_0() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074, ___baseUtcOffset_0)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get_baseUtcOffset_0() const { return ___baseUtcOffset_0; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of_baseUtcOffset_0() { return &___baseUtcOffset_0; }
inline void set_baseUtcOffset_0(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
___baseUtcOffset_0 = value;
}
inline static int32_t get_offset_of_daylightDisplayName_1() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074, ___daylightDisplayName_1)); }
inline String_t* get_daylightDisplayName_1() const { return ___daylightDisplayName_1; }
inline String_t** get_address_of_daylightDisplayName_1() { return &___daylightDisplayName_1; }
inline void set_daylightDisplayName_1(String_t* value)
{
___daylightDisplayName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___daylightDisplayName_1), (void*)value);
}
inline static int32_t get_offset_of_displayName_2() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074, ___displayName_2)); }
inline String_t* get_displayName_2() const { return ___displayName_2; }
inline String_t** get_address_of_displayName_2() { return &___displayName_2; }
inline void set_displayName_2(String_t* value)
{
___displayName_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___displayName_2), (void*)value);
}
inline static int32_t get_offset_of_id_3() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074, ___id_3)); }
inline String_t* get_id_3() const { return ___id_3; }
inline String_t** get_address_of_id_3() { return &___id_3; }
inline void set_id_3(String_t* value)
{
___id_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___id_3), (void*)value);
}
inline static int32_t get_offset_of_transitions_5() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074, ___transitions_5)); }
inline List_1_t960AA958F641EF26613957B203B645E693F9430D * get_transitions_5() const { return ___transitions_5; }
inline List_1_t960AA958F641EF26613957B203B645E693F9430D ** get_address_of_transitions_5() { return &___transitions_5; }
inline void set_transitions_5(List_1_t960AA958F641EF26613957B203B645E693F9430D * value)
{
___transitions_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___transitions_5), (void*)value);
}
inline static int32_t get_offset_of_standardDisplayName_7() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074, ___standardDisplayName_7)); }
inline String_t* get_standardDisplayName_7() const { return ___standardDisplayName_7; }
inline String_t** get_address_of_standardDisplayName_7() { return &___standardDisplayName_7; }
inline void set_standardDisplayName_7(String_t* value)
{
___standardDisplayName_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___standardDisplayName_7), (void*)value);
}
inline static int32_t get_offset_of_supportsDaylightSavingTime_8() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074, ___supportsDaylightSavingTime_8)); }
inline bool get_supportsDaylightSavingTime_8() const { return ___supportsDaylightSavingTime_8; }
inline bool* get_address_of_supportsDaylightSavingTime_8() { return &___supportsDaylightSavingTime_8; }
inline void set_supportsDaylightSavingTime_8(bool value)
{
___supportsDaylightSavingTime_8 = value;
}
inline static int32_t get_offset_of_adjustmentRules_11() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074, ___adjustmentRules_11)); }
inline AdjustmentRuleU5BU5D_t13A903FE644194C2CAF6698B6890B32A226FD19F* get_adjustmentRules_11() const { return ___adjustmentRules_11; }
inline AdjustmentRuleU5BU5D_t13A903FE644194C2CAF6698B6890B32A226FD19F** get_address_of_adjustmentRules_11() { return &___adjustmentRules_11; }
inline void set_adjustmentRules_11(AdjustmentRuleU5BU5D_t13A903FE644194C2CAF6698B6890B32A226FD19F* value)
{
___adjustmentRules_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___adjustmentRules_11), (void*)value);
}
};
struct TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074_StaticFields
{
public:
// System.TimeZoneInfo System.TimeZoneInfo::local
TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074 * ___local_4;
// System.Boolean System.TimeZoneInfo::readlinkNotFound
bool ___readlinkNotFound_6;
// System.TimeZoneInfo System.TimeZoneInfo::utc
TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074 * ___utc_9;
// System.String System.TimeZoneInfo::timeZoneDirectory
String_t* ___timeZoneDirectory_10;
// Microsoft.Win32.RegistryKey System.TimeZoneInfo::timeZoneKey
RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * ___timeZoneKey_12;
// Microsoft.Win32.RegistryKey System.TimeZoneInfo::localZoneKey
RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * ___localZoneKey_13;
// System.Collections.ObjectModel.ReadOnlyCollection`1<System.TimeZoneInfo> System.TimeZoneInfo::systemTimeZones
ReadOnlyCollection_1_t52C38CE86D68A2D1C8C94E240170756F47476FB0 * ___systemTimeZones_14;
public:
inline static int32_t get_offset_of_local_4() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074_StaticFields, ___local_4)); }
inline TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074 * get_local_4() const { return ___local_4; }
inline TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074 ** get_address_of_local_4() { return &___local_4; }
inline void set_local_4(TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074 * value)
{
___local_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___local_4), (void*)value);
}
inline static int32_t get_offset_of_readlinkNotFound_6() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074_StaticFields, ___readlinkNotFound_6)); }
inline bool get_readlinkNotFound_6() const { return ___readlinkNotFound_6; }
inline bool* get_address_of_readlinkNotFound_6() { return &___readlinkNotFound_6; }
inline void set_readlinkNotFound_6(bool value)
{
___readlinkNotFound_6 = value;
}
inline static int32_t get_offset_of_utc_9() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074_StaticFields, ___utc_9)); }
inline TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074 * get_utc_9() const { return ___utc_9; }
inline TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074 ** get_address_of_utc_9() { return &___utc_9; }
inline void set_utc_9(TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074 * value)
{
___utc_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___utc_9), (void*)value);
}
inline static int32_t get_offset_of_timeZoneDirectory_10() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074_StaticFields, ___timeZoneDirectory_10)); }
inline String_t* get_timeZoneDirectory_10() const { return ___timeZoneDirectory_10; }
inline String_t** get_address_of_timeZoneDirectory_10() { return &___timeZoneDirectory_10; }
inline void set_timeZoneDirectory_10(String_t* value)
{
___timeZoneDirectory_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___timeZoneDirectory_10), (void*)value);
}
inline static int32_t get_offset_of_timeZoneKey_12() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074_StaticFields, ___timeZoneKey_12)); }
inline RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * get_timeZoneKey_12() const { return ___timeZoneKey_12; }
inline RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 ** get_address_of_timeZoneKey_12() { return &___timeZoneKey_12; }
inline void set_timeZoneKey_12(RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * value)
{
___timeZoneKey_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___timeZoneKey_12), (void*)value);
}
inline static int32_t get_offset_of_localZoneKey_13() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074_StaticFields, ___localZoneKey_13)); }
inline RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * get_localZoneKey_13() const { return ___localZoneKey_13; }
inline RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 ** get_address_of_localZoneKey_13() { return &___localZoneKey_13; }
inline void set_localZoneKey_13(RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268 * value)
{
___localZoneKey_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___localZoneKey_13), (void*)value);
}
inline static int32_t get_offset_of_systemTimeZones_14() { return static_cast<int32_t>(offsetof(TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074_StaticFields, ___systemTimeZones_14)); }
inline ReadOnlyCollection_1_t52C38CE86D68A2D1C8C94E240170756F47476FB0 * get_systemTimeZones_14() const { return ___systemTimeZones_14; }
inline ReadOnlyCollection_1_t52C38CE86D68A2D1C8C94E240170756F47476FB0 ** get_address_of_systemTimeZones_14() { return &___systemTimeZones_14; }
inline void set_systemTimeZones_14(ReadOnlyCollection_1_t52C38CE86D68A2D1C8C94E240170756F47476FB0 * value)
{
___systemTimeZones_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___systemTimeZones_14), (void*)value);
}
};
// System.TimeZoneNotFoundException
struct TimeZoneNotFoundException_t1BE9359C5D72A8E086561870FA8B1AF7C817EA62 : public Exception_t
{
public:
public:
};
// System.Threading.Timeout
struct Timeout_t1D83B13AB177AA6C3028AA49BDFBA6EE7E142050 : public RuntimeObject
{
public:
public:
};
struct Timeout_t1D83B13AB177AA6C3028AA49BDFBA6EE7E142050_StaticFields
{
public:
// System.TimeSpan System.Threading.Timeout::InfiniteTimeSpan
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ___InfiniteTimeSpan_0;
public:
inline static int32_t get_offset_of_InfiniteTimeSpan_0() { return static_cast<int32_t>(offsetof(Timeout_t1D83B13AB177AA6C3028AA49BDFBA6EE7E142050_StaticFields, ___InfiniteTimeSpan_0)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get_InfiniteTimeSpan_0() const { return ___InfiniteTimeSpan_0; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of_InfiniteTimeSpan_0() { return &___InfiniteTimeSpan_0; }
inline void set_InfiniteTimeSpan_0(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
___InfiniteTimeSpan_0 = value;
}
};
// System.Globalization.TokenHashValue
struct TokenHashValue_tB0AE1E936B85B34D296293DC063F53900B629BBE : public RuntimeObject
{
public:
// System.String System.Globalization.TokenHashValue::tokenString
String_t* ___tokenString_0;
// System.TokenType System.Globalization.TokenHashValue::tokenType
int32_t ___tokenType_1;
// System.Int32 System.Globalization.TokenHashValue::tokenValue
int32_t ___tokenValue_2;
public:
inline static int32_t get_offset_of_tokenString_0() { return static_cast<int32_t>(offsetof(TokenHashValue_tB0AE1E936B85B34D296293DC063F53900B629BBE, ___tokenString_0)); }
inline String_t* get_tokenString_0() const { return ___tokenString_0; }
inline String_t** get_address_of_tokenString_0() { return &___tokenString_0; }
inline void set_tokenString_0(String_t* value)
{
___tokenString_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___tokenString_0), (void*)value);
}
inline static int32_t get_offset_of_tokenType_1() { return static_cast<int32_t>(offsetof(TokenHashValue_tB0AE1E936B85B34D296293DC063F53900B629BBE, ___tokenType_1)); }
inline int32_t get_tokenType_1() const { return ___tokenType_1; }
inline int32_t* get_address_of_tokenType_1() { return &___tokenType_1; }
inline void set_tokenType_1(int32_t value)
{
___tokenType_1 = value;
}
inline static int32_t get_offset_of_tokenValue_2() { return static_cast<int32_t>(offsetof(TokenHashValue_tB0AE1E936B85B34D296293DC063F53900B629BBE, ___tokenValue_2)); }
inline int32_t get_tokenValue_2() const { return ___tokenValue_2; }
inline int32_t* get_address_of_tokenValue_2() { return &___tokenValue_2; }
inline void set_tokenValue_2(int32_t value)
{
___tokenValue_2 = value;
}
};
// UnityEngine.Touch
struct Touch_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C
{
public:
// System.Int32 UnityEngine.Touch::m_FingerId
int32_t ___m_FingerId_0;
// UnityEngine.Vector2 UnityEngine.Touch::m_Position
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_Position_1;
// UnityEngine.Vector2 UnityEngine.Touch::m_RawPosition
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_RawPosition_2;
// UnityEngine.Vector2 UnityEngine.Touch::m_PositionDelta
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___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_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C, ___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_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C, ___m_Position_1)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_Position_1() const { return ___m_Position_1; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_Position_1() { return &___m_Position_1; }
inline void set_m_Position_1(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_Position_1 = value;
}
inline static int32_t get_offset_of_m_RawPosition_2() { return static_cast<int32_t>(offsetof(Touch_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C, ___m_RawPosition_2)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_RawPosition_2() const { return ___m_RawPosition_2; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_RawPosition_2() { return &___m_RawPosition_2; }
inline void set_m_RawPosition_2(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_RawPosition_2 = value;
}
inline static int32_t get_offset_of_m_PositionDelta_3() { return static_cast<int32_t>(offsetof(Touch_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C, ___m_PositionDelta_3)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_PositionDelta_3() const { return ___m_PositionDelta_3; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_PositionDelta_3() { return &___m_PositionDelta_3; }
inline void set_m_PositionDelta_3(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_PositionDelta_3 = value;
}
inline static int32_t get_offset_of_m_TimeDelta_4() { return static_cast<int32_t>(offsetof(Touch_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C, ___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_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C, ___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_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C, ___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_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C, ___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_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C, ___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_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C, ___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_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C, ___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_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C, ___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_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C, ___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_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C, ___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;
}
};
// System.Type
struct Type_t : public MemberInfo_t
{
public:
// System.RuntimeTypeHandle System.Type::_impl
RuntimeTypeHandle_tC33965ADA3E041E0C94AF05E5CB527B56482CEF9 ____impl_9;
public:
inline static int32_t get_offset_of__impl_9() { return static_cast<int32_t>(offsetof(Type_t, ____impl_9)); }
inline RuntimeTypeHandle_tC33965ADA3E041E0C94AF05E5CB527B56482CEF9 get__impl_9() const { return ____impl_9; }
inline RuntimeTypeHandle_tC33965ADA3E041E0C94AF05E5CB527B56482CEF9 * get_address_of__impl_9() { return &____impl_9; }
inline void set__impl_9(RuntimeTypeHandle_tC33965ADA3E041E0C94AF05E5CB527B56482CEF9 value)
{
____impl_9 = value;
}
};
struct Type_t_StaticFields
{
public:
// System.Reflection.MemberFilter System.Type::FilterAttribute
MemberFilter_t48D0AA10105D186AF42428FA532D4B4332CF8B81 * ___FilterAttribute_0;
// System.Reflection.MemberFilter System.Type::FilterName
MemberFilter_t48D0AA10105D186AF42428FA532D4B4332CF8B81 * ___FilterName_1;
// System.Reflection.MemberFilter System.Type::FilterNameIgnoreCase
MemberFilter_t48D0AA10105D186AF42428FA532D4B4332CF8B81 * ___FilterNameIgnoreCase_2;
// System.Object System.Type::Missing
RuntimeObject * ___Missing_3;
// System.Char System.Type::Delimiter
Il2CppChar ___Delimiter_4;
// System.Type[] System.Type::EmptyTypes
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ___EmptyTypes_5;
// System.Reflection.Binder System.Type::defaultBinder
Binder_t2BEE27FD84737D1E79BC47FD67F6D3DD2F2DDA30 * ___defaultBinder_6;
public:
inline static int32_t get_offset_of_FilterAttribute_0() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___FilterAttribute_0)); }
inline MemberFilter_t48D0AA10105D186AF42428FA532D4B4332CF8B81 * get_FilterAttribute_0() const { return ___FilterAttribute_0; }
inline MemberFilter_t48D0AA10105D186AF42428FA532D4B4332CF8B81 ** get_address_of_FilterAttribute_0() { return &___FilterAttribute_0; }
inline void set_FilterAttribute_0(MemberFilter_t48D0AA10105D186AF42428FA532D4B4332CF8B81 * value)
{
___FilterAttribute_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___FilterAttribute_0), (void*)value);
}
inline static int32_t get_offset_of_FilterName_1() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___FilterName_1)); }
inline MemberFilter_t48D0AA10105D186AF42428FA532D4B4332CF8B81 * get_FilterName_1() const { return ___FilterName_1; }
inline MemberFilter_t48D0AA10105D186AF42428FA532D4B4332CF8B81 ** get_address_of_FilterName_1() { return &___FilterName_1; }
inline void set_FilterName_1(MemberFilter_t48D0AA10105D186AF42428FA532D4B4332CF8B81 * value)
{
___FilterName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___FilterName_1), (void*)value);
}
inline static int32_t get_offset_of_FilterNameIgnoreCase_2() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___FilterNameIgnoreCase_2)); }
inline MemberFilter_t48D0AA10105D186AF42428FA532D4B4332CF8B81 * get_FilterNameIgnoreCase_2() const { return ___FilterNameIgnoreCase_2; }
inline MemberFilter_t48D0AA10105D186AF42428FA532D4B4332CF8B81 ** get_address_of_FilterNameIgnoreCase_2() { return &___FilterNameIgnoreCase_2; }
inline void set_FilterNameIgnoreCase_2(MemberFilter_t48D0AA10105D186AF42428FA532D4B4332CF8B81 * value)
{
___FilterNameIgnoreCase_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___FilterNameIgnoreCase_2), (void*)value);
}
inline static int32_t get_offset_of_Missing_3() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___Missing_3)); }
inline RuntimeObject * get_Missing_3() const { return ___Missing_3; }
inline RuntimeObject ** get_address_of_Missing_3() { return &___Missing_3; }
inline void set_Missing_3(RuntimeObject * value)
{
___Missing_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Missing_3), (void*)value);
}
inline static int32_t get_offset_of_Delimiter_4() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___Delimiter_4)); }
inline Il2CppChar get_Delimiter_4() const { return ___Delimiter_4; }
inline Il2CppChar* get_address_of_Delimiter_4() { return &___Delimiter_4; }
inline void set_Delimiter_4(Il2CppChar value)
{
___Delimiter_4 = value;
}
inline static int32_t get_offset_of_EmptyTypes_5() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___EmptyTypes_5)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get_EmptyTypes_5() const { return ___EmptyTypes_5; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of_EmptyTypes_5() { return &___EmptyTypes_5; }
inline void set_EmptyTypes_5(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
___EmptyTypes_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___EmptyTypes_5), (void*)value);
}
inline static int32_t get_offset_of_defaultBinder_6() { return static_cast<int32_t>(offsetof(Type_t_StaticFields, ___defaultBinder_6)); }
inline Binder_t2BEE27FD84737D1E79BC47FD67F6D3DD2F2DDA30 * get_defaultBinder_6() const { return ___defaultBinder_6; }
inline Binder_t2BEE27FD84737D1E79BC47FD67F6D3DD2F2DDA30 ** get_address_of_defaultBinder_6() { return &___defaultBinder_6; }
inline void set_defaultBinder_6(Binder_t2BEE27FD84737D1E79BC47FD67F6D3DD2F2DDA30 * value)
{
___defaultBinder_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___defaultBinder_6), (void*)value);
}
};
// System.TypedReference
struct TypedReference_tE1755FC30D207D9552DE27539E907EE92C8C073A
{
public:
// System.RuntimeTypeHandle System.TypedReference::type
RuntimeTypeHandle_tC33965ADA3E041E0C94AF05E5CB527B56482CEF9 ___type_0;
// System.IntPtr System.TypedReference::Value
intptr_t ___Value_1;
// System.IntPtr System.TypedReference::Type
intptr_t ___Type_2;
public:
inline static int32_t get_offset_of_type_0() { return static_cast<int32_t>(offsetof(TypedReference_tE1755FC30D207D9552DE27539E907EE92C8C073A, ___type_0)); }
inline RuntimeTypeHandle_tC33965ADA3E041E0C94AF05E5CB527B56482CEF9 get_type_0() const { return ___type_0; }
inline RuntimeTypeHandle_tC33965ADA3E041E0C94AF05E5CB527B56482CEF9 * get_address_of_type_0() { return &___type_0; }
inline void set_type_0(RuntimeTypeHandle_tC33965ADA3E041E0C94AF05E5CB527B56482CEF9 value)
{
___type_0 = value;
}
inline static int32_t get_offset_of_Value_1() { return static_cast<int32_t>(offsetof(TypedReference_tE1755FC30D207D9552DE27539E907EE92C8C073A, ___Value_1)); }
inline intptr_t get_Value_1() const { return ___Value_1; }
inline intptr_t* get_address_of_Value_1() { return &___Value_1; }
inline void set_Value_1(intptr_t value)
{
___Value_1 = value;
}
inline static int32_t get_offset_of_Type_2() { return static_cast<int32_t>(offsetof(TypedReference_tE1755FC30D207D9552DE27539E907EE92C8C073A, ___Type_2)); }
inline intptr_t get_Type_2() const { return ___Type_2; }
inline intptr_t* get_address_of_Type_2() { return &___Type_2; }
inline void set_Type_2(intptr_t value)
{
___Type_2 = value;
}
};
// System.Linq.Expressions.UnaryExpression
struct UnaryExpression_t5DE6F6FA2216CDD34DFCFADEB0080CB29326DD62 : public Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660
{
public:
// System.Type System.Linq.Expressions.UnaryExpression::<Type>k__BackingField
Type_t * ___U3CTypeU3Ek__BackingField_3;
// System.Linq.Expressions.ExpressionType System.Linq.Expressions.UnaryExpression::<NodeType>k__BackingField
int32_t ___U3CNodeTypeU3Ek__BackingField_4;
// System.Linq.Expressions.Expression System.Linq.Expressions.UnaryExpression::<Operand>k__BackingField
Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * ___U3COperandU3Ek__BackingField_5;
// System.Reflection.MethodInfo System.Linq.Expressions.UnaryExpression::<Method>k__BackingField
MethodInfo_t * ___U3CMethodU3Ek__BackingField_6;
public:
inline static int32_t get_offset_of_U3CTypeU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(UnaryExpression_t5DE6F6FA2216CDD34DFCFADEB0080CB29326DD62, ___U3CTypeU3Ek__BackingField_3)); }
inline Type_t * get_U3CTypeU3Ek__BackingField_3() const { return ___U3CTypeU3Ek__BackingField_3; }
inline Type_t ** get_address_of_U3CTypeU3Ek__BackingField_3() { return &___U3CTypeU3Ek__BackingField_3; }
inline void set_U3CTypeU3Ek__BackingField_3(Type_t * value)
{
___U3CTypeU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CTypeU3Ek__BackingField_3), (void*)value);
}
inline static int32_t get_offset_of_U3CNodeTypeU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(UnaryExpression_t5DE6F6FA2216CDD34DFCFADEB0080CB29326DD62, ___U3CNodeTypeU3Ek__BackingField_4)); }
inline int32_t get_U3CNodeTypeU3Ek__BackingField_4() const { return ___U3CNodeTypeU3Ek__BackingField_4; }
inline int32_t* get_address_of_U3CNodeTypeU3Ek__BackingField_4() { return &___U3CNodeTypeU3Ek__BackingField_4; }
inline void set_U3CNodeTypeU3Ek__BackingField_4(int32_t value)
{
___U3CNodeTypeU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3COperandU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(UnaryExpression_t5DE6F6FA2216CDD34DFCFADEB0080CB29326DD62, ___U3COperandU3Ek__BackingField_5)); }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * get_U3COperandU3Ek__BackingField_5() const { return ___U3COperandU3Ek__BackingField_5; }
inline Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 ** get_address_of_U3COperandU3Ek__BackingField_5() { return &___U3COperandU3Ek__BackingField_5; }
inline void set_U3COperandU3Ek__BackingField_5(Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660 * value)
{
___U3COperandU3Ek__BackingField_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3COperandU3Ek__BackingField_5), (void*)value);
}
inline static int32_t get_offset_of_U3CMethodU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(UnaryExpression_t5DE6F6FA2216CDD34DFCFADEB0080CB29326DD62, ___U3CMethodU3Ek__BackingField_6)); }
inline MethodInfo_t * get_U3CMethodU3Ek__BackingField_6() const { return ___U3CMethodU3Ek__BackingField_6; }
inline MethodInfo_t ** get_address_of_U3CMethodU3Ek__BackingField_6() { return &___U3CMethodU3Ek__BackingField_6; }
inline void set_U3CMethodU3Ek__BackingField_6(MethodInfo_t * value)
{
___U3CMethodU3Ek__BackingField_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CMethodU3Ek__BackingField_6), (void*)value);
}
};
// System.IO.UnexceptionalStreamReader
struct UnexceptionalStreamReader_tF156423F6B6C03B87A99DD979FB9CDFE17F821C8 : public StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3
{
public:
public:
};
struct UnexceptionalStreamReader_tF156423F6B6C03B87A99DD979FB9CDFE17F821C8_StaticFields
{
public:
// System.Boolean[] System.IO.UnexceptionalStreamReader::newline
BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C* ___newline_21;
// System.Char System.IO.UnexceptionalStreamReader::newlineChar
Il2CppChar ___newlineChar_22;
public:
inline static int32_t get_offset_of_newline_21() { return static_cast<int32_t>(offsetof(UnexceptionalStreamReader_tF156423F6B6C03B87A99DD979FB9CDFE17F821C8_StaticFields, ___newline_21)); }
inline BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C* get_newline_21() const { return ___newline_21; }
inline BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C** get_address_of_newline_21() { return &___newline_21; }
inline void set_newline_21(BooleanU5BU5D_tEC7BAF93C44F875016DAADC8696EE3A465644D3C* value)
{
___newline_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___newline_21), (void*)value);
}
inline static int32_t get_offset_of_newlineChar_22() { return static_cast<int32_t>(offsetof(UnexceptionalStreamReader_tF156423F6B6C03B87A99DD979FB9CDFE17F821C8_StaticFields, ___newlineChar_22)); }
inline Il2CppChar get_newlineChar_22() const { return ___newlineChar_22; }
inline Il2CppChar* get_address_of_newlineChar_22() { return &___newlineChar_22; }
inline void set_newlineChar_22(Il2CppChar value)
{
___newlineChar_22 = value;
}
};
// System.IO.UnexceptionalStreamWriter
struct UnexceptionalStreamWriter_t847BB3872B614E15F61004E6BE9256846A326747 : public StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6
{
public:
public:
};
// UnityEngine.UnityException
struct UnityException_t5BD9575D9E8FC894770E16640BBC9C2A3DF40101 : public Exception_t
{
public:
public:
};
// UnityEngine.Networking.UnityWebRequest
struct UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E : public RuntimeObject
{
public:
// System.IntPtr UnityEngine.Networking.UnityWebRequest::m_Ptr
intptr_t ___m_Ptr_0;
// UnityEngine.Networking.DownloadHandler UnityEngine.Networking.UnityWebRequest::m_DownloadHandler
DownloadHandler_tEEAE0DD53DB497C8A491C4F7B7A14C3CA027B1DB * ___m_DownloadHandler_1;
// UnityEngine.Networking.UploadHandler UnityEngine.Networking.UnityWebRequest::m_UploadHandler
UploadHandler_t5F80A2A6874D4D330751BE3524009C21C9B74BDA * ___m_UploadHandler_2;
// UnityEngine.Networking.CertificateHandler UnityEngine.Networking.UnityWebRequest::m_CertificateHandler
CertificateHandler_tDA66C86D1302CE4266DBB078361F7A363C7B005E * ___m_CertificateHandler_3;
// System.Uri UnityEngine.Networking.UnityWebRequest::m_Uri
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612 * ___m_Uri_4;
// System.Boolean UnityEngine.Networking.UnityWebRequest::<disposeCertificateHandlerOnDispose>k__BackingField
bool ___U3CdisposeCertificateHandlerOnDisposeU3Ek__BackingField_5;
// System.Boolean UnityEngine.Networking.UnityWebRequest::<disposeDownloadHandlerOnDispose>k__BackingField
bool ___U3CdisposeDownloadHandlerOnDisposeU3Ek__BackingField_6;
// System.Boolean UnityEngine.Networking.UnityWebRequest::<disposeUploadHandlerOnDispose>k__BackingField
bool ___U3CdisposeUploadHandlerOnDisposeU3Ek__BackingField_7;
public:
inline static int32_t get_offset_of_m_Ptr_0() { return static_cast<int32_t>(offsetof(UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E, ___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_DownloadHandler_1() { return static_cast<int32_t>(offsetof(UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E, ___m_DownloadHandler_1)); }
inline DownloadHandler_tEEAE0DD53DB497C8A491C4F7B7A14C3CA027B1DB * get_m_DownloadHandler_1() const { return ___m_DownloadHandler_1; }
inline DownloadHandler_tEEAE0DD53DB497C8A491C4F7B7A14C3CA027B1DB ** get_address_of_m_DownloadHandler_1() { return &___m_DownloadHandler_1; }
inline void set_m_DownloadHandler_1(DownloadHandler_tEEAE0DD53DB497C8A491C4F7B7A14C3CA027B1DB * value)
{
___m_DownloadHandler_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DownloadHandler_1), (void*)value);
}
inline static int32_t get_offset_of_m_UploadHandler_2() { return static_cast<int32_t>(offsetof(UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E, ___m_UploadHandler_2)); }
inline UploadHandler_t5F80A2A6874D4D330751BE3524009C21C9B74BDA * get_m_UploadHandler_2() const { return ___m_UploadHandler_2; }
inline UploadHandler_t5F80A2A6874D4D330751BE3524009C21C9B74BDA ** get_address_of_m_UploadHandler_2() { return &___m_UploadHandler_2; }
inline void set_m_UploadHandler_2(UploadHandler_t5F80A2A6874D4D330751BE3524009C21C9B74BDA * value)
{
___m_UploadHandler_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UploadHandler_2), (void*)value);
}
inline static int32_t get_offset_of_m_CertificateHandler_3() { return static_cast<int32_t>(offsetof(UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E, ___m_CertificateHandler_3)); }
inline CertificateHandler_tDA66C86D1302CE4266DBB078361F7A363C7B005E * get_m_CertificateHandler_3() const { return ___m_CertificateHandler_3; }
inline CertificateHandler_tDA66C86D1302CE4266DBB078361F7A363C7B005E ** get_address_of_m_CertificateHandler_3() { return &___m_CertificateHandler_3; }
inline void set_m_CertificateHandler_3(CertificateHandler_tDA66C86D1302CE4266DBB078361F7A363C7B005E * value)
{
___m_CertificateHandler_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CertificateHandler_3), (void*)value);
}
inline static int32_t get_offset_of_m_Uri_4() { return static_cast<int32_t>(offsetof(UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E, ___m_Uri_4)); }
inline Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612 * get_m_Uri_4() const { return ___m_Uri_4; }
inline Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612 ** get_address_of_m_Uri_4() { return &___m_Uri_4; }
inline void set_m_Uri_4(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612 * value)
{
___m_Uri_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Uri_4), (void*)value);
}
inline static int32_t get_offset_of_U3CdisposeCertificateHandlerOnDisposeU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E, ___U3CdisposeCertificateHandlerOnDisposeU3Ek__BackingField_5)); }
inline bool get_U3CdisposeCertificateHandlerOnDisposeU3Ek__BackingField_5() const { return ___U3CdisposeCertificateHandlerOnDisposeU3Ek__BackingField_5; }
inline bool* get_address_of_U3CdisposeCertificateHandlerOnDisposeU3Ek__BackingField_5() { return &___U3CdisposeCertificateHandlerOnDisposeU3Ek__BackingField_5; }
inline void set_U3CdisposeCertificateHandlerOnDisposeU3Ek__BackingField_5(bool value)
{
___U3CdisposeCertificateHandlerOnDisposeU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CdisposeDownloadHandlerOnDisposeU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E, ___U3CdisposeDownloadHandlerOnDisposeU3Ek__BackingField_6)); }
inline bool get_U3CdisposeDownloadHandlerOnDisposeU3Ek__BackingField_6() const { return ___U3CdisposeDownloadHandlerOnDisposeU3Ek__BackingField_6; }
inline bool* get_address_of_U3CdisposeDownloadHandlerOnDisposeU3Ek__BackingField_6() { return &___U3CdisposeDownloadHandlerOnDisposeU3Ek__BackingField_6; }
inline void set_U3CdisposeDownloadHandlerOnDisposeU3Ek__BackingField_6(bool value)
{
___U3CdisposeDownloadHandlerOnDisposeU3Ek__BackingField_6 = value;
}
inline static int32_t get_offset_of_U3CdisposeUploadHandlerOnDisposeU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E, ___U3CdisposeUploadHandlerOnDisposeU3Ek__BackingField_7)); }
inline bool get_U3CdisposeUploadHandlerOnDisposeU3Ek__BackingField_7() const { return ___U3CdisposeUploadHandlerOnDisposeU3Ek__BackingField_7; }
inline bool* get_address_of_U3CdisposeUploadHandlerOnDisposeU3Ek__BackingField_7() { return &___U3CdisposeUploadHandlerOnDisposeU3Ek__BackingField_7; }
inline void set_U3CdisposeUploadHandlerOnDisposeU3Ek__BackingField_7(bool value)
{
___U3CdisposeUploadHandlerOnDisposeU3Ek__BackingField_7 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Networking.UnityWebRequest
struct UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E_marshaled_pinvoke
{
intptr_t ___m_Ptr_0;
DownloadHandler_tEEAE0DD53DB497C8A491C4F7B7A14C3CA027B1DB_marshaled_pinvoke ___m_DownloadHandler_1;
UploadHandler_t5F80A2A6874D4D330751BE3524009C21C9B74BDA_marshaled_pinvoke ___m_UploadHandler_2;
CertificateHandler_tDA66C86D1302CE4266DBB078361F7A363C7B005E_marshaled_pinvoke ___m_CertificateHandler_3;
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612 * ___m_Uri_4;
int32_t ___U3CdisposeCertificateHandlerOnDisposeU3Ek__BackingField_5;
int32_t ___U3CdisposeDownloadHandlerOnDisposeU3Ek__BackingField_6;
int32_t ___U3CdisposeUploadHandlerOnDisposeU3Ek__BackingField_7;
};
// Native definition for COM marshalling of UnityEngine.Networking.UnityWebRequest
struct UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E_marshaled_com
{
intptr_t ___m_Ptr_0;
DownloadHandler_tEEAE0DD53DB497C8A491C4F7B7A14C3CA027B1DB_marshaled_com* ___m_DownloadHandler_1;
UploadHandler_t5F80A2A6874D4D330751BE3524009C21C9B74BDA_marshaled_com* ___m_UploadHandler_2;
CertificateHandler_tDA66C86D1302CE4266DBB078361F7A363C7B005E_marshaled_com* ___m_CertificateHandler_3;
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612 * ___m_Uri_4;
int32_t ___U3CdisposeCertificateHandlerOnDisposeU3Ek__BackingField_5;
int32_t ___U3CdisposeDownloadHandlerOnDisposeU3Ek__BackingField_6;
int32_t ___U3CdisposeUploadHandlerOnDisposeU3Ek__BackingField_7;
};
// UnityEngine.Networking.UnityWebRequestAsyncOperation
struct UnityWebRequestAsyncOperation_tDCAC6B6C7D51563F8DFD4963E3BE362470125396 : public AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86
{
public:
// UnityEngine.Networking.UnityWebRequest UnityEngine.Networking.UnityWebRequestAsyncOperation::<webRequest>k__BackingField
UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E * ___U3CwebRequestU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CwebRequestU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(UnityWebRequestAsyncOperation_tDCAC6B6C7D51563F8DFD4963E3BE362470125396, ___U3CwebRequestU3Ek__BackingField_2)); }
inline UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E * get_U3CwebRequestU3Ek__BackingField_2() const { return ___U3CwebRequestU3Ek__BackingField_2; }
inline UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E ** get_address_of_U3CwebRequestU3Ek__BackingField_2() { return &___U3CwebRequestU3Ek__BackingField_2; }
inline void set_U3CwebRequestU3Ek__BackingField_2(UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E * value)
{
___U3CwebRequestU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CwebRequestU3Ek__BackingField_2), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Networking.UnityWebRequestAsyncOperation
struct UnityWebRequestAsyncOperation_tDCAC6B6C7D51563F8DFD4963E3BE362470125396_marshaled_pinvoke : public AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86_marshaled_pinvoke
{
UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E_marshaled_pinvoke* ___U3CwebRequestU3Ek__BackingField_2;
};
// Native definition for COM marshalling of UnityEngine.Networking.UnityWebRequestAsyncOperation
struct UnityWebRequestAsyncOperation_tDCAC6B6C7D51563F8DFD4963E3BE362470125396_marshaled_com : public AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86_marshaled_com
{
UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E_marshaled_com* ___U3CwebRequestU3Ek__BackingField_2;
};
// UnityEngine.ResourceManagement.Util.UnityWebRequestResult
struct UnityWebRequestResult_t100F520A4720C5527F6534B751FACE43DBB20BA9 : public RuntimeObject
{
public:
// System.String UnityEngine.ResourceManagement.Util.UnityWebRequestResult::<Error>k__BackingField
String_t* ___U3CErrorU3Ek__BackingField_0;
// System.Int64 UnityEngine.ResourceManagement.Util.UnityWebRequestResult::<ResponseCode>k__BackingField
int64_t ___U3CResponseCodeU3Ek__BackingField_1;
// UnityEngine.Networking.UnityWebRequest/Result UnityEngine.ResourceManagement.Util.UnityWebRequestResult::<Result>k__BackingField
int32_t ___U3CResultU3Ek__BackingField_2;
// System.String UnityEngine.ResourceManagement.Util.UnityWebRequestResult::<Method>k__BackingField
String_t* ___U3CMethodU3Ek__BackingField_3;
// System.String UnityEngine.ResourceManagement.Util.UnityWebRequestResult::<Url>k__BackingField
String_t* ___U3CUrlU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CErrorU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(UnityWebRequestResult_t100F520A4720C5527F6534B751FACE43DBB20BA9, ___U3CErrorU3Ek__BackingField_0)); }
inline String_t* get_U3CErrorU3Ek__BackingField_0() const { return ___U3CErrorU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CErrorU3Ek__BackingField_0() { return &___U3CErrorU3Ek__BackingField_0; }
inline void set_U3CErrorU3Ek__BackingField_0(String_t* value)
{
___U3CErrorU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CErrorU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CResponseCodeU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(UnityWebRequestResult_t100F520A4720C5527F6534B751FACE43DBB20BA9, ___U3CResponseCodeU3Ek__BackingField_1)); }
inline int64_t get_U3CResponseCodeU3Ek__BackingField_1() const { return ___U3CResponseCodeU3Ek__BackingField_1; }
inline int64_t* get_address_of_U3CResponseCodeU3Ek__BackingField_1() { return &___U3CResponseCodeU3Ek__BackingField_1; }
inline void set_U3CResponseCodeU3Ek__BackingField_1(int64_t value)
{
___U3CResponseCodeU3Ek__BackingField_1 = value;
}
inline static int32_t get_offset_of_U3CResultU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(UnityWebRequestResult_t100F520A4720C5527F6534B751FACE43DBB20BA9, ___U3CResultU3Ek__BackingField_2)); }
inline int32_t get_U3CResultU3Ek__BackingField_2() const { return ___U3CResultU3Ek__BackingField_2; }
inline int32_t* get_address_of_U3CResultU3Ek__BackingField_2() { return &___U3CResultU3Ek__BackingField_2; }
inline void set_U3CResultU3Ek__BackingField_2(int32_t value)
{
___U3CResultU3Ek__BackingField_2 = value;
}
inline static int32_t get_offset_of_U3CMethodU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(UnityWebRequestResult_t100F520A4720C5527F6534B751FACE43DBB20BA9, ___U3CMethodU3Ek__BackingField_3)); }
inline String_t* get_U3CMethodU3Ek__BackingField_3() const { return ___U3CMethodU3Ek__BackingField_3; }
inline String_t** get_address_of_U3CMethodU3Ek__BackingField_3() { return &___U3CMethodU3Ek__BackingField_3; }
inline void set_U3CMethodU3Ek__BackingField_3(String_t* value)
{
___U3CMethodU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CMethodU3Ek__BackingField_3), (void*)value);
}
inline static int32_t get_offset_of_U3CUrlU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(UnityWebRequestResult_t100F520A4720C5527F6534B751FACE43DBB20BA9, ___U3CUrlU3Ek__BackingField_4)); }
inline String_t* get_U3CUrlU3Ek__BackingField_4() const { return ___U3CUrlU3Ek__BackingField_4; }
inline String_t** get_address_of_U3CUrlU3Ek__BackingField_4() { return &___U3CUrlU3Ek__BackingField_4; }
inline void set_U3CUrlU3Ek__BackingField_4(String_t* value)
{
___U3CUrlU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CUrlU3Ek__BackingField_4), (void*)value);
}
};
// System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute
struct UnmanagedFunctionPointerAttribute_t3361C55E19F9905230FD9C1691B0FE0FD341B43F : public Attribute_t037CA9D9F3B742C063DB364D2EEBBF9FC5772C71
{
public:
// System.Runtime.InteropServices.CallingConvention System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute::m_callingConvention
int32_t ___m_callingConvention_0;
// System.Runtime.InteropServices.CharSet System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute::CharSet
int32_t ___CharSet_1;
// System.Boolean System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute::BestFitMapping
bool ___BestFitMapping_2;
// System.Boolean System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute::ThrowOnUnmappableChar
bool ___ThrowOnUnmappableChar_3;
// System.Boolean System.Runtime.InteropServices.UnmanagedFunctionPointerAttribute::SetLastError
bool ___SetLastError_4;
public:
inline static int32_t get_offset_of_m_callingConvention_0() { return static_cast<int32_t>(offsetof(UnmanagedFunctionPointerAttribute_t3361C55E19F9905230FD9C1691B0FE0FD341B43F, ___m_callingConvention_0)); }
inline int32_t get_m_callingConvention_0() const { return ___m_callingConvention_0; }
inline int32_t* get_address_of_m_callingConvention_0() { return &___m_callingConvention_0; }
inline void set_m_callingConvention_0(int32_t value)
{
___m_callingConvention_0 = value;
}
inline static int32_t get_offset_of_CharSet_1() { return static_cast<int32_t>(offsetof(UnmanagedFunctionPointerAttribute_t3361C55E19F9905230FD9C1691B0FE0FD341B43F, ___CharSet_1)); }
inline int32_t get_CharSet_1() const { return ___CharSet_1; }
inline int32_t* get_address_of_CharSet_1() { return &___CharSet_1; }
inline void set_CharSet_1(int32_t value)
{
___CharSet_1 = value;
}
inline static int32_t get_offset_of_BestFitMapping_2() { return static_cast<int32_t>(offsetof(UnmanagedFunctionPointerAttribute_t3361C55E19F9905230FD9C1691B0FE0FD341B43F, ___BestFitMapping_2)); }
inline bool get_BestFitMapping_2() const { return ___BestFitMapping_2; }
inline bool* get_address_of_BestFitMapping_2() { return &___BestFitMapping_2; }
inline void set_BestFitMapping_2(bool value)
{
___BestFitMapping_2 = value;
}
inline static int32_t get_offset_of_ThrowOnUnmappableChar_3() { return static_cast<int32_t>(offsetof(UnmanagedFunctionPointerAttribute_t3361C55E19F9905230FD9C1691B0FE0FD341B43F, ___ThrowOnUnmappableChar_3)); }
inline bool get_ThrowOnUnmappableChar_3() const { return ___ThrowOnUnmappableChar_3; }
inline bool* get_address_of_ThrowOnUnmappableChar_3() { return &___ThrowOnUnmappableChar_3; }
inline void set_ThrowOnUnmappableChar_3(bool value)
{
___ThrowOnUnmappableChar_3 = value;
}
inline static int32_t get_offset_of_SetLastError_4() { return static_cast<int32_t>(offsetof(UnmanagedFunctionPointerAttribute_t3361C55E19F9905230FD9C1691B0FE0FD341B43F, ___SetLastError_4)); }
inline bool get_SetLastError_4() const { return ___SetLastError_4; }
inline bool* get_address_of_SetLastError_4() { return &___SetLastError_4; }
inline void set_SetLastError_4(bool value)
{
___SetLastError_4 = value;
}
};
// System.IO.UnmanagedMemoryStream
struct UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62 : public Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB
{
public:
// System.Runtime.InteropServices.SafeBuffer System.IO.UnmanagedMemoryStream::_buffer
SafeBuffer_tABA0D0B754FCCF3625CD905D535296E353C630D2 * ____buffer_4;
// System.Byte* System.IO.UnmanagedMemoryStream::_mem
uint8_t* ____mem_5;
// System.Int64 System.IO.UnmanagedMemoryStream::_length
int64_t ____length_6;
// System.Int64 System.IO.UnmanagedMemoryStream::_capacity
int64_t ____capacity_7;
// System.Int64 System.IO.UnmanagedMemoryStream::_position
int64_t ____position_8;
// System.Int64 System.IO.UnmanagedMemoryStream::_offset
int64_t ____offset_9;
// System.IO.FileAccess System.IO.UnmanagedMemoryStream::_access
int32_t ____access_10;
// System.Boolean System.IO.UnmanagedMemoryStream::_isOpen
bool ____isOpen_11;
public:
inline static int32_t get_offset_of__buffer_4() { return static_cast<int32_t>(offsetof(UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62, ____buffer_4)); }
inline SafeBuffer_tABA0D0B754FCCF3625CD905D535296E353C630D2 * get__buffer_4() const { return ____buffer_4; }
inline SafeBuffer_tABA0D0B754FCCF3625CD905D535296E353C630D2 ** get_address_of__buffer_4() { return &____buffer_4; }
inline void set__buffer_4(SafeBuffer_tABA0D0B754FCCF3625CD905D535296E353C630D2 * value)
{
____buffer_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&____buffer_4), (void*)value);
}
inline static int32_t get_offset_of__mem_5() { return static_cast<int32_t>(offsetof(UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62, ____mem_5)); }
inline uint8_t* get__mem_5() const { return ____mem_5; }
inline uint8_t** get_address_of__mem_5() { return &____mem_5; }
inline void set__mem_5(uint8_t* value)
{
____mem_5 = value;
}
inline static int32_t get_offset_of__length_6() { return static_cast<int32_t>(offsetof(UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62, ____length_6)); }
inline int64_t get__length_6() const { return ____length_6; }
inline int64_t* get_address_of__length_6() { return &____length_6; }
inline void set__length_6(int64_t value)
{
____length_6 = value;
}
inline static int32_t get_offset_of__capacity_7() { return static_cast<int32_t>(offsetof(UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62, ____capacity_7)); }
inline int64_t get__capacity_7() const { return ____capacity_7; }
inline int64_t* get_address_of__capacity_7() { return &____capacity_7; }
inline void set__capacity_7(int64_t value)
{
____capacity_7 = value;
}
inline static int32_t get_offset_of__position_8() { return static_cast<int32_t>(offsetof(UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62, ____position_8)); }
inline int64_t get__position_8() const { return ____position_8; }
inline int64_t* get_address_of__position_8() { return &____position_8; }
inline void set__position_8(int64_t value)
{
____position_8 = value;
}
inline static int32_t get_offset_of__offset_9() { return static_cast<int32_t>(offsetof(UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62, ____offset_9)); }
inline int64_t get__offset_9() const { return ____offset_9; }
inline int64_t* get_address_of__offset_9() { return &____offset_9; }
inline void set__offset_9(int64_t value)
{
____offset_9 = value;
}
inline static int32_t get_offset_of__access_10() { return static_cast<int32_t>(offsetof(UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62, ____access_10)); }
inline int32_t get__access_10() const { return ____access_10; }
inline int32_t* get_address_of__access_10() { return &____access_10; }
inline void set__access_10(int32_t value)
{
____access_10 = value;
}
inline static int32_t get_offset_of__isOpen_11() { return static_cast<int32_t>(offsetof(UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62, ____isOpen_11)); }
inline bool get__isOpen_11() const { return ____isOpen_11; }
inline bool* get_address_of__isOpen_11() { return &____isOpen_11; }
inline void set__isOpen_11(bool value)
{
____isOpen_11 = value;
}
};
// System.Uri
struct Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612 : public RuntimeObject
{
public:
// System.String System.Uri::m_String
String_t* ___m_String_13;
// System.String System.Uri::m_originalUnicodeString
String_t* ___m_originalUnicodeString_14;
// System.UriParser System.Uri::m_Syntax
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * ___m_Syntax_15;
// System.String System.Uri::m_DnsSafeHost
String_t* ___m_DnsSafeHost_16;
// System.Uri/Flags System.Uri::m_Flags
uint64_t ___m_Flags_17;
// System.Uri/UriInfo System.Uri::m_Info
UriInfo_tCB2302A896132D1F70E47C3895FAB9A0F2A6EE45 * ___m_Info_18;
// System.Boolean System.Uri::m_iriParsing
bool ___m_iriParsing_19;
public:
inline static int32_t get_offset_of_m_String_13() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612, ___m_String_13)); }
inline String_t* get_m_String_13() const { return ___m_String_13; }
inline String_t** get_address_of_m_String_13() { return &___m_String_13; }
inline void set_m_String_13(String_t* value)
{
___m_String_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_String_13), (void*)value);
}
inline static int32_t get_offset_of_m_originalUnicodeString_14() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612, ___m_originalUnicodeString_14)); }
inline String_t* get_m_originalUnicodeString_14() const { return ___m_originalUnicodeString_14; }
inline String_t** get_address_of_m_originalUnicodeString_14() { return &___m_originalUnicodeString_14; }
inline void set_m_originalUnicodeString_14(String_t* value)
{
___m_originalUnicodeString_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_originalUnicodeString_14), (void*)value);
}
inline static int32_t get_offset_of_m_Syntax_15() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612, ___m_Syntax_15)); }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * get_m_Syntax_15() const { return ___m_Syntax_15; }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A ** get_address_of_m_Syntax_15() { return &___m_Syntax_15; }
inline void set_m_Syntax_15(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * value)
{
___m_Syntax_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Syntax_15), (void*)value);
}
inline static int32_t get_offset_of_m_DnsSafeHost_16() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612, ___m_DnsSafeHost_16)); }
inline String_t* get_m_DnsSafeHost_16() const { return ___m_DnsSafeHost_16; }
inline String_t** get_address_of_m_DnsSafeHost_16() { return &___m_DnsSafeHost_16; }
inline void set_m_DnsSafeHost_16(String_t* value)
{
___m_DnsSafeHost_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DnsSafeHost_16), (void*)value);
}
inline static int32_t get_offset_of_m_Flags_17() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612, ___m_Flags_17)); }
inline uint64_t get_m_Flags_17() const { return ___m_Flags_17; }
inline uint64_t* get_address_of_m_Flags_17() { return &___m_Flags_17; }
inline void set_m_Flags_17(uint64_t value)
{
___m_Flags_17 = value;
}
inline static int32_t get_offset_of_m_Info_18() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612, ___m_Info_18)); }
inline UriInfo_tCB2302A896132D1F70E47C3895FAB9A0F2A6EE45 * get_m_Info_18() const { return ___m_Info_18; }
inline UriInfo_tCB2302A896132D1F70E47C3895FAB9A0F2A6EE45 ** get_address_of_m_Info_18() { return &___m_Info_18; }
inline void set_m_Info_18(UriInfo_tCB2302A896132D1F70E47C3895FAB9A0F2A6EE45 * value)
{
___m_Info_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Info_18), (void*)value);
}
inline static int32_t get_offset_of_m_iriParsing_19() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612, ___m_iriParsing_19)); }
inline bool get_m_iriParsing_19() const { return ___m_iriParsing_19; }
inline bool* get_address_of_m_iriParsing_19() { return &___m_iriParsing_19; }
inline void set_m_iriParsing_19(bool value)
{
___m_iriParsing_19 = value;
}
};
struct Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields
{
public:
// System.String System.Uri::UriSchemeFile
String_t* ___UriSchemeFile_0;
// System.String System.Uri::UriSchemeFtp
String_t* ___UriSchemeFtp_1;
// System.String System.Uri::UriSchemeGopher
String_t* ___UriSchemeGopher_2;
// System.String System.Uri::UriSchemeHttp
String_t* ___UriSchemeHttp_3;
// System.String System.Uri::UriSchemeHttps
String_t* ___UriSchemeHttps_4;
// System.String System.Uri::UriSchemeWs
String_t* ___UriSchemeWs_5;
// System.String System.Uri::UriSchemeWss
String_t* ___UriSchemeWss_6;
// System.String System.Uri::UriSchemeMailto
String_t* ___UriSchemeMailto_7;
// System.String System.Uri::UriSchemeNews
String_t* ___UriSchemeNews_8;
// System.String System.Uri::UriSchemeNntp
String_t* ___UriSchemeNntp_9;
// System.String System.Uri::UriSchemeNetTcp
String_t* ___UriSchemeNetTcp_10;
// System.String System.Uri::UriSchemeNetPipe
String_t* ___UriSchemeNetPipe_11;
// System.String System.Uri::SchemeDelimiter
String_t* ___SchemeDelimiter_12;
// System.Boolean modreq(System.Runtime.CompilerServices.IsVolatile) System.Uri::s_ConfigInitialized
bool ___s_ConfigInitialized_20;
// System.Boolean modreq(System.Runtime.CompilerServices.IsVolatile) System.Uri::s_ConfigInitializing
bool ___s_ConfigInitializing_21;
// System.UriIdnScope modreq(System.Runtime.CompilerServices.IsVolatile) System.Uri::s_IdnScope
int32_t ___s_IdnScope_22;
// System.Boolean modreq(System.Runtime.CompilerServices.IsVolatile) System.Uri::s_IriParsing
bool ___s_IriParsing_23;
// System.Boolean System.Uri::useDotNetRelativeOrAbsolute
bool ___useDotNetRelativeOrAbsolute_24;
// System.Boolean System.Uri::IsWindowsFileSystem
bool ___IsWindowsFileSystem_25;
// System.Object System.Uri::s_initLock
RuntimeObject * ___s_initLock_26;
// System.Char[] System.Uri::HexLowerChars
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___HexLowerChars_27;
// System.Char[] System.Uri::_WSchars
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ____WSchars_28;
public:
inline static int32_t get_offset_of_UriSchemeFile_0() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___UriSchemeFile_0)); }
inline String_t* get_UriSchemeFile_0() const { return ___UriSchemeFile_0; }
inline String_t** get_address_of_UriSchemeFile_0() { return &___UriSchemeFile_0; }
inline void set_UriSchemeFile_0(String_t* value)
{
___UriSchemeFile_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___UriSchemeFile_0), (void*)value);
}
inline static int32_t get_offset_of_UriSchemeFtp_1() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___UriSchemeFtp_1)); }
inline String_t* get_UriSchemeFtp_1() const { return ___UriSchemeFtp_1; }
inline String_t** get_address_of_UriSchemeFtp_1() { return &___UriSchemeFtp_1; }
inline void set_UriSchemeFtp_1(String_t* value)
{
___UriSchemeFtp_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___UriSchemeFtp_1), (void*)value);
}
inline static int32_t get_offset_of_UriSchemeGopher_2() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___UriSchemeGopher_2)); }
inline String_t* get_UriSchemeGopher_2() const { return ___UriSchemeGopher_2; }
inline String_t** get_address_of_UriSchemeGopher_2() { return &___UriSchemeGopher_2; }
inline void set_UriSchemeGopher_2(String_t* value)
{
___UriSchemeGopher_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___UriSchemeGopher_2), (void*)value);
}
inline static int32_t get_offset_of_UriSchemeHttp_3() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___UriSchemeHttp_3)); }
inline String_t* get_UriSchemeHttp_3() const { return ___UriSchemeHttp_3; }
inline String_t** get_address_of_UriSchemeHttp_3() { return &___UriSchemeHttp_3; }
inline void set_UriSchemeHttp_3(String_t* value)
{
___UriSchemeHttp_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___UriSchemeHttp_3), (void*)value);
}
inline static int32_t get_offset_of_UriSchemeHttps_4() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___UriSchemeHttps_4)); }
inline String_t* get_UriSchemeHttps_4() const { return ___UriSchemeHttps_4; }
inline String_t** get_address_of_UriSchemeHttps_4() { return &___UriSchemeHttps_4; }
inline void set_UriSchemeHttps_4(String_t* value)
{
___UriSchemeHttps_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___UriSchemeHttps_4), (void*)value);
}
inline static int32_t get_offset_of_UriSchemeWs_5() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___UriSchemeWs_5)); }
inline String_t* get_UriSchemeWs_5() const { return ___UriSchemeWs_5; }
inline String_t** get_address_of_UriSchemeWs_5() { return &___UriSchemeWs_5; }
inline void set_UriSchemeWs_5(String_t* value)
{
___UriSchemeWs_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___UriSchemeWs_5), (void*)value);
}
inline static int32_t get_offset_of_UriSchemeWss_6() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___UriSchemeWss_6)); }
inline String_t* get_UriSchemeWss_6() const { return ___UriSchemeWss_6; }
inline String_t** get_address_of_UriSchemeWss_6() { return &___UriSchemeWss_6; }
inline void set_UriSchemeWss_6(String_t* value)
{
___UriSchemeWss_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___UriSchemeWss_6), (void*)value);
}
inline static int32_t get_offset_of_UriSchemeMailto_7() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___UriSchemeMailto_7)); }
inline String_t* get_UriSchemeMailto_7() const { return ___UriSchemeMailto_7; }
inline String_t** get_address_of_UriSchemeMailto_7() { return &___UriSchemeMailto_7; }
inline void set_UriSchemeMailto_7(String_t* value)
{
___UriSchemeMailto_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___UriSchemeMailto_7), (void*)value);
}
inline static int32_t get_offset_of_UriSchemeNews_8() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___UriSchemeNews_8)); }
inline String_t* get_UriSchemeNews_8() const { return ___UriSchemeNews_8; }
inline String_t** get_address_of_UriSchemeNews_8() { return &___UriSchemeNews_8; }
inline void set_UriSchemeNews_8(String_t* value)
{
___UriSchemeNews_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___UriSchemeNews_8), (void*)value);
}
inline static int32_t get_offset_of_UriSchemeNntp_9() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___UriSchemeNntp_9)); }
inline String_t* get_UriSchemeNntp_9() const { return ___UriSchemeNntp_9; }
inline String_t** get_address_of_UriSchemeNntp_9() { return &___UriSchemeNntp_9; }
inline void set_UriSchemeNntp_9(String_t* value)
{
___UriSchemeNntp_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___UriSchemeNntp_9), (void*)value);
}
inline static int32_t get_offset_of_UriSchemeNetTcp_10() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___UriSchemeNetTcp_10)); }
inline String_t* get_UriSchemeNetTcp_10() const { return ___UriSchemeNetTcp_10; }
inline String_t** get_address_of_UriSchemeNetTcp_10() { return &___UriSchemeNetTcp_10; }
inline void set_UriSchemeNetTcp_10(String_t* value)
{
___UriSchemeNetTcp_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___UriSchemeNetTcp_10), (void*)value);
}
inline static int32_t get_offset_of_UriSchemeNetPipe_11() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___UriSchemeNetPipe_11)); }
inline String_t* get_UriSchemeNetPipe_11() const { return ___UriSchemeNetPipe_11; }
inline String_t** get_address_of_UriSchemeNetPipe_11() { return &___UriSchemeNetPipe_11; }
inline void set_UriSchemeNetPipe_11(String_t* value)
{
___UriSchemeNetPipe_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___UriSchemeNetPipe_11), (void*)value);
}
inline static int32_t get_offset_of_SchemeDelimiter_12() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___SchemeDelimiter_12)); }
inline String_t* get_SchemeDelimiter_12() const { return ___SchemeDelimiter_12; }
inline String_t** get_address_of_SchemeDelimiter_12() { return &___SchemeDelimiter_12; }
inline void set_SchemeDelimiter_12(String_t* value)
{
___SchemeDelimiter_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___SchemeDelimiter_12), (void*)value);
}
inline static int32_t get_offset_of_s_ConfigInitialized_20() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___s_ConfigInitialized_20)); }
inline bool get_s_ConfigInitialized_20() const { return ___s_ConfigInitialized_20; }
inline bool* get_address_of_s_ConfigInitialized_20() { return &___s_ConfigInitialized_20; }
inline void set_s_ConfigInitialized_20(bool value)
{
___s_ConfigInitialized_20 = value;
}
inline static int32_t get_offset_of_s_ConfigInitializing_21() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___s_ConfigInitializing_21)); }
inline bool get_s_ConfigInitializing_21() const { return ___s_ConfigInitializing_21; }
inline bool* get_address_of_s_ConfigInitializing_21() { return &___s_ConfigInitializing_21; }
inline void set_s_ConfigInitializing_21(bool value)
{
___s_ConfigInitializing_21 = value;
}
inline static int32_t get_offset_of_s_IdnScope_22() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___s_IdnScope_22)); }
inline int32_t get_s_IdnScope_22() const { return ___s_IdnScope_22; }
inline int32_t* get_address_of_s_IdnScope_22() { return &___s_IdnScope_22; }
inline void set_s_IdnScope_22(int32_t value)
{
___s_IdnScope_22 = value;
}
inline static int32_t get_offset_of_s_IriParsing_23() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___s_IriParsing_23)); }
inline bool get_s_IriParsing_23() const { return ___s_IriParsing_23; }
inline bool* get_address_of_s_IriParsing_23() { return &___s_IriParsing_23; }
inline void set_s_IriParsing_23(bool value)
{
___s_IriParsing_23 = value;
}
inline static int32_t get_offset_of_useDotNetRelativeOrAbsolute_24() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___useDotNetRelativeOrAbsolute_24)); }
inline bool get_useDotNetRelativeOrAbsolute_24() const { return ___useDotNetRelativeOrAbsolute_24; }
inline bool* get_address_of_useDotNetRelativeOrAbsolute_24() { return &___useDotNetRelativeOrAbsolute_24; }
inline void set_useDotNetRelativeOrAbsolute_24(bool value)
{
___useDotNetRelativeOrAbsolute_24 = value;
}
inline static int32_t get_offset_of_IsWindowsFileSystem_25() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___IsWindowsFileSystem_25)); }
inline bool get_IsWindowsFileSystem_25() const { return ___IsWindowsFileSystem_25; }
inline bool* get_address_of_IsWindowsFileSystem_25() { return &___IsWindowsFileSystem_25; }
inline void set_IsWindowsFileSystem_25(bool value)
{
___IsWindowsFileSystem_25 = value;
}
inline static int32_t get_offset_of_s_initLock_26() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___s_initLock_26)); }
inline RuntimeObject * get_s_initLock_26() const { return ___s_initLock_26; }
inline RuntimeObject ** get_address_of_s_initLock_26() { return &___s_initLock_26; }
inline void set_s_initLock_26(RuntimeObject * value)
{
___s_initLock_26 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_initLock_26), (void*)value);
}
inline static int32_t get_offset_of_HexLowerChars_27() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ___HexLowerChars_27)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_HexLowerChars_27() const { return ___HexLowerChars_27; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_HexLowerChars_27() { return &___HexLowerChars_27; }
inline void set_HexLowerChars_27(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___HexLowerChars_27 = value;
Il2CppCodeGenWriteBarrier((void**)(&___HexLowerChars_27), (void*)value);
}
inline static int32_t get_offset_of__WSchars_28() { return static_cast<int32_t>(offsetof(Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields, ____WSchars_28)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get__WSchars_28() const { return ____WSchars_28; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of__WSchars_28() { return &____WSchars_28; }
inline void set__WSchars_28(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
____WSchars_28 = value;
Il2CppCodeGenWriteBarrier((void**)(&____WSchars_28), (void*)value);
}
};
// System.UriParser
struct UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A : public RuntimeObject
{
public:
// System.UriSyntaxFlags System.UriParser::m_Flags
int32_t ___m_Flags_2;
// System.UriSyntaxFlags modreq(System.Runtime.CompilerServices.IsVolatile) System.UriParser::m_UpdatableFlags
int32_t ___m_UpdatableFlags_3;
// System.Boolean modreq(System.Runtime.CompilerServices.IsVolatile) System.UriParser::m_UpdatableFlagsUsed
bool ___m_UpdatableFlagsUsed_4;
// System.Int32 System.UriParser::m_Port
int32_t ___m_Port_5;
// System.String System.UriParser::m_Scheme
String_t* ___m_Scheme_6;
public:
inline static int32_t get_offset_of_m_Flags_2() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A, ___m_Flags_2)); }
inline int32_t get_m_Flags_2() const { return ___m_Flags_2; }
inline int32_t* get_address_of_m_Flags_2() { return &___m_Flags_2; }
inline void set_m_Flags_2(int32_t value)
{
___m_Flags_2 = value;
}
inline static int32_t get_offset_of_m_UpdatableFlags_3() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A, ___m_UpdatableFlags_3)); }
inline int32_t get_m_UpdatableFlags_3() const { return ___m_UpdatableFlags_3; }
inline int32_t* get_address_of_m_UpdatableFlags_3() { return &___m_UpdatableFlags_3; }
inline void set_m_UpdatableFlags_3(int32_t value)
{
___m_UpdatableFlags_3 = value;
}
inline static int32_t get_offset_of_m_UpdatableFlagsUsed_4() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A, ___m_UpdatableFlagsUsed_4)); }
inline bool get_m_UpdatableFlagsUsed_4() const { return ___m_UpdatableFlagsUsed_4; }
inline bool* get_address_of_m_UpdatableFlagsUsed_4() { return &___m_UpdatableFlagsUsed_4; }
inline void set_m_UpdatableFlagsUsed_4(bool value)
{
___m_UpdatableFlagsUsed_4 = value;
}
inline static int32_t get_offset_of_m_Port_5() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A, ___m_Port_5)); }
inline int32_t get_m_Port_5() const { return ___m_Port_5; }
inline int32_t* get_address_of_m_Port_5() { return &___m_Port_5; }
inline void set_m_Port_5(int32_t value)
{
___m_Port_5 = value;
}
inline static int32_t get_offset_of_m_Scheme_6() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A, ___m_Scheme_6)); }
inline String_t* get_m_Scheme_6() const { return ___m_Scheme_6; }
inline String_t** get_address_of_m_Scheme_6() { return &___m_Scheme_6; }
inline void set_m_Scheme_6(String_t* value)
{
___m_Scheme_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Scheme_6), (void*)value);
}
};
struct UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields
{
public:
// System.Collections.Generic.Dictionary`2<System.String,System.UriParser> System.UriParser::m_Table
Dictionary_2_t29257EB2565DDF3180663167EF129FA9827836C5 * ___m_Table_0;
// System.Collections.Generic.Dictionary`2<System.String,System.UriParser> System.UriParser::m_TempTable
Dictionary_2_t29257EB2565DDF3180663167EF129FA9827836C5 * ___m_TempTable_1;
// System.UriParser System.UriParser::HttpUri
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * ___HttpUri_7;
// System.UriParser System.UriParser::HttpsUri
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * ___HttpsUri_8;
// System.UriParser System.UriParser::WsUri
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * ___WsUri_9;
// System.UriParser System.UriParser::WssUri
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * ___WssUri_10;
// System.UriParser System.UriParser::FtpUri
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * ___FtpUri_11;
// System.UriParser System.UriParser::FileUri
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * ___FileUri_12;
// System.UriParser System.UriParser::GopherUri
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * ___GopherUri_13;
// System.UriParser System.UriParser::NntpUri
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * ___NntpUri_14;
// System.UriParser System.UriParser::NewsUri
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * ___NewsUri_15;
// System.UriParser System.UriParser::MailToUri
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * ___MailToUri_16;
// System.UriParser System.UriParser::UuidUri
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * ___UuidUri_17;
// System.UriParser System.UriParser::TelnetUri
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * ___TelnetUri_18;
// System.UriParser System.UriParser::LdapUri
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * ___LdapUri_19;
// System.UriParser System.UriParser::NetTcpUri
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * ___NetTcpUri_20;
// System.UriParser System.UriParser::NetPipeUri
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * ___NetPipeUri_21;
// System.UriParser System.UriParser::VsMacrosUri
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * ___VsMacrosUri_22;
// System.UriParser/UriQuirksVersion System.UriParser::s_QuirksVersion
int32_t ___s_QuirksVersion_23;
// System.UriSyntaxFlags System.UriParser::HttpSyntaxFlags
int32_t ___HttpSyntaxFlags_24;
// System.UriSyntaxFlags System.UriParser::FileSyntaxFlags
int32_t ___FileSyntaxFlags_25;
public:
inline static int32_t get_offset_of_m_Table_0() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___m_Table_0)); }
inline Dictionary_2_t29257EB2565DDF3180663167EF129FA9827836C5 * get_m_Table_0() const { return ___m_Table_0; }
inline Dictionary_2_t29257EB2565DDF3180663167EF129FA9827836C5 ** get_address_of_m_Table_0() { return &___m_Table_0; }
inline void set_m_Table_0(Dictionary_2_t29257EB2565DDF3180663167EF129FA9827836C5 * value)
{
___m_Table_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Table_0), (void*)value);
}
inline static int32_t get_offset_of_m_TempTable_1() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___m_TempTable_1)); }
inline Dictionary_2_t29257EB2565DDF3180663167EF129FA9827836C5 * get_m_TempTable_1() const { return ___m_TempTable_1; }
inline Dictionary_2_t29257EB2565DDF3180663167EF129FA9827836C5 ** get_address_of_m_TempTable_1() { return &___m_TempTable_1; }
inline void set_m_TempTable_1(Dictionary_2_t29257EB2565DDF3180663167EF129FA9827836C5 * value)
{
___m_TempTable_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TempTable_1), (void*)value);
}
inline static int32_t get_offset_of_HttpUri_7() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___HttpUri_7)); }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * get_HttpUri_7() const { return ___HttpUri_7; }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A ** get_address_of_HttpUri_7() { return &___HttpUri_7; }
inline void set_HttpUri_7(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * value)
{
___HttpUri_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___HttpUri_7), (void*)value);
}
inline static int32_t get_offset_of_HttpsUri_8() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___HttpsUri_8)); }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * get_HttpsUri_8() const { return ___HttpsUri_8; }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A ** get_address_of_HttpsUri_8() { return &___HttpsUri_8; }
inline void set_HttpsUri_8(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * value)
{
___HttpsUri_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___HttpsUri_8), (void*)value);
}
inline static int32_t get_offset_of_WsUri_9() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___WsUri_9)); }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * get_WsUri_9() const { return ___WsUri_9; }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A ** get_address_of_WsUri_9() { return &___WsUri_9; }
inline void set_WsUri_9(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * value)
{
___WsUri_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___WsUri_9), (void*)value);
}
inline static int32_t get_offset_of_WssUri_10() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___WssUri_10)); }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * get_WssUri_10() const { return ___WssUri_10; }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A ** get_address_of_WssUri_10() { return &___WssUri_10; }
inline void set_WssUri_10(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * value)
{
___WssUri_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___WssUri_10), (void*)value);
}
inline static int32_t get_offset_of_FtpUri_11() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___FtpUri_11)); }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * get_FtpUri_11() const { return ___FtpUri_11; }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A ** get_address_of_FtpUri_11() { return &___FtpUri_11; }
inline void set_FtpUri_11(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * value)
{
___FtpUri_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___FtpUri_11), (void*)value);
}
inline static int32_t get_offset_of_FileUri_12() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___FileUri_12)); }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * get_FileUri_12() const { return ___FileUri_12; }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A ** get_address_of_FileUri_12() { return &___FileUri_12; }
inline void set_FileUri_12(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * value)
{
___FileUri_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___FileUri_12), (void*)value);
}
inline static int32_t get_offset_of_GopherUri_13() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___GopherUri_13)); }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * get_GopherUri_13() const { return ___GopherUri_13; }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A ** get_address_of_GopherUri_13() { return &___GopherUri_13; }
inline void set_GopherUri_13(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * value)
{
___GopherUri_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___GopherUri_13), (void*)value);
}
inline static int32_t get_offset_of_NntpUri_14() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___NntpUri_14)); }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * get_NntpUri_14() const { return ___NntpUri_14; }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A ** get_address_of_NntpUri_14() { return &___NntpUri_14; }
inline void set_NntpUri_14(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * value)
{
___NntpUri_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___NntpUri_14), (void*)value);
}
inline static int32_t get_offset_of_NewsUri_15() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___NewsUri_15)); }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * get_NewsUri_15() const { return ___NewsUri_15; }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A ** get_address_of_NewsUri_15() { return &___NewsUri_15; }
inline void set_NewsUri_15(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * value)
{
___NewsUri_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___NewsUri_15), (void*)value);
}
inline static int32_t get_offset_of_MailToUri_16() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___MailToUri_16)); }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * get_MailToUri_16() const { return ___MailToUri_16; }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A ** get_address_of_MailToUri_16() { return &___MailToUri_16; }
inline void set_MailToUri_16(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * value)
{
___MailToUri_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___MailToUri_16), (void*)value);
}
inline static int32_t get_offset_of_UuidUri_17() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___UuidUri_17)); }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * get_UuidUri_17() const { return ___UuidUri_17; }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A ** get_address_of_UuidUri_17() { return &___UuidUri_17; }
inline void set_UuidUri_17(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * value)
{
___UuidUri_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___UuidUri_17), (void*)value);
}
inline static int32_t get_offset_of_TelnetUri_18() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___TelnetUri_18)); }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * get_TelnetUri_18() const { return ___TelnetUri_18; }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A ** get_address_of_TelnetUri_18() { return &___TelnetUri_18; }
inline void set_TelnetUri_18(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * value)
{
___TelnetUri_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___TelnetUri_18), (void*)value);
}
inline static int32_t get_offset_of_LdapUri_19() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___LdapUri_19)); }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * get_LdapUri_19() const { return ___LdapUri_19; }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A ** get_address_of_LdapUri_19() { return &___LdapUri_19; }
inline void set_LdapUri_19(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * value)
{
___LdapUri_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___LdapUri_19), (void*)value);
}
inline static int32_t get_offset_of_NetTcpUri_20() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___NetTcpUri_20)); }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * get_NetTcpUri_20() const { return ___NetTcpUri_20; }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A ** get_address_of_NetTcpUri_20() { return &___NetTcpUri_20; }
inline void set_NetTcpUri_20(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * value)
{
___NetTcpUri_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___NetTcpUri_20), (void*)value);
}
inline static int32_t get_offset_of_NetPipeUri_21() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___NetPipeUri_21)); }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * get_NetPipeUri_21() const { return ___NetPipeUri_21; }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A ** get_address_of_NetPipeUri_21() { return &___NetPipeUri_21; }
inline void set_NetPipeUri_21(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * value)
{
___NetPipeUri_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___NetPipeUri_21), (void*)value);
}
inline static int32_t get_offset_of_VsMacrosUri_22() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___VsMacrosUri_22)); }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * get_VsMacrosUri_22() const { return ___VsMacrosUri_22; }
inline UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A ** get_address_of_VsMacrosUri_22() { return &___VsMacrosUri_22; }
inline void set_VsMacrosUri_22(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A * value)
{
___VsMacrosUri_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___VsMacrosUri_22), (void*)value);
}
inline static int32_t get_offset_of_s_QuirksVersion_23() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___s_QuirksVersion_23)); }
inline int32_t get_s_QuirksVersion_23() const { return ___s_QuirksVersion_23; }
inline int32_t* get_address_of_s_QuirksVersion_23() { return &___s_QuirksVersion_23; }
inline void set_s_QuirksVersion_23(int32_t value)
{
___s_QuirksVersion_23 = value;
}
inline static int32_t get_offset_of_HttpSyntaxFlags_24() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___HttpSyntaxFlags_24)); }
inline int32_t get_HttpSyntaxFlags_24() const { return ___HttpSyntaxFlags_24; }
inline int32_t* get_address_of_HttpSyntaxFlags_24() { return &___HttpSyntaxFlags_24; }
inline void set_HttpSyntaxFlags_24(int32_t value)
{
___HttpSyntaxFlags_24 = value;
}
inline static int32_t get_offset_of_FileSyntaxFlags_25() { return static_cast<int32_t>(offsetof(UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields, ___FileSyntaxFlags_25)); }
inline int32_t get_FileSyntaxFlags_25() const { return ___FileSyntaxFlags_25; }
inline int32_t* get_address_of_FileSyntaxFlags_25() { return &___FileSyntaxFlags_25; }
inline void set_FileSyntaxFlags_25(int32_t value)
{
___FileSyntaxFlags_25 = value;
}
};
// System.UriTypeConverter
struct UriTypeConverter_tF512B4F48E57AC42B460E2847743CD78F4D24694 : public TypeConverter_t004F185B630F00F509F08BD8F8D82471867323B4
{
public:
public:
};
// UnityEngine.SocialPlatforms.Impl.UserProfile
struct UserProfile_tDA4AC2655C2C32774702DDA257938A108AB4C537 : 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.String UnityEngine.SocialPlatforms.Impl.UserProfile::m_legacyID
String_t* ___m_legacyID_2;
// System.Boolean UnityEngine.SocialPlatforms.Impl.UserProfile::m_IsFriend
bool ___m_IsFriend_3;
// UnityEngine.SocialPlatforms.UserState UnityEngine.SocialPlatforms.Impl.UserProfile::m_State
int32_t ___m_State_4;
// UnityEngine.Texture2D UnityEngine.SocialPlatforms.Impl.UserProfile::m_Image
Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * ___m_Image_5;
// System.String UnityEngine.SocialPlatforms.Impl.UserProfile::m_gameID
String_t* ___m_gameID_6;
public:
inline static int32_t get_offset_of_m_UserName_0() { return static_cast<int32_t>(offsetof(UserProfile_tDA4AC2655C2C32774702DDA257938A108AB4C537, ___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((void**)(&___m_UserName_0), (void*)value);
}
inline static int32_t get_offset_of_m_ID_1() { return static_cast<int32_t>(offsetof(UserProfile_tDA4AC2655C2C32774702DDA257938A108AB4C537, ___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((void**)(&___m_ID_1), (void*)value);
}
inline static int32_t get_offset_of_m_legacyID_2() { return static_cast<int32_t>(offsetof(UserProfile_tDA4AC2655C2C32774702DDA257938A108AB4C537, ___m_legacyID_2)); }
inline String_t* get_m_legacyID_2() const { return ___m_legacyID_2; }
inline String_t** get_address_of_m_legacyID_2() { return &___m_legacyID_2; }
inline void set_m_legacyID_2(String_t* value)
{
___m_legacyID_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_legacyID_2), (void*)value);
}
inline static int32_t get_offset_of_m_IsFriend_3() { return static_cast<int32_t>(offsetof(UserProfile_tDA4AC2655C2C32774702DDA257938A108AB4C537, ___m_IsFriend_3)); }
inline bool get_m_IsFriend_3() const { return ___m_IsFriend_3; }
inline bool* get_address_of_m_IsFriend_3() { return &___m_IsFriend_3; }
inline void set_m_IsFriend_3(bool value)
{
___m_IsFriend_3 = value;
}
inline static int32_t get_offset_of_m_State_4() { return static_cast<int32_t>(offsetof(UserProfile_tDA4AC2655C2C32774702DDA257938A108AB4C537, ___m_State_4)); }
inline int32_t get_m_State_4() const { return ___m_State_4; }
inline int32_t* get_address_of_m_State_4() { return &___m_State_4; }
inline void set_m_State_4(int32_t value)
{
___m_State_4 = value;
}
inline static int32_t get_offset_of_m_Image_5() { return static_cast<int32_t>(offsetof(UserProfile_tDA4AC2655C2C32774702DDA257938A108AB4C537, ___m_Image_5)); }
inline Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * get_m_Image_5() const { return ___m_Image_5; }
inline Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF ** get_address_of_m_Image_5() { return &___m_Image_5; }
inline void set_m_Image_5(Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * value)
{
___m_Image_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Image_5), (void*)value);
}
inline static int32_t get_offset_of_m_gameID_6() { return static_cast<int32_t>(offsetof(UserProfile_tDA4AC2655C2C32774702DDA257938A108AB4C537, ___m_gameID_6)); }
inline String_t* get_m_gameID_6() const { return ___m_gameID_6; }
inline String_t** get_address_of_m_gameID_6() { return &___m_gameID_6; }
inline void set_m_gameID_6(String_t* value)
{
___m_gameID_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_gameID_6), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.Binary.ValueFixup
struct ValueFixup_tC77C04E866B11B933EA679427EAA4087F6CB069E : public RuntimeObject
{
public:
// System.Runtime.Serialization.Formatters.Binary.ValueFixupEnum System.Runtime.Serialization.Formatters.Binary.ValueFixup::valueFixupEnum
int32_t ___valueFixupEnum_0;
// System.Array System.Runtime.Serialization.Formatters.Binary.ValueFixup::arrayObj
RuntimeArray * ___arrayObj_1;
// System.Int32[] System.Runtime.Serialization.Formatters.Binary.ValueFixup::indexMap
Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* ___indexMap_2;
// System.Object System.Runtime.Serialization.Formatters.Binary.ValueFixup::header
RuntimeObject * ___header_3;
// System.Object System.Runtime.Serialization.Formatters.Binary.ValueFixup::memberObject
RuntimeObject * ___memberObject_4;
// System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo System.Runtime.Serialization.Formatters.Binary.ValueFixup::objectInfo
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223 * ___objectInfo_6;
// System.String System.Runtime.Serialization.Formatters.Binary.ValueFixup::memberName
String_t* ___memberName_7;
public:
inline static int32_t get_offset_of_valueFixupEnum_0() { return static_cast<int32_t>(offsetof(ValueFixup_tC77C04E866B11B933EA679427EAA4087F6CB069E, ___valueFixupEnum_0)); }
inline int32_t get_valueFixupEnum_0() const { return ___valueFixupEnum_0; }
inline int32_t* get_address_of_valueFixupEnum_0() { return &___valueFixupEnum_0; }
inline void set_valueFixupEnum_0(int32_t value)
{
___valueFixupEnum_0 = value;
}
inline static int32_t get_offset_of_arrayObj_1() { return static_cast<int32_t>(offsetof(ValueFixup_tC77C04E866B11B933EA679427EAA4087F6CB069E, ___arrayObj_1)); }
inline RuntimeArray * get_arrayObj_1() const { return ___arrayObj_1; }
inline RuntimeArray ** get_address_of_arrayObj_1() { return &___arrayObj_1; }
inline void set_arrayObj_1(RuntimeArray * value)
{
___arrayObj_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___arrayObj_1), (void*)value);
}
inline static int32_t get_offset_of_indexMap_2() { return static_cast<int32_t>(offsetof(ValueFixup_tC77C04E866B11B933EA679427EAA4087F6CB069E, ___indexMap_2)); }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* get_indexMap_2() const { return ___indexMap_2; }
inline Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32** get_address_of_indexMap_2() { return &___indexMap_2; }
inline void set_indexMap_2(Int32U5BU5D_t70F1BDC14B1786481B176D6139A5E3B87DC54C32* value)
{
___indexMap_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___indexMap_2), (void*)value);
}
inline static int32_t get_offset_of_header_3() { return static_cast<int32_t>(offsetof(ValueFixup_tC77C04E866B11B933EA679427EAA4087F6CB069E, ___header_3)); }
inline RuntimeObject * get_header_3() const { return ___header_3; }
inline RuntimeObject ** get_address_of_header_3() { return &___header_3; }
inline void set_header_3(RuntimeObject * value)
{
___header_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___header_3), (void*)value);
}
inline static int32_t get_offset_of_memberObject_4() { return static_cast<int32_t>(offsetof(ValueFixup_tC77C04E866B11B933EA679427EAA4087F6CB069E, ___memberObject_4)); }
inline RuntimeObject * get_memberObject_4() const { return ___memberObject_4; }
inline RuntimeObject ** get_address_of_memberObject_4() { return &___memberObject_4; }
inline void set_memberObject_4(RuntimeObject * value)
{
___memberObject_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberObject_4), (void*)value);
}
inline static int32_t get_offset_of_objectInfo_6() { return static_cast<int32_t>(offsetof(ValueFixup_tC77C04E866B11B933EA679427EAA4087F6CB069E, ___objectInfo_6)); }
inline ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223 * get_objectInfo_6() const { return ___objectInfo_6; }
inline ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223 ** get_address_of_objectInfo_6() { return &___objectInfo_6; }
inline void set_objectInfo_6(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223 * value)
{
___objectInfo_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objectInfo_6), (void*)value);
}
inline static int32_t get_offset_of_memberName_7() { return static_cast<int32_t>(offsetof(ValueFixup_tC77C04E866B11B933EA679427EAA4087F6CB069E, ___memberName_7)); }
inline String_t* get_memberName_7() const { return ___memberName_7; }
inline String_t** get_address_of_memberName_7() { return &___memberName_7; }
inline void set_memberName_7(String_t* value)
{
___memberName_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberName_7), (void*)value);
}
};
struct ValueFixup_tC77C04E866B11B933EA679427EAA4087F6CB069E_StaticFields
{
public:
// System.Reflection.MemberInfo modreq(System.Runtime.CompilerServices.IsVolatile) System.Runtime.Serialization.Formatters.Binary.ValueFixup::valueInfo
MemberInfo_t * ___valueInfo_5;
public:
inline static int32_t get_offset_of_valueInfo_5() { return static_cast<int32_t>(offsetof(ValueFixup_tC77C04E866B11B933EA679427EAA4087F6CB069E_StaticFields, ___valueInfo_5)); }
inline MemberInfo_t * get_valueInfo_5() const { return ___valueInfo_5; }
inline MemberInfo_t ** get_address_of_valueInfo_5() { return &___valueInfo_5; }
inline void set_valueInfo_5(MemberInfo_t * value)
{
___valueInfo_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___valueInfo_5), (void*)value);
}
};
// System.Variant
struct Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3
{
public:
union
{
#pragma pack(push, tp, 1)
struct
{
// System.Int16 System.Variant::vt
int16_t ___vt_0;
};
#pragma pack(pop, tp)
struct
{
int16_t ___vt_0_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___wReserved1_1_OffsetPadding[2];
// System.UInt16 System.Variant::wReserved1
uint16_t ___wReserved1_1;
};
#pragma pack(pop, tp)
struct
{
char ___wReserved1_1_OffsetPadding_forAlignmentOnly[2];
uint16_t ___wReserved1_1_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___wReserved2_2_OffsetPadding[4];
// System.UInt16 System.Variant::wReserved2
uint16_t ___wReserved2_2;
};
#pragma pack(pop, tp)
struct
{
char ___wReserved2_2_OffsetPadding_forAlignmentOnly[4];
uint16_t ___wReserved2_2_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___wReserved3_3_OffsetPadding[6];
// System.UInt16 System.Variant::wReserved3
uint16_t ___wReserved3_3;
};
#pragma pack(pop, tp)
struct
{
char ___wReserved3_3_OffsetPadding_forAlignmentOnly[6];
uint16_t ___wReserved3_3_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___llVal_4_OffsetPadding[8];
// System.Int64 System.Variant::llVal
int64_t ___llVal_4;
};
#pragma pack(pop, tp)
struct
{
char ___llVal_4_OffsetPadding_forAlignmentOnly[8];
int64_t ___llVal_4_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___lVal_5_OffsetPadding[8];
// System.Int32 System.Variant::lVal
int32_t ___lVal_5;
};
#pragma pack(pop, tp)
struct
{
char ___lVal_5_OffsetPadding_forAlignmentOnly[8];
int32_t ___lVal_5_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___bVal_6_OffsetPadding[8];
// System.Byte System.Variant::bVal
uint8_t ___bVal_6;
};
#pragma pack(pop, tp)
struct
{
char ___bVal_6_OffsetPadding_forAlignmentOnly[8];
uint8_t ___bVal_6_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___iVal_7_OffsetPadding[8];
// System.Int16 System.Variant::iVal
int16_t ___iVal_7;
};
#pragma pack(pop, tp)
struct
{
char ___iVal_7_OffsetPadding_forAlignmentOnly[8];
int16_t ___iVal_7_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___fltVal_8_OffsetPadding[8];
// System.Single System.Variant::fltVal
float ___fltVal_8;
};
#pragma pack(pop, tp)
struct
{
char ___fltVal_8_OffsetPadding_forAlignmentOnly[8];
float ___fltVal_8_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___dblVal_9_OffsetPadding[8];
// System.Double System.Variant::dblVal
double ___dblVal_9;
};
#pragma pack(pop, tp)
struct
{
char ___dblVal_9_OffsetPadding_forAlignmentOnly[8];
double ___dblVal_9_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___boolVal_10_OffsetPadding[8];
// System.Int16 System.Variant::boolVal
int16_t ___boolVal_10;
};
#pragma pack(pop, tp)
struct
{
char ___boolVal_10_OffsetPadding_forAlignmentOnly[8];
int16_t ___boolVal_10_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___bstrVal_11_OffsetPadding[8];
// System.IntPtr System.Variant::bstrVal
intptr_t ___bstrVal_11;
};
#pragma pack(pop, tp)
struct
{
char ___bstrVal_11_OffsetPadding_forAlignmentOnly[8];
intptr_t ___bstrVal_11_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___cVal_12_OffsetPadding[8];
// System.SByte System.Variant::cVal
int8_t ___cVal_12;
};
#pragma pack(pop, tp)
struct
{
char ___cVal_12_OffsetPadding_forAlignmentOnly[8];
int8_t ___cVal_12_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___uiVal_13_OffsetPadding[8];
// System.UInt16 System.Variant::uiVal
uint16_t ___uiVal_13;
};
#pragma pack(pop, tp)
struct
{
char ___uiVal_13_OffsetPadding_forAlignmentOnly[8];
uint16_t ___uiVal_13_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___ulVal_14_OffsetPadding[8];
// System.UInt32 System.Variant::ulVal
uint32_t ___ulVal_14;
};
#pragma pack(pop, tp)
struct
{
char ___ulVal_14_OffsetPadding_forAlignmentOnly[8];
uint32_t ___ulVal_14_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___ullVal_15_OffsetPadding[8];
// System.UInt64 System.Variant::ullVal
uint64_t ___ullVal_15;
};
#pragma pack(pop, tp)
struct
{
char ___ullVal_15_OffsetPadding_forAlignmentOnly[8];
uint64_t ___ullVal_15_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___intVal_16_OffsetPadding[8];
// System.Int32 System.Variant::intVal
int32_t ___intVal_16;
};
#pragma pack(pop, tp)
struct
{
char ___intVal_16_OffsetPadding_forAlignmentOnly[8];
int32_t ___intVal_16_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___uintVal_17_OffsetPadding[8];
// System.UInt32 System.Variant::uintVal
uint32_t ___uintVal_17;
};
#pragma pack(pop, tp)
struct
{
char ___uintVal_17_OffsetPadding_forAlignmentOnly[8];
uint32_t ___uintVal_17_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___pdispVal_18_OffsetPadding[8];
// System.IntPtr System.Variant::pdispVal
intptr_t ___pdispVal_18;
};
#pragma pack(pop, tp)
struct
{
char ___pdispVal_18_OffsetPadding_forAlignmentOnly[8];
intptr_t ___pdispVal_18_forAlignmentOnly;
};
#pragma pack(push, tp, 1)
struct
{
char ___bRecord_19_OffsetPadding[8];
// System.BRECORD System.Variant::bRecord
BRECORD_t299169DA96A40F5CFBDB18FBE6AEF30A071C4998 ___bRecord_19;
};
#pragma pack(pop, tp)
struct
{
char ___bRecord_19_OffsetPadding_forAlignmentOnly[8];
BRECORD_t299169DA96A40F5CFBDB18FBE6AEF30A071C4998 ___bRecord_19_forAlignmentOnly;
};
};
public:
inline static int32_t get_offset_of_vt_0() { return static_cast<int32_t>(offsetof(Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3, ___vt_0)); }
inline int16_t get_vt_0() const { return ___vt_0; }
inline int16_t* get_address_of_vt_0() { return &___vt_0; }
inline void set_vt_0(int16_t value)
{
___vt_0 = value;
}
inline static int32_t get_offset_of_wReserved1_1() { return static_cast<int32_t>(offsetof(Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3, ___wReserved1_1)); }
inline uint16_t get_wReserved1_1() const { return ___wReserved1_1; }
inline uint16_t* get_address_of_wReserved1_1() { return &___wReserved1_1; }
inline void set_wReserved1_1(uint16_t value)
{
___wReserved1_1 = value;
}
inline static int32_t get_offset_of_wReserved2_2() { return static_cast<int32_t>(offsetof(Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3, ___wReserved2_2)); }
inline uint16_t get_wReserved2_2() const { return ___wReserved2_2; }
inline uint16_t* get_address_of_wReserved2_2() { return &___wReserved2_2; }
inline void set_wReserved2_2(uint16_t value)
{
___wReserved2_2 = value;
}
inline static int32_t get_offset_of_wReserved3_3() { return static_cast<int32_t>(offsetof(Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3, ___wReserved3_3)); }
inline uint16_t get_wReserved3_3() const { return ___wReserved3_3; }
inline uint16_t* get_address_of_wReserved3_3() { return &___wReserved3_3; }
inline void set_wReserved3_3(uint16_t value)
{
___wReserved3_3 = value;
}
inline static int32_t get_offset_of_llVal_4() { return static_cast<int32_t>(offsetof(Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3, ___llVal_4)); }
inline int64_t get_llVal_4() const { return ___llVal_4; }
inline int64_t* get_address_of_llVal_4() { return &___llVal_4; }
inline void set_llVal_4(int64_t value)
{
___llVal_4 = value;
}
inline static int32_t get_offset_of_lVal_5() { return static_cast<int32_t>(offsetof(Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3, ___lVal_5)); }
inline int32_t get_lVal_5() const { return ___lVal_5; }
inline int32_t* get_address_of_lVal_5() { return &___lVal_5; }
inline void set_lVal_5(int32_t value)
{
___lVal_5 = value;
}
inline static int32_t get_offset_of_bVal_6() { return static_cast<int32_t>(offsetof(Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3, ___bVal_6)); }
inline uint8_t get_bVal_6() const { return ___bVal_6; }
inline uint8_t* get_address_of_bVal_6() { return &___bVal_6; }
inline void set_bVal_6(uint8_t value)
{
___bVal_6 = value;
}
inline static int32_t get_offset_of_iVal_7() { return static_cast<int32_t>(offsetof(Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3, ___iVal_7)); }
inline int16_t get_iVal_7() const { return ___iVal_7; }
inline int16_t* get_address_of_iVal_7() { return &___iVal_7; }
inline void set_iVal_7(int16_t value)
{
___iVal_7 = value;
}
inline static int32_t get_offset_of_fltVal_8() { return static_cast<int32_t>(offsetof(Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3, ___fltVal_8)); }
inline float get_fltVal_8() const { return ___fltVal_8; }
inline float* get_address_of_fltVal_8() { return &___fltVal_8; }
inline void set_fltVal_8(float value)
{
___fltVal_8 = value;
}
inline static int32_t get_offset_of_dblVal_9() { return static_cast<int32_t>(offsetof(Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3, ___dblVal_9)); }
inline double get_dblVal_9() const { return ___dblVal_9; }
inline double* get_address_of_dblVal_9() { return &___dblVal_9; }
inline void set_dblVal_9(double value)
{
___dblVal_9 = value;
}
inline static int32_t get_offset_of_boolVal_10() { return static_cast<int32_t>(offsetof(Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3, ___boolVal_10)); }
inline int16_t get_boolVal_10() const { return ___boolVal_10; }
inline int16_t* get_address_of_boolVal_10() { return &___boolVal_10; }
inline void set_boolVal_10(int16_t value)
{
___boolVal_10 = value;
}
inline static int32_t get_offset_of_bstrVal_11() { return static_cast<int32_t>(offsetof(Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3, ___bstrVal_11)); }
inline intptr_t get_bstrVal_11() const { return ___bstrVal_11; }
inline intptr_t* get_address_of_bstrVal_11() { return &___bstrVal_11; }
inline void set_bstrVal_11(intptr_t value)
{
___bstrVal_11 = value;
}
inline static int32_t get_offset_of_cVal_12() { return static_cast<int32_t>(offsetof(Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3, ___cVal_12)); }
inline int8_t get_cVal_12() const { return ___cVal_12; }
inline int8_t* get_address_of_cVal_12() { return &___cVal_12; }
inline void set_cVal_12(int8_t value)
{
___cVal_12 = value;
}
inline static int32_t get_offset_of_uiVal_13() { return static_cast<int32_t>(offsetof(Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3, ___uiVal_13)); }
inline uint16_t get_uiVal_13() const { return ___uiVal_13; }
inline uint16_t* get_address_of_uiVal_13() { return &___uiVal_13; }
inline void set_uiVal_13(uint16_t value)
{
___uiVal_13 = value;
}
inline static int32_t get_offset_of_ulVal_14() { return static_cast<int32_t>(offsetof(Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3, ___ulVal_14)); }
inline uint32_t get_ulVal_14() const { return ___ulVal_14; }
inline uint32_t* get_address_of_ulVal_14() { return &___ulVal_14; }
inline void set_ulVal_14(uint32_t value)
{
___ulVal_14 = value;
}
inline static int32_t get_offset_of_ullVal_15() { return static_cast<int32_t>(offsetof(Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3, ___ullVal_15)); }
inline uint64_t get_ullVal_15() const { return ___ullVal_15; }
inline uint64_t* get_address_of_ullVal_15() { return &___ullVal_15; }
inline void set_ullVal_15(uint64_t value)
{
___ullVal_15 = value;
}
inline static int32_t get_offset_of_intVal_16() { return static_cast<int32_t>(offsetof(Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3, ___intVal_16)); }
inline int32_t get_intVal_16() const { return ___intVal_16; }
inline int32_t* get_address_of_intVal_16() { return &___intVal_16; }
inline void set_intVal_16(int32_t value)
{
___intVal_16 = value;
}
inline static int32_t get_offset_of_uintVal_17() { return static_cast<int32_t>(offsetof(Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3, ___uintVal_17)); }
inline uint32_t get_uintVal_17() const { return ___uintVal_17; }
inline uint32_t* get_address_of_uintVal_17() { return &___uintVal_17; }
inline void set_uintVal_17(uint32_t value)
{
___uintVal_17 = value;
}
inline static int32_t get_offset_of_pdispVal_18() { return static_cast<int32_t>(offsetof(Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3, ___pdispVal_18)); }
inline intptr_t get_pdispVal_18() const { return ___pdispVal_18; }
inline intptr_t* get_address_of_pdispVal_18() { return &___pdispVal_18; }
inline void set_pdispVal_18(intptr_t value)
{
___pdispVal_18 = value;
}
inline static int32_t get_offset_of_bRecord_19() { return static_cast<int32_t>(offsetof(Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3, ___bRecord_19)); }
inline BRECORD_t299169DA96A40F5CFBDB18FBE6AEF30A071C4998 get_bRecord_19() const { return ___bRecord_19; }
inline BRECORD_t299169DA96A40F5CFBDB18FBE6AEF30A071C4998 * get_address_of_bRecord_19() { return &___bRecord_19; }
inline void set_bRecord_19(BRECORD_t299169DA96A40F5CFBDB18FBE6AEF30A071C4998 value)
{
___bRecord_19 = value;
}
};
// UnityEngine.Video.VideoClip
struct VideoClip_tA8C2507553BEE394C46B7A876D6F56DD09F6C90F : public Object_tF2F3778131EFF286AF62B7B013A170F95A91571A
{
public:
public:
};
// UnityEngine.Experimental.Video.VideoClipPlayable
struct VideoClipPlayable_tC49201F6C8E1AB1CC8F4E31EFC12C7E1C03BC2E1
{
public:
// UnityEngine.Playables.PlayableHandle UnityEngine.Experimental.Video.VideoClipPlayable::m_Handle
PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A ___m_Handle_0;
public:
inline static int32_t get_offset_of_m_Handle_0() { return static_cast<int32_t>(offsetof(VideoClipPlayable_tC49201F6C8E1AB1CC8F4E31EFC12C7E1C03BC2E1, ___m_Handle_0)); }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A get_m_Handle_0() const { return ___m_Handle_0; }
inline PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A * get_address_of_m_Handle_0() { return &___m_Handle_0; }
inline void set_m_Handle_0(PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A value)
{
___m_Handle_0 = value;
}
};
// System.Runtime.Remoting.WellKnownServiceTypeEntry
struct WellKnownServiceTypeEntry_t98CBB552396BFD8971C9C23000B68613B8D67F9D : public TypeEntry_tE6A29217B055E31F4568B08F627D9BD7E4B28DE5
{
public:
// System.Type System.Runtime.Remoting.WellKnownServiceTypeEntry::obj_type
Type_t * ___obj_type_2;
// System.String System.Runtime.Remoting.WellKnownServiceTypeEntry::obj_uri
String_t* ___obj_uri_3;
// System.Runtime.Remoting.WellKnownObjectMode System.Runtime.Remoting.WellKnownServiceTypeEntry::obj_mode
int32_t ___obj_mode_4;
public:
inline static int32_t get_offset_of_obj_type_2() { return static_cast<int32_t>(offsetof(WellKnownServiceTypeEntry_t98CBB552396BFD8971C9C23000B68613B8D67F9D, ___obj_type_2)); }
inline Type_t * get_obj_type_2() const { return ___obj_type_2; }
inline Type_t ** get_address_of_obj_type_2() { return &___obj_type_2; }
inline void set_obj_type_2(Type_t * value)
{
___obj_type_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___obj_type_2), (void*)value);
}
inline static int32_t get_offset_of_obj_uri_3() { return static_cast<int32_t>(offsetof(WellKnownServiceTypeEntry_t98CBB552396BFD8971C9C23000B68613B8D67F9D, ___obj_uri_3)); }
inline String_t* get_obj_uri_3() const { return ___obj_uri_3; }
inline String_t** get_address_of_obj_uri_3() { return &___obj_uri_3; }
inline void set_obj_uri_3(String_t* value)
{
___obj_uri_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___obj_uri_3), (void*)value);
}
inline static int32_t get_offset_of_obj_mode_4() { return static_cast<int32_t>(offsetof(WellKnownServiceTypeEntry_t98CBB552396BFD8971C9C23000B68613B8D67F9D, ___obj_mode_4)); }
inline int32_t get_obj_mode_4() const { return ___obj_mode_4; }
inline int32_t* get_address_of_obj_mode_4() { return &___obj_mode_4; }
inline void set_obj_mode_4(int32_t value)
{
___obj_mode_4 = value;
}
};
// System.Security.Cryptography.X509Certificates.X509BasicConstraintsExtension
struct X509BasicConstraintsExtension_t790FA4E7D9715A72A621A290FF0CDD5A647EF3CF : public X509Extension_t9142CAA11EB46CC4CAB51A26D3B84BDA06FA9FF5
{
public:
// System.Boolean System.Security.Cryptography.X509Certificates.X509BasicConstraintsExtension::_certificateAuthority
bool ____certificateAuthority_5;
// System.Boolean System.Security.Cryptography.X509Certificates.X509BasicConstraintsExtension::_hasPathLengthConstraint
bool ____hasPathLengthConstraint_6;
// System.Int32 System.Security.Cryptography.X509Certificates.X509BasicConstraintsExtension::_pathLengthConstraint
int32_t ____pathLengthConstraint_7;
// System.Security.Cryptography.AsnDecodeStatus System.Security.Cryptography.X509Certificates.X509BasicConstraintsExtension::_status
int32_t ____status_8;
public:
inline static int32_t get_offset_of__certificateAuthority_5() { return static_cast<int32_t>(offsetof(X509BasicConstraintsExtension_t790FA4E7D9715A72A621A290FF0CDD5A647EF3CF, ____certificateAuthority_5)); }
inline bool get__certificateAuthority_5() const { return ____certificateAuthority_5; }
inline bool* get_address_of__certificateAuthority_5() { return &____certificateAuthority_5; }
inline void set__certificateAuthority_5(bool value)
{
____certificateAuthority_5 = value;
}
inline static int32_t get_offset_of__hasPathLengthConstraint_6() { return static_cast<int32_t>(offsetof(X509BasicConstraintsExtension_t790FA4E7D9715A72A621A290FF0CDD5A647EF3CF, ____hasPathLengthConstraint_6)); }
inline bool get__hasPathLengthConstraint_6() const { return ____hasPathLengthConstraint_6; }
inline bool* get_address_of__hasPathLengthConstraint_6() { return &____hasPathLengthConstraint_6; }
inline void set__hasPathLengthConstraint_6(bool value)
{
____hasPathLengthConstraint_6 = value;
}
inline static int32_t get_offset_of__pathLengthConstraint_7() { return static_cast<int32_t>(offsetof(X509BasicConstraintsExtension_t790FA4E7D9715A72A621A290FF0CDD5A647EF3CF, ____pathLengthConstraint_7)); }
inline int32_t get__pathLengthConstraint_7() const { return ____pathLengthConstraint_7; }
inline int32_t* get_address_of__pathLengthConstraint_7() { return &____pathLengthConstraint_7; }
inline void set__pathLengthConstraint_7(int32_t value)
{
____pathLengthConstraint_7 = value;
}
inline static int32_t get_offset_of__status_8() { return static_cast<int32_t>(offsetof(X509BasicConstraintsExtension_t790FA4E7D9715A72A621A290FF0CDD5A647EF3CF, ____status_8)); }
inline int32_t get__status_8() const { return ____status_8; }
inline int32_t* get_address_of__status_8() { return &____status_8; }
inline void set__status_8(int32_t value)
{
____status_8 = value;
}
};
// System.Security.Cryptography.X509Certificates.X509EnhancedKeyUsageExtension
struct X509EnhancedKeyUsageExtension_tD53B0C2AF93C2496461F2960946C5F40A33AC82B : public X509Extension_t9142CAA11EB46CC4CAB51A26D3B84BDA06FA9FF5
{
public:
// System.Security.Cryptography.OidCollection System.Security.Cryptography.X509Certificates.X509EnhancedKeyUsageExtension::_enhKeyUsage
OidCollection_tA091E185B8840648BE96A6C547F0C26F88E3A902 * ____enhKeyUsage_3;
// System.Security.Cryptography.AsnDecodeStatus System.Security.Cryptography.X509Certificates.X509EnhancedKeyUsageExtension::_status
int32_t ____status_4;
public:
inline static int32_t get_offset_of__enhKeyUsage_3() { return static_cast<int32_t>(offsetof(X509EnhancedKeyUsageExtension_tD53B0C2AF93C2496461F2960946C5F40A33AC82B, ____enhKeyUsage_3)); }
inline OidCollection_tA091E185B8840648BE96A6C547F0C26F88E3A902 * get__enhKeyUsage_3() const { return ____enhKeyUsage_3; }
inline OidCollection_tA091E185B8840648BE96A6C547F0C26F88E3A902 ** get_address_of__enhKeyUsage_3() { return &____enhKeyUsage_3; }
inline void set__enhKeyUsage_3(OidCollection_tA091E185B8840648BE96A6C547F0C26F88E3A902 * value)
{
____enhKeyUsage_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&____enhKeyUsage_3), (void*)value);
}
inline static int32_t get_offset_of__status_4() { return static_cast<int32_t>(offsetof(X509EnhancedKeyUsageExtension_tD53B0C2AF93C2496461F2960946C5F40A33AC82B, ____status_4)); }
inline int32_t get__status_4() const { return ____status_4; }
inline int32_t* get_address_of__status_4() { return &____status_4; }
inline void set__status_4(int32_t value)
{
____status_4 = value;
}
};
// System.Security.Cryptography.X509Certificates.X509KeyUsageExtension
struct X509KeyUsageExtension_tF78A71F87AEE0E0DC54DFF837AB2880E3D9CF227 : public X509Extension_t9142CAA11EB46CC4CAB51A26D3B84BDA06FA9FF5
{
public:
// System.Security.Cryptography.X509Certificates.X509KeyUsageFlags System.Security.Cryptography.X509Certificates.X509KeyUsageExtension::_keyUsages
int32_t ____keyUsages_6;
// System.Security.Cryptography.AsnDecodeStatus System.Security.Cryptography.X509Certificates.X509KeyUsageExtension::_status
int32_t ____status_7;
public:
inline static int32_t get_offset_of__keyUsages_6() { return static_cast<int32_t>(offsetof(X509KeyUsageExtension_tF78A71F87AEE0E0DC54DFF837AB2880E3D9CF227, ____keyUsages_6)); }
inline int32_t get__keyUsages_6() const { return ____keyUsages_6; }
inline int32_t* get_address_of__keyUsages_6() { return &____keyUsages_6; }
inline void set__keyUsages_6(int32_t value)
{
____keyUsages_6 = value;
}
inline static int32_t get_offset_of__status_7() { return static_cast<int32_t>(offsetof(X509KeyUsageExtension_tF78A71F87AEE0E0DC54DFF837AB2880E3D9CF227, ____status_7)); }
inline int32_t get__status_7() const { return ____status_7; }
inline int32_t* get_address_of__status_7() { return &____status_7; }
inline void set__status_7(int32_t value)
{
____status_7 = value;
}
};
// System.Security.Cryptography.X509Certificates.X509SubjectKeyIdentifierExtension
struct X509SubjectKeyIdentifierExtension_t9781D24066D84C09C7137124FBC848491BF54567 : public X509Extension_t9142CAA11EB46CC4CAB51A26D3B84BDA06FA9FF5
{
public:
// System.Byte[] System.Security.Cryptography.X509Certificates.X509SubjectKeyIdentifierExtension::_subjectKeyIdentifier
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ____subjectKeyIdentifier_5;
// System.String System.Security.Cryptography.X509Certificates.X509SubjectKeyIdentifierExtension::_ski
String_t* ____ski_6;
// System.Security.Cryptography.AsnDecodeStatus System.Security.Cryptography.X509Certificates.X509SubjectKeyIdentifierExtension::_status
int32_t ____status_7;
public:
inline static int32_t get_offset_of__subjectKeyIdentifier_5() { return static_cast<int32_t>(offsetof(X509SubjectKeyIdentifierExtension_t9781D24066D84C09C7137124FBC848491BF54567, ____subjectKeyIdentifier_5)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get__subjectKeyIdentifier_5() const { return ____subjectKeyIdentifier_5; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of__subjectKeyIdentifier_5() { return &____subjectKeyIdentifier_5; }
inline void set__subjectKeyIdentifier_5(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
____subjectKeyIdentifier_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____subjectKeyIdentifier_5), (void*)value);
}
inline static int32_t get_offset_of__ski_6() { return static_cast<int32_t>(offsetof(X509SubjectKeyIdentifierExtension_t9781D24066D84C09C7137124FBC848491BF54567, ____ski_6)); }
inline String_t* get__ski_6() const { return ____ski_6; }
inline String_t** get_address_of__ski_6() { return &____ski_6; }
inline void set__ski_6(String_t* value)
{
____ski_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&____ski_6), (void*)value);
}
inline static int32_t get_offset_of__status_7() { return static_cast<int32_t>(offsetof(X509SubjectKeyIdentifierExtension_t9781D24066D84C09C7137124FBC848491BF54567, ____status_7)); }
inline int32_t get__status_7() const { return ____status_7; }
inline int32_t* get_address_of__status_7() { return &____status_7; }
inline void set__status_7(int32_t value)
{
____status_7 = value;
}
};
// System.Xml.Linq.XElement
struct XElement_tB23449727DAFDA30624A9E24F99731430F9CC8A5 : public XContainer_t195526C99472280E1DE55FCBAF9060CD9DE37525
{
public:
// System.Xml.Linq.XName System.Xml.Linq.XElement::name
XName_t03F670C1FC8B039AC94EB7B0BAE881E6E3545956 * ___name_3;
public:
inline static int32_t get_offset_of_name_3() { return static_cast<int32_t>(offsetof(XElement_tB23449727DAFDA30624A9E24F99731430F9CC8A5, ___name_3)); }
inline XName_t03F670C1FC8B039AC94EB7B0BAE881E6E3545956 * get_name_3() const { return ___name_3; }
inline XName_t03F670C1FC8B039AC94EB7B0BAE881E6E3545956 ** get_address_of_name_3() { return &___name_3; }
inline void set_name_3(XName_t03F670C1FC8B039AC94EB7B0BAE881E6E3545956 * value)
{
___name_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_3), (void*)value);
}
};
// UnityEngine.XR.ARSubsystems.XRAnchor
struct XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C
{
public:
// UnityEngine.XR.ARSubsystems.TrackableId UnityEngine.XR.ARSubsystems.XRAnchor::m_Id
TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B ___m_Id_1;
// UnityEngine.Pose UnityEngine.XR.ARSubsystems.XRAnchor::m_Pose
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A ___m_Pose_2;
// UnityEngine.XR.ARSubsystems.TrackingState UnityEngine.XR.ARSubsystems.XRAnchor::m_TrackingState
int32_t ___m_TrackingState_3;
// System.IntPtr UnityEngine.XR.ARSubsystems.XRAnchor::m_NativePtr
intptr_t ___m_NativePtr_4;
// System.Guid UnityEngine.XR.ARSubsystems.XRAnchor::m_SessionId
Guid_t ___m_SessionId_5;
public:
inline static int32_t get_offset_of_m_Id_1() { return static_cast<int32_t>(offsetof(XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C, ___m_Id_1)); }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B get_m_Id_1() const { return ___m_Id_1; }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B * get_address_of_m_Id_1() { return &___m_Id_1; }
inline void set_m_Id_1(TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B value)
{
___m_Id_1 = value;
}
inline static int32_t get_offset_of_m_Pose_2() { return static_cast<int32_t>(offsetof(XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C, ___m_Pose_2)); }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A get_m_Pose_2() const { return ___m_Pose_2; }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A * get_address_of_m_Pose_2() { return &___m_Pose_2; }
inline void set_m_Pose_2(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A value)
{
___m_Pose_2 = value;
}
inline static int32_t get_offset_of_m_TrackingState_3() { return static_cast<int32_t>(offsetof(XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C, ___m_TrackingState_3)); }
inline int32_t get_m_TrackingState_3() const { return ___m_TrackingState_3; }
inline int32_t* get_address_of_m_TrackingState_3() { return &___m_TrackingState_3; }
inline void set_m_TrackingState_3(int32_t value)
{
___m_TrackingState_3 = value;
}
inline static int32_t get_offset_of_m_NativePtr_4() { return static_cast<int32_t>(offsetof(XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C, ___m_NativePtr_4)); }
inline intptr_t get_m_NativePtr_4() const { return ___m_NativePtr_4; }
inline intptr_t* get_address_of_m_NativePtr_4() { return &___m_NativePtr_4; }
inline void set_m_NativePtr_4(intptr_t value)
{
___m_NativePtr_4 = value;
}
inline static int32_t get_offset_of_m_SessionId_5() { return static_cast<int32_t>(offsetof(XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C, ___m_SessionId_5)); }
inline Guid_t get_m_SessionId_5() const { return ___m_SessionId_5; }
inline Guid_t * get_address_of_m_SessionId_5() { return &___m_SessionId_5; }
inline void set_m_SessionId_5(Guid_t value)
{
___m_SessionId_5 = value;
}
};
struct XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C_StaticFields
{
public:
// UnityEngine.XR.ARSubsystems.XRAnchor UnityEngine.XR.ARSubsystems.XRAnchor::s_Default
XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C ___s_Default_0;
public:
inline static int32_t get_offset_of_s_Default_0() { return static_cast<int32_t>(offsetof(XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C_StaticFields, ___s_Default_0)); }
inline XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C get_s_Default_0() const { return ___s_Default_0; }
inline XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C * get_address_of_s_Default_0() { return &___s_Default_0; }
inline void set_s_Default_0(XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C value)
{
___s_Default_0 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRAnchorSubsystem
struct XRAnchorSubsystem_t625D9B76C590AB601CF85525DB9396BE84425AA7 : public TrackingSubsystem_4_t5C7E2B8B7A9943DF8B9FF5B46FB5AFA71E9826F1
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRCameraParams
struct XRCameraParams_t9FCECBDAEFCC1084042B75393990959B28B64B18
{
public:
// System.Single UnityEngine.XR.ARSubsystems.XRCameraParams::m_ZNear
float ___m_ZNear_0;
// System.Single UnityEngine.XR.ARSubsystems.XRCameraParams::m_ZFar
float ___m_ZFar_1;
// System.Single UnityEngine.XR.ARSubsystems.XRCameraParams::m_ScreenWidth
float ___m_ScreenWidth_2;
// System.Single UnityEngine.XR.ARSubsystems.XRCameraParams::m_ScreenHeight
float ___m_ScreenHeight_3;
// UnityEngine.ScreenOrientation UnityEngine.XR.ARSubsystems.XRCameraParams::m_ScreenOrientation
int32_t ___m_ScreenOrientation_4;
public:
inline static int32_t get_offset_of_m_ZNear_0() { return static_cast<int32_t>(offsetof(XRCameraParams_t9FCECBDAEFCC1084042B75393990959B28B64B18, ___m_ZNear_0)); }
inline float get_m_ZNear_0() const { return ___m_ZNear_0; }
inline float* get_address_of_m_ZNear_0() { return &___m_ZNear_0; }
inline void set_m_ZNear_0(float value)
{
___m_ZNear_0 = value;
}
inline static int32_t get_offset_of_m_ZFar_1() { return static_cast<int32_t>(offsetof(XRCameraParams_t9FCECBDAEFCC1084042B75393990959B28B64B18, ___m_ZFar_1)); }
inline float get_m_ZFar_1() const { return ___m_ZFar_1; }
inline float* get_address_of_m_ZFar_1() { return &___m_ZFar_1; }
inline void set_m_ZFar_1(float value)
{
___m_ZFar_1 = value;
}
inline static int32_t get_offset_of_m_ScreenWidth_2() { return static_cast<int32_t>(offsetof(XRCameraParams_t9FCECBDAEFCC1084042B75393990959B28B64B18, ___m_ScreenWidth_2)); }
inline float get_m_ScreenWidth_2() const { return ___m_ScreenWidth_2; }
inline float* get_address_of_m_ScreenWidth_2() { return &___m_ScreenWidth_2; }
inline void set_m_ScreenWidth_2(float value)
{
___m_ScreenWidth_2 = value;
}
inline static int32_t get_offset_of_m_ScreenHeight_3() { return static_cast<int32_t>(offsetof(XRCameraParams_t9FCECBDAEFCC1084042B75393990959B28B64B18, ___m_ScreenHeight_3)); }
inline float get_m_ScreenHeight_3() const { return ___m_ScreenHeight_3; }
inline float* get_address_of_m_ScreenHeight_3() { return &___m_ScreenHeight_3; }
inline void set_m_ScreenHeight_3(float value)
{
___m_ScreenHeight_3 = value;
}
inline static int32_t get_offset_of_m_ScreenOrientation_4() { return static_cast<int32_t>(offsetof(XRCameraParams_t9FCECBDAEFCC1084042B75393990959B28B64B18, ___m_ScreenOrientation_4)); }
inline int32_t get_m_ScreenOrientation_4() const { return ___m_ScreenOrientation_4; }
inline int32_t* get_address_of_m_ScreenOrientation_4() { return &___m_ScreenOrientation_4; }
inline void set_m_ScreenOrientation_4(int32_t value)
{
___m_ScreenOrientation_4 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRCpuImage
struct XRCpuImage_tA48C0687D95D3D63D1101E4E08EFCF0ABB2431CE
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.XRCpuImage::m_NativeHandle
int32_t ___m_NativeHandle_0;
// UnityEngine.XR.ARSubsystems.XRCpuImage/Api UnityEngine.XR.ARSubsystems.XRCpuImage::m_Api
Api_t7C92F00C6416A2C636A44AAC833C3773C567DC3E * ___m_Api_1;
// UnityEngine.Vector2Int UnityEngine.XR.ARSubsystems.XRCpuImage::<dimensions>k__BackingField
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 ___U3CdimensionsU3Ek__BackingField_3;
// System.Int32 UnityEngine.XR.ARSubsystems.XRCpuImage::<planeCount>k__BackingField
int32_t ___U3CplaneCountU3Ek__BackingField_4;
// UnityEngine.XR.ARSubsystems.XRCpuImage/Format UnityEngine.XR.ARSubsystems.XRCpuImage::<format>k__BackingField
int32_t ___U3CformatU3Ek__BackingField_5;
// System.Double UnityEngine.XR.ARSubsystems.XRCpuImage::<timestamp>k__BackingField
double ___U3CtimestampU3Ek__BackingField_6;
public:
inline static int32_t get_offset_of_m_NativeHandle_0() { return static_cast<int32_t>(offsetof(XRCpuImage_tA48C0687D95D3D63D1101E4E08EFCF0ABB2431CE, ___m_NativeHandle_0)); }
inline int32_t get_m_NativeHandle_0() const { return ___m_NativeHandle_0; }
inline int32_t* get_address_of_m_NativeHandle_0() { return &___m_NativeHandle_0; }
inline void set_m_NativeHandle_0(int32_t value)
{
___m_NativeHandle_0 = value;
}
inline static int32_t get_offset_of_m_Api_1() { return static_cast<int32_t>(offsetof(XRCpuImage_tA48C0687D95D3D63D1101E4E08EFCF0ABB2431CE, ___m_Api_1)); }
inline Api_t7C92F00C6416A2C636A44AAC833C3773C567DC3E * get_m_Api_1() const { return ___m_Api_1; }
inline Api_t7C92F00C6416A2C636A44AAC833C3773C567DC3E ** get_address_of_m_Api_1() { return &___m_Api_1; }
inline void set_m_Api_1(Api_t7C92F00C6416A2C636A44AAC833C3773C567DC3E * value)
{
___m_Api_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Api_1), (void*)value);
}
inline static int32_t get_offset_of_U3CdimensionsU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(XRCpuImage_tA48C0687D95D3D63D1101E4E08EFCF0ABB2431CE, ___U3CdimensionsU3Ek__BackingField_3)); }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 get_U3CdimensionsU3Ek__BackingField_3() const { return ___U3CdimensionsU3Ek__BackingField_3; }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 * get_address_of_U3CdimensionsU3Ek__BackingField_3() { return &___U3CdimensionsU3Ek__BackingField_3; }
inline void set_U3CdimensionsU3Ek__BackingField_3(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 value)
{
___U3CdimensionsU3Ek__BackingField_3 = value;
}
inline static int32_t get_offset_of_U3CplaneCountU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(XRCpuImage_tA48C0687D95D3D63D1101E4E08EFCF0ABB2431CE, ___U3CplaneCountU3Ek__BackingField_4)); }
inline int32_t get_U3CplaneCountU3Ek__BackingField_4() const { return ___U3CplaneCountU3Ek__BackingField_4; }
inline int32_t* get_address_of_U3CplaneCountU3Ek__BackingField_4() { return &___U3CplaneCountU3Ek__BackingField_4; }
inline void set_U3CplaneCountU3Ek__BackingField_4(int32_t value)
{
___U3CplaneCountU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3CformatU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(XRCpuImage_tA48C0687D95D3D63D1101E4E08EFCF0ABB2431CE, ___U3CformatU3Ek__BackingField_5)); }
inline int32_t get_U3CformatU3Ek__BackingField_5() const { return ___U3CformatU3Ek__BackingField_5; }
inline int32_t* get_address_of_U3CformatU3Ek__BackingField_5() { return &___U3CformatU3Ek__BackingField_5; }
inline void set_U3CformatU3Ek__BackingField_5(int32_t value)
{
___U3CformatU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CtimestampU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(XRCpuImage_tA48C0687D95D3D63D1101E4E08EFCF0ABB2431CE, ___U3CtimestampU3Ek__BackingField_6)); }
inline double get_U3CtimestampU3Ek__BackingField_6() const { return ___U3CtimestampU3Ek__BackingField_6; }
inline double* get_address_of_U3CtimestampU3Ek__BackingField_6() { return &___U3CtimestampU3Ek__BackingField_6; }
inline void set_U3CtimestampU3Ek__BackingField_6(double value)
{
___U3CtimestampU3Ek__BackingField_6 = value;
}
};
struct XRCpuImage_tA48C0687D95D3D63D1101E4E08EFCF0ABB2431CE_StaticFields
{
public:
// UnityEngine.XR.ARSubsystems.XRCpuImage/Api/OnImageRequestCompleteDelegate UnityEngine.XR.ARSubsystems.XRCpuImage::s_OnAsyncConversionCompleteDelegate
OnImageRequestCompleteDelegate_t118FB01E93241BFD5BCA5BEF2A6FD082ACAAB4DD * ___s_OnAsyncConversionCompleteDelegate_2;
public:
inline static int32_t get_offset_of_s_OnAsyncConversionCompleteDelegate_2() { return static_cast<int32_t>(offsetof(XRCpuImage_tA48C0687D95D3D63D1101E4E08EFCF0ABB2431CE_StaticFields, ___s_OnAsyncConversionCompleteDelegate_2)); }
inline OnImageRequestCompleteDelegate_t118FB01E93241BFD5BCA5BEF2A6FD082ACAAB4DD * get_s_OnAsyncConversionCompleteDelegate_2() const { return ___s_OnAsyncConversionCompleteDelegate_2; }
inline OnImageRequestCompleteDelegate_t118FB01E93241BFD5BCA5BEF2A6FD082ACAAB4DD ** get_address_of_s_OnAsyncConversionCompleteDelegate_2() { return &___s_OnAsyncConversionCompleteDelegate_2; }
inline void set_s_OnAsyncConversionCompleteDelegate_2(OnImageRequestCompleteDelegate_t118FB01E93241BFD5BCA5BEF2A6FD082ACAAB4DD * value)
{
___s_OnAsyncConversionCompleteDelegate_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_OnAsyncConversionCompleteDelegate_2), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARSubsystems.XRCpuImage
struct XRCpuImage_tA48C0687D95D3D63D1101E4E08EFCF0ABB2431CE_marshaled_pinvoke
{
int32_t ___m_NativeHandle_0;
Api_t7C92F00C6416A2C636A44AAC833C3773C567DC3E * ___m_Api_1;
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 ___U3CdimensionsU3Ek__BackingField_3;
int32_t ___U3CplaneCountU3Ek__BackingField_4;
int32_t ___U3CformatU3Ek__BackingField_5;
double ___U3CtimestampU3Ek__BackingField_6;
};
// Native definition for COM marshalling of UnityEngine.XR.ARSubsystems.XRCpuImage
struct XRCpuImage_tA48C0687D95D3D63D1101E4E08EFCF0ABB2431CE_marshaled_com
{
int32_t ___m_NativeHandle_0;
Api_t7C92F00C6416A2C636A44AAC833C3773C567DC3E * ___m_Api_1;
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 ___U3CdimensionsU3Ek__BackingField_3;
int32_t ___U3CplaneCountU3Ek__BackingField_4;
int32_t ___U3CformatU3Ek__BackingField_5;
double ___U3CtimestampU3Ek__BackingField_6;
};
// UnityEngine.XR.ARSubsystems.XRDepthSubsystem
struct XRDepthSubsystem_t808E21F0192095B08FA03AC535314FB5EF3B7E28 : public TrackingSubsystem_4_t52B43FDBB6E641E351193D790222EA1C68B2984E
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystem
struct XREnvironmentProbeSubsystem_t0C60258F565400E7C5AF0E0B7FA933F2BCF83CB6 : public TrackingSubsystem_4_t3D5C3B3749ABE82CC258AD552288C51FAE67DA1A
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRFace
struct XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599
{
public:
// UnityEngine.XR.ARSubsystems.TrackableId UnityEngine.XR.ARSubsystems.XRFace::m_TrackableId
TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B ___m_TrackableId_0;
// UnityEngine.Pose UnityEngine.XR.ARSubsystems.XRFace::m_Pose
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A ___m_Pose_1;
// UnityEngine.XR.ARSubsystems.TrackingState UnityEngine.XR.ARSubsystems.XRFace::m_TrackingState
int32_t ___m_TrackingState_2;
// System.IntPtr UnityEngine.XR.ARSubsystems.XRFace::m_NativePtr
intptr_t ___m_NativePtr_3;
// UnityEngine.Pose UnityEngine.XR.ARSubsystems.XRFace::m_LeftEyePose
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A ___m_LeftEyePose_4;
// UnityEngine.Pose UnityEngine.XR.ARSubsystems.XRFace::m_RightEyePose
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A ___m_RightEyePose_5;
// UnityEngine.Vector3 UnityEngine.XR.ARSubsystems.XRFace::m_FixationPoint
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_FixationPoint_6;
public:
inline static int32_t get_offset_of_m_TrackableId_0() { return static_cast<int32_t>(offsetof(XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599, ___m_TrackableId_0)); }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B get_m_TrackableId_0() const { return ___m_TrackableId_0; }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B * get_address_of_m_TrackableId_0() { return &___m_TrackableId_0; }
inline void set_m_TrackableId_0(TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B value)
{
___m_TrackableId_0 = value;
}
inline static int32_t get_offset_of_m_Pose_1() { return static_cast<int32_t>(offsetof(XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599, ___m_Pose_1)); }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A get_m_Pose_1() const { return ___m_Pose_1; }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A * get_address_of_m_Pose_1() { return &___m_Pose_1; }
inline void set_m_Pose_1(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A value)
{
___m_Pose_1 = value;
}
inline static int32_t get_offset_of_m_TrackingState_2() { return static_cast<int32_t>(offsetof(XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599, ___m_TrackingState_2)); }
inline int32_t get_m_TrackingState_2() const { return ___m_TrackingState_2; }
inline int32_t* get_address_of_m_TrackingState_2() { return &___m_TrackingState_2; }
inline void set_m_TrackingState_2(int32_t value)
{
___m_TrackingState_2 = value;
}
inline static int32_t get_offset_of_m_NativePtr_3() { return static_cast<int32_t>(offsetof(XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599, ___m_NativePtr_3)); }
inline intptr_t get_m_NativePtr_3() const { return ___m_NativePtr_3; }
inline intptr_t* get_address_of_m_NativePtr_3() { return &___m_NativePtr_3; }
inline void set_m_NativePtr_3(intptr_t value)
{
___m_NativePtr_3 = value;
}
inline static int32_t get_offset_of_m_LeftEyePose_4() { return static_cast<int32_t>(offsetof(XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599, ___m_LeftEyePose_4)); }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A get_m_LeftEyePose_4() const { return ___m_LeftEyePose_4; }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A * get_address_of_m_LeftEyePose_4() { return &___m_LeftEyePose_4; }
inline void set_m_LeftEyePose_4(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A value)
{
___m_LeftEyePose_4 = value;
}
inline static int32_t get_offset_of_m_RightEyePose_5() { return static_cast<int32_t>(offsetof(XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599, ___m_RightEyePose_5)); }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A get_m_RightEyePose_5() const { return ___m_RightEyePose_5; }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A * get_address_of_m_RightEyePose_5() { return &___m_RightEyePose_5; }
inline void set_m_RightEyePose_5(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A value)
{
___m_RightEyePose_5 = value;
}
inline static int32_t get_offset_of_m_FixationPoint_6() { return static_cast<int32_t>(offsetof(XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599, ___m_FixationPoint_6)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_FixationPoint_6() const { return ___m_FixationPoint_6; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_FixationPoint_6() { return &___m_FixationPoint_6; }
inline void set_m_FixationPoint_6(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_FixationPoint_6 = value;
}
};
struct XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599_StaticFields
{
public:
// UnityEngine.XR.ARSubsystems.XRFace UnityEngine.XR.ARSubsystems.XRFace::s_Default
XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599 ___s_Default_7;
public:
inline static int32_t get_offset_of_s_Default_7() { return static_cast<int32_t>(offsetof(XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599_StaticFields, ___s_Default_7)); }
inline XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599 get_s_Default_7() const { return ___s_Default_7; }
inline XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599 * get_address_of_s_Default_7() { return &___s_Default_7; }
inline void set_s_Default_7(XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599 value)
{
___s_Default_7 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRFaceSubsystem
struct XRFaceSubsystem_tBC42015E8BB4ED0A5428E01DBB7BE769A6B140FD : public TrackingSubsystem_4_tFC4495C6B04D616F71158509026269F004F79333
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRHumanBody
struct XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B
{
public:
// UnityEngine.XR.ARSubsystems.TrackableId UnityEngine.XR.ARSubsystems.XRHumanBody::m_TrackableId
TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B ___m_TrackableId_0;
// UnityEngine.Pose UnityEngine.XR.ARSubsystems.XRHumanBody::m_Pose
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A ___m_Pose_1;
// System.Single UnityEngine.XR.ARSubsystems.XRHumanBody::m_EstimatedHeightScaleFactor
float ___m_EstimatedHeightScaleFactor_2;
// UnityEngine.XR.ARSubsystems.TrackingState UnityEngine.XR.ARSubsystems.XRHumanBody::m_TrackingState
int32_t ___m_TrackingState_3;
// System.IntPtr UnityEngine.XR.ARSubsystems.XRHumanBody::m_NativePtr
intptr_t ___m_NativePtr_4;
public:
inline static int32_t get_offset_of_m_TrackableId_0() { return static_cast<int32_t>(offsetof(XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B, ___m_TrackableId_0)); }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B get_m_TrackableId_0() const { return ___m_TrackableId_0; }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B * get_address_of_m_TrackableId_0() { return &___m_TrackableId_0; }
inline void set_m_TrackableId_0(TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B value)
{
___m_TrackableId_0 = value;
}
inline static int32_t get_offset_of_m_Pose_1() { return static_cast<int32_t>(offsetof(XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B, ___m_Pose_1)); }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A get_m_Pose_1() const { return ___m_Pose_1; }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A * get_address_of_m_Pose_1() { return &___m_Pose_1; }
inline void set_m_Pose_1(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A value)
{
___m_Pose_1 = value;
}
inline static int32_t get_offset_of_m_EstimatedHeightScaleFactor_2() { return static_cast<int32_t>(offsetof(XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B, ___m_EstimatedHeightScaleFactor_2)); }
inline float get_m_EstimatedHeightScaleFactor_2() const { return ___m_EstimatedHeightScaleFactor_2; }
inline float* get_address_of_m_EstimatedHeightScaleFactor_2() { return &___m_EstimatedHeightScaleFactor_2; }
inline void set_m_EstimatedHeightScaleFactor_2(float value)
{
___m_EstimatedHeightScaleFactor_2 = value;
}
inline static int32_t get_offset_of_m_TrackingState_3() { return static_cast<int32_t>(offsetof(XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B, ___m_TrackingState_3)); }
inline int32_t get_m_TrackingState_3() const { return ___m_TrackingState_3; }
inline int32_t* get_address_of_m_TrackingState_3() { return &___m_TrackingState_3; }
inline void set_m_TrackingState_3(int32_t value)
{
___m_TrackingState_3 = value;
}
inline static int32_t get_offset_of_m_NativePtr_4() { return static_cast<int32_t>(offsetof(XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B, ___m_NativePtr_4)); }
inline intptr_t get_m_NativePtr_4() const { return ___m_NativePtr_4; }
inline intptr_t* get_address_of_m_NativePtr_4() { return &___m_NativePtr_4; }
inline void set_m_NativePtr_4(intptr_t value)
{
___m_NativePtr_4 = value;
}
};
struct XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B_StaticFields
{
public:
// UnityEngine.XR.ARSubsystems.XRHumanBody UnityEngine.XR.ARSubsystems.XRHumanBody::s_Default
XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B ___s_Default_5;
public:
inline static int32_t get_offset_of_s_Default_5() { return static_cast<int32_t>(offsetof(XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B_StaticFields, ___s_Default_5)); }
inline XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B get_s_Default_5() const { return ___s_Default_5; }
inline XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B * get_address_of_s_Default_5() { return &___s_Default_5; }
inline void set_s_Default_5(XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B value)
{
___s_Default_5 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRHumanBodyJoint
struct XRHumanBodyJoint_t80D5022A816E4F24C92A9EABD645794FC0B5E2E4
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.XRHumanBodyJoint::m_Index
int32_t ___m_Index_0;
// System.Int32 UnityEngine.XR.ARSubsystems.XRHumanBodyJoint::m_ParentIndex
int32_t ___m_ParentIndex_1;
// UnityEngine.Vector3 UnityEngine.XR.ARSubsystems.XRHumanBodyJoint::m_LocalScale
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_LocalScale_2;
// UnityEngine.Pose UnityEngine.XR.ARSubsystems.XRHumanBodyJoint::m_LocalPose
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A ___m_LocalPose_3;
// UnityEngine.Vector3 UnityEngine.XR.ARSubsystems.XRHumanBodyJoint::m_AnchorScale
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_AnchorScale_4;
// UnityEngine.Pose UnityEngine.XR.ARSubsystems.XRHumanBodyJoint::m_AnchorPose
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A ___m_AnchorPose_5;
// System.Int32 UnityEngine.XR.ARSubsystems.XRHumanBodyJoint::m_Tracked
int32_t ___m_Tracked_6;
public:
inline static int32_t get_offset_of_m_Index_0() { return static_cast<int32_t>(offsetof(XRHumanBodyJoint_t80D5022A816E4F24C92A9EABD645794FC0B5E2E4, ___m_Index_0)); }
inline int32_t get_m_Index_0() const { return ___m_Index_0; }
inline int32_t* get_address_of_m_Index_0() { return &___m_Index_0; }
inline void set_m_Index_0(int32_t value)
{
___m_Index_0 = value;
}
inline static int32_t get_offset_of_m_ParentIndex_1() { return static_cast<int32_t>(offsetof(XRHumanBodyJoint_t80D5022A816E4F24C92A9EABD645794FC0B5E2E4, ___m_ParentIndex_1)); }
inline int32_t get_m_ParentIndex_1() const { return ___m_ParentIndex_1; }
inline int32_t* get_address_of_m_ParentIndex_1() { return &___m_ParentIndex_1; }
inline void set_m_ParentIndex_1(int32_t value)
{
___m_ParentIndex_1 = value;
}
inline static int32_t get_offset_of_m_LocalScale_2() { return static_cast<int32_t>(offsetof(XRHumanBodyJoint_t80D5022A816E4F24C92A9EABD645794FC0B5E2E4, ___m_LocalScale_2)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_LocalScale_2() const { return ___m_LocalScale_2; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_LocalScale_2() { return &___m_LocalScale_2; }
inline void set_m_LocalScale_2(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_LocalScale_2 = value;
}
inline static int32_t get_offset_of_m_LocalPose_3() { return static_cast<int32_t>(offsetof(XRHumanBodyJoint_t80D5022A816E4F24C92A9EABD645794FC0B5E2E4, ___m_LocalPose_3)); }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A get_m_LocalPose_3() const { return ___m_LocalPose_3; }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A * get_address_of_m_LocalPose_3() { return &___m_LocalPose_3; }
inline void set_m_LocalPose_3(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A value)
{
___m_LocalPose_3 = value;
}
inline static int32_t get_offset_of_m_AnchorScale_4() { return static_cast<int32_t>(offsetof(XRHumanBodyJoint_t80D5022A816E4F24C92A9EABD645794FC0B5E2E4, ___m_AnchorScale_4)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_AnchorScale_4() const { return ___m_AnchorScale_4; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_AnchorScale_4() { return &___m_AnchorScale_4; }
inline void set_m_AnchorScale_4(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_AnchorScale_4 = value;
}
inline static int32_t get_offset_of_m_AnchorPose_5() { return static_cast<int32_t>(offsetof(XRHumanBodyJoint_t80D5022A816E4F24C92A9EABD645794FC0B5E2E4, ___m_AnchorPose_5)); }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A get_m_AnchorPose_5() const { return ___m_AnchorPose_5; }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A * get_address_of_m_AnchorPose_5() { return &___m_AnchorPose_5; }
inline void set_m_AnchorPose_5(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A value)
{
___m_AnchorPose_5 = value;
}
inline static int32_t get_offset_of_m_Tracked_6() { return static_cast<int32_t>(offsetof(XRHumanBodyJoint_t80D5022A816E4F24C92A9EABD645794FC0B5E2E4, ___m_Tracked_6)); }
inline int32_t get_m_Tracked_6() const { return ___m_Tracked_6; }
inline int32_t* get_address_of_m_Tracked_6() { return &___m_Tracked_6; }
inline void set_m_Tracked_6(int32_t value)
{
___m_Tracked_6 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRHumanBodySubsystem
struct XRHumanBodySubsystem_t71FBF94503DCE781657FA4F362464EA389CD9F2B : public TrackingSubsystem_4_tB0BB38AE7B56DA9BE6D8463DD64E4766AD686B86
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystem
struct XRImageTrackingSubsystem_tBC68AD21C11D8D67F3343844E129DF505FF705CE : public TrackingSubsystem_4_tCE5EA1B7325877FD88C7CF41F681F25B1FC1717A
{
public:
// UnityEngine.XR.ARSubsystems.RuntimeReferenceImageLibrary UnityEngine.XR.ARSubsystems.XRImageTrackingSubsystem::m_ImageLibrary
RuntimeReferenceImageLibrary_t76072EC5637B1F0F8FD0A1BFD3AEAF954D6F8D6B * ___m_ImageLibrary_4;
public:
inline static int32_t get_offset_of_m_ImageLibrary_4() { return static_cast<int32_t>(offsetof(XRImageTrackingSubsystem_tBC68AD21C11D8D67F3343844E129DF505FF705CE, ___m_ImageLibrary_4)); }
inline RuntimeReferenceImageLibrary_t76072EC5637B1F0F8FD0A1BFD3AEAF954D6F8D6B * get_m_ImageLibrary_4() const { return ___m_ImageLibrary_4; }
inline RuntimeReferenceImageLibrary_t76072EC5637B1F0F8FD0A1BFD3AEAF954D6F8D6B ** get_address_of_m_ImageLibrary_4() { return &___m_ImageLibrary_4; }
inline void set_m_ImageLibrary_4(RuntimeReferenceImageLibrary_t76072EC5637B1F0F8FD0A1BFD3AEAF954D6F8D6B * value)
{
___m_ImageLibrary_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ImageLibrary_4), (void*)value);
}
};
// UnityEngine.XR.XRNodeState
struct XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33
{
public:
// UnityEngine.XR.XRNode UnityEngine.XR.XRNodeState::m_Type
int32_t ___m_Type_0;
// UnityEngine.XR.AvailableTrackingData UnityEngine.XR.XRNodeState::m_AvailableFields
int32_t ___m_AvailableFields_1;
// UnityEngine.Vector3 UnityEngine.XR.XRNodeState::m_Position
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Position_2;
// UnityEngine.Quaternion UnityEngine.XR.XRNodeState::m_Rotation
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 ___m_Rotation_3;
// UnityEngine.Vector3 UnityEngine.XR.XRNodeState::m_Velocity
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Velocity_4;
// UnityEngine.Vector3 UnityEngine.XR.XRNodeState::m_AngularVelocity
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_AngularVelocity_5;
// UnityEngine.Vector3 UnityEngine.XR.XRNodeState::m_Acceleration
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Acceleration_6;
// UnityEngine.Vector3 UnityEngine.XR.XRNodeState::m_AngularAcceleration
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_AngularAcceleration_7;
// System.Int32 UnityEngine.XR.XRNodeState::m_Tracked
int32_t ___m_Tracked_8;
// System.UInt64 UnityEngine.XR.XRNodeState::m_UniqueID
uint64_t ___m_UniqueID_9;
public:
inline static int32_t get_offset_of_m_Type_0() { return static_cast<int32_t>(offsetof(XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33, ___m_Type_0)); }
inline int32_t get_m_Type_0() const { return ___m_Type_0; }
inline int32_t* get_address_of_m_Type_0() { return &___m_Type_0; }
inline void set_m_Type_0(int32_t value)
{
___m_Type_0 = value;
}
inline static int32_t get_offset_of_m_AvailableFields_1() { return static_cast<int32_t>(offsetof(XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33, ___m_AvailableFields_1)); }
inline int32_t get_m_AvailableFields_1() const { return ___m_AvailableFields_1; }
inline int32_t* get_address_of_m_AvailableFields_1() { return &___m_AvailableFields_1; }
inline void set_m_AvailableFields_1(int32_t value)
{
___m_AvailableFields_1 = value;
}
inline static int32_t get_offset_of_m_Position_2() { return static_cast<int32_t>(offsetof(XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33, ___m_Position_2)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Position_2() const { return ___m_Position_2; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Position_2() { return &___m_Position_2; }
inline void set_m_Position_2(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Position_2 = value;
}
inline static int32_t get_offset_of_m_Rotation_3() { return static_cast<int32_t>(offsetof(XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33, ___m_Rotation_3)); }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 get_m_Rotation_3() const { return ___m_Rotation_3; }
inline Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 * get_address_of_m_Rotation_3() { return &___m_Rotation_3; }
inline void set_m_Rotation_3(Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4 value)
{
___m_Rotation_3 = value;
}
inline static int32_t get_offset_of_m_Velocity_4() { return static_cast<int32_t>(offsetof(XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33, ___m_Velocity_4)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Velocity_4() const { return ___m_Velocity_4; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Velocity_4() { return &___m_Velocity_4; }
inline void set_m_Velocity_4(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Velocity_4 = value;
}
inline static int32_t get_offset_of_m_AngularVelocity_5() { return static_cast<int32_t>(offsetof(XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33, ___m_AngularVelocity_5)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_AngularVelocity_5() const { return ___m_AngularVelocity_5; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_AngularVelocity_5() { return &___m_AngularVelocity_5; }
inline void set_m_AngularVelocity_5(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_AngularVelocity_5 = value;
}
inline static int32_t get_offset_of_m_Acceleration_6() { return static_cast<int32_t>(offsetof(XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33, ___m_Acceleration_6)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Acceleration_6() const { return ___m_Acceleration_6; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Acceleration_6() { return &___m_Acceleration_6; }
inline void set_m_Acceleration_6(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Acceleration_6 = value;
}
inline static int32_t get_offset_of_m_AngularAcceleration_7() { return static_cast<int32_t>(offsetof(XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33, ___m_AngularAcceleration_7)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_AngularAcceleration_7() const { return ___m_AngularAcceleration_7; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_AngularAcceleration_7() { return &___m_AngularAcceleration_7; }
inline void set_m_AngularAcceleration_7(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_AngularAcceleration_7 = value;
}
inline static int32_t get_offset_of_m_Tracked_8() { return static_cast<int32_t>(offsetof(XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33, ___m_Tracked_8)); }
inline int32_t get_m_Tracked_8() const { return ___m_Tracked_8; }
inline int32_t* get_address_of_m_Tracked_8() { return &___m_Tracked_8; }
inline void set_m_Tracked_8(int32_t value)
{
___m_Tracked_8 = value;
}
inline static int32_t get_offset_of_m_UniqueID_9() { return static_cast<int32_t>(offsetof(XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33, ___m_UniqueID_9)); }
inline uint64_t get_m_UniqueID_9() const { return ___m_UniqueID_9; }
inline uint64_t* get_address_of_m_UniqueID_9() { return &___m_UniqueID_9; }
inline void set_m_UniqueID_9(uint64_t value)
{
___m_UniqueID_9 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRObjectTrackingSubsystem
struct XRObjectTrackingSubsystem_t3F31F4C8BCA868FE69BD8EC75BA5A1116026C881 : public TrackingSubsystem_4_t1E41FDFF37B1529EED554D89481040B067E300EB
{
public:
// UnityEngine.XR.ARSubsystems.XRReferenceObjectLibrary UnityEngine.XR.ARSubsystems.XRObjectTrackingSubsystem::m_Library
XRReferenceObjectLibrary_t07704B2996E507F23EE3C99CFC3BB73A83C99A7C * ___m_Library_4;
public:
inline static int32_t get_offset_of_m_Library_4() { return static_cast<int32_t>(offsetof(XRObjectTrackingSubsystem_t3F31F4C8BCA868FE69BD8EC75BA5A1116026C881, ___m_Library_4)); }
inline XRReferenceObjectLibrary_t07704B2996E507F23EE3C99CFC3BB73A83C99A7C * get_m_Library_4() const { return ___m_Library_4; }
inline XRReferenceObjectLibrary_t07704B2996E507F23EE3C99CFC3BB73A83C99A7C ** get_address_of_m_Library_4() { return &___m_Library_4; }
inline void set_m_Library_4(XRReferenceObjectLibrary_t07704B2996E507F23EE3C99CFC3BB73A83C99A7C * value)
{
___m_Library_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Library_4), (void*)value);
}
};
// UnityEngine.XR.ARSubsystems.XRParticipant
struct XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F
{
public:
// UnityEngine.XR.ARSubsystems.TrackableId UnityEngine.XR.ARSubsystems.XRParticipant::m_TrackableId
TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B ___m_TrackableId_0;
// UnityEngine.Pose UnityEngine.XR.ARSubsystems.XRParticipant::m_Pose
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A ___m_Pose_1;
// UnityEngine.XR.ARSubsystems.TrackingState UnityEngine.XR.ARSubsystems.XRParticipant::m_TrackingState
int32_t ___m_TrackingState_2;
// System.IntPtr UnityEngine.XR.ARSubsystems.XRParticipant::m_NativePtr
intptr_t ___m_NativePtr_3;
// System.Guid UnityEngine.XR.ARSubsystems.XRParticipant::m_SessionId
Guid_t ___m_SessionId_4;
public:
inline static int32_t get_offset_of_m_TrackableId_0() { return static_cast<int32_t>(offsetof(XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F, ___m_TrackableId_0)); }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B get_m_TrackableId_0() const { return ___m_TrackableId_0; }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B * get_address_of_m_TrackableId_0() { return &___m_TrackableId_0; }
inline void set_m_TrackableId_0(TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B value)
{
___m_TrackableId_0 = value;
}
inline static int32_t get_offset_of_m_Pose_1() { return static_cast<int32_t>(offsetof(XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F, ___m_Pose_1)); }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A get_m_Pose_1() const { return ___m_Pose_1; }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A * get_address_of_m_Pose_1() { return &___m_Pose_1; }
inline void set_m_Pose_1(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A value)
{
___m_Pose_1 = value;
}
inline static int32_t get_offset_of_m_TrackingState_2() { return static_cast<int32_t>(offsetof(XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F, ___m_TrackingState_2)); }
inline int32_t get_m_TrackingState_2() const { return ___m_TrackingState_2; }
inline int32_t* get_address_of_m_TrackingState_2() { return &___m_TrackingState_2; }
inline void set_m_TrackingState_2(int32_t value)
{
___m_TrackingState_2 = value;
}
inline static int32_t get_offset_of_m_NativePtr_3() { return static_cast<int32_t>(offsetof(XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F, ___m_NativePtr_3)); }
inline intptr_t get_m_NativePtr_3() const { return ___m_NativePtr_3; }
inline intptr_t* get_address_of_m_NativePtr_3() { return &___m_NativePtr_3; }
inline void set_m_NativePtr_3(intptr_t value)
{
___m_NativePtr_3 = value;
}
inline static int32_t get_offset_of_m_SessionId_4() { return static_cast<int32_t>(offsetof(XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F, ___m_SessionId_4)); }
inline Guid_t get_m_SessionId_4() const { return ___m_SessionId_4; }
inline Guid_t * get_address_of_m_SessionId_4() { return &___m_SessionId_4; }
inline void set_m_SessionId_4(Guid_t value)
{
___m_SessionId_4 = value;
}
};
struct XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F_StaticFields
{
public:
// UnityEngine.XR.ARSubsystems.XRParticipant UnityEngine.XR.ARSubsystems.XRParticipant::k_Default
XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F ___k_Default_5;
public:
inline static int32_t get_offset_of_k_Default_5() { return static_cast<int32_t>(offsetof(XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F_StaticFields, ___k_Default_5)); }
inline XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F get_k_Default_5() const { return ___k_Default_5; }
inline XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F * get_address_of_k_Default_5() { return &___k_Default_5; }
inline void set_k_Default_5(XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F value)
{
___k_Default_5 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRParticipantSubsystem
struct XRParticipantSubsystem_t7F710E46FC5A17967E7CAE126DE9443C752C36FC : public TrackingSubsystem_4_tF2C9DD677702042D71E5050214FE516389400277
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRParticipantSubsystemDescriptor
struct XRParticipantSubsystemDescriptor_t533EE70DC8D4B105B9C87B76D35A7D59A84BCA55 : public SubsystemDescriptorWithProvider_2_t43C05E9C3928E04822F2DA791FFAC4C140DF10A5
{
public:
// UnityEngine.XR.ARSubsystems.XRParticipantSubsystemDescriptor/Capabilities UnityEngine.XR.ARSubsystems.XRParticipantSubsystemDescriptor::<capabilities>k__BackingField
int32_t ___U3CcapabilitiesU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CcapabilitiesU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(XRParticipantSubsystemDescriptor_t533EE70DC8D4B105B9C87B76D35A7D59A84BCA55, ___U3CcapabilitiesU3Ek__BackingField_3)); }
inline int32_t get_U3CcapabilitiesU3Ek__BackingField_3() const { return ___U3CcapabilitiesU3Ek__BackingField_3; }
inline int32_t* get_address_of_U3CcapabilitiesU3Ek__BackingField_3() { return &___U3CcapabilitiesU3Ek__BackingField_3; }
inline void set_U3CcapabilitiesU3Ek__BackingField_3(int32_t value)
{
___U3CcapabilitiesU3Ek__BackingField_3 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRPlaneSubsystem
struct XRPlaneSubsystem_t7C76F9D2C993B0DC38F0A7CDCE745EA7C12417EE : public TrackingSubsystem_4_t4CF696722E0C05A2C0234E78E673F4F17EEC1C94
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRPointCloud
struct XRPointCloud_t08B41A05528E45CE709F8C14CA6C484D360A62F2
{
public:
// UnityEngine.XR.ARSubsystems.TrackableId UnityEngine.XR.ARSubsystems.XRPointCloud::m_TrackableId
TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B ___m_TrackableId_1;
// UnityEngine.Pose UnityEngine.XR.ARSubsystems.XRPointCloud::m_Pose
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A ___m_Pose_2;
// UnityEngine.XR.ARSubsystems.TrackingState UnityEngine.XR.ARSubsystems.XRPointCloud::m_TrackingState
int32_t ___m_TrackingState_3;
// System.IntPtr UnityEngine.XR.ARSubsystems.XRPointCloud::m_NativePtr
intptr_t ___m_NativePtr_4;
public:
inline static int32_t get_offset_of_m_TrackableId_1() { return static_cast<int32_t>(offsetof(XRPointCloud_t08B41A05528E45CE709F8C14CA6C484D360A62F2, ___m_TrackableId_1)); }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B get_m_TrackableId_1() const { return ___m_TrackableId_1; }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B * get_address_of_m_TrackableId_1() { return &___m_TrackableId_1; }
inline void set_m_TrackableId_1(TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B value)
{
___m_TrackableId_1 = value;
}
inline static int32_t get_offset_of_m_Pose_2() { return static_cast<int32_t>(offsetof(XRPointCloud_t08B41A05528E45CE709F8C14CA6C484D360A62F2, ___m_Pose_2)); }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A get_m_Pose_2() const { return ___m_Pose_2; }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A * get_address_of_m_Pose_2() { return &___m_Pose_2; }
inline void set_m_Pose_2(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A value)
{
___m_Pose_2 = value;
}
inline static int32_t get_offset_of_m_TrackingState_3() { return static_cast<int32_t>(offsetof(XRPointCloud_t08B41A05528E45CE709F8C14CA6C484D360A62F2, ___m_TrackingState_3)); }
inline int32_t get_m_TrackingState_3() const { return ___m_TrackingState_3; }
inline int32_t* get_address_of_m_TrackingState_3() { return &___m_TrackingState_3; }
inline void set_m_TrackingState_3(int32_t value)
{
___m_TrackingState_3 = value;
}
inline static int32_t get_offset_of_m_NativePtr_4() { return static_cast<int32_t>(offsetof(XRPointCloud_t08B41A05528E45CE709F8C14CA6C484D360A62F2, ___m_NativePtr_4)); }
inline intptr_t get_m_NativePtr_4() const { return ___m_NativePtr_4; }
inline intptr_t* get_address_of_m_NativePtr_4() { return &___m_NativePtr_4; }
inline void set_m_NativePtr_4(intptr_t value)
{
___m_NativePtr_4 = value;
}
};
struct XRPointCloud_t08B41A05528E45CE709F8C14CA6C484D360A62F2_StaticFields
{
public:
// UnityEngine.XR.ARSubsystems.XRPointCloud UnityEngine.XR.ARSubsystems.XRPointCloud::s_Default
XRPointCloud_t08B41A05528E45CE709F8C14CA6C484D360A62F2 ___s_Default_0;
public:
inline static int32_t get_offset_of_s_Default_0() { return static_cast<int32_t>(offsetof(XRPointCloud_t08B41A05528E45CE709F8C14CA6C484D360A62F2_StaticFields, ___s_Default_0)); }
inline XRPointCloud_t08B41A05528E45CE709F8C14CA6C484D360A62F2 get_s_Default_0() const { return ___s_Default_0; }
inline XRPointCloud_t08B41A05528E45CE709F8C14CA6C484D360A62F2 * get_address_of_s_Default_0() { return &___s_Default_0; }
inline void set_s_Default_0(XRPointCloud_t08B41A05528E45CE709F8C14CA6C484D360A62F2 value)
{
___s_Default_0 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRRaycast
struct XRRaycast_tA18F9107EFF1D692E70EF15233BB6134A5F66C55
{
public:
// UnityEngine.XR.ARSubsystems.TrackableId UnityEngine.XR.ARSubsystems.XRRaycast::m_TrackableId
TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B ___m_TrackableId_1;
// UnityEngine.Pose UnityEngine.XR.ARSubsystems.XRRaycast::m_Pose
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A ___m_Pose_2;
// UnityEngine.XR.ARSubsystems.TrackingState UnityEngine.XR.ARSubsystems.XRRaycast::m_TrackingState
int32_t ___m_TrackingState_3;
// System.IntPtr UnityEngine.XR.ARSubsystems.XRRaycast::m_NativePtr
intptr_t ___m_NativePtr_4;
// System.Single UnityEngine.XR.ARSubsystems.XRRaycast::m_Distance
float ___m_Distance_5;
// UnityEngine.XR.ARSubsystems.TrackableId UnityEngine.XR.ARSubsystems.XRRaycast::m_HitTrackableId
TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B ___m_HitTrackableId_6;
public:
inline static int32_t get_offset_of_m_TrackableId_1() { return static_cast<int32_t>(offsetof(XRRaycast_tA18F9107EFF1D692E70EF15233BB6134A5F66C55, ___m_TrackableId_1)); }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B get_m_TrackableId_1() const { return ___m_TrackableId_1; }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B * get_address_of_m_TrackableId_1() { return &___m_TrackableId_1; }
inline void set_m_TrackableId_1(TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B value)
{
___m_TrackableId_1 = value;
}
inline static int32_t get_offset_of_m_Pose_2() { return static_cast<int32_t>(offsetof(XRRaycast_tA18F9107EFF1D692E70EF15233BB6134A5F66C55, ___m_Pose_2)); }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A get_m_Pose_2() const { return ___m_Pose_2; }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A * get_address_of_m_Pose_2() { return &___m_Pose_2; }
inline void set_m_Pose_2(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A value)
{
___m_Pose_2 = value;
}
inline static int32_t get_offset_of_m_TrackingState_3() { return static_cast<int32_t>(offsetof(XRRaycast_tA18F9107EFF1D692E70EF15233BB6134A5F66C55, ___m_TrackingState_3)); }
inline int32_t get_m_TrackingState_3() const { return ___m_TrackingState_3; }
inline int32_t* get_address_of_m_TrackingState_3() { return &___m_TrackingState_3; }
inline void set_m_TrackingState_3(int32_t value)
{
___m_TrackingState_3 = value;
}
inline static int32_t get_offset_of_m_NativePtr_4() { return static_cast<int32_t>(offsetof(XRRaycast_tA18F9107EFF1D692E70EF15233BB6134A5F66C55, ___m_NativePtr_4)); }
inline intptr_t get_m_NativePtr_4() const { return ___m_NativePtr_4; }
inline intptr_t* get_address_of_m_NativePtr_4() { return &___m_NativePtr_4; }
inline void set_m_NativePtr_4(intptr_t value)
{
___m_NativePtr_4 = value;
}
inline static int32_t get_offset_of_m_Distance_5() { return static_cast<int32_t>(offsetof(XRRaycast_tA18F9107EFF1D692E70EF15233BB6134A5F66C55, ___m_Distance_5)); }
inline float get_m_Distance_5() const { return ___m_Distance_5; }
inline float* get_address_of_m_Distance_5() { return &___m_Distance_5; }
inline void set_m_Distance_5(float value)
{
___m_Distance_5 = value;
}
inline static int32_t get_offset_of_m_HitTrackableId_6() { return static_cast<int32_t>(offsetof(XRRaycast_tA18F9107EFF1D692E70EF15233BB6134A5F66C55, ___m_HitTrackableId_6)); }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B get_m_HitTrackableId_6() const { return ___m_HitTrackableId_6; }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B * get_address_of_m_HitTrackableId_6() { return &___m_HitTrackableId_6; }
inline void set_m_HitTrackableId_6(TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B value)
{
___m_HitTrackableId_6 = value;
}
};
struct XRRaycast_tA18F9107EFF1D692E70EF15233BB6134A5F66C55_StaticFields
{
public:
// UnityEngine.XR.ARSubsystems.XRRaycast UnityEngine.XR.ARSubsystems.XRRaycast::s_Default
XRRaycast_tA18F9107EFF1D692E70EF15233BB6134A5F66C55 ___s_Default_0;
public:
inline static int32_t get_offset_of_s_Default_0() { return static_cast<int32_t>(offsetof(XRRaycast_tA18F9107EFF1D692E70EF15233BB6134A5F66C55_StaticFields, ___s_Default_0)); }
inline XRRaycast_tA18F9107EFF1D692E70EF15233BB6134A5F66C55 get_s_Default_0() const { return ___s_Default_0; }
inline XRRaycast_tA18F9107EFF1D692E70EF15233BB6134A5F66C55 * get_address_of_s_Default_0() { return &___s_Default_0; }
inline void set_s_Default_0(XRRaycast_tA18F9107EFF1D692E70EF15233BB6134A5F66C55 value)
{
___s_Default_0 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRRaycastHit
struct XRRaycastHit_t94A3D13B245A9D0A7A7F2D0919DCAAC7C8DF8DDB
{
public:
// UnityEngine.XR.ARSubsystems.TrackableId UnityEngine.XR.ARSubsystems.XRRaycastHit::m_TrackableId
TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B ___m_TrackableId_1;
// UnityEngine.Pose UnityEngine.XR.ARSubsystems.XRRaycastHit::m_Pose
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A ___m_Pose_2;
// System.Single UnityEngine.XR.ARSubsystems.XRRaycastHit::m_Distance
float ___m_Distance_3;
// UnityEngine.XR.ARSubsystems.TrackableType UnityEngine.XR.ARSubsystems.XRRaycastHit::m_HitType
int32_t ___m_HitType_4;
public:
inline static int32_t get_offset_of_m_TrackableId_1() { return static_cast<int32_t>(offsetof(XRRaycastHit_t94A3D13B245A9D0A7A7F2D0919DCAAC7C8DF8DDB, ___m_TrackableId_1)); }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B get_m_TrackableId_1() const { return ___m_TrackableId_1; }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B * get_address_of_m_TrackableId_1() { return &___m_TrackableId_1; }
inline void set_m_TrackableId_1(TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B value)
{
___m_TrackableId_1 = value;
}
inline static int32_t get_offset_of_m_Pose_2() { return static_cast<int32_t>(offsetof(XRRaycastHit_t94A3D13B245A9D0A7A7F2D0919DCAAC7C8DF8DDB, ___m_Pose_2)); }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A get_m_Pose_2() const { return ___m_Pose_2; }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A * get_address_of_m_Pose_2() { return &___m_Pose_2; }
inline void set_m_Pose_2(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A value)
{
___m_Pose_2 = value;
}
inline static int32_t get_offset_of_m_Distance_3() { return static_cast<int32_t>(offsetof(XRRaycastHit_t94A3D13B245A9D0A7A7F2D0919DCAAC7C8DF8DDB, ___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_HitType_4() { return static_cast<int32_t>(offsetof(XRRaycastHit_t94A3D13B245A9D0A7A7F2D0919DCAAC7C8DF8DDB, ___m_HitType_4)); }
inline int32_t get_m_HitType_4() const { return ___m_HitType_4; }
inline int32_t* get_address_of_m_HitType_4() { return &___m_HitType_4; }
inline void set_m_HitType_4(int32_t value)
{
___m_HitType_4 = value;
}
};
struct XRRaycastHit_t94A3D13B245A9D0A7A7F2D0919DCAAC7C8DF8DDB_StaticFields
{
public:
// UnityEngine.XR.ARSubsystems.XRRaycastHit UnityEngine.XR.ARSubsystems.XRRaycastHit::s_Default
XRRaycastHit_t94A3D13B245A9D0A7A7F2D0919DCAAC7C8DF8DDB ___s_Default_0;
public:
inline static int32_t get_offset_of_s_Default_0() { return static_cast<int32_t>(offsetof(XRRaycastHit_t94A3D13B245A9D0A7A7F2D0919DCAAC7C8DF8DDB_StaticFields, ___s_Default_0)); }
inline XRRaycastHit_t94A3D13B245A9D0A7A7F2D0919DCAAC7C8DF8DDB get_s_Default_0() const { return ___s_Default_0; }
inline XRRaycastHit_t94A3D13B245A9D0A7A7F2D0919DCAAC7C8DF8DDB * get_address_of_s_Default_0() { return &___s_Default_0; }
inline void set_s_Default_0(XRRaycastHit_t94A3D13B245A9D0A7A7F2D0919DCAAC7C8DF8DDB value)
{
___s_Default_0 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRRaycastSubsystem
struct XRRaycastSubsystem_t62FDAC9AA1BD44C4557AEE3FEF3D2FA24C71B6B8 : public TrackingSubsystem_4_t87A57AE1E1117ED73BBD3B84DD595F36FA975077
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRRaycastSubsystemDescriptor
struct XRRaycastSubsystemDescriptor_tB9891F63FC4871797BCD04DB7167142BE2049B2C : public SubsystemDescriptorWithProvider_2_t0E1C52F3F099638F0EFF9E03352A814E50092E22
{
public:
// System.Boolean UnityEngine.XR.ARSubsystems.XRRaycastSubsystemDescriptor::<supportsViewportBasedRaycast>k__BackingField
bool ___U3CsupportsViewportBasedRaycastU3Ek__BackingField_3;
// System.Boolean UnityEngine.XR.ARSubsystems.XRRaycastSubsystemDescriptor::<supportsWorldBasedRaycast>k__BackingField
bool ___U3CsupportsWorldBasedRaycastU3Ek__BackingField_4;
// UnityEngine.XR.ARSubsystems.TrackableType UnityEngine.XR.ARSubsystems.XRRaycastSubsystemDescriptor::<supportedTrackableTypes>k__BackingField
int32_t ___U3CsupportedTrackableTypesU3Ek__BackingField_5;
// System.Boolean UnityEngine.XR.ARSubsystems.XRRaycastSubsystemDescriptor::<supportsTrackedRaycasts>k__BackingField
bool ___U3CsupportsTrackedRaycastsU3Ek__BackingField_6;
public:
inline static int32_t get_offset_of_U3CsupportsViewportBasedRaycastU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(XRRaycastSubsystemDescriptor_tB9891F63FC4871797BCD04DB7167142BE2049B2C, ___U3CsupportsViewportBasedRaycastU3Ek__BackingField_3)); }
inline bool get_U3CsupportsViewportBasedRaycastU3Ek__BackingField_3() const { return ___U3CsupportsViewportBasedRaycastU3Ek__BackingField_3; }
inline bool* get_address_of_U3CsupportsViewportBasedRaycastU3Ek__BackingField_3() { return &___U3CsupportsViewportBasedRaycastU3Ek__BackingField_3; }
inline void set_U3CsupportsViewportBasedRaycastU3Ek__BackingField_3(bool value)
{
___U3CsupportsViewportBasedRaycastU3Ek__BackingField_3 = value;
}
inline static int32_t get_offset_of_U3CsupportsWorldBasedRaycastU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(XRRaycastSubsystemDescriptor_tB9891F63FC4871797BCD04DB7167142BE2049B2C, ___U3CsupportsWorldBasedRaycastU3Ek__BackingField_4)); }
inline bool get_U3CsupportsWorldBasedRaycastU3Ek__BackingField_4() const { return ___U3CsupportsWorldBasedRaycastU3Ek__BackingField_4; }
inline bool* get_address_of_U3CsupportsWorldBasedRaycastU3Ek__BackingField_4() { return &___U3CsupportsWorldBasedRaycastU3Ek__BackingField_4; }
inline void set_U3CsupportsWorldBasedRaycastU3Ek__BackingField_4(bool value)
{
___U3CsupportsWorldBasedRaycastU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3CsupportedTrackableTypesU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(XRRaycastSubsystemDescriptor_tB9891F63FC4871797BCD04DB7167142BE2049B2C, ___U3CsupportedTrackableTypesU3Ek__BackingField_5)); }
inline int32_t get_U3CsupportedTrackableTypesU3Ek__BackingField_5() const { return ___U3CsupportedTrackableTypesU3Ek__BackingField_5; }
inline int32_t* get_address_of_U3CsupportedTrackableTypesU3Ek__BackingField_5() { return &___U3CsupportedTrackableTypesU3Ek__BackingField_5; }
inline void set_U3CsupportedTrackableTypesU3Ek__BackingField_5(int32_t value)
{
___U3CsupportedTrackableTypesU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CsupportsTrackedRaycastsU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(XRRaycastSubsystemDescriptor_tB9891F63FC4871797BCD04DB7167142BE2049B2C, ___U3CsupportsTrackedRaycastsU3Ek__BackingField_6)); }
inline bool get_U3CsupportsTrackedRaycastsU3Ek__BackingField_6() const { return ___U3CsupportsTrackedRaycastsU3Ek__BackingField_6; }
inline bool* get_address_of_U3CsupportsTrackedRaycastsU3Ek__BackingField_6() { return &___U3CsupportsTrackedRaycastsU3Ek__BackingField_6; }
inline void set_U3CsupportsTrackedRaycastsU3Ek__BackingField_6(bool value)
{
___U3CsupportsTrackedRaycastsU3Ek__BackingField_6 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRReferencePoint
struct XRReferencePoint_tF3ACF949B4AE1EC67F527F5D30DD8B912A814634
{
public:
// UnityEngine.XR.ARSubsystems.TrackableId UnityEngine.XR.ARSubsystems.XRReferencePoint::m_Id
TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B ___m_Id_1;
// UnityEngine.Pose UnityEngine.XR.ARSubsystems.XRReferencePoint::m_Pose
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A ___m_Pose_2;
// UnityEngine.XR.ARSubsystems.TrackingState UnityEngine.XR.ARSubsystems.XRReferencePoint::m_TrackingState
int32_t ___m_TrackingState_3;
// System.IntPtr UnityEngine.XR.ARSubsystems.XRReferencePoint::m_NativePtr
intptr_t ___m_NativePtr_4;
// System.Guid UnityEngine.XR.ARSubsystems.XRReferencePoint::m_SessionId
Guid_t ___m_SessionId_5;
public:
inline static int32_t get_offset_of_m_Id_1() { return static_cast<int32_t>(offsetof(XRReferencePoint_tF3ACF949B4AE1EC67F527F5D30DD8B912A814634, ___m_Id_1)); }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B get_m_Id_1() const { return ___m_Id_1; }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B * get_address_of_m_Id_1() { return &___m_Id_1; }
inline void set_m_Id_1(TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B value)
{
___m_Id_1 = value;
}
inline static int32_t get_offset_of_m_Pose_2() { return static_cast<int32_t>(offsetof(XRReferencePoint_tF3ACF949B4AE1EC67F527F5D30DD8B912A814634, ___m_Pose_2)); }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A get_m_Pose_2() const { return ___m_Pose_2; }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A * get_address_of_m_Pose_2() { return &___m_Pose_2; }
inline void set_m_Pose_2(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A value)
{
___m_Pose_2 = value;
}
inline static int32_t get_offset_of_m_TrackingState_3() { return static_cast<int32_t>(offsetof(XRReferencePoint_tF3ACF949B4AE1EC67F527F5D30DD8B912A814634, ___m_TrackingState_3)); }
inline int32_t get_m_TrackingState_3() const { return ___m_TrackingState_3; }
inline int32_t* get_address_of_m_TrackingState_3() { return &___m_TrackingState_3; }
inline void set_m_TrackingState_3(int32_t value)
{
___m_TrackingState_3 = value;
}
inline static int32_t get_offset_of_m_NativePtr_4() { return static_cast<int32_t>(offsetof(XRReferencePoint_tF3ACF949B4AE1EC67F527F5D30DD8B912A814634, ___m_NativePtr_4)); }
inline intptr_t get_m_NativePtr_4() const { return ___m_NativePtr_4; }
inline intptr_t* get_address_of_m_NativePtr_4() { return &___m_NativePtr_4; }
inline void set_m_NativePtr_4(intptr_t value)
{
___m_NativePtr_4 = value;
}
inline static int32_t get_offset_of_m_SessionId_5() { return static_cast<int32_t>(offsetof(XRReferencePoint_tF3ACF949B4AE1EC67F527F5D30DD8B912A814634, ___m_SessionId_5)); }
inline Guid_t get_m_SessionId_5() const { return ___m_SessionId_5; }
inline Guid_t * get_address_of_m_SessionId_5() { return &___m_SessionId_5; }
inline void set_m_SessionId_5(Guid_t value)
{
___m_SessionId_5 = value;
}
};
struct XRReferencePoint_tF3ACF949B4AE1EC67F527F5D30DD8B912A814634_StaticFields
{
public:
// UnityEngine.XR.ARSubsystems.XRReferencePoint UnityEngine.XR.ARSubsystems.XRReferencePoint::s_Default
XRReferencePoint_tF3ACF949B4AE1EC67F527F5D30DD8B912A814634 ___s_Default_0;
public:
inline static int32_t get_offset_of_s_Default_0() { return static_cast<int32_t>(offsetof(XRReferencePoint_tF3ACF949B4AE1EC67F527F5D30DD8B912A814634_StaticFields, ___s_Default_0)); }
inline XRReferencePoint_tF3ACF949B4AE1EC67F527F5D30DD8B912A814634 get_s_Default_0() const { return ___s_Default_0; }
inline XRReferencePoint_tF3ACF949B4AE1EC67F527F5D30DD8B912A814634 * get_address_of_s_Default_0() { return &___s_Default_0; }
inline void set_s_Default_0(XRReferencePoint_tF3ACF949B4AE1EC67F527F5D30DD8B912A814634 value)
{
___s_Default_0 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRReferencePointSubsystem
struct XRReferencePointSubsystem_t2EF6E3F26C69D006F83E8E837FB60461D8033634 : public TrackingSubsystem_4_t0B2307E3EA3CA1C1A2EE084C333FC42E3F5590B0
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRSessionUpdateParams
struct XRSessionUpdateParams_t106E075C3B348969D6F3B634195F295CE47DB77F
{
public:
// UnityEngine.ScreenOrientation UnityEngine.XR.ARSubsystems.XRSessionUpdateParams::<screenOrientation>k__BackingField
int32_t ___U3CscreenOrientationU3Ek__BackingField_0;
// UnityEngine.Vector2Int UnityEngine.XR.ARSubsystems.XRSessionUpdateParams::<screenDimensions>k__BackingField
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 ___U3CscreenDimensionsU3Ek__BackingField_1;
public:
inline static int32_t get_offset_of_U3CscreenOrientationU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(XRSessionUpdateParams_t106E075C3B348969D6F3B634195F295CE47DB77F, ___U3CscreenOrientationU3Ek__BackingField_0)); }
inline int32_t get_U3CscreenOrientationU3Ek__BackingField_0() const { return ___U3CscreenOrientationU3Ek__BackingField_0; }
inline int32_t* get_address_of_U3CscreenOrientationU3Ek__BackingField_0() { return &___U3CscreenOrientationU3Ek__BackingField_0; }
inline void set_U3CscreenOrientationU3Ek__BackingField_0(int32_t value)
{
___U3CscreenOrientationU3Ek__BackingField_0 = value;
}
inline static int32_t get_offset_of_U3CscreenDimensionsU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(XRSessionUpdateParams_t106E075C3B348969D6F3B634195F295CE47DB77F, ___U3CscreenDimensionsU3Ek__BackingField_1)); }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 get_U3CscreenDimensionsU3Ek__BackingField_1() const { return ___U3CscreenDimensionsU3Ek__BackingField_1; }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 * get_address_of_U3CscreenDimensionsU3Ek__BackingField_1() { return &___U3CscreenDimensionsU3Ek__BackingField_1; }
inline void set_U3CscreenDimensionsU3Ek__BackingField_1(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 value)
{
___U3CscreenDimensionsU3Ek__BackingField_1 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRTextureDescriptor
struct XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57
{
public:
// System.IntPtr UnityEngine.XR.ARSubsystems.XRTextureDescriptor::m_NativeTexture
intptr_t ___m_NativeTexture_0;
// System.Int32 UnityEngine.XR.ARSubsystems.XRTextureDescriptor::m_Width
int32_t ___m_Width_1;
// System.Int32 UnityEngine.XR.ARSubsystems.XRTextureDescriptor::m_Height
int32_t ___m_Height_2;
// System.Int32 UnityEngine.XR.ARSubsystems.XRTextureDescriptor::m_MipmapCount
int32_t ___m_MipmapCount_3;
// UnityEngine.TextureFormat UnityEngine.XR.ARSubsystems.XRTextureDescriptor::m_Format
int32_t ___m_Format_4;
// System.Int32 UnityEngine.XR.ARSubsystems.XRTextureDescriptor::m_PropertyNameId
int32_t ___m_PropertyNameId_5;
// System.Int32 UnityEngine.XR.ARSubsystems.XRTextureDescriptor::m_Depth
int32_t ___m_Depth_6;
// UnityEngine.Rendering.TextureDimension UnityEngine.XR.ARSubsystems.XRTextureDescriptor::m_Dimension
int32_t ___m_Dimension_7;
public:
inline static int32_t get_offset_of_m_NativeTexture_0() { return static_cast<int32_t>(offsetof(XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57, ___m_NativeTexture_0)); }
inline intptr_t get_m_NativeTexture_0() const { return ___m_NativeTexture_0; }
inline intptr_t* get_address_of_m_NativeTexture_0() { return &___m_NativeTexture_0; }
inline void set_m_NativeTexture_0(intptr_t value)
{
___m_NativeTexture_0 = value;
}
inline static int32_t get_offset_of_m_Width_1() { return static_cast<int32_t>(offsetof(XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57, ___m_Width_1)); }
inline int32_t get_m_Width_1() const { return ___m_Width_1; }
inline int32_t* get_address_of_m_Width_1() { return &___m_Width_1; }
inline void set_m_Width_1(int32_t value)
{
___m_Width_1 = value;
}
inline static int32_t get_offset_of_m_Height_2() { return static_cast<int32_t>(offsetof(XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57, ___m_Height_2)); }
inline int32_t get_m_Height_2() const { return ___m_Height_2; }
inline int32_t* get_address_of_m_Height_2() { return &___m_Height_2; }
inline void set_m_Height_2(int32_t value)
{
___m_Height_2 = value;
}
inline static int32_t get_offset_of_m_MipmapCount_3() { return static_cast<int32_t>(offsetof(XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57, ___m_MipmapCount_3)); }
inline int32_t get_m_MipmapCount_3() const { return ___m_MipmapCount_3; }
inline int32_t* get_address_of_m_MipmapCount_3() { return &___m_MipmapCount_3; }
inline void set_m_MipmapCount_3(int32_t value)
{
___m_MipmapCount_3 = value;
}
inline static int32_t get_offset_of_m_Format_4() { return static_cast<int32_t>(offsetof(XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57, ___m_Format_4)); }
inline int32_t get_m_Format_4() const { return ___m_Format_4; }
inline int32_t* get_address_of_m_Format_4() { return &___m_Format_4; }
inline void set_m_Format_4(int32_t value)
{
___m_Format_4 = value;
}
inline static int32_t get_offset_of_m_PropertyNameId_5() { return static_cast<int32_t>(offsetof(XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57, ___m_PropertyNameId_5)); }
inline int32_t get_m_PropertyNameId_5() const { return ___m_PropertyNameId_5; }
inline int32_t* get_address_of_m_PropertyNameId_5() { return &___m_PropertyNameId_5; }
inline void set_m_PropertyNameId_5(int32_t value)
{
___m_PropertyNameId_5 = value;
}
inline static int32_t get_offset_of_m_Depth_6() { return static_cast<int32_t>(offsetof(XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57, ___m_Depth_6)); }
inline int32_t get_m_Depth_6() const { return ___m_Depth_6; }
inline int32_t* get_address_of_m_Depth_6() { return &___m_Depth_6; }
inline void set_m_Depth_6(int32_t value)
{
___m_Depth_6 = value;
}
inline static int32_t get_offset_of_m_Dimension_7() { return static_cast<int32_t>(offsetof(XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57, ___m_Dimension_7)); }
inline int32_t get_m_Dimension_7() const { return ___m_Dimension_7; }
inline int32_t* get_address_of_m_Dimension_7() { return &___m_Dimension_7; }
inline void set_m_Dimension_7(int32_t value)
{
___m_Dimension_7 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRTrackedImage
struct XRTrackedImage_t92B53E0621C6D2E930761110E719F0E9580A722F
{
public:
// UnityEngine.XR.ARSubsystems.TrackableId UnityEngine.XR.ARSubsystems.XRTrackedImage::m_Id
TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B ___m_Id_1;
// System.Guid UnityEngine.XR.ARSubsystems.XRTrackedImage::m_SourceImageId
Guid_t ___m_SourceImageId_2;
// UnityEngine.Pose UnityEngine.XR.ARSubsystems.XRTrackedImage::m_Pose
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A ___m_Pose_3;
// UnityEngine.Vector2 UnityEngine.XR.ARSubsystems.XRTrackedImage::m_Size
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_Size_4;
// UnityEngine.XR.ARSubsystems.TrackingState UnityEngine.XR.ARSubsystems.XRTrackedImage::m_TrackingState
int32_t ___m_TrackingState_5;
// System.IntPtr UnityEngine.XR.ARSubsystems.XRTrackedImage::m_NativePtr
intptr_t ___m_NativePtr_6;
public:
inline static int32_t get_offset_of_m_Id_1() { return static_cast<int32_t>(offsetof(XRTrackedImage_t92B53E0621C6D2E930761110E719F0E9580A722F, ___m_Id_1)); }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B get_m_Id_1() const { return ___m_Id_1; }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B * get_address_of_m_Id_1() { return &___m_Id_1; }
inline void set_m_Id_1(TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B value)
{
___m_Id_1 = value;
}
inline static int32_t get_offset_of_m_SourceImageId_2() { return static_cast<int32_t>(offsetof(XRTrackedImage_t92B53E0621C6D2E930761110E719F0E9580A722F, ___m_SourceImageId_2)); }
inline Guid_t get_m_SourceImageId_2() const { return ___m_SourceImageId_2; }
inline Guid_t * get_address_of_m_SourceImageId_2() { return &___m_SourceImageId_2; }
inline void set_m_SourceImageId_2(Guid_t value)
{
___m_SourceImageId_2 = value;
}
inline static int32_t get_offset_of_m_Pose_3() { return static_cast<int32_t>(offsetof(XRTrackedImage_t92B53E0621C6D2E930761110E719F0E9580A722F, ___m_Pose_3)); }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A get_m_Pose_3() const { return ___m_Pose_3; }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A * get_address_of_m_Pose_3() { return &___m_Pose_3; }
inline void set_m_Pose_3(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A value)
{
___m_Pose_3 = value;
}
inline static int32_t get_offset_of_m_Size_4() { return static_cast<int32_t>(offsetof(XRTrackedImage_t92B53E0621C6D2E930761110E719F0E9580A722F, ___m_Size_4)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_Size_4() const { return ___m_Size_4; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_Size_4() { return &___m_Size_4; }
inline void set_m_Size_4(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_Size_4 = value;
}
inline static int32_t get_offset_of_m_TrackingState_5() { return static_cast<int32_t>(offsetof(XRTrackedImage_t92B53E0621C6D2E930761110E719F0E9580A722F, ___m_TrackingState_5)); }
inline int32_t get_m_TrackingState_5() const { return ___m_TrackingState_5; }
inline int32_t* get_address_of_m_TrackingState_5() { return &___m_TrackingState_5; }
inline void set_m_TrackingState_5(int32_t value)
{
___m_TrackingState_5 = value;
}
inline static int32_t get_offset_of_m_NativePtr_6() { return static_cast<int32_t>(offsetof(XRTrackedImage_t92B53E0621C6D2E930761110E719F0E9580A722F, ___m_NativePtr_6)); }
inline intptr_t get_m_NativePtr_6() const { return ___m_NativePtr_6; }
inline intptr_t* get_address_of_m_NativePtr_6() { return &___m_NativePtr_6; }
inline void set_m_NativePtr_6(intptr_t value)
{
___m_NativePtr_6 = value;
}
};
struct XRTrackedImage_t92B53E0621C6D2E930761110E719F0E9580A722F_StaticFields
{
public:
// UnityEngine.XR.ARSubsystems.XRTrackedImage UnityEngine.XR.ARSubsystems.XRTrackedImage::s_Default
XRTrackedImage_t92B53E0621C6D2E930761110E719F0E9580A722F ___s_Default_0;
public:
inline static int32_t get_offset_of_s_Default_0() { return static_cast<int32_t>(offsetof(XRTrackedImage_t92B53E0621C6D2E930761110E719F0E9580A722F_StaticFields, ___s_Default_0)); }
inline XRTrackedImage_t92B53E0621C6D2E930761110E719F0E9580A722F get_s_Default_0() const { return ___s_Default_0; }
inline XRTrackedImage_t92B53E0621C6D2E930761110E719F0E9580A722F * get_address_of_s_Default_0() { return &___s_Default_0; }
inline void set_s_Default_0(XRTrackedImage_t92B53E0621C6D2E930761110E719F0E9580A722F value)
{
___s_Default_0 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRTrackedObject
struct XRTrackedObject_t247BBE67D4F9308544C4BAD807F321E0C404EC58
{
public:
// UnityEngine.XR.ARSubsystems.TrackableId UnityEngine.XR.ARSubsystems.XRTrackedObject::m_TrackableId
TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B ___m_TrackableId_0;
// UnityEngine.Pose UnityEngine.XR.ARSubsystems.XRTrackedObject::m_Pose
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A ___m_Pose_1;
// UnityEngine.XR.ARSubsystems.TrackingState UnityEngine.XR.ARSubsystems.XRTrackedObject::m_TrackingState
int32_t ___m_TrackingState_2;
// System.IntPtr UnityEngine.XR.ARSubsystems.XRTrackedObject::m_NativePtr
intptr_t ___m_NativePtr_3;
// System.Guid UnityEngine.XR.ARSubsystems.XRTrackedObject::m_ReferenceObjectGuid
Guid_t ___m_ReferenceObjectGuid_4;
public:
inline static int32_t get_offset_of_m_TrackableId_0() { return static_cast<int32_t>(offsetof(XRTrackedObject_t247BBE67D4F9308544C4BAD807F321E0C404EC58, ___m_TrackableId_0)); }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B get_m_TrackableId_0() const { return ___m_TrackableId_0; }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B * get_address_of_m_TrackableId_0() { return &___m_TrackableId_0; }
inline void set_m_TrackableId_0(TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B value)
{
___m_TrackableId_0 = value;
}
inline static int32_t get_offset_of_m_Pose_1() { return static_cast<int32_t>(offsetof(XRTrackedObject_t247BBE67D4F9308544C4BAD807F321E0C404EC58, ___m_Pose_1)); }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A get_m_Pose_1() const { return ___m_Pose_1; }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A * get_address_of_m_Pose_1() { return &___m_Pose_1; }
inline void set_m_Pose_1(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A value)
{
___m_Pose_1 = value;
}
inline static int32_t get_offset_of_m_TrackingState_2() { return static_cast<int32_t>(offsetof(XRTrackedObject_t247BBE67D4F9308544C4BAD807F321E0C404EC58, ___m_TrackingState_2)); }
inline int32_t get_m_TrackingState_2() const { return ___m_TrackingState_2; }
inline int32_t* get_address_of_m_TrackingState_2() { return &___m_TrackingState_2; }
inline void set_m_TrackingState_2(int32_t value)
{
___m_TrackingState_2 = value;
}
inline static int32_t get_offset_of_m_NativePtr_3() { return static_cast<int32_t>(offsetof(XRTrackedObject_t247BBE67D4F9308544C4BAD807F321E0C404EC58, ___m_NativePtr_3)); }
inline intptr_t get_m_NativePtr_3() const { return ___m_NativePtr_3; }
inline intptr_t* get_address_of_m_NativePtr_3() { return &___m_NativePtr_3; }
inline void set_m_NativePtr_3(intptr_t value)
{
___m_NativePtr_3 = value;
}
inline static int32_t get_offset_of_m_ReferenceObjectGuid_4() { return static_cast<int32_t>(offsetof(XRTrackedObject_t247BBE67D4F9308544C4BAD807F321E0C404EC58, ___m_ReferenceObjectGuid_4)); }
inline Guid_t get_m_ReferenceObjectGuid_4() const { return ___m_ReferenceObjectGuid_4; }
inline Guid_t * get_address_of_m_ReferenceObjectGuid_4() { return &___m_ReferenceObjectGuid_4; }
inline void set_m_ReferenceObjectGuid_4(Guid_t value)
{
___m_ReferenceObjectGuid_4 = value;
}
};
struct XRTrackedObject_t247BBE67D4F9308544C4BAD807F321E0C404EC58_StaticFields
{
public:
// UnityEngine.XR.ARSubsystems.XRTrackedObject UnityEngine.XR.ARSubsystems.XRTrackedObject::s_Default
XRTrackedObject_t247BBE67D4F9308544C4BAD807F321E0C404EC58 ___s_Default_5;
public:
inline static int32_t get_offset_of_s_Default_5() { return static_cast<int32_t>(offsetof(XRTrackedObject_t247BBE67D4F9308544C4BAD807F321E0C404EC58_StaticFields, ___s_Default_5)); }
inline XRTrackedObject_t247BBE67D4F9308544C4BAD807F321E0C404EC58 get_s_Default_5() const { return ___s_Default_5; }
inline XRTrackedObject_t247BBE67D4F9308544C4BAD807F321E0C404EC58 * get_address_of_s_Default_5() { return &___s_Default_5; }
inline void set_s_Default_5(XRTrackedObject_t247BBE67D4F9308544C4BAD807F321E0C404EC58 value)
{
___s_Default_5 = value;
}
};
// System.Runtime.Serialization.Formatters.Binary.__BinaryParser
struct __BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66 : public RuntimeObject
{
public:
// System.Runtime.Serialization.Formatters.Binary.ObjectReader System.Runtime.Serialization.Formatters.Binary.__BinaryParser::objectReader
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152 * ___objectReader_0;
// System.IO.Stream System.Runtime.Serialization.Formatters.Binary.__BinaryParser::input
Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * ___input_1;
// System.Int64 System.Runtime.Serialization.Formatters.Binary.__BinaryParser::topId
int64_t ___topId_2;
// System.Int64 System.Runtime.Serialization.Formatters.Binary.__BinaryParser::headerId
int64_t ___headerId_3;
// System.Runtime.Serialization.Formatters.Binary.SizedArray System.Runtime.Serialization.Formatters.Binary.__BinaryParser::objectMapIdTable
SizedArray_t774FEAB0344A9BE540F22DD0A4E8E9E83EE69C42 * ___objectMapIdTable_4;
// System.Runtime.Serialization.Formatters.Binary.SizedArray System.Runtime.Serialization.Formatters.Binary.__BinaryParser::assemIdToAssemblyTable
SizedArray_t774FEAB0344A9BE540F22DD0A4E8E9E83EE69C42 * ___assemIdToAssemblyTable_5;
// System.Runtime.Serialization.Formatters.Binary.SerStack System.Runtime.Serialization.Formatters.Binary.__BinaryParser::stack
SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC * ___stack_6;
// System.Runtime.Serialization.Formatters.Binary.BinaryTypeEnum System.Runtime.Serialization.Formatters.Binary.__BinaryParser::expectedType
int32_t ___expectedType_7;
// System.Object System.Runtime.Serialization.Formatters.Binary.__BinaryParser::expectedTypeInformation
RuntimeObject * ___expectedTypeInformation_8;
// System.Runtime.Serialization.Formatters.Binary.ParseRecord System.Runtime.Serialization.Formatters.Binary.__BinaryParser::PRS
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413 * ___PRS_9;
// System.Runtime.Serialization.Formatters.Binary.BinaryAssemblyInfo System.Runtime.Serialization.Formatters.Binary.__BinaryParser::systemAssemblyInfo
BinaryAssemblyInfo_t2F2D82DE14955BEF2CB536FA3DA27D972DE5DA8A * ___systemAssemblyInfo_10;
// System.IO.BinaryReader System.Runtime.Serialization.Formatters.Binary.__BinaryParser::dataReader
BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128 * ___dataReader_11;
// System.Runtime.Serialization.Formatters.Binary.SerStack System.Runtime.Serialization.Formatters.Binary.__BinaryParser::opPool
SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC * ___opPool_13;
// System.Runtime.Serialization.Formatters.Binary.BinaryObject System.Runtime.Serialization.Formatters.Binary.__BinaryParser::binaryObject
BinaryObject_t179888868BBFFD7F11C98DD08CE4726CDBF59324 * ___binaryObject_14;
// System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMap System.Runtime.Serialization.Formatters.Binary.__BinaryParser::bowm
BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23 * ___bowm_15;
// System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMapTyped System.Runtime.Serialization.Formatters.Binary.__BinaryParser::bowmt
BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B * ___bowmt_16;
// System.Runtime.Serialization.Formatters.Binary.BinaryObjectString System.Runtime.Serialization.Formatters.Binary.__BinaryParser::objectString
BinaryObjectString_tEBEB23385A27BFF0830A57405CA995FAC5597E23 * ___objectString_17;
// System.Runtime.Serialization.Formatters.Binary.BinaryCrossAppDomainString System.Runtime.Serialization.Formatters.Binary.__BinaryParser::crossAppDomainString
BinaryCrossAppDomainString_t4B871A899F78A0E226EBC457B9BE8CD80404023C * ___crossAppDomainString_18;
// System.Runtime.Serialization.Formatters.Binary.MemberPrimitiveTyped System.Runtime.Serialization.Formatters.Binary.__BinaryParser::memberPrimitiveTyped
MemberPrimitiveTyped_tCBCE9EFECA16A568F64E05D81D6672069E511965 * ___memberPrimitiveTyped_19;
// System.Byte[] System.Runtime.Serialization.Formatters.Binary.__BinaryParser::byteBuffer
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___byteBuffer_20;
// System.Runtime.Serialization.Formatters.Binary.MemberPrimitiveUnTyped System.Runtime.Serialization.Formatters.Binary.__BinaryParser::memberPrimitiveUnTyped
MemberPrimitiveUnTyped_t8674B07D14F272D23EE081754ED4B2B3D3BA640A * ___memberPrimitiveUnTyped_21;
// System.Runtime.Serialization.Formatters.Binary.MemberReference System.Runtime.Serialization.Formatters.Binary.__BinaryParser::memberReference
MemberReference_t444F997A7AB1565CAD1EBBC32FF38C07198E202B * ___memberReference_22;
// System.Runtime.Serialization.Formatters.Binary.ObjectNull System.Runtime.Serialization.Formatters.Binary.__BinaryParser::objectNull
ObjectNull_t0854517B956008C029C56E58BD9F3F26C2862CA4 * ___objectNull_23;
public:
inline static int32_t get_offset_of_objectReader_0() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___objectReader_0)); }
inline ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152 * get_objectReader_0() const { return ___objectReader_0; }
inline ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152 ** get_address_of_objectReader_0() { return &___objectReader_0; }
inline void set_objectReader_0(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152 * value)
{
___objectReader_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objectReader_0), (void*)value);
}
inline static int32_t get_offset_of_input_1() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___input_1)); }
inline Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * get_input_1() const { return ___input_1; }
inline Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB ** get_address_of_input_1() { return &___input_1; }
inline void set_input_1(Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * value)
{
___input_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___input_1), (void*)value);
}
inline static int32_t get_offset_of_topId_2() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___topId_2)); }
inline int64_t get_topId_2() const { return ___topId_2; }
inline int64_t* get_address_of_topId_2() { return &___topId_2; }
inline void set_topId_2(int64_t value)
{
___topId_2 = value;
}
inline static int32_t get_offset_of_headerId_3() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___headerId_3)); }
inline int64_t get_headerId_3() const { return ___headerId_3; }
inline int64_t* get_address_of_headerId_3() { return &___headerId_3; }
inline void set_headerId_3(int64_t value)
{
___headerId_3 = value;
}
inline static int32_t get_offset_of_objectMapIdTable_4() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___objectMapIdTable_4)); }
inline SizedArray_t774FEAB0344A9BE540F22DD0A4E8E9E83EE69C42 * get_objectMapIdTable_4() const { return ___objectMapIdTable_4; }
inline SizedArray_t774FEAB0344A9BE540F22DD0A4E8E9E83EE69C42 ** get_address_of_objectMapIdTable_4() { return &___objectMapIdTable_4; }
inline void set_objectMapIdTable_4(SizedArray_t774FEAB0344A9BE540F22DD0A4E8E9E83EE69C42 * value)
{
___objectMapIdTable_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objectMapIdTable_4), (void*)value);
}
inline static int32_t get_offset_of_assemIdToAssemblyTable_5() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___assemIdToAssemblyTable_5)); }
inline SizedArray_t774FEAB0344A9BE540F22DD0A4E8E9E83EE69C42 * get_assemIdToAssemblyTable_5() const { return ___assemIdToAssemblyTable_5; }
inline SizedArray_t774FEAB0344A9BE540F22DD0A4E8E9E83EE69C42 ** get_address_of_assemIdToAssemblyTable_5() { return &___assemIdToAssemblyTable_5; }
inline void set_assemIdToAssemblyTable_5(SizedArray_t774FEAB0344A9BE540F22DD0A4E8E9E83EE69C42 * value)
{
___assemIdToAssemblyTable_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assemIdToAssemblyTable_5), (void*)value);
}
inline static int32_t get_offset_of_stack_6() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___stack_6)); }
inline SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC * get_stack_6() const { return ___stack_6; }
inline SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC ** get_address_of_stack_6() { return &___stack_6; }
inline void set_stack_6(SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC * value)
{
___stack_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___stack_6), (void*)value);
}
inline static int32_t get_offset_of_expectedType_7() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___expectedType_7)); }
inline int32_t get_expectedType_7() const { return ___expectedType_7; }
inline int32_t* get_address_of_expectedType_7() { return &___expectedType_7; }
inline void set_expectedType_7(int32_t value)
{
___expectedType_7 = value;
}
inline static int32_t get_offset_of_expectedTypeInformation_8() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___expectedTypeInformation_8)); }
inline RuntimeObject * get_expectedTypeInformation_8() const { return ___expectedTypeInformation_8; }
inline RuntimeObject ** get_address_of_expectedTypeInformation_8() { return &___expectedTypeInformation_8; }
inline void set_expectedTypeInformation_8(RuntimeObject * value)
{
___expectedTypeInformation_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___expectedTypeInformation_8), (void*)value);
}
inline static int32_t get_offset_of_PRS_9() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___PRS_9)); }
inline ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413 * get_PRS_9() const { return ___PRS_9; }
inline ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413 ** get_address_of_PRS_9() { return &___PRS_9; }
inline void set_PRS_9(ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413 * value)
{
___PRS_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___PRS_9), (void*)value);
}
inline static int32_t get_offset_of_systemAssemblyInfo_10() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___systemAssemblyInfo_10)); }
inline BinaryAssemblyInfo_t2F2D82DE14955BEF2CB536FA3DA27D972DE5DA8A * get_systemAssemblyInfo_10() const { return ___systemAssemblyInfo_10; }
inline BinaryAssemblyInfo_t2F2D82DE14955BEF2CB536FA3DA27D972DE5DA8A ** get_address_of_systemAssemblyInfo_10() { return &___systemAssemblyInfo_10; }
inline void set_systemAssemblyInfo_10(BinaryAssemblyInfo_t2F2D82DE14955BEF2CB536FA3DA27D972DE5DA8A * value)
{
___systemAssemblyInfo_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___systemAssemblyInfo_10), (void*)value);
}
inline static int32_t get_offset_of_dataReader_11() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___dataReader_11)); }
inline BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128 * get_dataReader_11() const { return ___dataReader_11; }
inline BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128 ** get_address_of_dataReader_11() { return &___dataReader_11; }
inline void set_dataReader_11(BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128 * value)
{
___dataReader_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___dataReader_11), (void*)value);
}
inline static int32_t get_offset_of_opPool_13() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___opPool_13)); }
inline SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC * get_opPool_13() const { return ___opPool_13; }
inline SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC ** get_address_of_opPool_13() { return &___opPool_13; }
inline void set_opPool_13(SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC * value)
{
___opPool_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___opPool_13), (void*)value);
}
inline static int32_t get_offset_of_binaryObject_14() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___binaryObject_14)); }
inline BinaryObject_t179888868BBFFD7F11C98DD08CE4726CDBF59324 * get_binaryObject_14() const { return ___binaryObject_14; }
inline BinaryObject_t179888868BBFFD7F11C98DD08CE4726CDBF59324 ** get_address_of_binaryObject_14() { return &___binaryObject_14; }
inline void set_binaryObject_14(BinaryObject_t179888868BBFFD7F11C98DD08CE4726CDBF59324 * value)
{
___binaryObject_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___binaryObject_14), (void*)value);
}
inline static int32_t get_offset_of_bowm_15() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___bowm_15)); }
inline BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23 * get_bowm_15() const { return ___bowm_15; }
inline BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23 ** get_address_of_bowm_15() { return &___bowm_15; }
inline void set_bowm_15(BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23 * value)
{
___bowm_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___bowm_15), (void*)value);
}
inline static int32_t get_offset_of_bowmt_16() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___bowmt_16)); }
inline BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B * get_bowmt_16() const { return ___bowmt_16; }
inline BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B ** get_address_of_bowmt_16() { return &___bowmt_16; }
inline void set_bowmt_16(BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B * value)
{
___bowmt_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___bowmt_16), (void*)value);
}
inline static int32_t get_offset_of_objectString_17() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___objectString_17)); }
inline BinaryObjectString_tEBEB23385A27BFF0830A57405CA995FAC5597E23 * get_objectString_17() const { return ___objectString_17; }
inline BinaryObjectString_tEBEB23385A27BFF0830A57405CA995FAC5597E23 ** get_address_of_objectString_17() { return &___objectString_17; }
inline void set_objectString_17(BinaryObjectString_tEBEB23385A27BFF0830A57405CA995FAC5597E23 * value)
{
___objectString_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objectString_17), (void*)value);
}
inline static int32_t get_offset_of_crossAppDomainString_18() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___crossAppDomainString_18)); }
inline BinaryCrossAppDomainString_t4B871A899F78A0E226EBC457B9BE8CD80404023C * get_crossAppDomainString_18() const { return ___crossAppDomainString_18; }
inline BinaryCrossAppDomainString_t4B871A899F78A0E226EBC457B9BE8CD80404023C ** get_address_of_crossAppDomainString_18() { return &___crossAppDomainString_18; }
inline void set_crossAppDomainString_18(BinaryCrossAppDomainString_t4B871A899F78A0E226EBC457B9BE8CD80404023C * value)
{
___crossAppDomainString_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___crossAppDomainString_18), (void*)value);
}
inline static int32_t get_offset_of_memberPrimitiveTyped_19() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___memberPrimitiveTyped_19)); }
inline MemberPrimitiveTyped_tCBCE9EFECA16A568F64E05D81D6672069E511965 * get_memberPrimitiveTyped_19() const { return ___memberPrimitiveTyped_19; }
inline MemberPrimitiveTyped_tCBCE9EFECA16A568F64E05D81D6672069E511965 ** get_address_of_memberPrimitiveTyped_19() { return &___memberPrimitiveTyped_19; }
inline void set_memberPrimitiveTyped_19(MemberPrimitiveTyped_tCBCE9EFECA16A568F64E05D81D6672069E511965 * value)
{
___memberPrimitiveTyped_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberPrimitiveTyped_19), (void*)value);
}
inline static int32_t get_offset_of_byteBuffer_20() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___byteBuffer_20)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_byteBuffer_20() const { return ___byteBuffer_20; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_byteBuffer_20() { return &___byteBuffer_20; }
inline void set_byteBuffer_20(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___byteBuffer_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___byteBuffer_20), (void*)value);
}
inline static int32_t get_offset_of_memberPrimitiveUnTyped_21() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___memberPrimitiveUnTyped_21)); }
inline MemberPrimitiveUnTyped_t8674B07D14F272D23EE081754ED4B2B3D3BA640A * get_memberPrimitiveUnTyped_21() const { return ___memberPrimitiveUnTyped_21; }
inline MemberPrimitiveUnTyped_t8674B07D14F272D23EE081754ED4B2B3D3BA640A ** get_address_of_memberPrimitiveUnTyped_21() { return &___memberPrimitiveUnTyped_21; }
inline void set_memberPrimitiveUnTyped_21(MemberPrimitiveUnTyped_t8674B07D14F272D23EE081754ED4B2B3D3BA640A * value)
{
___memberPrimitiveUnTyped_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberPrimitiveUnTyped_21), (void*)value);
}
inline static int32_t get_offset_of_memberReference_22() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___memberReference_22)); }
inline MemberReference_t444F997A7AB1565CAD1EBBC32FF38C07198E202B * get_memberReference_22() const { return ___memberReference_22; }
inline MemberReference_t444F997A7AB1565CAD1EBBC32FF38C07198E202B ** get_address_of_memberReference_22() { return &___memberReference_22; }
inline void set_memberReference_22(MemberReference_t444F997A7AB1565CAD1EBBC32FF38C07198E202B * value)
{
___memberReference_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberReference_22), (void*)value);
}
inline static int32_t get_offset_of_objectNull_23() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66, ___objectNull_23)); }
inline ObjectNull_t0854517B956008C029C56E58BD9F3F26C2862CA4 * get_objectNull_23() const { return ___objectNull_23; }
inline ObjectNull_t0854517B956008C029C56E58BD9F3F26C2862CA4 ** get_address_of_objectNull_23() { return &___objectNull_23; }
inline void set_objectNull_23(ObjectNull_t0854517B956008C029C56E58BD9F3F26C2862CA4 * value)
{
___objectNull_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objectNull_23), (void*)value);
}
};
struct __BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66_StaticFields
{
public:
// System.Text.Encoding System.Runtime.Serialization.Formatters.Binary.__BinaryParser::encoding
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * ___encoding_12;
// System.Runtime.Serialization.Formatters.Binary.MessageEnd modreq(System.Runtime.CompilerServices.IsVolatile) System.Runtime.Serialization.Formatters.Binary.__BinaryParser::messageEnd
MessageEnd_t5ABEBF8373F2611EE966CE6F17A1145D4DDEB9CB * ___messageEnd_24;
public:
inline static int32_t get_offset_of_encoding_12() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66_StaticFields, ___encoding_12)); }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * get_encoding_12() const { return ___encoding_12; }
inline Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 ** get_address_of_encoding_12() { return &___encoding_12; }
inline void set_encoding_12(Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827 * value)
{
___encoding_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___encoding_12), (void*)value);
}
inline static int32_t get_offset_of_messageEnd_24() { return static_cast<int32_t>(offsetof(__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66_StaticFields, ___messageEnd_24)); }
inline MessageEnd_t5ABEBF8373F2611EE966CE6F17A1145D4DDEB9CB * get_messageEnd_24() const { return ___messageEnd_24; }
inline MessageEnd_t5ABEBF8373F2611EE966CE6F17A1145D4DDEB9CB ** get_address_of_messageEnd_24() { return &___messageEnd_24; }
inline void set_messageEnd_24(MessageEnd_t5ABEBF8373F2611EE966CE6F17A1145D4DDEB9CB * value)
{
___messageEnd_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___messageEnd_24), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.Binary.__BinaryWriter
struct __BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694 : public RuntimeObject
{
public:
// System.IO.Stream System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::sout
Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * ___sout_0;
// System.Runtime.Serialization.Formatters.FormatterTypeStyle System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::formatterTypeStyle
int32_t ___formatterTypeStyle_1;
// System.Collections.Hashtable System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::objectMapTable
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___objectMapTable_2;
// System.Runtime.Serialization.Formatters.Binary.ObjectWriter System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::objectWriter
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F * ___objectWriter_3;
// System.IO.BinaryWriter System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::dataWriter
BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F * ___dataWriter_4;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::m_nestedObjectCount
int32_t ___m_nestedObjectCount_5;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::nullCount
int32_t ___nullCount_6;
// System.Runtime.Serialization.Formatters.Binary.BinaryMethodCall System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::binaryMethodCall
BinaryMethodCall_t6C9A891C2F2C5ADE2B92E92E750199C6E3DB388F * ___binaryMethodCall_7;
// System.Runtime.Serialization.Formatters.Binary.BinaryMethodReturn System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::binaryMethodReturn
BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9 * ___binaryMethodReturn_8;
// System.Runtime.Serialization.Formatters.Binary.BinaryObject System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::binaryObject
BinaryObject_t179888868BBFFD7F11C98DD08CE4726CDBF59324 * ___binaryObject_9;
// System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMap System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::binaryObjectWithMap
BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23 * ___binaryObjectWithMap_10;
// System.Runtime.Serialization.Formatters.Binary.BinaryObjectWithMapTyped System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::binaryObjectWithMapTyped
BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B * ___binaryObjectWithMapTyped_11;
// System.Runtime.Serialization.Formatters.Binary.BinaryObjectString System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::binaryObjectString
BinaryObjectString_tEBEB23385A27BFF0830A57405CA995FAC5597E23 * ___binaryObjectString_12;
// System.Runtime.Serialization.Formatters.Binary.BinaryArray System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::binaryArray
BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA * ___binaryArray_13;
// System.Byte[] System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::byteBuffer
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___byteBuffer_14;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::chunkSize
int32_t ___chunkSize_15;
// System.Runtime.Serialization.Formatters.Binary.MemberPrimitiveUnTyped System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::memberPrimitiveUnTyped
MemberPrimitiveUnTyped_t8674B07D14F272D23EE081754ED4B2B3D3BA640A * ___memberPrimitiveUnTyped_16;
// System.Runtime.Serialization.Formatters.Binary.MemberPrimitiveTyped System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::memberPrimitiveTyped
MemberPrimitiveTyped_tCBCE9EFECA16A568F64E05D81D6672069E511965 * ___memberPrimitiveTyped_17;
// System.Runtime.Serialization.Formatters.Binary.ObjectNull System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::objectNull
ObjectNull_t0854517B956008C029C56E58BD9F3F26C2862CA4 * ___objectNull_18;
// System.Runtime.Serialization.Formatters.Binary.MemberReference System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::memberReference
MemberReference_t444F997A7AB1565CAD1EBBC32FF38C07198E202B * ___memberReference_19;
// System.Runtime.Serialization.Formatters.Binary.BinaryAssembly System.Runtime.Serialization.Formatters.Binary.__BinaryWriter::binaryAssembly
BinaryAssembly_t084E6A060EC9651DEB57610DC7F91E5B0C8558AC * ___binaryAssembly_20;
public:
inline static int32_t get_offset_of_sout_0() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___sout_0)); }
inline Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * get_sout_0() const { return ___sout_0; }
inline Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB ** get_address_of_sout_0() { return &___sout_0; }
inline void set_sout_0(Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * value)
{
___sout_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sout_0), (void*)value);
}
inline static int32_t get_offset_of_formatterTypeStyle_1() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___formatterTypeStyle_1)); }
inline int32_t get_formatterTypeStyle_1() const { return ___formatterTypeStyle_1; }
inline int32_t* get_address_of_formatterTypeStyle_1() { return &___formatterTypeStyle_1; }
inline void set_formatterTypeStyle_1(int32_t value)
{
___formatterTypeStyle_1 = value;
}
inline static int32_t get_offset_of_objectMapTable_2() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___objectMapTable_2)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_objectMapTable_2() const { return ___objectMapTable_2; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_objectMapTable_2() { return &___objectMapTable_2; }
inline void set_objectMapTable_2(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___objectMapTable_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objectMapTable_2), (void*)value);
}
inline static int32_t get_offset_of_objectWriter_3() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___objectWriter_3)); }
inline ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F * get_objectWriter_3() const { return ___objectWriter_3; }
inline ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F ** get_address_of_objectWriter_3() { return &___objectWriter_3; }
inline void set_objectWriter_3(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F * value)
{
___objectWriter_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objectWriter_3), (void*)value);
}
inline static int32_t get_offset_of_dataWriter_4() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___dataWriter_4)); }
inline BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F * get_dataWriter_4() const { return ___dataWriter_4; }
inline BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F ** get_address_of_dataWriter_4() { return &___dataWriter_4; }
inline void set_dataWriter_4(BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F * value)
{
___dataWriter_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___dataWriter_4), (void*)value);
}
inline static int32_t get_offset_of_m_nestedObjectCount_5() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___m_nestedObjectCount_5)); }
inline int32_t get_m_nestedObjectCount_5() const { return ___m_nestedObjectCount_5; }
inline int32_t* get_address_of_m_nestedObjectCount_5() { return &___m_nestedObjectCount_5; }
inline void set_m_nestedObjectCount_5(int32_t value)
{
___m_nestedObjectCount_5 = value;
}
inline static int32_t get_offset_of_nullCount_6() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___nullCount_6)); }
inline int32_t get_nullCount_6() const { return ___nullCount_6; }
inline int32_t* get_address_of_nullCount_6() { return &___nullCount_6; }
inline void set_nullCount_6(int32_t value)
{
___nullCount_6 = value;
}
inline static int32_t get_offset_of_binaryMethodCall_7() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___binaryMethodCall_7)); }
inline BinaryMethodCall_t6C9A891C2F2C5ADE2B92E92E750199C6E3DB388F * get_binaryMethodCall_7() const { return ___binaryMethodCall_7; }
inline BinaryMethodCall_t6C9A891C2F2C5ADE2B92E92E750199C6E3DB388F ** get_address_of_binaryMethodCall_7() { return &___binaryMethodCall_7; }
inline void set_binaryMethodCall_7(BinaryMethodCall_t6C9A891C2F2C5ADE2B92E92E750199C6E3DB388F * value)
{
___binaryMethodCall_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___binaryMethodCall_7), (void*)value);
}
inline static int32_t get_offset_of_binaryMethodReturn_8() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___binaryMethodReturn_8)); }
inline BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9 * get_binaryMethodReturn_8() const { return ___binaryMethodReturn_8; }
inline BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9 ** get_address_of_binaryMethodReturn_8() { return &___binaryMethodReturn_8; }
inline void set_binaryMethodReturn_8(BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9 * value)
{
___binaryMethodReturn_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___binaryMethodReturn_8), (void*)value);
}
inline static int32_t get_offset_of_binaryObject_9() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___binaryObject_9)); }
inline BinaryObject_t179888868BBFFD7F11C98DD08CE4726CDBF59324 * get_binaryObject_9() const { return ___binaryObject_9; }
inline BinaryObject_t179888868BBFFD7F11C98DD08CE4726CDBF59324 ** get_address_of_binaryObject_9() { return &___binaryObject_9; }
inline void set_binaryObject_9(BinaryObject_t179888868BBFFD7F11C98DD08CE4726CDBF59324 * value)
{
___binaryObject_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___binaryObject_9), (void*)value);
}
inline static int32_t get_offset_of_binaryObjectWithMap_10() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___binaryObjectWithMap_10)); }
inline BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23 * get_binaryObjectWithMap_10() const { return ___binaryObjectWithMap_10; }
inline BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23 ** get_address_of_binaryObjectWithMap_10() { return &___binaryObjectWithMap_10; }
inline void set_binaryObjectWithMap_10(BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23 * value)
{
___binaryObjectWithMap_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___binaryObjectWithMap_10), (void*)value);
}
inline static int32_t get_offset_of_binaryObjectWithMapTyped_11() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___binaryObjectWithMapTyped_11)); }
inline BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B * get_binaryObjectWithMapTyped_11() const { return ___binaryObjectWithMapTyped_11; }
inline BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B ** get_address_of_binaryObjectWithMapTyped_11() { return &___binaryObjectWithMapTyped_11; }
inline void set_binaryObjectWithMapTyped_11(BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B * value)
{
___binaryObjectWithMapTyped_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___binaryObjectWithMapTyped_11), (void*)value);
}
inline static int32_t get_offset_of_binaryObjectString_12() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___binaryObjectString_12)); }
inline BinaryObjectString_tEBEB23385A27BFF0830A57405CA995FAC5597E23 * get_binaryObjectString_12() const { return ___binaryObjectString_12; }
inline BinaryObjectString_tEBEB23385A27BFF0830A57405CA995FAC5597E23 ** get_address_of_binaryObjectString_12() { return &___binaryObjectString_12; }
inline void set_binaryObjectString_12(BinaryObjectString_tEBEB23385A27BFF0830A57405CA995FAC5597E23 * value)
{
___binaryObjectString_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___binaryObjectString_12), (void*)value);
}
inline static int32_t get_offset_of_binaryArray_13() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___binaryArray_13)); }
inline BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA * get_binaryArray_13() const { return ___binaryArray_13; }
inline BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA ** get_address_of_binaryArray_13() { return &___binaryArray_13; }
inline void set_binaryArray_13(BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA * value)
{
___binaryArray_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___binaryArray_13), (void*)value);
}
inline static int32_t get_offset_of_byteBuffer_14() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___byteBuffer_14)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_byteBuffer_14() const { return ___byteBuffer_14; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_byteBuffer_14() { return &___byteBuffer_14; }
inline void set_byteBuffer_14(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___byteBuffer_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___byteBuffer_14), (void*)value);
}
inline static int32_t get_offset_of_chunkSize_15() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___chunkSize_15)); }
inline int32_t get_chunkSize_15() const { return ___chunkSize_15; }
inline int32_t* get_address_of_chunkSize_15() { return &___chunkSize_15; }
inline void set_chunkSize_15(int32_t value)
{
___chunkSize_15 = value;
}
inline static int32_t get_offset_of_memberPrimitiveUnTyped_16() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___memberPrimitiveUnTyped_16)); }
inline MemberPrimitiveUnTyped_t8674B07D14F272D23EE081754ED4B2B3D3BA640A * get_memberPrimitiveUnTyped_16() const { return ___memberPrimitiveUnTyped_16; }
inline MemberPrimitiveUnTyped_t8674B07D14F272D23EE081754ED4B2B3D3BA640A ** get_address_of_memberPrimitiveUnTyped_16() { return &___memberPrimitiveUnTyped_16; }
inline void set_memberPrimitiveUnTyped_16(MemberPrimitiveUnTyped_t8674B07D14F272D23EE081754ED4B2B3D3BA640A * value)
{
___memberPrimitiveUnTyped_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberPrimitiveUnTyped_16), (void*)value);
}
inline static int32_t get_offset_of_memberPrimitiveTyped_17() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___memberPrimitiveTyped_17)); }
inline MemberPrimitiveTyped_tCBCE9EFECA16A568F64E05D81D6672069E511965 * get_memberPrimitiveTyped_17() const { return ___memberPrimitiveTyped_17; }
inline MemberPrimitiveTyped_tCBCE9EFECA16A568F64E05D81D6672069E511965 ** get_address_of_memberPrimitiveTyped_17() { return &___memberPrimitiveTyped_17; }
inline void set_memberPrimitiveTyped_17(MemberPrimitiveTyped_tCBCE9EFECA16A568F64E05D81D6672069E511965 * value)
{
___memberPrimitiveTyped_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberPrimitiveTyped_17), (void*)value);
}
inline static int32_t get_offset_of_objectNull_18() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___objectNull_18)); }
inline ObjectNull_t0854517B956008C029C56E58BD9F3F26C2862CA4 * get_objectNull_18() const { return ___objectNull_18; }
inline ObjectNull_t0854517B956008C029C56E58BD9F3F26C2862CA4 ** get_address_of_objectNull_18() { return &___objectNull_18; }
inline void set_objectNull_18(ObjectNull_t0854517B956008C029C56E58BD9F3F26C2862CA4 * value)
{
___objectNull_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objectNull_18), (void*)value);
}
inline static int32_t get_offset_of_memberReference_19() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___memberReference_19)); }
inline MemberReference_t444F997A7AB1565CAD1EBBC32FF38C07198E202B * get_memberReference_19() const { return ___memberReference_19; }
inline MemberReference_t444F997A7AB1565CAD1EBBC32FF38C07198E202B ** get_address_of_memberReference_19() { return &___memberReference_19; }
inline void set_memberReference_19(MemberReference_t444F997A7AB1565CAD1EBBC32FF38C07198E202B * value)
{
___memberReference_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberReference_19), (void*)value);
}
inline static int32_t get_offset_of_binaryAssembly_20() { return static_cast<int32_t>(offsetof(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694, ___binaryAssembly_20)); }
inline BinaryAssembly_t084E6A060EC9651DEB57610DC7F91E5B0C8558AC * get_binaryAssembly_20() const { return ___binaryAssembly_20; }
inline BinaryAssembly_t084E6A060EC9651DEB57610DC7F91E5B0C8558AC ** get_address_of_binaryAssembly_20() { return &___binaryAssembly_20; }
inline void set_binaryAssembly_20(BinaryAssembly_t084E6A060EC9651DEB57610DC7F91E5B0C8558AC * value)
{
___binaryAssembly_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___binaryAssembly_20), (void*)value);
}
};
// UnityEngine.AddressableAssets.AddressablesImpl/<>c__DisplayClass74_0
struct U3CU3Ec__DisplayClass74_0_t5FA8DBF0FC76B5090C5CFAF2CCF741390B43E4DB : public RuntimeObject
{
public:
// UnityEngine.AddressableAssets.AddressablesImpl UnityEngine.AddressableAssets.AddressablesImpl/<>c__DisplayClass74_0::<>4__this
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * ___U3CU3E4__this_0;
// System.Collections.IEnumerable UnityEngine.AddressableAssets.AddressablesImpl/<>c__DisplayClass74_0::keys
RuntimeObject* ___keys_1;
// UnityEngine.AddressableAssets.Addressables/MergeMode UnityEngine.AddressableAssets.AddressablesImpl/<>c__DisplayClass74_0::mode
int32_t ___mode_2;
// System.Type UnityEngine.AddressableAssets.AddressablesImpl/<>c__DisplayClass74_0::type
Type_t * ___type_3;
public:
inline static int32_t get_offset_of_U3CU3E4__this_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass74_0_t5FA8DBF0FC76B5090C5CFAF2CCF741390B43E4DB, ___U3CU3E4__this_0)); }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * get_U3CU3E4__this_0() const { return ___U3CU3E4__this_0; }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 ** get_address_of_U3CU3E4__this_0() { return &___U3CU3E4__this_0; }
inline void set_U3CU3E4__this_0(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * value)
{
___U3CU3E4__this_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_0), (void*)value);
}
inline static int32_t get_offset_of_keys_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass74_0_t5FA8DBF0FC76B5090C5CFAF2CCF741390B43E4DB, ___keys_1)); }
inline RuntimeObject* get_keys_1() const { return ___keys_1; }
inline RuntimeObject** get_address_of_keys_1() { return &___keys_1; }
inline void set_keys_1(RuntimeObject* value)
{
___keys_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___keys_1), (void*)value);
}
inline static int32_t get_offset_of_mode_2() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass74_0_t5FA8DBF0FC76B5090C5CFAF2CCF741390B43E4DB, ___mode_2)); }
inline int32_t get_mode_2() const { return ___mode_2; }
inline int32_t* get_address_of_mode_2() { return &___mode_2; }
inline void set_mode_2(int32_t value)
{
___mode_2 = value;
}
inline static int32_t get_offset_of_type_3() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass74_0_t5FA8DBF0FC76B5090C5CFAF2CCF741390B43E4DB, ___type_3)); }
inline Type_t * get_type_3() const { return ___type_3; }
inline Type_t ** get_address_of_type_3() { return &___type_3; }
inline void set_type_3(Type_t * value)
{
___type_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___type_3), (void*)value);
}
};
// UnityEngine.Camera/RenderRequest
struct RenderRequest_t7DEDFA6AAA1C8D381280183054C328F26BBCCE94
{
public:
// UnityEngine.Camera/RenderRequestMode UnityEngine.Camera/RenderRequest::m_CameraRenderMode
int32_t ___m_CameraRenderMode_0;
// UnityEngine.RenderTexture UnityEngine.Camera/RenderRequest::m_ResultRT
RenderTexture_t5FE7A5B47EF962A0E8D7BEBA05E9FC87D49A1849 * ___m_ResultRT_1;
// UnityEngine.Camera/RenderRequestOutputSpace UnityEngine.Camera/RenderRequest::m_OutputSpace
int32_t ___m_OutputSpace_2;
public:
inline static int32_t get_offset_of_m_CameraRenderMode_0() { return static_cast<int32_t>(offsetof(RenderRequest_t7DEDFA6AAA1C8D381280183054C328F26BBCCE94, ___m_CameraRenderMode_0)); }
inline int32_t get_m_CameraRenderMode_0() const { return ___m_CameraRenderMode_0; }
inline int32_t* get_address_of_m_CameraRenderMode_0() { return &___m_CameraRenderMode_0; }
inline void set_m_CameraRenderMode_0(int32_t value)
{
___m_CameraRenderMode_0 = value;
}
inline static int32_t get_offset_of_m_ResultRT_1() { return static_cast<int32_t>(offsetof(RenderRequest_t7DEDFA6AAA1C8D381280183054C328F26BBCCE94, ___m_ResultRT_1)); }
inline RenderTexture_t5FE7A5B47EF962A0E8D7BEBA05E9FC87D49A1849 * get_m_ResultRT_1() const { return ___m_ResultRT_1; }
inline RenderTexture_t5FE7A5B47EF962A0E8D7BEBA05E9FC87D49A1849 ** get_address_of_m_ResultRT_1() { return &___m_ResultRT_1; }
inline void set_m_ResultRT_1(RenderTexture_t5FE7A5B47EF962A0E8D7BEBA05E9FC87D49A1849 * value)
{
___m_ResultRT_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ResultRT_1), (void*)value);
}
inline static int32_t get_offset_of_m_OutputSpace_2() { return static_cast<int32_t>(offsetof(RenderRequest_t7DEDFA6AAA1C8D381280183054C328F26BBCCE94, ___m_OutputSpace_2)); }
inline int32_t get_m_OutputSpace_2() const { return ___m_OutputSpace_2; }
inline int32_t* get_address_of_m_OutputSpace_2() { return &___m_OutputSpace_2; }
inline void set_m_OutputSpace_2(int32_t value)
{
___m_OutputSpace_2 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.Camera/RenderRequest
struct RenderRequest_t7DEDFA6AAA1C8D381280183054C328F26BBCCE94_marshaled_pinvoke
{
int32_t ___m_CameraRenderMode_0;
RenderTexture_t5FE7A5B47EF962A0E8D7BEBA05E9FC87D49A1849 * ___m_ResultRT_1;
int32_t ___m_OutputSpace_2;
};
// Native definition for COM marshalling of UnityEngine.Camera/RenderRequest
struct RenderRequest_t7DEDFA6AAA1C8D381280183054C328F26BBCCE94_marshaled_com
{
int32_t ___m_CameraRenderMode_0;
RenderTexture_t5FE7A5B47EF962A0E8D7BEBA05E9FC87D49A1849 * ___m_ResultRT_1;
int32_t ___m_OutputSpace_2;
};
// System.IO.Directory/SearchData
struct SearchData_t96E91410F24E0F7642D8E79E2941BC08C5928FA5 : public RuntimeObject
{
public:
// System.String System.IO.Directory/SearchData::fullPath
String_t* ___fullPath_0;
// System.String System.IO.Directory/SearchData::userPath
String_t* ___userPath_1;
// System.IO.SearchOption System.IO.Directory/SearchData::searchOption
int32_t ___searchOption_2;
public:
inline static int32_t get_offset_of_fullPath_0() { return static_cast<int32_t>(offsetof(SearchData_t96E91410F24E0F7642D8E79E2941BC08C5928FA5, ___fullPath_0)); }
inline String_t* get_fullPath_0() const { return ___fullPath_0; }
inline String_t** get_address_of_fullPath_0() { return &___fullPath_0; }
inline void set_fullPath_0(String_t* value)
{
___fullPath_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___fullPath_0), (void*)value);
}
inline static int32_t get_offset_of_userPath_1() { return static_cast<int32_t>(offsetof(SearchData_t96E91410F24E0F7642D8E79E2941BC08C5928FA5, ___userPath_1)); }
inline String_t* get_userPath_1() const { return ___userPath_1; }
inline String_t** get_address_of_userPath_1() { return &___userPath_1; }
inline void set_userPath_1(String_t* value)
{
___userPath_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___userPath_1), (void*)value);
}
inline static int32_t get_offset_of_searchOption_2() { return static_cast<int32_t>(offsetof(SearchData_t96E91410F24E0F7642D8E79E2941BC08C5928FA5, ___searchOption_2)); }
inline int32_t get_searchOption_2() const { return ___searchOption_2; }
inline int32_t* get_address_of_searchOption_2() { return &___searchOption_2; }
inline void set_searchOption_2(int32_t value)
{
___searchOption_2 = value;
}
};
// UnityEngine.EventSystems.EventTrigger/Entry
struct Entry_t9C594CD634607709CF020BE9C8A469E1C9033D36 : public RuntimeObject
{
public:
// UnityEngine.EventSystems.EventTriggerType UnityEngine.EventSystems.EventTrigger/Entry::eventID
int32_t ___eventID_0;
// UnityEngine.EventSystems.EventTrigger/TriggerEvent UnityEngine.EventSystems.EventTrigger/Entry::callback
TriggerEvent_t6C4DB59340B55DE906C54EE3FF7DAE4DE24A1276 * ___callback_1;
public:
inline static int32_t get_offset_of_eventID_0() { return static_cast<int32_t>(offsetof(Entry_t9C594CD634607709CF020BE9C8A469E1C9033D36, ___eventID_0)); }
inline int32_t get_eventID_0() const { return ___eventID_0; }
inline int32_t* get_address_of_eventID_0() { return &___eventID_0; }
inline void set_eventID_0(int32_t value)
{
___eventID_0 = value;
}
inline static int32_t get_offset_of_callback_1() { return static_cast<int32_t>(offsetof(Entry_t9C594CD634607709CF020BE9C8A469E1C9033D36, ___callback_1)); }
inline TriggerEvent_t6C4DB59340B55DE906C54EE3FF7DAE4DE24A1276 * get_callback_1() const { return ___callback_1; }
inline TriggerEvent_t6C4DB59340B55DE906C54EE3FF7DAE4DE24A1276 ** get_address_of_callback_1() { return &___callback_1; }
inline void set_callback_1(TriggerEvent_t6C4DB59340B55DE906C54EE3FF7DAE4DE24A1276 * value)
{
___callback_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___callback_1), (void*)value);
}
};
// System.Linq.Expressions.Expression/ExtensionInfo
struct ExtensionInfo_tC44139FBD6DED03BF72E9D021741DB32CB5FD926 : public RuntimeObject
{
public:
// System.Linq.Expressions.ExpressionType System.Linq.Expressions.Expression/ExtensionInfo::NodeType
int32_t ___NodeType_0;
// System.Type System.Linq.Expressions.Expression/ExtensionInfo::Type
Type_t * ___Type_1;
public:
inline static int32_t get_offset_of_NodeType_0() { return static_cast<int32_t>(offsetof(ExtensionInfo_tC44139FBD6DED03BF72E9D021741DB32CB5FD926, ___NodeType_0)); }
inline int32_t get_NodeType_0() const { return ___NodeType_0; }
inline int32_t* get_address_of_NodeType_0() { return &___NodeType_0; }
inline void set_NodeType_0(int32_t value)
{
___NodeType_0 = value;
}
inline static int32_t get_offset_of_Type_1() { return static_cast<int32_t>(offsetof(ExtensionInfo_tC44139FBD6DED03BF72E9D021741DB32CB5FD926, ___Type_1)); }
inline Type_t * get_Type_1() const { return ___Type_1; }
inline Type_t ** get_address_of_Type_1() { return &___Type_1; }
inline void set_Type_1(Type_t * value)
{
___Type_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Type_1), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/<GetEnumerator>d__25
struct U3CGetEnumeratorU3Ed__25_tBFB199AC3F04A1253EDE14EBCF2EF263BDF49308 : public RuntimeObject
{
public:
// System.Int32 UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/<GetEnumerator>d__25::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Object UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/<GetEnumerator>d__25::<>2__current
RuntimeObject * ___U3CU3E2__current_1;
// UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/<GetEnumerator>d__25::<>4__this
GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A * ___U3CU3E4__this_2;
// System.Collections.Generic.Dictionary`2/Enumerator<System.String,UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/NameValuePair> UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/<GetEnumerator>d__25::<>7__wrap1
Enumerator_tEB429C4E93509B1086696A3DB644043BA327221E ___U3CU3E7__wrap1_3;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CGetEnumeratorU3Ed__25_tBFB199AC3F04A1253EDE14EBCF2EF263BDF49308, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CGetEnumeratorU3Ed__25_tBFB199AC3F04A1253EDE14EBCF2EF263BDF49308, ___U3CU3E2__current_1)); }
inline RuntimeObject * get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline RuntimeObject ** get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(RuntimeObject * value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E2__current_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E4__this_2() { return static_cast<int32_t>(offsetof(U3CGetEnumeratorU3Ed__25_tBFB199AC3F04A1253EDE14EBCF2EF263BDF49308, ___U3CU3E4__this_2)); }
inline GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A * get_U3CU3E4__this_2() const { return ___U3CU3E4__this_2; }
inline GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A ** get_address_of_U3CU3E4__this_2() { return &___U3CU3E4__this_2; }
inline void set_U3CU3E4__this_2(GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A * value)
{
___U3CU3E4__this_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_2), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E7__wrap1_3() { return static_cast<int32_t>(offsetof(U3CGetEnumeratorU3Ed__25_tBFB199AC3F04A1253EDE14EBCF2EF263BDF49308, ___U3CU3E7__wrap1_3)); }
inline Enumerator_tEB429C4E93509B1086696A3DB644043BA327221E get_U3CU3E7__wrap1_3() const { return ___U3CU3E7__wrap1_3; }
inline Enumerator_tEB429C4E93509B1086696A3DB644043BA327221E * get_address_of_U3CU3E7__wrap1_3() { return &___U3CU3E7__wrap1_3; }
inline void set_U3CU3E7__wrap1_3(Enumerator_tEB429C4E93509B1086696A3DB644043BA327221E value)
{
___U3CU3E7__wrap1_3 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CU3E7__wrap1_3))->___dictionary_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___U3CU3E7__wrap1_3))->___current_3))->___key_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___U3CU3E7__wrap1_3))->___current_3))->___value_1), (void*)NULL);
#endif
}
};
// UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/<System-Collections-Generic-IEnumerable<System-Collections-Generic-KeyValuePair<System-String,UnityEngine-Localization-SmartFormat-GlobalVariables-IGlobalVariable>>-GetEnumerator>d__24
struct U3CSystemU2DCollectionsU2DGenericU2DIEnumerableU3CSystemU2DCollectionsU2DGenericU2DKeyValuePairU3CSystemU2DStringU2CUnityEngineU2DLocalizationU2DSmartFormatU2DGlobalVariablesU2DIGlobalVariableU3EU3EU2DGetEnumeratorU3Ed__24_t13FF67CE641C37291F5FF88E078160A60F8597F3 : public RuntimeObject
{
public:
// System.Int32 UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/<System-Collections-Generic-IEnumerable<System-Collections-Generic-KeyValuePair<System-String,UnityEngine-Localization-SmartFormat-GlobalVariables-IGlobalVariable>>-GetEnumerator>d__24::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Collections.Generic.KeyValuePair`2<System.String,UnityEngine.Localization.SmartFormat.GlobalVariables.IGlobalVariable> UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/<System-Collections-Generic-IEnumerable<System-Collections-Generic-KeyValuePair<System-String,UnityEngine-Localization-SmartFormat-GlobalVariables-IGlobalVariable>>-GetEnumerator>d__24::<>2__current
KeyValuePair_2_t7DDEFD543109062B78478023646552E7AA6B970B ___U3CU3E2__current_1;
// UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/<System-Collections-Generic-IEnumerable<System-Collections-Generic-KeyValuePair<System-String,UnityEngine-Localization-SmartFormat-GlobalVariables-IGlobalVariable>>-GetEnumerator>d__24::<>4__this
GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A * ___U3CU3E4__this_2;
// System.Collections.Generic.Dictionary`2/Enumerator<System.String,UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/NameValuePair> UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/<System-Collections-Generic-IEnumerable<System-Collections-Generic-KeyValuePair<System-String,UnityEngine-Localization-SmartFormat-GlobalVariables-IGlobalVariable>>-GetEnumerator>d__24::<>7__wrap1
Enumerator_tEB429C4E93509B1086696A3DB644043BA327221E ___U3CU3E7__wrap1_3;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CSystemU2DCollectionsU2DGenericU2DIEnumerableU3CSystemU2DCollectionsU2DGenericU2DKeyValuePairU3CSystemU2DStringU2CUnityEngineU2DLocalizationU2DSmartFormatU2DGlobalVariablesU2DIGlobalVariableU3EU3EU2DGetEnumeratorU3Ed__24_t13FF67CE641C37291F5FF88E078160A60F8597F3, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CSystemU2DCollectionsU2DGenericU2DIEnumerableU3CSystemU2DCollectionsU2DGenericU2DKeyValuePairU3CSystemU2DStringU2CUnityEngineU2DLocalizationU2DSmartFormatU2DGlobalVariablesU2DIGlobalVariableU3EU3EU2DGetEnumeratorU3Ed__24_t13FF67CE641C37291F5FF88E078160A60F8597F3, ___U3CU3E2__current_1)); }
inline KeyValuePair_2_t7DDEFD543109062B78478023646552E7AA6B970B get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline KeyValuePair_2_t7DDEFD543109062B78478023646552E7AA6B970B * get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(KeyValuePair_2_t7DDEFD543109062B78478023646552E7AA6B970B value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CU3E2__current_1))->___key_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CU3E2__current_1))->___value_1), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_U3CU3E4__this_2() { return static_cast<int32_t>(offsetof(U3CSystemU2DCollectionsU2DGenericU2DIEnumerableU3CSystemU2DCollectionsU2DGenericU2DKeyValuePairU3CSystemU2DStringU2CUnityEngineU2DLocalizationU2DSmartFormatU2DGlobalVariablesU2DIGlobalVariableU3EU3EU2DGetEnumeratorU3Ed__24_t13FF67CE641C37291F5FF88E078160A60F8597F3, ___U3CU3E4__this_2)); }
inline GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A * get_U3CU3E4__this_2() const { return ___U3CU3E4__this_2; }
inline GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A ** get_address_of_U3CU3E4__this_2() { return &___U3CU3E4__this_2; }
inline void set_U3CU3E4__this_2(GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A * value)
{
___U3CU3E4__this_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_2), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E7__wrap1_3() { return static_cast<int32_t>(offsetof(U3CSystemU2DCollectionsU2DGenericU2DIEnumerableU3CSystemU2DCollectionsU2DGenericU2DKeyValuePairU3CSystemU2DStringU2CUnityEngineU2DLocalizationU2DSmartFormatU2DGlobalVariablesU2DIGlobalVariableU3EU3EU2DGetEnumeratorU3Ed__24_t13FF67CE641C37291F5FF88E078160A60F8597F3, ___U3CU3E7__wrap1_3)); }
inline Enumerator_tEB429C4E93509B1086696A3DB644043BA327221E get_U3CU3E7__wrap1_3() const { return ___U3CU3E7__wrap1_3; }
inline Enumerator_tEB429C4E93509B1086696A3DB644043BA327221E * get_address_of_U3CU3E7__wrap1_3() { return &___U3CU3E7__wrap1_3; }
inline void set_U3CU3E7__wrap1_3(Enumerator_tEB429C4E93509B1086696A3DB644043BA327221E value)
{
___U3CU3E7__wrap1_3 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CU3E7__wrap1_3))->___dictionary_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___U3CU3E7__wrap1_3))->___current_3))->___key_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___U3CU3E7__wrap1_3))->___current_3))->___value_1), (void*)NULL);
#endif
}
};
// UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/<GetEnumerator>d__35
struct U3CGetEnumeratorU3Ed__35_t323BBBAA1F567E355900284382E7579C453E0884 : public RuntimeObject
{
public:
// System.Int32 UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/<GetEnumerator>d__35::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Object UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/<GetEnumerator>d__35::<>2__current
RuntimeObject * ___U3CU3E2__current_1;
// UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/<GetEnumerator>d__35::<>4__this
GlobalVariablesSource_t63C3E81001CC79BCD3A55CD9C9BF266E89243D5A * ___U3CU3E4__this_2;
// System.Collections.Generic.Dictionary`2/Enumerator<System.String,UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/NameValuePair> UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/<GetEnumerator>d__35::<>7__wrap1
Enumerator_tB71028C615AC71A88020F08AE4BA80F74DD77E9D ___U3CU3E7__wrap1_3;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CGetEnumeratorU3Ed__35_t323BBBAA1F567E355900284382E7579C453E0884, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CGetEnumeratorU3Ed__35_t323BBBAA1F567E355900284382E7579C453E0884, ___U3CU3E2__current_1)); }
inline RuntimeObject * get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline RuntimeObject ** get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(RuntimeObject * value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E2__current_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E4__this_2() { return static_cast<int32_t>(offsetof(U3CGetEnumeratorU3Ed__35_t323BBBAA1F567E355900284382E7579C453E0884, ___U3CU3E4__this_2)); }
inline GlobalVariablesSource_t63C3E81001CC79BCD3A55CD9C9BF266E89243D5A * get_U3CU3E4__this_2() const { return ___U3CU3E4__this_2; }
inline GlobalVariablesSource_t63C3E81001CC79BCD3A55CD9C9BF266E89243D5A ** get_address_of_U3CU3E4__this_2() { return &___U3CU3E4__this_2; }
inline void set_U3CU3E4__this_2(GlobalVariablesSource_t63C3E81001CC79BCD3A55CD9C9BF266E89243D5A * value)
{
___U3CU3E4__this_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_2), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E7__wrap1_3() { return static_cast<int32_t>(offsetof(U3CGetEnumeratorU3Ed__35_t323BBBAA1F567E355900284382E7579C453E0884, ___U3CU3E7__wrap1_3)); }
inline Enumerator_tB71028C615AC71A88020F08AE4BA80F74DD77E9D get_U3CU3E7__wrap1_3() const { return ___U3CU3E7__wrap1_3; }
inline Enumerator_tB71028C615AC71A88020F08AE4BA80F74DD77E9D * get_address_of_U3CU3E7__wrap1_3() { return &___U3CU3E7__wrap1_3; }
inline void set_U3CU3E7__wrap1_3(Enumerator_tB71028C615AC71A88020F08AE4BA80F74DD77E9D value)
{
___U3CU3E7__wrap1_3 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CU3E7__wrap1_3))->___dictionary_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___U3CU3E7__wrap1_3))->___current_3))->___key_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___U3CU3E7__wrap1_3))->___current_3))->___value_1), (void*)NULL);
#endif
}
};
// UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/<System-Collections-Generic-IEnumerable<System-Collections-Generic-KeyValuePair<System-String,UnityEngine-Localization-SmartFormat-GlobalVariables-GlobalVariablesGroup>>-GetEnumerator>d__34
struct U3CSystemU2DCollectionsU2DGenericU2DIEnumerableU3CSystemU2DCollectionsU2DGenericU2DKeyValuePairU3CSystemU2DStringU2CUnityEngineU2DLocalizationU2DSmartFormatU2DGlobalVariablesU2DGlobalVariablesGroupU3EU3EU2DGetEnumeratorU3Ed__34_t130F7B502CB9B78E8A54D6822F1A60F2FB2D7494 : public RuntimeObject
{
public:
// System.Int32 UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/<System-Collections-Generic-IEnumerable<System-Collections-Generic-KeyValuePair<System-String,UnityEngine-Localization-SmartFormat-GlobalVariables-GlobalVariablesGroup>>-GetEnumerator>d__34::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Collections.Generic.KeyValuePair`2<System.String,UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup> UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/<System-Collections-Generic-IEnumerable<System-Collections-Generic-KeyValuePair<System-String,UnityEngine-Localization-SmartFormat-GlobalVariables-GlobalVariablesGroup>>-GetEnumerator>d__34::<>2__current
KeyValuePair_2_t4E4A18D6C14316C7E00A7782962D5269489193C6 ___U3CU3E2__current_1;
// UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/<System-Collections-Generic-IEnumerable<System-Collections-Generic-KeyValuePair<System-String,UnityEngine-Localization-SmartFormat-GlobalVariables-GlobalVariablesGroup>>-GetEnumerator>d__34::<>4__this
GlobalVariablesSource_t63C3E81001CC79BCD3A55CD9C9BF266E89243D5A * ___U3CU3E4__this_2;
// System.Collections.Generic.Dictionary`2/Enumerator<System.String,UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/NameValuePair> UnityEngine.Localization.SmartFormat.Extensions.GlobalVariablesSource/<System-Collections-Generic-IEnumerable<System-Collections-Generic-KeyValuePair<System-String,UnityEngine-Localization-SmartFormat-GlobalVariables-GlobalVariablesGroup>>-GetEnumerator>d__34::<>7__wrap1
Enumerator_tB71028C615AC71A88020F08AE4BA80F74DD77E9D ___U3CU3E7__wrap1_3;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CSystemU2DCollectionsU2DGenericU2DIEnumerableU3CSystemU2DCollectionsU2DGenericU2DKeyValuePairU3CSystemU2DStringU2CUnityEngineU2DLocalizationU2DSmartFormatU2DGlobalVariablesU2DGlobalVariablesGroupU3EU3EU2DGetEnumeratorU3Ed__34_t130F7B502CB9B78E8A54D6822F1A60F2FB2D7494, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CSystemU2DCollectionsU2DGenericU2DIEnumerableU3CSystemU2DCollectionsU2DGenericU2DKeyValuePairU3CSystemU2DStringU2CUnityEngineU2DLocalizationU2DSmartFormatU2DGlobalVariablesU2DGlobalVariablesGroupU3EU3EU2DGetEnumeratorU3Ed__34_t130F7B502CB9B78E8A54D6822F1A60F2FB2D7494, ___U3CU3E2__current_1)); }
inline KeyValuePair_2_t4E4A18D6C14316C7E00A7782962D5269489193C6 get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline KeyValuePair_2_t4E4A18D6C14316C7E00A7782962D5269489193C6 * get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(KeyValuePair_2_t4E4A18D6C14316C7E00A7782962D5269489193C6 value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CU3E2__current_1))->___key_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CU3E2__current_1))->___value_1), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_U3CU3E4__this_2() { return static_cast<int32_t>(offsetof(U3CSystemU2DCollectionsU2DGenericU2DIEnumerableU3CSystemU2DCollectionsU2DGenericU2DKeyValuePairU3CSystemU2DStringU2CUnityEngineU2DLocalizationU2DSmartFormatU2DGlobalVariablesU2DGlobalVariablesGroupU3EU3EU2DGetEnumeratorU3Ed__34_t130F7B502CB9B78E8A54D6822F1A60F2FB2D7494, ___U3CU3E4__this_2)); }
inline GlobalVariablesSource_t63C3E81001CC79BCD3A55CD9C9BF266E89243D5A * get_U3CU3E4__this_2() const { return ___U3CU3E4__this_2; }
inline GlobalVariablesSource_t63C3E81001CC79BCD3A55CD9C9BF266E89243D5A ** get_address_of_U3CU3E4__this_2() { return &___U3CU3E4__this_2; }
inline void set_U3CU3E4__this_2(GlobalVariablesSource_t63C3E81001CC79BCD3A55CD9C9BF266E89243D5A * value)
{
___U3CU3E4__this_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_2), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E7__wrap1_3() { return static_cast<int32_t>(offsetof(U3CSystemU2DCollectionsU2DGenericU2DIEnumerableU3CSystemU2DCollectionsU2DGenericU2DKeyValuePairU3CSystemU2DStringU2CUnityEngineU2DLocalizationU2DSmartFormatU2DGlobalVariablesU2DGlobalVariablesGroupU3EU3EU2DGetEnumeratorU3Ed__34_t130F7B502CB9B78E8A54D6822F1A60F2FB2D7494, ___U3CU3E7__wrap1_3)); }
inline Enumerator_tB71028C615AC71A88020F08AE4BA80F74DD77E9D get_U3CU3E7__wrap1_3() const { return ___U3CU3E7__wrap1_3; }
inline Enumerator_tB71028C615AC71A88020F08AE4BA80F74DD77E9D * get_address_of_U3CU3E7__wrap1_3() { return &___U3CU3E7__wrap1_3; }
inline void set_U3CU3E7__wrap1_3(Enumerator_tB71028C615AC71A88020F08AE4BA80F74DD77E9D value)
{
___U3CU3E7__wrap1_3 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CU3E7__wrap1_3))->___dictionary_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___U3CU3E7__wrap1_3))->___current_3))->___key_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___U3CU3E7__wrap1_3))->___current_3))->___value_1), (void*)NULL);
#endif
}
};
// System.Guid/GuidResult
struct GuidResult_t0DA162EF4F1F1C93059A6A44E1C5CCE6F2924A6E
{
public:
// System.Guid System.Guid/GuidResult::parsedGuid
Guid_t ___parsedGuid_0;
// System.Guid/GuidParseThrowStyle System.Guid/GuidResult::throwStyle
int32_t ___throwStyle_1;
// System.Guid/ParseFailureKind System.Guid/GuidResult::m_failure
int32_t ___m_failure_2;
// System.String System.Guid/GuidResult::m_failureMessageID
String_t* ___m_failureMessageID_3;
// System.Object System.Guid/GuidResult::m_failureMessageFormatArgument
RuntimeObject * ___m_failureMessageFormatArgument_4;
// System.String System.Guid/GuidResult::m_failureArgumentName
String_t* ___m_failureArgumentName_5;
// System.Exception System.Guid/GuidResult::m_innerException
Exception_t * ___m_innerException_6;
public:
inline static int32_t get_offset_of_parsedGuid_0() { return static_cast<int32_t>(offsetof(GuidResult_t0DA162EF4F1F1C93059A6A44E1C5CCE6F2924A6E, ___parsedGuid_0)); }
inline Guid_t get_parsedGuid_0() const { return ___parsedGuid_0; }
inline Guid_t * get_address_of_parsedGuid_0() { return &___parsedGuid_0; }
inline void set_parsedGuid_0(Guid_t value)
{
___parsedGuid_0 = value;
}
inline static int32_t get_offset_of_throwStyle_1() { return static_cast<int32_t>(offsetof(GuidResult_t0DA162EF4F1F1C93059A6A44E1C5CCE6F2924A6E, ___throwStyle_1)); }
inline int32_t get_throwStyle_1() const { return ___throwStyle_1; }
inline int32_t* get_address_of_throwStyle_1() { return &___throwStyle_1; }
inline void set_throwStyle_1(int32_t value)
{
___throwStyle_1 = value;
}
inline static int32_t get_offset_of_m_failure_2() { return static_cast<int32_t>(offsetof(GuidResult_t0DA162EF4F1F1C93059A6A44E1C5CCE6F2924A6E, ___m_failure_2)); }
inline int32_t get_m_failure_2() const { return ___m_failure_2; }
inline int32_t* get_address_of_m_failure_2() { return &___m_failure_2; }
inline void set_m_failure_2(int32_t value)
{
___m_failure_2 = value;
}
inline static int32_t get_offset_of_m_failureMessageID_3() { return static_cast<int32_t>(offsetof(GuidResult_t0DA162EF4F1F1C93059A6A44E1C5CCE6F2924A6E, ___m_failureMessageID_3)); }
inline String_t* get_m_failureMessageID_3() const { return ___m_failureMessageID_3; }
inline String_t** get_address_of_m_failureMessageID_3() { return &___m_failureMessageID_3; }
inline void set_m_failureMessageID_3(String_t* value)
{
___m_failureMessageID_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_failureMessageID_3), (void*)value);
}
inline static int32_t get_offset_of_m_failureMessageFormatArgument_4() { return static_cast<int32_t>(offsetof(GuidResult_t0DA162EF4F1F1C93059A6A44E1C5CCE6F2924A6E, ___m_failureMessageFormatArgument_4)); }
inline RuntimeObject * get_m_failureMessageFormatArgument_4() const { return ___m_failureMessageFormatArgument_4; }
inline RuntimeObject ** get_address_of_m_failureMessageFormatArgument_4() { return &___m_failureMessageFormatArgument_4; }
inline void set_m_failureMessageFormatArgument_4(RuntimeObject * value)
{
___m_failureMessageFormatArgument_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_failureMessageFormatArgument_4), (void*)value);
}
inline static int32_t get_offset_of_m_failureArgumentName_5() { return static_cast<int32_t>(offsetof(GuidResult_t0DA162EF4F1F1C93059A6A44E1C5CCE6F2924A6E, ___m_failureArgumentName_5)); }
inline String_t* get_m_failureArgumentName_5() const { return ___m_failureArgumentName_5; }
inline String_t** get_address_of_m_failureArgumentName_5() { return &___m_failureArgumentName_5; }
inline void set_m_failureArgumentName_5(String_t* value)
{
___m_failureArgumentName_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_failureArgumentName_5), (void*)value);
}
inline static int32_t get_offset_of_m_innerException_6() { return static_cast<int32_t>(offsetof(GuidResult_t0DA162EF4F1F1C93059A6A44E1C5CCE6F2924A6E, ___m_innerException_6)); }
inline Exception_t * get_m_innerException_6() const { return ___m_innerException_6; }
inline Exception_t ** get_address_of_m_innerException_6() { return &___m_innerException_6; }
inline void set_m_innerException_6(Exception_t * value)
{
___m_innerException_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_innerException_6), (void*)value);
}
};
// Native definition for P/Invoke marshalling of System.Guid/GuidResult
struct GuidResult_t0DA162EF4F1F1C93059A6A44E1C5CCE6F2924A6E_marshaled_pinvoke
{
Guid_t ___parsedGuid_0;
int32_t ___throwStyle_1;
int32_t ___m_failure_2;
char* ___m_failureMessageID_3;
Il2CppIUnknown* ___m_failureMessageFormatArgument_4;
char* ___m_failureArgumentName_5;
Exception_t_marshaled_pinvoke* ___m_innerException_6;
};
// Native definition for COM marshalling of System.Guid/GuidResult
struct GuidResult_t0DA162EF4F1F1C93059A6A44E1C5CCE6F2924A6E_marshaled_com
{
Guid_t ___parsedGuid_0;
int32_t ___throwStyle_1;
int32_t ___m_failure_2;
Il2CppChar* ___m_failureMessageID_3;
Il2CppIUnknown* ___m_failureMessageFormatArgument_4;
Il2CppChar* ___m_failureArgumentName_5;
Exception_t_marshaled_com* ___m_innerException_6;
};
// System.Collections.Hashtable/SyncHashtable
struct SyncHashtable_t4F35FE38FB79C9F4C1F667D9DDD9836FA283841C : public Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC
{
public:
// System.Collections.Hashtable System.Collections.Hashtable/SyncHashtable::_table
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ____table_21;
public:
inline static int32_t get_offset_of__table_21() { return static_cast<int32_t>(offsetof(SyncHashtable_t4F35FE38FB79C9F4C1F667D9DDD9836FA283841C, ____table_21)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get__table_21() const { return ____table_21; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of__table_21() { return &____table_21; }
inline void set__table_21(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
____table_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&____table_21), (void*)value);
}
};
// System.Globalization.HebrewNumber/HebrewValue
struct HebrewValue_tB7953B7CFBB62B491971C26F7A0DB2AE199C8337 : public RuntimeObject
{
public:
// System.Globalization.HebrewNumber/HebrewToken System.Globalization.HebrewNumber/HebrewValue::token
int32_t ___token_0;
// System.Int32 System.Globalization.HebrewNumber/HebrewValue::value
int32_t ___value_1;
public:
inline static int32_t get_offset_of_token_0() { return static_cast<int32_t>(offsetof(HebrewValue_tB7953B7CFBB62B491971C26F7A0DB2AE199C8337, ___token_0)); }
inline int32_t get_token_0() const { return ___token_0; }
inline int32_t* get_address_of_token_0() { return &___token_0; }
inline void set_token_0(int32_t value)
{
___token_0 = value;
}
inline static int32_t get_offset_of_value_1() { return static_cast<int32_t>(offsetof(HebrewValue_tB7953B7CFBB62B491971C26F7A0DB2AE199C8337, ___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;
}
};
// Unity.Jobs.LowLevel.Unsafe.JobsUtility/JobScheduleParameters
struct JobScheduleParameters_tA29064729507A938ACB05D9F98B2C4A6977E3EF8
{
public:
// Unity.Jobs.JobHandle Unity.Jobs.LowLevel.Unsafe.JobsUtility/JobScheduleParameters::Dependency
JobHandle_t8AEB8D31C25D7774C71D62B0C662525E6E36D847 ___Dependency_0;
// System.Int32 Unity.Jobs.LowLevel.Unsafe.JobsUtility/JobScheduleParameters::ScheduleMode
int32_t ___ScheduleMode_1;
// System.IntPtr Unity.Jobs.LowLevel.Unsafe.JobsUtility/JobScheduleParameters::ReflectionData
intptr_t ___ReflectionData_2;
// System.IntPtr Unity.Jobs.LowLevel.Unsafe.JobsUtility/JobScheduleParameters::JobDataPtr
intptr_t ___JobDataPtr_3;
public:
inline static int32_t get_offset_of_Dependency_0() { return static_cast<int32_t>(offsetof(JobScheduleParameters_tA29064729507A938ACB05D9F98B2C4A6977E3EF8, ___Dependency_0)); }
inline JobHandle_t8AEB8D31C25D7774C71D62B0C662525E6E36D847 get_Dependency_0() const { return ___Dependency_0; }
inline JobHandle_t8AEB8D31C25D7774C71D62B0C662525E6E36D847 * get_address_of_Dependency_0() { return &___Dependency_0; }
inline void set_Dependency_0(JobHandle_t8AEB8D31C25D7774C71D62B0C662525E6E36D847 value)
{
___Dependency_0 = value;
}
inline static int32_t get_offset_of_ScheduleMode_1() { return static_cast<int32_t>(offsetof(JobScheduleParameters_tA29064729507A938ACB05D9F98B2C4A6977E3EF8, ___ScheduleMode_1)); }
inline int32_t get_ScheduleMode_1() const { return ___ScheduleMode_1; }
inline int32_t* get_address_of_ScheduleMode_1() { return &___ScheduleMode_1; }
inline void set_ScheduleMode_1(int32_t value)
{
___ScheduleMode_1 = value;
}
inline static int32_t get_offset_of_ReflectionData_2() { return static_cast<int32_t>(offsetof(JobScheduleParameters_tA29064729507A938ACB05D9F98B2C4A6977E3EF8, ___ReflectionData_2)); }
inline intptr_t get_ReflectionData_2() const { return ___ReflectionData_2; }
inline intptr_t* get_address_of_ReflectionData_2() { return &___ReflectionData_2; }
inline void set_ReflectionData_2(intptr_t value)
{
___ReflectionData_2 = value;
}
inline static int32_t get_offset_of_JobDataPtr_3() { return static_cast<int32_t>(offsetof(JobScheduleParameters_tA29064729507A938ACB05D9F98B2C4A6977E3EF8, ___JobDataPtr_3)); }
inline intptr_t get_JobDataPtr_3() const { return ___JobDataPtr_3; }
inline intptr_t* get_address_of_JobDataPtr_3() { return &___JobDataPtr_3; }
inline void set_JobDataPtr_3(intptr_t value)
{
___JobDataPtr_3 = value;
}
};
// PackedPlayModeBuildLogs/RuntimeBuildLog
struct RuntimeBuildLog_t64F1499CFB0484BD89362D5F19C91939FECA0B1B
{
public:
// UnityEngine.LogType PackedPlayModeBuildLogs/RuntimeBuildLog::Type
int32_t ___Type_0;
// System.String PackedPlayModeBuildLogs/RuntimeBuildLog::Message
String_t* ___Message_1;
public:
inline static int32_t get_offset_of_Type_0() { return static_cast<int32_t>(offsetof(RuntimeBuildLog_t64F1499CFB0484BD89362D5F19C91939FECA0B1B, ___Type_0)); }
inline int32_t get_Type_0() const { return ___Type_0; }
inline int32_t* get_address_of_Type_0() { return &___Type_0; }
inline void set_Type_0(int32_t value)
{
___Type_0 = value;
}
inline static int32_t get_offset_of_Message_1() { return static_cast<int32_t>(offsetof(RuntimeBuildLog_t64F1499CFB0484BD89362D5F19C91939FECA0B1B, ___Message_1)); }
inline String_t* get_Message_1() const { return ___Message_1; }
inline String_t** get_address_of_Message_1() { return &___Message_1; }
inline void set_Message_1(String_t* value)
{
___Message_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Message_1), (void*)value);
}
};
// Native definition for P/Invoke marshalling of PackedPlayModeBuildLogs/RuntimeBuildLog
struct RuntimeBuildLog_t64F1499CFB0484BD89362D5F19C91939FECA0B1B_marshaled_pinvoke
{
int32_t ___Type_0;
char* ___Message_1;
};
// Native definition for COM marshalling of PackedPlayModeBuildLogs/RuntimeBuildLog
struct RuntimeBuildLog_t64F1499CFB0484BD89362D5F19C91939FECA0B1B_marshaled_com
{
int32_t ___Type_0;
Il2CppChar* ___Message_1;
};
// UnityEngine.ParticleSystem/EmitParams
struct EmitParams_t4F6429654653488A5D430701CD0743D011807CCC
{
public:
// UnityEngine.ParticleSystem/Particle UnityEngine.ParticleSystem/EmitParams::m_Particle
Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1 ___m_Particle_0;
// System.Boolean UnityEngine.ParticleSystem/EmitParams::m_PositionSet
bool ___m_PositionSet_1;
// System.Boolean UnityEngine.ParticleSystem/EmitParams::m_VelocitySet
bool ___m_VelocitySet_2;
// System.Boolean UnityEngine.ParticleSystem/EmitParams::m_AxisOfRotationSet
bool ___m_AxisOfRotationSet_3;
// System.Boolean UnityEngine.ParticleSystem/EmitParams::m_RotationSet
bool ___m_RotationSet_4;
// System.Boolean UnityEngine.ParticleSystem/EmitParams::m_AngularVelocitySet
bool ___m_AngularVelocitySet_5;
// System.Boolean UnityEngine.ParticleSystem/EmitParams::m_StartSizeSet
bool ___m_StartSizeSet_6;
// System.Boolean UnityEngine.ParticleSystem/EmitParams::m_StartColorSet
bool ___m_StartColorSet_7;
// System.Boolean UnityEngine.ParticleSystem/EmitParams::m_RandomSeedSet
bool ___m_RandomSeedSet_8;
// System.Boolean UnityEngine.ParticleSystem/EmitParams::m_StartLifetimeSet
bool ___m_StartLifetimeSet_9;
// System.Boolean UnityEngine.ParticleSystem/EmitParams::m_MeshIndexSet
bool ___m_MeshIndexSet_10;
// System.Boolean UnityEngine.ParticleSystem/EmitParams::m_ApplyShapeToPosition
bool ___m_ApplyShapeToPosition_11;
public:
inline static int32_t get_offset_of_m_Particle_0() { return static_cast<int32_t>(offsetof(EmitParams_t4F6429654653488A5D430701CD0743D011807CCC, ___m_Particle_0)); }
inline Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1 get_m_Particle_0() const { return ___m_Particle_0; }
inline Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1 * get_address_of_m_Particle_0() { return &___m_Particle_0; }
inline void set_m_Particle_0(Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1 value)
{
___m_Particle_0 = value;
}
inline static int32_t get_offset_of_m_PositionSet_1() { return static_cast<int32_t>(offsetof(EmitParams_t4F6429654653488A5D430701CD0743D011807CCC, ___m_PositionSet_1)); }
inline bool get_m_PositionSet_1() const { return ___m_PositionSet_1; }
inline bool* get_address_of_m_PositionSet_1() { return &___m_PositionSet_1; }
inline void set_m_PositionSet_1(bool value)
{
___m_PositionSet_1 = value;
}
inline static int32_t get_offset_of_m_VelocitySet_2() { return static_cast<int32_t>(offsetof(EmitParams_t4F6429654653488A5D430701CD0743D011807CCC, ___m_VelocitySet_2)); }
inline bool get_m_VelocitySet_2() const { return ___m_VelocitySet_2; }
inline bool* get_address_of_m_VelocitySet_2() { return &___m_VelocitySet_2; }
inline void set_m_VelocitySet_2(bool value)
{
___m_VelocitySet_2 = value;
}
inline static int32_t get_offset_of_m_AxisOfRotationSet_3() { return static_cast<int32_t>(offsetof(EmitParams_t4F6429654653488A5D430701CD0743D011807CCC, ___m_AxisOfRotationSet_3)); }
inline bool get_m_AxisOfRotationSet_3() const { return ___m_AxisOfRotationSet_3; }
inline bool* get_address_of_m_AxisOfRotationSet_3() { return &___m_AxisOfRotationSet_3; }
inline void set_m_AxisOfRotationSet_3(bool value)
{
___m_AxisOfRotationSet_3 = value;
}
inline static int32_t get_offset_of_m_RotationSet_4() { return static_cast<int32_t>(offsetof(EmitParams_t4F6429654653488A5D430701CD0743D011807CCC, ___m_RotationSet_4)); }
inline bool get_m_RotationSet_4() const { return ___m_RotationSet_4; }
inline bool* get_address_of_m_RotationSet_4() { return &___m_RotationSet_4; }
inline void set_m_RotationSet_4(bool value)
{
___m_RotationSet_4 = value;
}
inline static int32_t get_offset_of_m_AngularVelocitySet_5() { return static_cast<int32_t>(offsetof(EmitParams_t4F6429654653488A5D430701CD0743D011807CCC, ___m_AngularVelocitySet_5)); }
inline bool get_m_AngularVelocitySet_5() const { return ___m_AngularVelocitySet_5; }
inline bool* get_address_of_m_AngularVelocitySet_5() { return &___m_AngularVelocitySet_5; }
inline void set_m_AngularVelocitySet_5(bool value)
{
___m_AngularVelocitySet_5 = value;
}
inline static int32_t get_offset_of_m_StartSizeSet_6() { return static_cast<int32_t>(offsetof(EmitParams_t4F6429654653488A5D430701CD0743D011807CCC, ___m_StartSizeSet_6)); }
inline bool get_m_StartSizeSet_6() const { return ___m_StartSizeSet_6; }
inline bool* get_address_of_m_StartSizeSet_6() { return &___m_StartSizeSet_6; }
inline void set_m_StartSizeSet_6(bool value)
{
___m_StartSizeSet_6 = value;
}
inline static int32_t get_offset_of_m_StartColorSet_7() { return static_cast<int32_t>(offsetof(EmitParams_t4F6429654653488A5D430701CD0743D011807CCC, ___m_StartColorSet_7)); }
inline bool get_m_StartColorSet_7() const { return ___m_StartColorSet_7; }
inline bool* get_address_of_m_StartColorSet_7() { return &___m_StartColorSet_7; }
inline void set_m_StartColorSet_7(bool value)
{
___m_StartColorSet_7 = value;
}
inline static int32_t get_offset_of_m_RandomSeedSet_8() { return static_cast<int32_t>(offsetof(EmitParams_t4F6429654653488A5D430701CD0743D011807CCC, ___m_RandomSeedSet_8)); }
inline bool get_m_RandomSeedSet_8() const { return ___m_RandomSeedSet_8; }
inline bool* get_address_of_m_RandomSeedSet_8() { return &___m_RandomSeedSet_8; }
inline void set_m_RandomSeedSet_8(bool value)
{
___m_RandomSeedSet_8 = value;
}
inline static int32_t get_offset_of_m_StartLifetimeSet_9() { return static_cast<int32_t>(offsetof(EmitParams_t4F6429654653488A5D430701CD0743D011807CCC, ___m_StartLifetimeSet_9)); }
inline bool get_m_StartLifetimeSet_9() const { return ___m_StartLifetimeSet_9; }
inline bool* get_address_of_m_StartLifetimeSet_9() { return &___m_StartLifetimeSet_9; }
inline void set_m_StartLifetimeSet_9(bool value)
{
___m_StartLifetimeSet_9 = value;
}
inline static int32_t get_offset_of_m_MeshIndexSet_10() { return static_cast<int32_t>(offsetof(EmitParams_t4F6429654653488A5D430701CD0743D011807CCC, ___m_MeshIndexSet_10)); }
inline bool get_m_MeshIndexSet_10() const { return ___m_MeshIndexSet_10; }
inline bool* get_address_of_m_MeshIndexSet_10() { return &___m_MeshIndexSet_10; }
inline void set_m_MeshIndexSet_10(bool value)
{
___m_MeshIndexSet_10 = value;
}
inline static int32_t get_offset_of_m_ApplyShapeToPosition_11() { return static_cast<int32_t>(offsetof(EmitParams_t4F6429654653488A5D430701CD0743D011807CCC, ___m_ApplyShapeToPosition_11)); }
inline bool get_m_ApplyShapeToPosition_11() const { return ___m_ApplyShapeToPosition_11; }
inline bool* get_address_of_m_ApplyShapeToPosition_11() { return &___m_ApplyShapeToPosition_11; }
inline void set_m_ApplyShapeToPosition_11(bool value)
{
___m_ApplyShapeToPosition_11 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.ParticleSystem/EmitParams
struct EmitParams_t4F6429654653488A5D430701CD0743D011807CCC_marshaled_pinvoke
{
Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1 ___m_Particle_0;
int32_t ___m_PositionSet_1;
int32_t ___m_VelocitySet_2;
int32_t ___m_AxisOfRotationSet_3;
int32_t ___m_RotationSet_4;
int32_t ___m_AngularVelocitySet_5;
int32_t ___m_StartSizeSet_6;
int32_t ___m_StartColorSet_7;
int32_t ___m_RandomSeedSet_8;
int32_t ___m_StartLifetimeSet_9;
int32_t ___m_MeshIndexSet_10;
int32_t ___m_ApplyShapeToPosition_11;
};
// Native definition for COM marshalling of UnityEngine.ParticleSystem/EmitParams
struct EmitParams_t4F6429654653488A5D430701CD0743D011807CCC_marshaled_com
{
Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1 ___m_Particle_0;
int32_t ___m_PositionSet_1;
int32_t ___m_VelocitySet_2;
int32_t ___m_AxisOfRotationSet_3;
int32_t ___m_RotationSet_4;
int32_t ___m_AngularVelocitySet_5;
int32_t ___m_StartSizeSet_6;
int32_t ___m_StartColorSet_7;
int32_t ___m_RandomSeedSet_8;
int32_t ___m_StartLifetimeSet_9;
int32_t ___m_MeshIndexSet_10;
int32_t ___m_ApplyShapeToPosition_11;
};
// UnityEngine.ParticleSystem/MinMaxCurve
struct MinMaxCurve_tF036239442AB2D438B1EDABEBC785426871084CD
{
public:
// UnityEngine.ParticleSystemCurveMode UnityEngine.ParticleSystem/MinMaxCurve::m_Mode
int32_t ___m_Mode_0;
// System.Single UnityEngine.ParticleSystem/MinMaxCurve::m_CurveMultiplier
float ___m_CurveMultiplier_1;
// UnityEngine.AnimationCurve UnityEngine.ParticleSystem/MinMaxCurve::m_CurveMin
AnimationCurve_t2D452A14820CEDB83BFF2C911682A4E59001AD03 * ___m_CurveMin_2;
// UnityEngine.AnimationCurve UnityEngine.ParticleSystem/MinMaxCurve::m_CurveMax
AnimationCurve_t2D452A14820CEDB83BFF2C911682A4E59001AD03 * ___m_CurveMax_3;
// System.Single UnityEngine.ParticleSystem/MinMaxCurve::m_ConstantMin
float ___m_ConstantMin_4;
// System.Single UnityEngine.ParticleSystem/MinMaxCurve::m_ConstantMax
float ___m_ConstantMax_5;
public:
inline static int32_t get_offset_of_m_Mode_0() { return static_cast<int32_t>(offsetof(MinMaxCurve_tF036239442AB2D438B1EDABEBC785426871084CD, ___m_Mode_0)); }
inline int32_t get_m_Mode_0() const { return ___m_Mode_0; }
inline int32_t* get_address_of_m_Mode_0() { return &___m_Mode_0; }
inline void set_m_Mode_0(int32_t value)
{
___m_Mode_0 = value;
}
inline static int32_t get_offset_of_m_CurveMultiplier_1() { return static_cast<int32_t>(offsetof(MinMaxCurve_tF036239442AB2D438B1EDABEBC785426871084CD, ___m_CurveMultiplier_1)); }
inline float get_m_CurveMultiplier_1() const { return ___m_CurveMultiplier_1; }
inline float* get_address_of_m_CurveMultiplier_1() { return &___m_CurveMultiplier_1; }
inline void set_m_CurveMultiplier_1(float value)
{
___m_CurveMultiplier_1 = value;
}
inline static int32_t get_offset_of_m_CurveMin_2() { return static_cast<int32_t>(offsetof(MinMaxCurve_tF036239442AB2D438B1EDABEBC785426871084CD, ___m_CurveMin_2)); }
inline AnimationCurve_t2D452A14820CEDB83BFF2C911682A4E59001AD03 * get_m_CurveMin_2() const { return ___m_CurveMin_2; }
inline AnimationCurve_t2D452A14820CEDB83BFF2C911682A4E59001AD03 ** get_address_of_m_CurveMin_2() { return &___m_CurveMin_2; }
inline void set_m_CurveMin_2(AnimationCurve_t2D452A14820CEDB83BFF2C911682A4E59001AD03 * value)
{
___m_CurveMin_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CurveMin_2), (void*)value);
}
inline static int32_t get_offset_of_m_CurveMax_3() { return static_cast<int32_t>(offsetof(MinMaxCurve_tF036239442AB2D438B1EDABEBC785426871084CD, ___m_CurveMax_3)); }
inline AnimationCurve_t2D452A14820CEDB83BFF2C911682A4E59001AD03 * get_m_CurveMax_3() const { return ___m_CurveMax_3; }
inline AnimationCurve_t2D452A14820CEDB83BFF2C911682A4E59001AD03 ** get_address_of_m_CurveMax_3() { return &___m_CurveMax_3; }
inline void set_m_CurveMax_3(AnimationCurve_t2D452A14820CEDB83BFF2C911682A4E59001AD03 * value)
{
___m_CurveMax_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CurveMax_3), (void*)value);
}
inline static int32_t get_offset_of_m_ConstantMin_4() { return static_cast<int32_t>(offsetof(MinMaxCurve_tF036239442AB2D438B1EDABEBC785426871084CD, ___m_ConstantMin_4)); }
inline float get_m_ConstantMin_4() const { return ___m_ConstantMin_4; }
inline float* get_address_of_m_ConstantMin_4() { return &___m_ConstantMin_4; }
inline void set_m_ConstantMin_4(float value)
{
___m_ConstantMin_4 = value;
}
inline static int32_t get_offset_of_m_ConstantMax_5() { return static_cast<int32_t>(offsetof(MinMaxCurve_tF036239442AB2D438B1EDABEBC785426871084CD, ___m_ConstantMax_5)); }
inline float get_m_ConstantMax_5() const { return ___m_ConstantMax_5; }
inline float* get_address_of_m_ConstantMax_5() { return &___m_ConstantMax_5; }
inline void set_m_ConstantMax_5(float value)
{
___m_ConstantMax_5 = value;
}
};
// UnityEngine.ParticleSystem/MinMaxGradient
struct MinMaxGradient_tF4530B26F29D9635D670A33B9EE581EAC48C12B7
{
public:
// UnityEngine.ParticleSystemGradientMode UnityEngine.ParticleSystem/MinMaxGradient::m_Mode
int32_t ___m_Mode_0;
// UnityEngine.Gradient UnityEngine.ParticleSystem/MinMaxGradient::m_GradientMin
Gradient_t297BAC6722F67728862AE2FBE760A400DA8902F2 * ___m_GradientMin_1;
// UnityEngine.Gradient UnityEngine.ParticleSystem/MinMaxGradient::m_GradientMax
Gradient_t297BAC6722F67728862AE2FBE760A400DA8902F2 * ___m_GradientMax_2;
// UnityEngine.Color UnityEngine.ParticleSystem/MinMaxGradient::m_ColorMin
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_ColorMin_3;
// UnityEngine.Color UnityEngine.ParticleSystem/MinMaxGradient::m_ColorMax
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_ColorMax_4;
public:
inline static int32_t get_offset_of_m_Mode_0() { return static_cast<int32_t>(offsetof(MinMaxGradient_tF4530B26F29D9635D670A33B9EE581EAC48C12B7, ___m_Mode_0)); }
inline int32_t get_m_Mode_0() const { return ___m_Mode_0; }
inline int32_t* get_address_of_m_Mode_0() { return &___m_Mode_0; }
inline void set_m_Mode_0(int32_t value)
{
___m_Mode_0 = value;
}
inline static int32_t get_offset_of_m_GradientMin_1() { return static_cast<int32_t>(offsetof(MinMaxGradient_tF4530B26F29D9635D670A33B9EE581EAC48C12B7, ___m_GradientMin_1)); }
inline Gradient_t297BAC6722F67728862AE2FBE760A400DA8902F2 * get_m_GradientMin_1() const { return ___m_GradientMin_1; }
inline Gradient_t297BAC6722F67728862AE2FBE760A400DA8902F2 ** get_address_of_m_GradientMin_1() { return &___m_GradientMin_1; }
inline void set_m_GradientMin_1(Gradient_t297BAC6722F67728862AE2FBE760A400DA8902F2 * value)
{
___m_GradientMin_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GradientMin_1), (void*)value);
}
inline static int32_t get_offset_of_m_GradientMax_2() { return static_cast<int32_t>(offsetof(MinMaxGradient_tF4530B26F29D9635D670A33B9EE581EAC48C12B7, ___m_GradientMax_2)); }
inline Gradient_t297BAC6722F67728862AE2FBE760A400DA8902F2 * get_m_GradientMax_2() const { return ___m_GradientMax_2; }
inline Gradient_t297BAC6722F67728862AE2FBE760A400DA8902F2 ** get_address_of_m_GradientMax_2() { return &___m_GradientMax_2; }
inline void set_m_GradientMax_2(Gradient_t297BAC6722F67728862AE2FBE760A400DA8902F2 * value)
{
___m_GradientMax_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GradientMax_2), (void*)value);
}
inline static int32_t get_offset_of_m_ColorMin_3() { return static_cast<int32_t>(offsetof(MinMaxGradient_tF4530B26F29D9635D670A33B9EE581EAC48C12B7, ___m_ColorMin_3)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_ColorMin_3() const { return ___m_ColorMin_3; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_ColorMin_3() { return &___m_ColorMin_3; }
inline void set_m_ColorMin_3(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_ColorMin_3 = value;
}
inline static int32_t get_offset_of_m_ColorMax_4() { return static_cast<int32_t>(offsetof(MinMaxGradient_tF4530B26F29D9635D670A33B9EE581EAC48C12B7, ___m_ColorMax_4)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_ColorMax_4() const { return ___m_ColorMax_4; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_ColorMax_4() { return &___m_ColorMax_4; }
inline void set_m_ColorMax_4(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_ColorMax_4 = value;
}
};
// UnityEngine.EventSystems.PointerInputModule/ButtonState
struct ButtonState_t49AF0FCF7DF429002E167972B40DC5A2A3804562 : public RuntimeObject
{
public:
// UnityEngine.EventSystems.PointerEventData/InputButton UnityEngine.EventSystems.PointerInputModule/ButtonState::m_Button
int32_t ___m_Button_0;
// UnityEngine.EventSystems.PointerInputModule/MouseButtonEventData UnityEngine.EventSystems.PointerInputModule/ButtonState::m_EventData
MouseButtonEventData_tE8E157C9D47E03160B193B4853B5DF5AA3FA65B6 * ___m_EventData_1;
public:
inline static int32_t get_offset_of_m_Button_0() { return static_cast<int32_t>(offsetof(ButtonState_t49AF0FCF7DF429002E167972B40DC5A2A3804562, ___m_Button_0)); }
inline int32_t get_m_Button_0() const { return ___m_Button_0; }
inline int32_t* get_address_of_m_Button_0() { return &___m_Button_0; }
inline void set_m_Button_0(int32_t value)
{
___m_Button_0 = value;
}
inline static int32_t get_offset_of_m_EventData_1() { return static_cast<int32_t>(offsetof(ButtonState_t49AF0FCF7DF429002E167972B40DC5A2A3804562, ___m_EventData_1)); }
inline MouseButtonEventData_tE8E157C9D47E03160B193B4853B5DF5AA3FA65B6 * get_m_EventData_1() const { return ___m_EventData_1; }
inline MouseButtonEventData_tE8E157C9D47E03160B193B4853B5DF5AA3FA65B6 ** get_address_of_m_EventData_1() { return &___m_EventData_1; }
inline void set_m_EventData_1(MouseButtonEventData_tE8E157C9D47E03160B193B4853B5DF5AA3FA65B6 * value)
{
___m_EventData_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_EventData_1), (void*)value);
}
};
// UnityEngine.EventSystems.PointerInputModule/MouseButtonEventData
struct MouseButtonEventData_tE8E157C9D47E03160B193B4853B5DF5AA3FA65B6 : public RuntimeObject
{
public:
// UnityEngine.EventSystems.PointerEventData/FramePressState UnityEngine.EventSystems.PointerInputModule/MouseButtonEventData::buttonState
int32_t ___buttonState_0;
// UnityEngine.EventSystems.PointerEventData UnityEngine.EventSystems.PointerInputModule/MouseButtonEventData::buttonData
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 * ___buttonData_1;
public:
inline static int32_t get_offset_of_buttonState_0() { return static_cast<int32_t>(offsetof(MouseButtonEventData_tE8E157C9D47E03160B193B4853B5DF5AA3FA65B6, ___buttonState_0)); }
inline int32_t get_buttonState_0() const { return ___buttonState_0; }
inline int32_t* get_address_of_buttonState_0() { return &___buttonState_0; }
inline void set_buttonState_0(int32_t value)
{
___buttonState_0 = value;
}
inline static int32_t get_offset_of_buttonData_1() { return static_cast<int32_t>(offsetof(MouseButtonEventData_tE8E157C9D47E03160B193B4853B5DF5AA3FA65B6, ___buttonData_1)); }
inline PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 * get_buttonData_1() const { return ___buttonData_1; }
inline PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 ** get_address_of_buttonData_1() { return &___buttonData_1; }
inline void set_buttonData_1(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 * value)
{
___buttonData_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___buttonData_1), (void*)value);
}
};
// UnityEngine.ResourceManagement.ResourceManager/DiagnosticEventContext
struct DiagnosticEventContext_tE916E8F8226E75843C6C5C8894D71335855F1128
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle UnityEngine.ResourceManagement.ResourceManager/DiagnosticEventContext::<OperationHandle>k__BackingField
AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E ___U3COperationHandleU3Ek__BackingField_0;
// UnityEngine.ResourceManagement.ResourceManager/DiagnosticEventType UnityEngine.ResourceManagement.ResourceManager/DiagnosticEventContext::<Type>k__BackingField
int32_t ___U3CTypeU3Ek__BackingField_1;
// System.Int32 UnityEngine.ResourceManagement.ResourceManager/DiagnosticEventContext::<EventValue>k__BackingField
int32_t ___U3CEventValueU3Ek__BackingField_2;
// UnityEngine.ResourceManagement.ResourceLocations.IResourceLocation UnityEngine.ResourceManagement.ResourceManager/DiagnosticEventContext::<Location>k__BackingField
RuntimeObject* ___U3CLocationU3Ek__BackingField_3;
// System.Object UnityEngine.ResourceManagement.ResourceManager/DiagnosticEventContext::<Context>k__BackingField
RuntimeObject * ___U3CContextU3Ek__BackingField_4;
// System.String UnityEngine.ResourceManagement.ResourceManager/DiagnosticEventContext::<Error>k__BackingField
String_t* ___U3CErrorU3Ek__BackingField_5;
public:
inline static int32_t get_offset_of_U3COperationHandleU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(DiagnosticEventContext_tE916E8F8226E75843C6C5C8894D71335855F1128, ___U3COperationHandleU3Ek__BackingField_0)); }
inline AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E get_U3COperationHandleU3Ek__BackingField_0() const { return ___U3COperationHandleU3Ek__BackingField_0; }
inline AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E * get_address_of_U3COperationHandleU3Ek__BackingField_0() { return &___U3COperationHandleU3Ek__BackingField_0; }
inline void set_U3COperationHandleU3Ek__BackingField_0(AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E value)
{
___U3COperationHandleU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___U3COperationHandleU3Ek__BackingField_0))->___m_InternalOp_1), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___U3COperationHandleU3Ek__BackingField_0))->___m_LocationName_3), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_U3CTypeU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(DiagnosticEventContext_tE916E8F8226E75843C6C5C8894D71335855F1128, ___U3CTypeU3Ek__BackingField_1)); }
inline int32_t get_U3CTypeU3Ek__BackingField_1() const { return ___U3CTypeU3Ek__BackingField_1; }
inline int32_t* get_address_of_U3CTypeU3Ek__BackingField_1() { return &___U3CTypeU3Ek__BackingField_1; }
inline void set_U3CTypeU3Ek__BackingField_1(int32_t value)
{
___U3CTypeU3Ek__BackingField_1 = value;
}
inline static int32_t get_offset_of_U3CEventValueU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(DiagnosticEventContext_tE916E8F8226E75843C6C5C8894D71335855F1128, ___U3CEventValueU3Ek__BackingField_2)); }
inline int32_t get_U3CEventValueU3Ek__BackingField_2() const { return ___U3CEventValueU3Ek__BackingField_2; }
inline int32_t* get_address_of_U3CEventValueU3Ek__BackingField_2() { return &___U3CEventValueU3Ek__BackingField_2; }
inline void set_U3CEventValueU3Ek__BackingField_2(int32_t value)
{
___U3CEventValueU3Ek__BackingField_2 = value;
}
inline static int32_t get_offset_of_U3CLocationU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(DiagnosticEventContext_tE916E8F8226E75843C6C5C8894D71335855F1128, ___U3CLocationU3Ek__BackingField_3)); }
inline RuntimeObject* get_U3CLocationU3Ek__BackingField_3() const { return ___U3CLocationU3Ek__BackingField_3; }
inline RuntimeObject** get_address_of_U3CLocationU3Ek__BackingField_3() { return &___U3CLocationU3Ek__BackingField_3; }
inline void set_U3CLocationU3Ek__BackingField_3(RuntimeObject* value)
{
___U3CLocationU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CLocationU3Ek__BackingField_3), (void*)value);
}
inline static int32_t get_offset_of_U3CContextU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(DiagnosticEventContext_tE916E8F8226E75843C6C5C8894D71335855F1128, ___U3CContextU3Ek__BackingField_4)); }
inline RuntimeObject * get_U3CContextU3Ek__BackingField_4() const { return ___U3CContextU3Ek__BackingField_4; }
inline RuntimeObject ** get_address_of_U3CContextU3Ek__BackingField_4() { return &___U3CContextU3Ek__BackingField_4; }
inline void set_U3CContextU3Ek__BackingField_4(RuntimeObject * value)
{
___U3CContextU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CContextU3Ek__BackingField_4), (void*)value);
}
inline static int32_t get_offset_of_U3CErrorU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(DiagnosticEventContext_tE916E8F8226E75843C6C5C8894D71335855F1128, ___U3CErrorU3Ek__BackingField_5)); }
inline String_t* get_U3CErrorU3Ek__BackingField_5() const { return ___U3CErrorU3Ek__BackingField_5; }
inline String_t** get_address_of_U3CErrorU3Ek__BackingField_5() { return &___U3CErrorU3Ek__BackingField_5; }
inline void set_U3CErrorU3Ek__BackingField_5(String_t* value)
{
___U3CErrorU3Ek__BackingField_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CErrorU3Ek__BackingField_5), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.ResourceManagement.ResourceManager/DiagnosticEventContext
struct DiagnosticEventContext_tE916E8F8226E75843C6C5C8894D71335855F1128_marshaled_pinvoke
{
AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E_marshaled_pinvoke ___U3COperationHandleU3Ek__BackingField_0;
int32_t ___U3CTypeU3Ek__BackingField_1;
int32_t ___U3CEventValueU3Ek__BackingField_2;
RuntimeObject* ___U3CLocationU3Ek__BackingField_3;
Il2CppIUnknown* ___U3CContextU3Ek__BackingField_4;
char* ___U3CErrorU3Ek__BackingField_5;
};
// Native definition for COM marshalling of UnityEngine.ResourceManagement.ResourceManager/DiagnosticEventContext
struct DiagnosticEventContext_tE916E8F8226E75843C6C5C8894D71335855F1128_marshaled_com
{
AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E_marshaled_com ___U3COperationHandleU3Ek__BackingField_0;
int32_t ___U3CTypeU3Ek__BackingField_1;
int32_t ___U3CEventValueU3Ek__BackingField_2;
RuntimeObject* ___U3CLocationU3Ek__BackingField_3;
Il2CppIUnknown* ___U3CContextU3Ek__BackingField_4;
Il2CppChar* ___U3CErrorU3Ek__BackingField_5;
};
// System.Threading.SemaphoreSlim/<WaitUntilCountOrTimeoutAsync>d__31
struct U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F
{
public:
// System.Int32 System.Threading.SemaphoreSlim/<WaitUntilCountOrTimeoutAsync>d__31::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Runtime.CompilerServices.AsyncTaskMethodBuilder`1<System.Boolean> System.Threading.SemaphoreSlim/<WaitUntilCountOrTimeoutAsync>d__31::<>t__builder
AsyncTaskMethodBuilder_1_tABE1DEF12F121D6FC8ABF04869ED964FF83EA9B5 ___U3CU3Et__builder_1;
// System.Threading.CancellationToken System.Threading.SemaphoreSlim/<WaitUntilCountOrTimeoutAsync>d__31::cancellationToken
CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD ___cancellationToken_2;
// System.Threading.SemaphoreSlim/TaskNode System.Threading.SemaphoreSlim/<WaitUntilCountOrTimeoutAsync>d__31::asyncWaiter
TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E * ___asyncWaiter_3;
// System.Int32 System.Threading.SemaphoreSlim/<WaitUntilCountOrTimeoutAsync>d__31::millisecondsTimeout
int32_t ___millisecondsTimeout_4;
// System.Threading.CancellationTokenSource System.Threading.SemaphoreSlim/<WaitUntilCountOrTimeoutAsync>d__31::<cts>5__1
CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 * ___U3CctsU3E5__1_5;
// System.Threading.SemaphoreSlim System.Threading.SemaphoreSlim/<WaitUntilCountOrTimeoutAsync>d__31::<>4__this
SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385 * ___U3CU3E4__this_6;
// System.Object System.Threading.SemaphoreSlim/<WaitUntilCountOrTimeoutAsync>d__31::<>7__wrap1
RuntimeObject * ___U3CU3E7__wrap1_7;
// System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter<System.Threading.Tasks.Task> System.Threading.SemaphoreSlim/<WaitUntilCountOrTimeoutAsync>d__31::<>u__1
ConfiguredTaskAwaiter_tF64824CB5C3CFE2E1C4CAFE410B4CDE6831E4C78 ___U3CU3Eu__1_8;
// System.Runtime.CompilerServices.ConfiguredTaskAwaitable`1/ConfiguredTaskAwaiter<System.Boolean> System.Threading.SemaphoreSlim/<WaitUntilCountOrTimeoutAsync>d__31::<>u__2
ConfiguredTaskAwaiter_t286C97C0AF102C4C0BE55CE2025CC7BD1FB5C20C ___U3CU3Eu__2_9;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3Et__builder_1() { return static_cast<int32_t>(offsetof(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F, ___U3CU3Et__builder_1)); }
inline AsyncTaskMethodBuilder_1_tABE1DEF12F121D6FC8ABF04869ED964FF83EA9B5 get_U3CU3Et__builder_1() const { return ___U3CU3Et__builder_1; }
inline AsyncTaskMethodBuilder_1_tABE1DEF12F121D6FC8ABF04869ED964FF83EA9B5 * get_address_of_U3CU3Et__builder_1() { return &___U3CU3Et__builder_1; }
inline void set_U3CU3Et__builder_1(AsyncTaskMethodBuilder_1_tABE1DEF12F121D6FC8ABF04869ED964FF83EA9B5 value)
{
___U3CU3Et__builder_1 = value;
Il2CppCodeGenWriteBarrier((void**)&((&(((&___U3CU3Et__builder_1))->___m_coreState_1))->___m_stateMachine_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___U3CU3Et__builder_1))->___m_coreState_1))->___m_defaultContextAction_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CU3Et__builder_1))->___m_task_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_cancellationToken_2() { return static_cast<int32_t>(offsetof(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F, ___cancellationToken_2)); }
inline CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD get_cancellationToken_2() const { return ___cancellationToken_2; }
inline CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD * get_address_of_cancellationToken_2() { return &___cancellationToken_2; }
inline void set_cancellationToken_2(CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD value)
{
___cancellationToken_2 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___cancellationToken_2))->___m_source_0), (void*)NULL);
}
inline static int32_t get_offset_of_asyncWaiter_3() { return static_cast<int32_t>(offsetof(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F, ___asyncWaiter_3)); }
inline TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E * get_asyncWaiter_3() const { return ___asyncWaiter_3; }
inline TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E ** get_address_of_asyncWaiter_3() { return &___asyncWaiter_3; }
inline void set_asyncWaiter_3(TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E * value)
{
___asyncWaiter_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___asyncWaiter_3), (void*)value);
}
inline static int32_t get_offset_of_millisecondsTimeout_4() { return static_cast<int32_t>(offsetof(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F, ___millisecondsTimeout_4)); }
inline int32_t get_millisecondsTimeout_4() const { return ___millisecondsTimeout_4; }
inline int32_t* get_address_of_millisecondsTimeout_4() { return &___millisecondsTimeout_4; }
inline void set_millisecondsTimeout_4(int32_t value)
{
___millisecondsTimeout_4 = value;
}
inline static int32_t get_offset_of_U3CctsU3E5__1_5() { return static_cast<int32_t>(offsetof(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F, ___U3CctsU3E5__1_5)); }
inline CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 * get_U3CctsU3E5__1_5() const { return ___U3CctsU3E5__1_5; }
inline CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 ** get_address_of_U3CctsU3E5__1_5() { return &___U3CctsU3E5__1_5; }
inline void set_U3CctsU3E5__1_5(CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3 * value)
{
___U3CctsU3E5__1_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CctsU3E5__1_5), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E4__this_6() { return static_cast<int32_t>(offsetof(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F, ___U3CU3E4__this_6)); }
inline SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385 * get_U3CU3E4__this_6() const { return ___U3CU3E4__this_6; }
inline SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385 ** get_address_of_U3CU3E4__this_6() { return &___U3CU3E4__this_6; }
inline void set_U3CU3E4__this_6(SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385 * value)
{
___U3CU3E4__this_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_6), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E7__wrap1_7() { return static_cast<int32_t>(offsetof(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F, ___U3CU3E7__wrap1_7)); }
inline RuntimeObject * get_U3CU3E7__wrap1_7() const { return ___U3CU3E7__wrap1_7; }
inline RuntimeObject ** get_address_of_U3CU3E7__wrap1_7() { return &___U3CU3E7__wrap1_7; }
inline void set_U3CU3E7__wrap1_7(RuntimeObject * value)
{
___U3CU3E7__wrap1_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E7__wrap1_7), (void*)value);
}
inline static int32_t get_offset_of_U3CU3Eu__1_8() { return static_cast<int32_t>(offsetof(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F, ___U3CU3Eu__1_8)); }
inline ConfiguredTaskAwaiter_tF64824CB5C3CFE2E1C4CAFE410B4CDE6831E4C78 get_U3CU3Eu__1_8() const { return ___U3CU3Eu__1_8; }
inline ConfiguredTaskAwaiter_tF64824CB5C3CFE2E1C4CAFE410B4CDE6831E4C78 * get_address_of_U3CU3Eu__1_8() { return &___U3CU3Eu__1_8; }
inline void set_U3CU3Eu__1_8(ConfiguredTaskAwaiter_tF64824CB5C3CFE2E1C4CAFE410B4CDE6831E4C78 value)
{
___U3CU3Eu__1_8 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CU3Eu__1_8))->___m_task_0), (void*)NULL);
}
inline static int32_t get_offset_of_U3CU3Eu__2_9() { return static_cast<int32_t>(offsetof(U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F, ___U3CU3Eu__2_9)); }
inline ConfiguredTaskAwaiter_t286C97C0AF102C4C0BE55CE2025CC7BD1FB5C20C get_U3CU3Eu__2_9() const { return ___U3CU3Eu__2_9; }
inline ConfiguredTaskAwaiter_t286C97C0AF102C4C0BE55CE2025CC7BD1FB5C20C * get_address_of_U3CU3Eu__2_9() { return &___U3CU3Eu__2_9; }
inline void set_U3CU3Eu__2_9(ConfiguredTaskAwaiter_t286C97C0AF102C4C0BE55CE2025CC7BD1FB5C20C value)
{
___U3CU3Eu__2_9 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CU3Eu__2_9))->___m_task_0), (void*)NULL);
}
};
// Mono.Globalization.Unicode.SimpleCollator/Context
struct Context_t00F5A97F58A430A83FACCF26EC762FB5CAD4955C
{
public:
// System.Globalization.CompareOptions Mono.Globalization.Unicode.SimpleCollator/Context::Option
int32_t ___Option_0;
// System.Byte* Mono.Globalization.Unicode.SimpleCollator/Context::NeverMatchFlags
uint8_t* ___NeverMatchFlags_1;
// System.Byte* Mono.Globalization.Unicode.SimpleCollator/Context::AlwaysMatchFlags
uint8_t* ___AlwaysMatchFlags_2;
// System.Byte* Mono.Globalization.Unicode.SimpleCollator/Context::Buffer1
uint8_t* ___Buffer1_3;
// System.Byte* Mono.Globalization.Unicode.SimpleCollator/Context::Buffer2
uint8_t* ___Buffer2_4;
// System.Int32 Mono.Globalization.Unicode.SimpleCollator/Context::PrevCode
int32_t ___PrevCode_5;
// System.Byte* Mono.Globalization.Unicode.SimpleCollator/Context::PrevSortKey
uint8_t* ___PrevSortKey_6;
public:
inline static int32_t get_offset_of_Option_0() { return static_cast<int32_t>(offsetof(Context_t00F5A97F58A430A83FACCF26EC762FB5CAD4955C, ___Option_0)); }
inline int32_t get_Option_0() const { return ___Option_0; }
inline int32_t* get_address_of_Option_0() { return &___Option_0; }
inline void set_Option_0(int32_t value)
{
___Option_0 = value;
}
inline static int32_t get_offset_of_NeverMatchFlags_1() { return static_cast<int32_t>(offsetof(Context_t00F5A97F58A430A83FACCF26EC762FB5CAD4955C, ___NeverMatchFlags_1)); }
inline uint8_t* get_NeverMatchFlags_1() const { return ___NeverMatchFlags_1; }
inline uint8_t** get_address_of_NeverMatchFlags_1() { return &___NeverMatchFlags_1; }
inline void set_NeverMatchFlags_1(uint8_t* value)
{
___NeverMatchFlags_1 = value;
}
inline static int32_t get_offset_of_AlwaysMatchFlags_2() { return static_cast<int32_t>(offsetof(Context_t00F5A97F58A430A83FACCF26EC762FB5CAD4955C, ___AlwaysMatchFlags_2)); }
inline uint8_t* get_AlwaysMatchFlags_2() const { return ___AlwaysMatchFlags_2; }
inline uint8_t** get_address_of_AlwaysMatchFlags_2() { return &___AlwaysMatchFlags_2; }
inline void set_AlwaysMatchFlags_2(uint8_t* value)
{
___AlwaysMatchFlags_2 = value;
}
inline static int32_t get_offset_of_Buffer1_3() { return static_cast<int32_t>(offsetof(Context_t00F5A97F58A430A83FACCF26EC762FB5CAD4955C, ___Buffer1_3)); }
inline uint8_t* get_Buffer1_3() const { return ___Buffer1_3; }
inline uint8_t** get_address_of_Buffer1_3() { return &___Buffer1_3; }
inline void set_Buffer1_3(uint8_t* value)
{
___Buffer1_3 = value;
}
inline static int32_t get_offset_of_Buffer2_4() { return static_cast<int32_t>(offsetof(Context_t00F5A97F58A430A83FACCF26EC762FB5CAD4955C, ___Buffer2_4)); }
inline uint8_t* get_Buffer2_4() const { return ___Buffer2_4; }
inline uint8_t** get_address_of_Buffer2_4() { return &___Buffer2_4; }
inline void set_Buffer2_4(uint8_t* value)
{
___Buffer2_4 = value;
}
inline static int32_t get_offset_of_PrevCode_5() { return static_cast<int32_t>(offsetof(Context_t00F5A97F58A430A83FACCF26EC762FB5CAD4955C, ___PrevCode_5)); }
inline int32_t get_PrevCode_5() const { return ___PrevCode_5; }
inline int32_t* get_address_of_PrevCode_5() { return &___PrevCode_5; }
inline void set_PrevCode_5(int32_t value)
{
___PrevCode_5 = value;
}
inline static int32_t get_offset_of_PrevSortKey_6() { return static_cast<int32_t>(offsetof(Context_t00F5A97F58A430A83FACCF26EC762FB5CAD4955C, ___PrevSortKey_6)); }
inline uint8_t* get_PrevSortKey_6() const { return ___PrevSortKey_6; }
inline uint8_t** get_address_of_PrevSortKey_6() { return &___PrevSortKey_6; }
inline void set_PrevSortKey_6(uint8_t* value)
{
___PrevSortKey_6 = value;
}
};
// UnityEngine.UI.StencilMaterial/MatEntry
struct MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E : public RuntimeObject
{
public:
// UnityEngine.Material UnityEngine.UI.StencilMaterial/MatEntry::baseMat
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___baseMat_0;
// UnityEngine.Material UnityEngine.UI.StencilMaterial/MatEntry::customMat
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___customMat_1;
// System.Int32 UnityEngine.UI.StencilMaterial/MatEntry::count
int32_t ___count_2;
// System.Int32 UnityEngine.UI.StencilMaterial/MatEntry::stencilId
int32_t ___stencilId_3;
// UnityEngine.Rendering.StencilOp UnityEngine.UI.StencilMaterial/MatEntry::operation
int32_t ___operation_4;
// UnityEngine.Rendering.CompareFunction UnityEngine.UI.StencilMaterial/MatEntry::compareFunction
int32_t ___compareFunction_5;
// System.Int32 UnityEngine.UI.StencilMaterial/MatEntry::readMask
int32_t ___readMask_6;
// System.Int32 UnityEngine.UI.StencilMaterial/MatEntry::writeMask
int32_t ___writeMask_7;
// System.Boolean UnityEngine.UI.StencilMaterial/MatEntry::useAlphaClip
bool ___useAlphaClip_8;
// UnityEngine.Rendering.ColorWriteMask UnityEngine.UI.StencilMaterial/MatEntry::colorMask
int32_t ___colorMask_9;
public:
inline static int32_t get_offset_of_baseMat_0() { return static_cast<int32_t>(offsetof(MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E, ___baseMat_0)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_baseMat_0() const { return ___baseMat_0; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_baseMat_0() { return &___baseMat_0; }
inline void set_baseMat_0(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___baseMat_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___baseMat_0), (void*)value);
}
inline static int32_t get_offset_of_customMat_1() { return static_cast<int32_t>(offsetof(MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E, ___customMat_1)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_customMat_1() const { return ___customMat_1; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_customMat_1() { return &___customMat_1; }
inline void set_customMat_1(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___customMat_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___customMat_1), (void*)value);
}
inline static int32_t get_offset_of_count_2() { return static_cast<int32_t>(offsetof(MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E, ___count_2)); }
inline int32_t get_count_2() const { return ___count_2; }
inline int32_t* get_address_of_count_2() { return &___count_2; }
inline void set_count_2(int32_t value)
{
___count_2 = value;
}
inline static int32_t get_offset_of_stencilId_3() { return static_cast<int32_t>(offsetof(MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E, ___stencilId_3)); }
inline int32_t get_stencilId_3() const { return ___stencilId_3; }
inline int32_t* get_address_of_stencilId_3() { return &___stencilId_3; }
inline void set_stencilId_3(int32_t value)
{
___stencilId_3 = value;
}
inline static int32_t get_offset_of_operation_4() { return static_cast<int32_t>(offsetof(MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E, ___operation_4)); }
inline int32_t get_operation_4() const { return ___operation_4; }
inline int32_t* get_address_of_operation_4() { return &___operation_4; }
inline void set_operation_4(int32_t value)
{
___operation_4 = value;
}
inline static int32_t get_offset_of_compareFunction_5() { return static_cast<int32_t>(offsetof(MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E, ___compareFunction_5)); }
inline int32_t get_compareFunction_5() const { return ___compareFunction_5; }
inline int32_t* get_address_of_compareFunction_5() { return &___compareFunction_5; }
inline void set_compareFunction_5(int32_t value)
{
___compareFunction_5 = value;
}
inline static int32_t get_offset_of_readMask_6() { return static_cast<int32_t>(offsetof(MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E, ___readMask_6)); }
inline int32_t get_readMask_6() const { return ___readMask_6; }
inline int32_t* get_address_of_readMask_6() { return &___readMask_6; }
inline void set_readMask_6(int32_t value)
{
___readMask_6 = value;
}
inline static int32_t get_offset_of_writeMask_7() { return static_cast<int32_t>(offsetof(MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E, ___writeMask_7)); }
inline int32_t get_writeMask_7() const { return ___writeMask_7; }
inline int32_t* get_address_of_writeMask_7() { return &___writeMask_7; }
inline void set_writeMask_7(int32_t value)
{
___writeMask_7 = value;
}
inline static int32_t get_offset_of_useAlphaClip_8() { return static_cast<int32_t>(offsetof(MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E, ___useAlphaClip_8)); }
inline bool get_useAlphaClip_8() const { return ___useAlphaClip_8; }
inline bool* get_address_of_useAlphaClip_8() { return &___useAlphaClip_8; }
inline void set_useAlphaClip_8(bool value)
{
___useAlphaClip_8 = value;
}
inline static int32_t get_offset_of_colorMask_9() { return static_cast<int32_t>(offsetof(MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E, ___colorMask_9)); }
inline int32_t get_colorMask_9() const { return ___colorMask_9; }
inline int32_t* get_address_of_colorMask_9() { return &___colorMask_9; }
inline void set_colorMask_9(int32_t value)
{
___colorMask_9 = value;
}
};
// System.IO.StreamReader/NullStreamReader
struct NullStreamReader_tF7744A1240136221DD6D2B343F3E8430DB1DA838 : public StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.Net.Utilities.SystemTime/<>c__DisplayClass3_0
struct U3CU3Ec__DisplayClass3_0_t21E57719F75CC1C48085B0BDA01FC8F6D362B3AA : public RuntimeObject
{
public:
// System.DateTimeOffset UnityEngine.Localization.SmartFormat.Net.Utilities.SystemTime/<>c__DisplayClass3_0::dateTimeOffset
DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5 ___dateTimeOffset_0;
public:
inline static int32_t get_offset_of_dateTimeOffset_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass3_0_t21E57719F75CC1C48085B0BDA01FC8F6D362B3AA, ___dateTimeOffset_0)); }
inline DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5 get_dateTimeOffset_0() const { return ___dateTimeOffset_0; }
inline DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5 * get_address_of_dateTimeOffset_0() { return &___dateTimeOffset_0; }
inline void set_dateTimeOffset_0(DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5 value)
{
___dateTimeOffset_0 = value;
}
};
// System.Threading.Tasks.Task/<>c__DisplayClass178_0
struct U3CU3Ec__DisplayClass178_0_t26DA6AADD06D410B9511EEAE86E81BB72E13577B : public RuntimeObject
{
public:
// System.Threading.Tasks.Task System.Threading.Tasks.Task/<>c__DisplayClass178_0::root
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * ___root_0;
// System.Boolean System.Threading.Tasks.Task/<>c__DisplayClass178_0::replicasAreQuitting
bool ___replicasAreQuitting_1;
// System.Action`1<System.Object> System.Threading.Tasks.Task/<>c__DisplayClass178_0::taskReplicaDelegate
Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * ___taskReplicaDelegate_2;
// System.Threading.Tasks.TaskCreationOptions System.Threading.Tasks.Task/<>c__DisplayClass178_0::creationOptionsForReplicas
int32_t ___creationOptionsForReplicas_3;
// System.Threading.Tasks.InternalTaskOptions System.Threading.Tasks.Task/<>c__DisplayClass178_0::internalOptionsForReplicas
int32_t ___internalOptionsForReplicas_4;
public:
inline static int32_t get_offset_of_root_0() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass178_0_t26DA6AADD06D410B9511EEAE86E81BB72E13577B, ___root_0)); }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * get_root_0() const { return ___root_0; }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 ** get_address_of_root_0() { return &___root_0; }
inline void set_root_0(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * value)
{
___root_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___root_0), (void*)value);
}
inline static int32_t get_offset_of_replicasAreQuitting_1() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass178_0_t26DA6AADD06D410B9511EEAE86E81BB72E13577B, ___replicasAreQuitting_1)); }
inline bool get_replicasAreQuitting_1() const { return ___replicasAreQuitting_1; }
inline bool* get_address_of_replicasAreQuitting_1() { return &___replicasAreQuitting_1; }
inline void set_replicasAreQuitting_1(bool value)
{
___replicasAreQuitting_1 = value;
}
inline static int32_t get_offset_of_taskReplicaDelegate_2() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass178_0_t26DA6AADD06D410B9511EEAE86E81BB72E13577B, ___taskReplicaDelegate_2)); }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * get_taskReplicaDelegate_2() const { return ___taskReplicaDelegate_2; }
inline Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC ** get_address_of_taskReplicaDelegate_2() { return &___taskReplicaDelegate_2; }
inline void set_taskReplicaDelegate_2(Action_1_tD9663D9715FAA4E62035CFCF1AD4D094EE7872DC * value)
{
___taskReplicaDelegate_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___taskReplicaDelegate_2), (void*)value);
}
inline static int32_t get_offset_of_creationOptionsForReplicas_3() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass178_0_t26DA6AADD06D410B9511EEAE86E81BB72E13577B, ___creationOptionsForReplicas_3)); }
inline int32_t get_creationOptionsForReplicas_3() const { return ___creationOptionsForReplicas_3; }
inline int32_t* get_address_of_creationOptionsForReplicas_3() { return &___creationOptionsForReplicas_3; }
inline void set_creationOptionsForReplicas_3(int32_t value)
{
___creationOptionsForReplicas_3 = value;
}
inline static int32_t get_offset_of_internalOptionsForReplicas_4() { return static_cast<int32_t>(offsetof(U3CU3Ec__DisplayClass178_0_t26DA6AADD06D410B9511EEAE86E81BB72E13577B, ___internalOptionsForReplicas_4)); }
inline int32_t get_internalOptionsForReplicas_4() const { return ___internalOptionsForReplicas_4; }
inline int32_t* get_address_of_internalOptionsForReplicas_4() { return &___internalOptionsForReplicas_4; }
inline void set_internalOptionsForReplicas_4(int32_t value)
{
___internalOptionsForReplicas_4 = value;
}
};
// System.Threading.Tasks.Task/SetOnInvokeMres
struct SetOnInvokeMres_t1C10274710F867516EE9E1EC3ABF0BA5EEF9ABAD : public ManualResetEventSlim_tDEDF52539E364C425BA581F3AAF42843AFAD366E
{
public:
public:
};
// TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/SpriteDataObject
struct SpriteDataObject_t9610506C3AD16488DFAF966EB77EB5B246F03398 : public RuntimeObject
{
public:
// System.Collections.Generic.List`1<TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Frame> TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/SpriteDataObject::frames
List_1_t73173DC394C38388B3BABA529B3B0BB5B548F5F4 * ___frames_0;
// TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/Meta TMPro.SpriteAssetUtilities.TexturePacker_JsonArray/SpriteDataObject::meta
Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306 ___meta_1;
public:
inline static int32_t get_offset_of_frames_0() { return static_cast<int32_t>(offsetof(SpriteDataObject_t9610506C3AD16488DFAF966EB77EB5B246F03398, ___frames_0)); }
inline List_1_t73173DC394C38388B3BABA529B3B0BB5B548F5F4 * get_frames_0() const { return ___frames_0; }
inline List_1_t73173DC394C38388B3BABA529B3B0BB5B548F5F4 ** get_address_of_frames_0() { return &___frames_0; }
inline void set_frames_0(List_1_t73173DC394C38388B3BABA529B3B0BB5B548F5F4 * value)
{
___frames_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___frames_0), (void*)value);
}
inline static int32_t get_offset_of_meta_1() { return static_cast<int32_t>(offsetof(SpriteDataObject_t9610506C3AD16488DFAF966EB77EB5B246F03398, ___meta_1)); }
inline Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306 get_meta_1() const { return ___meta_1; }
inline Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306 * get_address_of_meta_1() { return &___meta_1; }
inline void set_meta_1(Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306 value)
{
___meta_1 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___meta_1))->___app_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___meta_1))->___version_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___meta_1))->___image_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___meta_1))->___format_3), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___meta_1))->___smartupdate_6), (void*)NULL);
#endif
}
};
// System.Threading.ThreadPoolWorkQueue/WorkStealingQueue
struct WorkStealingQueue_t0D430FD823CAB6C050301484CE7516E1573728A0 : public RuntimeObject
{
public:
// System.Threading.IThreadPoolWorkItem[] modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.ThreadPoolWorkQueue/WorkStealingQueue::m_array
IThreadPoolWorkItemU5BU5D_tA8F5E15B9A678486C494BA29BA2B36165FF28738* ___m_array_0;
// System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.ThreadPoolWorkQueue/WorkStealingQueue::m_mask
int32_t ___m_mask_1;
// System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.ThreadPoolWorkQueue/WorkStealingQueue::m_headIndex
int32_t ___m_headIndex_2;
// System.Int32 modreq(System.Runtime.CompilerServices.IsVolatile) System.Threading.ThreadPoolWorkQueue/WorkStealingQueue::m_tailIndex
int32_t ___m_tailIndex_3;
// System.Threading.SpinLock System.Threading.ThreadPoolWorkQueue/WorkStealingQueue::m_foreignLock
SpinLock_t9860D503E59EFE08CF5241E2BA0C33397BF78F5D ___m_foreignLock_4;
public:
inline static int32_t get_offset_of_m_array_0() { return static_cast<int32_t>(offsetof(WorkStealingQueue_t0D430FD823CAB6C050301484CE7516E1573728A0, ___m_array_0)); }
inline IThreadPoolWorkItemU5BU5D_tA8F5E15B9A678486C494BA29BA2B36165FF28738* get_m_array_0() const { return ___m_array_0; }
inline IThreadPoolWorkItemU5BU5D_tA8F5E15B9A678486C494BA29BA2B36165FF28738** get_address_of_m_array_0() { return &___m_array_0; }
inline void set_m_array_0(IThreadPoolWorkItemU5BU5D_tA8F5E15B9A678486C494BA29BA2B36165FF28738* value)
{
___m_array_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_array_0), (void*)value);
}
inline static int32_t get_offset_of_m_mask_1() { return static_cast<int32_t>(offsetof(WorkStealingQueue_t0D430FD823CAB6C050301484CE7516E1573728A0, ___m_mask_1)); }
inline int32_t get_m_mask_1() const { return ___m_mask_1; }
inline int32_t* get_address_of_m_mask_1() { return &___m_mask_1; }
inline void set_m_mask_1(int32_t value)
{
___m_mask_1 = value;
}
inline static int32_t get_offset_of_m_headIndex_2() { return static_cast<int32_t>(offsetof(WorkStealingQueue_t0D430FD823CAB6C050301484CE7516E1573728A0, ___m_headIndex_2)); }
inline int32_t get_m_headIndex_2() const { return ___m_headIndex_2; }
inline int32_t* get_address_of_m_headIndex_2() { return &___m_headIndex_2; }
inline void set_m_headIndex_2(int32_t value)
{
___m_headIndex_2 = value;
}
inline static int32_t get_offset_of_m_tailIndex_3() { return static_cast<int32_t>(offsetof(WorkStealingQueue_t0D430FD823CAB6C050301484CE7516E1573728A0, ___m_tailIndex_3)); }
inline int32_t get_m_tailIndex_3() const { return ___m_tailIndex_3; }
inline int32_t* get_address_of_m_tailIndex_3() { return &___m_tailIndex_3; }
inline void set_m_tailIndex_3(int32_t value)
{
___m_tailIndex_3 = value;
}
inline static int32_t get_offset_of_m_foreignLock_4() { return static_cast<int32_t>(offsetof(WorkStealingQueue_t0D430FD823CAB6C050301484CE7516E1573728A0, ___m_foreignLock_4)); }
inline SpinLock_t9860D503E59EFE08CF5241E2BA0C33397BF78F5D get_m_foreignLock_4() const { return ___m_foreignLock_4; }
inline SpinLock_t9860D503E59EFE08CF5241E2BA0C33397BF78F5D * get_address_of_m_foreignLock_4() { return &___m_foreignLock_4; }
inline void set_m_foreignLock_4(SpinLock_t9860D503E59EFE08CF5241E2BA0C33397BF78F5D value)
{
___m_foreignLock_4 = value;
}
};
// UnityEngine.Localization.SmartFormat.Utilities.TimeSpanFormatOptionsConverter/<AllFlags>d__3
struct U3CAllFlagsU3Ed__3_t9A45070F34EBCFD236B29AE4F0BF74B9938F333D : public RuntimeObject
{
public:
// System.Int32 UnityEngine.Localization.SmartFormat.Utilities.TimeSpanFormatOptionsConverter/<AllFlags>d__3::<>1__state
int32_t ___U3CU3E1__state_0;
// UnityEngine.Localization.SmartFormat.Utilities.TimeSpanFormatOptions UnityEngine.Localization.SmartFormat.Utilities.TimeSpanFormatOptionsConverter/<AllFlags>d__3::<>2__current
int32_t ___U3CU3E2__current_1;
// System.Int32 UnityEngine.Localization.SmartFormat.Utilities.TimeSpanFormatOptionsConverter/<AllFlags>d__3::<>l__initialThreadId
int32_t ___U3CU3El__initialThreadId_2;
// UnityEngine.Localization.SmartFormat.Utilities.TimeSpanFormatOptions UnityEngine.Localization.SmartFormat.Utilities.TimeSpanFormatOptionsConverter/<AllFlags>d__3::timeSpanFormatOptions
int32_t ___timeSpanFormatOptions_3;
// UnityEngine.Localization.SmartFormat.Utilities.TimeSpanFormatOptions UnityEngine.Localization.SmartFormat.Utilities.TimeSpanFormatOptionsConverter/<AllFlags>d__3::<>3__timeSpanFormatOptions
int32_t ___U3CU3E3__timeSpanFormatOptions_4;
// System.UInt32 UnityEngine.Localization.SmartFormat.Utilities.TimeSpanFormatOptionsConverter/<AllFlags>d__3::<value>5__2
uint32_t ___U3CvalueU3E5__2_5;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CAllFlagsU3Ed__3_t9A45070F34EBCFD236B29AE4F0BF74B9938F333D, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CAllFlagsU3Ed__3_t9A45070F34EBCFD236B29AE4F0BF74B9938F333D, ___U3CU3E2__current_1)); }
inline int32_t get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline int32_t* get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(int32_t value)
{
___U3CU3E2__current_1 = value;
}
inline static int32_t get_offset_of_U3CU3El__initialThreadId_2() { return static_cast<int32_t>(offsetof(U3CAllFlagsU3Ed__3_t9A45070F34EBCFD236B29AE4F0BF74B9938F333D, ___U3CU3El__initialThreadId_2)); }
inline int32_t get_U3CU3El__initialThreadId_2() const { return ___U3CU3El__initialThreadId_2; }
inline int32_t* get_address_of_U3CU3El__initialThreadId_2() { return &___U3CU3El__initialThreadId_2; }
inline void set_U3CU3El__initialThreadId_2(int32_t value)
{
___U3CU3El__initialThreadId_2 = value;
}
inline static int32_t get_offset_of_timeSpanFormatOptions_3() { return static_cast<int32_t>(offsetof(U3CAllFlagsU3Ed__3_t9A45070F34EBCFD236B29AE4F0BF74B9938F333D, ___timeSpanFormatOptions_3)); }
inline int32_t get_timeSpanFormatOptions_3() const { return ___timeSpanFormatOptions_3; }
inline int32_t* get_address_of_timeSpanFormatOptions_3() { return &___timeSpanFormatOptions_3; }
inline void set_timeSpanFormatOptions_3(int32_t value)
{
___timeSpanFormatOptions_3 = value;
}
inline static int32_t get_offset_of_U3CU3E3__timeSpanFormatOptions_4() { return static_cast<int32_t>(offsetof(U3CAllFlagsU3Ed__3_t9A45070F34EBCFD236B29AE4F0BF74B9938F333D, ___U3CU3E3__timeSpanFormatOptions_4)); }
inline int32_t get_U3CU3E3__timeSpanFormatOptions_4() const { return ___U3CU3E3__timeSpanFormatOptions_4; }
inline int32_t* get_address_of_U3CU3E3__timeSpanFormatOptions_4() { return &___U3CU3E3__timeSpanFormatOptions_4; }
inline void set_U3CU3E3__timeSpanFormatOptions_4(int32_t value)
{
___U3CU3E3__timeSpanFormatOptions_4 = value;
}
inline static int32_t get_offset_of_U3CvalueU3E5__2_5() { return static_cast<int32_t>(offsetof(U3CAllFlagsU3Ed__3_t9A45070F34EBCFD236B29AE4F0BF74B9938F333D, ___U3CvalueU3E5__2_5)); }
inline uint32_t get_U3CvalueU3E5__2_5() const { return ___U3CvalueU3E5__2_5; }
inline uint32_t* get_address_of_U3CvalueU3E5__2_5() { return &___U3CvalueU3E5__2_5; }
inline void set_U3CvalueU3E5__2_5(uint32_t value)
{
___U3CvalueU3E5__2_5 = value;
}
};
// System.TimeZoneInfo/DYNAMIC_TIME_ZONE_INFORMATION
struct DYNAMIC_TIME_ZONE_INFORMATION_t2A935E4357B99965B322E468058134B139805895
{
public:
// System.TimeZoneInfo/TIME_ZONE_INFORMATION System.TimeZoneInfo/DYNAMIC_TIME_ZONE_INFORMATION::TZI
TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578 ___TZI_0;
// System.String System.TimeZoneInfo/DYNAMIC_TIME_ZONE_INFORMATION::TimeZoneKeyName
String_t* ___TimeZoneKeyName_1;
// System.Byte System.TimeZoneInfo/DYNAMIC_TIME_ZONE_INFORMATION::DynamicDaylightTimeDisabled
uint8_t ___DynamicDaylightTimeDisabled_2;
public:
inline static int32_t get_offset_of_TZI_0() { return static_cast<int32_t>(offsetof(DYNAMIC_TIME_ZONE_INFORMATION_t2A935E4357B99965B322E468058134B139805895, ___TZI_0)); }
inline TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578 get_TZI_0() const { return ___TZI_0; }
inline TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578 * get_address_of_TZI_0() { return &___TZI_0; }
inline void set_TZI_0(TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578 value)
{
___TZI_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___TZI_0))->___StandardName_1), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___TZI_0))->___DaylightName_4), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_TimeZoneKeyName_1() { return static_cast<int32_t>(offsetof(DYNAMIC_TIME_ZONE_INFORMATION_t2A935E4357B99965B322E468058134B139805895, ___TimeZoneKeyName_1)); }
inline String_t* get_TimeZoneKeyName_1() const { return ___TimeZoneKeyName_1; }
inline String_t** get_address_of_TimeZoneKeyName_1() { return &___TimeZoneKeyName_1; }
inline void set_TimeZoneKeyName_1(String_t* value)
{
___TimeZoneKeyName_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___TimeZoneKeyName_1), (void*)value);
}
inline static int32_t get_offset_of_DynamicDaylightTimeDisabled_2() { return static_cast<int32_t>(offsetof(DYNAMIC_TIME_ZONE_INFORMATION_t2A935E4357B99965B322E468058134B139805895, ___DynamicDaylightTimeDisabled_2)); }
inline uint8_t get_DynamicDaylightTimeDisabled_2() const { return ___DynamicDaylightTimeDisabled_2; }
inline uint8_t* get_address_of_DynamicDaylightTimeDisabled_2() { return &___DynamicDaylightTimeDisabled_2; }
inline void set_DynamicDaylightTimeDisabled_2(uint8_t value)
{
___DynamicDaylightTimeDisabled_2 = value;
}
};
// Native definition for P/Invoke marshalling of System.TimeZoneInfo/DYNAMIC_TIME_ZONE_INFORMATION
struct DYNAMIC_TIME_ZONE_INFORMATION_t2A935E4357B99965B322E468058134B139805895_marshaled_pinvoke
{
TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578_marshaled_pinvoke ___TZI_0;
Il2CppChar ___TimeZoneKeyName_1[128];
uint8_t ___DynamicDaylightTimeDisabled_2;
};
// Native definition for COM marshalling of System.TimeZoneInfo/DYNAMIC_TIME_ZONE_INFORMATION
struct DYNAMIC_TIME_ZONE_INFORMATION_t2A935E4357B99965B322E468058134B139805895_marshaled_com
{
TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578_marshaled_com ___TZI_0;
Il2CppChar ___TimeZoneKeyName_1[128];
uint8_t ___DynamicDaylightTimeDisabled_2;
};
// System.TimeZoneInfo/TransitionTime
struct TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A
{
public:
// System.DateTime System.TimeZoneInfo/TransitionTime::m_timeOfDay
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 ___m_timeOfDay_0;
// System.Byte System.TimeZoneInfo/TransitionTime::m_month
uint8_t ___m_month_1;
// System.Byte System.TimeZoneInfo/TransitionTime::m_week
uint8_t ___m_week_2;
// System.Byte System.TimeZoneInfo/TransitionTime::m_day
uint8_t ___m_day_3;
// System.DayOfWeek System.TimeZoneInfo/TransitionTime::m_dayOfWeek
int32_t ___m_dayOfWeek_4;
// System.Boolean System.TimeZoneInfo/TransitionTime::m_isFixedDateRule
bool ___m_isFixedDateRule_5;
public:
inline static int32_t get_offset_of_m_timeOfDay_0() { return static_cast<int32_t>(offsetof(TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A, ___m_timeOfDay_0)); }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 get_m_timeOfDay_0() const { return ___m_timeOfDay_0; }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 * get_address_of_m_timeOfDay_0() { return &___m_timeOfDay_0; }
inline void set_m_timeOfDay_0(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 value)
{
___m_timeOfDay_0 = value;
}
inline static int32_t get_offset_of_m_month_1() { return static_cast<int32_t>(offsetof(TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A, ___m_month_1)); }
inline uint8_t get_m_month_1() const { return ___m_month_1; }
inline uint8_t* get_address_of_m_month_1() { return &___m_month_1; }
inline void set_m_month_1(uint8_t value)
{
___m_month_1 = value;
}
inline static int32_t get_offset_of_m_week_2() { return static_cast<int32_t>(offsetof(TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A, ___m_week_2)); }
inline uint8_t get_m_week_2() const { return ___m_week_2; }
inline uint8_t* get_address_of_m_week_2() { return &___m_week_2; }
inline void set_m_week_2(uint8_t value)
{
___m_week_2 = value;
}
inline static int32_t get_offset_of_m_day_3() { return static_cast<int32_t>(offsetof(TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A, ___m_day_3)); }
inline uint8_t get_m_day_3() const { return ___m_day_3; }
inline uint8_t* get_address_of_m_day_3() { return &___m_day_3; }
inline void set_m_day_3(uint8_t value)
{
___m_day_3 = value;
}
inline static int32_t get_offset_of_m_dayOfWeek_4() { return static_cast<int32_t>(offsetof(TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A, ___m_dayOfWeek_4)); }
inline int32_t get_m_dayOfWeek_4() const { return ___m_dayOfWeek_4; }
inline int32_t* get_address_of_m_dayOfWeek_4() { return &___m_dayOfWeek_4; }
inline void set_m_dayOfWeek_4(int32_t value)
{
___m_dayOfWeek_4 = value;
}
inline static int32_t get_offset_of_m_isFixedDateRule_5() { return static_cast<int32_t>(offsetof(TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A, ___m_isFixedDateRule_5)); }
inline bool get_m_isFixedDateRule_5() const { return ___m_isFixedDateRule_5; }
inline bool* get_address_of_m_isFixedDateRule_5() { return &___m_isFixedDateRule_5; }
inline void set_m_isFixedDateRule_5(bool value)
{
___m_isFixedDateRule_5 = value;
}
};
// Native definition for P/Invoke marshalling of System.TimeZoneInfo/TransitionTime
struct TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A_marshaled_pinvoke
{
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 ___m_timeOfDay_0;
uint8_t ___m_month_1;
uint8_t ___m_week_2;
uint8_t ___m_day_3;
int32_t ___m_dayOfWeek_4;
int32_t ___m_isFixedDateRule_5;
};
// Native definition for COM marshalling of System.TimeZoneInfo/TransitionTime
struct TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A_marshaled_com
{
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 ___m_timeOfDay_0;
uint8_t ___m_month_1;
uint8_t ___m_week_2;
uint8_t ___m_day_3;
int32_t ___m_dayOfWeek_4;
int32_t ___m_isFixedDateRule_5;
};
// UnityEngine.XR.ARSubsystems.XRCpuImage/Cinfo
struct Cinfo_t4E32E30AF6973611F1DD0F47FC041ED3A8775DA6
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.XRCpuImage/Cinfo::m_NativeHandle
int32_t ___m_NativeHandle_0;
// UnityEngine.Vector2Int UnityEngine.XR.ARSubsystems.XRCpuImage/Cinfo::m_Dimensions
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 ___m_Dimensions_1;
// System.Int32 UnityEngine.XR.ARSubsystems.XRCpuImage/Cinfo::m_PlaneCount
int32_t ___m_PlaneCount_2;
// System.Double UnityEngine.XR.ARSubsystems.XRCpuImage/Cinfo::m_Timestamp
double ___m_Timestamp_3;
// UnityEngine.XR.ARSubsystems.XRCpuImage/Format UnityEngine.XR.ARSubsystems.XRCpuImage/Cinfo::m_Format
int32_t ___m_Format_4;
public:
inline static int32_t get_offset_of_m_NativeHandle_0() { return static_cast<int32_t>(offsetof(Cinfo_t4E32E30AF6973611F1DD0F47FC041ED3A8775DA6, ___m_NativeHandle_0)); }
inline int32_t get_m_NativeHandle_0() const { return ___m_NativeHandle_0; }
inline int32_t* get_address_of_m_NativeHandle_0() { return &___m_NativeHandle_0; }
inline void set_m_NativeHandle_0(int32_t value)
{
___m_NativeHandle_0 = value;
}
inline static int32_t get_offset_of_m_Dimensions_1() { return static_cast<int32_t>(offsetof(Cinfo_t4E32E30AF6973611F1DD0F47FC041ED3A8775DA6, ___m_Dimensions_1)); }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 get_m_Dimensions_1() const { return ___m_Dimensions_1; }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 * get_address_of_m_Dimensions_1() { return &___m_Dimensions_1; }
inline void set_m_Dimensions_1(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 value)
{
___m_Dimensions_1 = value;
}
inline static int32_t get_offset_of_m_PlaneCount_2() { return static_cast<int32_t>(offsetof(Cinfo_t4E32E30AF6973611F1DD0F47FC041ED3A8775DA6, ___m_PlaneCount_2)); }
inline int32_t get_m_PlaneCount_2() const { return ___m_PlaneCount_2; }
inline int32_t* get_address_of_m_PlaneCount_2() { return &___m_PlaneCount_2; }
inline void set_m_PlaneCount_2(int32_t value)
{
___m_PlaneCount_2 = value;
}
inline static int32_t get_offset_of_m_Timestamp_3() { return static_cast<int32_t>(offsetof(Cinfo_t4E32E30AF6973611F1DD0F47FC041ED3A8775DA6, ___m_Timestamp_3)); }
inline double get_m_Timestamp_3() const { return ___m_Timestamp_3; }
inline double* get_address_of_m_Timestamp_3() { return &___m_Timestamp_3; }
inline void set_m_Timestamp_3(double value)
{
___m_Timestamp_3 = value;
}
inline static int32_t get_offset_of_m_Format_4() { return static_cast<int32_t>(offsetof(Cinfo_t4E32E30AF6973611F1DD0F47FC041ED3A8775DA6, ___m_Format_4)); }
inline int32_t get_m_Format_4() const { return ___m_Format_4; }
inline int32_t* get_address_of_m_Format_4() { return &___m_Format_4; }
inline void set_m_Format_4(int32_t value)
{
___m_Format_4 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRCpuImage/ConversionParams
struct ConversionParams_t3DDB9752BA823641A302D0783C14048D9B09B74A
{
public:
// UnityEngine.RectInt UnityEngine.XR.ARSubsystems.XRCpuImage/ConversionParams::m_InputRect
RectInt_tE7B8105A280C1AC73A4157ED41F9B86C9BD91E49 ___m_InputRect_0;
// UnityEngine.Vector2Int UnityEngine.XR.ARSubsystems.XRCpuImage/ConversionParams::m_OutputDimensions
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 ___m_OutputDimensions_1;
// UnityEngine.TextureFormat UnityEngine.XR.ARSubsystems.XRCpuImage/ConversionParams::m_Format
int32_t ___m_Format_2;
// UnityEngine.XR.ARSubsystems.XRCpuImage/Transformation UnityEngine.XR.ARSubsystems.XRCpuImage/ConversionParams::m_Transformation
int32_t ___m_Transformation_3;
public:
inline static int32_t get_offset_of_m_InputRect_0() { return static_cast<int32_t>(offsetof(ConversionParams_t3DDB9752BA823641A302D0783C14048D9B09B74A, ___m_InputRect_0)); }
inline RectInt_tE7B8105A280C1AC73A4157ED41F9B86C9BD91E49 get_m_InputRect_0() const { return ___m_InputRect_0; }
inline RectInt_tE7B8105A280C1AC73A4157ED41F9B86C9BD91E49 * get_address_of_m_InputRect_0() { return &___m_InputRect_0; }
inline void set_m_InputRect_0(RectInt_tE7B8105A280C1AC73A4157ED41F9B86C9BD91E49 value)
{
___m_InputRect_0 = value;
}
inline static int32_t get_offset_of_m_OutputDimensions_1() { return static_cast<int32_t>(offsetof(ConversionParams_t3DDB9752BA823641A302D0783C14048D9B09B74A, ___m_OutputDimensions_1)); }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 get_m_OutputDimensions_1() const { return ___m_OutputDimensions_1; }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 * get_address_of_m_OutputDimensions_1() { return &___m_OutputDimensions_1; }
inline void set_m_OutputDimensions_1(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 value)
{
___m_OutputDimensions_1 = value;
}
inline static int32_t get_offset_of_m_Format_2() { return static_cast<int32_t>(offsetof(ConversionParams_t3DDB9752BA823641A302D0783C14048D9B09B74A, ___m_Format_2)); }
inline int32_t get_m_Format_2() const { return ___m_Format_2; }
inline int32_t* get_address_of_m_Format_2() { return &___m_Format_2; }
inline void set_m_Format_2(int32_t value)
{
___m_Format_2 = value;
}
inline static int32_t get_offset_of_m_Transformation_3() { return static_cast<int32_t>(offsetof(ConversionParams_t3DDB9752BA823641A302D0783C14048D9B09B74A, ___m_Transformation_3)); }
inline int32_t get_m_Transformation_3() const { return ___m_Transformation_3; }
inline int32_t* get_address_of_m_Transformation_3() { return &___m_Transformation_3; }
inline void set_m_Transformation_3(int32_t value)
{
___m_Transformation_3 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor/Cinfo
struct Cinfo_t37F91E88FCD8623834BE1898FC146620538C08B1
{
public:
// System.String UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor/Cinfo::id
String_t* ___id_0;
// System.Type UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor/Cinfo::<providerType>k__BackingField
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
// System.Type UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor/Cinfo::<subsystemTypeOverride>k__BackingField
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
// System.Type UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor/Cinfo::implementationType
Type_t * ___implementationType_3;
// UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor/Capabilities UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor/Cinfo::<capabilities>k__BackingField
int32_t ___U3CcapabilitiesU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_id_0() { return static_cast<int32_t>(offsetof(Cinfo_t37F91E88FCD8623834BE1898FC146620538C08B1, ___id_0)); }
inline String_t* get_id_0() const { return ___id_0; }
inline String_t** get_address_of_id_0() { return &___id_0; }
inline void set_id_0(String_t* value)
{
___id_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___id_0), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderTypeU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(Cinfo_t37F91E88FCD8623834BE1898FC146620538C08B1, ___U3CproviderTypeU3Ek__BackingField_1)); }
inline Type_t * get_U3CproviderTypeU3Ek__BackingField_1() const { return ___U3CproviderTypeU3Ek__BackingField_1; }
inline Type_t ** get_address_of_U3CproviderTypeU3Ek__BackingField_1() { return &___U3CproviderTypeU3Ek__BackingField_1; }
inline void set_U3CproviderTypeU3Ek__BackingField_1(Type_t * value)
{
___U3CproviderTypeU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderTypeU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(Cinfo_t37F91E88FCD8623834BE1898FC146620538C08B1, ___U3CsubsystemTypeOverrideU3Ek__BackingField_2)); }
inline Type_t * get_U3CsubsystemTypeOverrideU3Ek__BackingField_2() const { return ___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline Type_t ** get_address_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return &___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline void set_U3CsubsystemTypeOverrideU3Ek__BackingField_2(Type_t * value)
{
___U3CsubsystemTypeOverrideU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemTypeOverrideU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_implementationType_3() { return static_cast<int32_t>(offsetof(Cinfo_t37F91E88FCD8623834BE1898FC146620538C08B1, ___implementationType_3)); }
inline Type_t * get_implementationType_3() const { return ___implementationType_3; }
inline Type_t ** get_address_of_implementationType_3() { return &___implementationType_3; }
inline void set_implementationType_3(Type_t * value)
{
___implementationType_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___implementationType_3), (void*)value);
}
inline static int32_t get_offset_of_U3CcapabilitiesU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(Cinfo_t37F91E88FCD8623834BE1898FC146620538C08B1, ___U3CcapabilitiesU3Ek__BackingField_4)); }
inline int32_t get_U3CcapabilitiesU3Ek__BackingField_4() const { return ___U3CcapabilitiesU3Ek__BackingField_4; }
inline int32_t* get_address_of_U3CcapabilitiesU3Ek__BackingField_4() { return &___U3CcapabilitiesU3Ek__BackingField_4; }
inline void set_U3CcapabilitiesU3Ek__BackingField_4(int32_t value)
{
___U3CcapabilitiesU3Ek__BackingField_4 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor/Cinfo
struct Cinfo_t37F91E88FCD8623834BE1898FC146620538C08B1_marshaled_pinvoke
{
char* ___id_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___implementationType_3;
int32_t ___U3CcapabilitiesU3Ek__BackingField_4;
};
// Native definition for COM marshalling of UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor/Cinfo
struct Cinfo_t37F91E88FCD8623834BE1898FC146620538C08B1_marshaled_com
{
Il2CppChar* ___id_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___implementationType_3;
int32_t ___U3CcapabilitiesU3Ek__BackingField_4;
};
// UnityEngine.XR.ARSubsystems.XRRaycastSubsystemDescriptor/Cinfo
struct Cinfo_tAC330BB49E2D0C7E18C66AB4018927A6EC856E01
{
public:
// System.String UnityEngine.XR.ARSubsystems.XRRaycastSubsystemDescriptor/Cinfo::<id>k__BackingField
String_t* ___U3CidU3Ek__BackingField_0;
// System.Type UnityEngine.XR.ARSubsystems.XRRaycastSubsystemDescriptor/Cinfo::<providerType>k__BackingField
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
// System.Type UnityEngine.XR.ARSubsystems.XRRaycastSubsystemDescriptor/Cinfo::<subsystemTypeOverride>k__BackingField
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
// System.Type UnityEngine.XR.ARSubsystems.XRRaycastSubsystemDescriptor/Cinfo::<subsystemImplementationType>k__BackingField
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_3;
// System.Boolean UnityEngine.XR.ARSubsystems.XRRaycastSubsystemDescriptor/Cinfo::<supportsViewportBasedRaycast>k__BackingField
bool ___U3CsupportsViewportBasedRaycastU3Ek__BackingField_4;
// System.Boolean UnityEngine.XR.ARSubsystems.XRRaycastSubsystemDescriptor/Cinfo::<supportsWorldBasedRaycast>k__BackingField
bool ___U3CsupportsWorldBasedRaycastU3Ek__BackingField_5;
// UnityEngine.XR.ARSubsystems.TrackableType UnityEngine.XR.ARSubsystems.XRRaycastSubsystemDescriptor/Cinfo::<supportedTrackableTypes>k__BackingField
int32_t ___U3CsupportedTrackableTypesU3Ek__BackingField_6;
// System.Boolean UnityEngine.XR.ARSubsystems.XRRaycastSubsystemDescriptor/Cinfo::<supportsTrackedRaycasts>k__BackingField
bool ___U3CsupportsTrackedRaycastsU3Ek__BackingField_7;
public:
inline static int32_t get_offset_of_U3CidU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(Cinfo_tAC330BB49E2D0C7E18C66AB4018927A6EC856E01, ___U3CidU3Ek__BackingField_0)); }
inline String_t* get_U3CidU3Ek__BackingField_0() const { return ___U3CidU3Ek__BackingField_0; }
inline String_t** get_address_of_U3CidU3Ek__BackingField_0() { return &___U3CidU3Ek__BackingField_0; }
inline void set_U3CidU3Ek__BackingField_0(String_t* value)
{
___U3CidU3Ek__BackingField_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CidU3Ek__BackingField_0), (void*)value);
}
inline static int32_t get_offset_of_U3CproviderTypeU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(Cinfo_tAC330BB49E2D0C7E18C66AB4018927A6EC856E01, ___U3CproviderTypeU3Ek__BackingField_1)); }
inline Type_t * get_U3CproviderTypeU3Ek__BackingField_1() const { return ___U3CproviderTypeU3Ek__BackingField_1; }
inline Type_t ** get_address_of_U3CproviderTypeU3Ek__BackingField_1() { return &___U3CproviderTypeU3Ek__BackingField_1; }
inline void set_U3CproviderTypeU3Ek__BackingField_1(Type_t * value)
{
___U3CproviderTypeU3Ek__BackingField_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CproviderTypeU3Ek__BackingField_1), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(Cinfo_tAC330BB49E2D0C7E18C66AB4018927A6EC856E01, ___U3CsubsystemTypeOverrideU3Ek__BackingField_2)); }
inline Type_t * get_U3CsubsystemTypeOverrideU3Ek__BackingField_2() const { return ___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline Type_t ** get_address_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() { return &___U3CsubsystemTypeOverrideU3Ek__BackingField_2; }
inline void set_U3CsubsystemTypeOverrideU3Ek__BackingField_2(Type_t * value)
{
___U3CsubsystemTypeOverrideU3Ek__BackingField_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemTypeOverrideU3Ek__BackingField_2), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsystemImplementationTypeU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(Cinfo_tAC330BB49E2D0C7E18C66AB4018927A6EC856E01, ___U3CsubsystemImplementationTypeU3Ek__BackingField_3)); }
inline Type_t * get_U3CsubsystemImplementationTypeU3Ek__BackingField_3() const { return ___U3CsubsystemImplementationTypeU3Ek__BackingField_3; }
inline Type_t ** get_address_of_U3CsubsystemImplementationTypeU3Ek__BackingField_3() { return &___U3CsubsystemImplementationTypeU3Ek__BackingField_3; }
inline void set_U3CsubsystemImplementationTypeU3Ek__BackingField_3(Type_t * value)
{
___U3CsubsystemImplementationTypeU3Ek__BackingField_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemImplementationTypeU3Ek__BackingField_3), (void*)value);
}
inline static int32_t get_offset_of_U3CsupportsViewportBasedRaycastU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(Cinfo_tAC330BB49E2D0C7E18C66AB4018927A6EC856E01, ___U3CsupportsViewportBasedRaycastU3Ek__BackingField_4)); }
inline bool get_U3CsupportsViewportBasedRaycastU3Ek__BackingField_4() const { return ___U3CsupportsViewportBasedRaycastU3Ek__BackingField_4; }
inline bool* get_address_of_U3CsupportsViewportBasedRaycastU3Ek__BackingField_4() { return &___U3CsupportsViewportBasedRaycastU3Ek__BackingField_4; }
inline void set_U3CsupportsViewportBasedRaycastU3Ek__BackingField_4(bool value)
{
___U3CsupportsViewportBasedRaycastU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_U3CsupportsWorldBasedRaycastU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(Cinfo_tAC330BB49E2D0C7E18C66AB4018927A6EC856E01, ___U3CsupportsWorldBasedRaycastU3Ek__BackingField_5)); }
inline bool get_U3CsupportsWorldBasedRaycastU3Ek__BackingField_5() const { return ___U3CsupportsWorldBasedRaycastU3Ek__BackingField_5; }
inline bool* get_address_of_U3CsupportsWorldBasedRaycastU3Ek__BackingField_5() { return &___U3CsupportsWorldBasedRaycastU3Ek__BackingField_5; }
inline void set_U3CsupportsWorldBasedRaycastU3Ek__BackingField_5(bool value)
{
___U3CsupportsWorldBasedRaycastU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CsupportedTrackableTypesU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(Cinfo_tAC330BB49E2D0C7E18C66AB4018927A6EC856E01, ___U3CsupportedTrackableTypesU3Ek__BackingField_6)); }
inline int32_t get_U3CsupportedTrackableTypesU3Ek__BackingField_6() const { return ___U3CsupportedTrackableTypesU3Ek__BackingField_6; }
inline int32_t* get_address_of_U3CsupportedTrackableTypesU3Ek__BackingField_6() { return &___U3CsupportedTrackableTypesU3Ek__BackingField_6; }
inline void set_U3CsupportedTrackableTypesU3Ek__BackingField_6(int32_t value)
{
___U3CsupportedTrackableTypesU3Ek__BackingField_6 = value;
}
inline static int32_t get_offset_of_U3CsupportsTrackedRaycastsU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(Cinfo_tAC330BB49E2D0C7E18C66AB4018927A6EC856E01, ___U3CsupportsTrackedRaycastsU3Ek__BackingField_7)); }
inline bool get_U3CsupportsTrackedRaycastsU3Ek__BackingField_7() const { return ___U3CsupportsTrackedRaycastsU3Ek__BackingField_7; }
inline bool* get_address_of_U3CsupportsTrackedRaycastsU3Ek__BackingField_7() { return &___U3CsupportsTrackedRaycastsU3Ek__BackingField_7; }
inline void set_U3CsupportsTrackedRaycastsU3Ek__BackingField_7(bool value)
{
___U3CsupportsTrackedRaycastsU3Ek__BackingField_7 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARSubsystems.XRRaycastSubsystemDescriptor/Cinfo
struct Cinfo_tAC330BB49E2D0C7E18C66AB4018927A6EC856E01_marshaled_pinvoke
{
char* ___U3CidU3Ek__BackingField_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_3;
int32_t ___U3CsupportsViewportBasedRaycastU3Ek__BackingField_4;
int32_t ___U3CsupportsWorldBasedRaycastU3Ek__BackingField_5;
int32_t ___U3CsupportedTrackableTypesU3Ek__BackingField_6;
int32_t ___U3CsupportsTrackedRaycastsU3Ek__BackingField_7;
};
// Native definition for COM marshalling of UnityEngine.XR.ARSubsystems.XRRaycastSubsystemDescriptor/Cinfo
struct Cinfo_tAC330BB49E2D0C7E18C66AB4018927A6EC856E01_marshaled_com
{
Il2CppChar* ___U3CidU3Ek__BackingField_0;
Type_t * ___U3CproviderTypeU3Ek__BackingField_1;
Type_t * ___U3CsubsystemTypeOverrideU3Ek__BackingField_2;
Type_t * ___U3CsubsystemImplementationTypeU3Ek__BackingField_3;
int32_t ___U3CsupportsViewportBasedRaycastU3Ek__BackingField_4;
int32_t ___U3CsupportsWorldBasedRaycastU3Ek__BackingField_5;
int32_t ___U3CsupportedTrackableTypesU3Ek__BackingField_6;
int32_t ___U3CsupportsTrackedRaycastsU3Ek__BackingField_7;
};
// UnityEngine.Localization.Settings.LocalizedDatabase`2<UnityEngine.Localization.Tables.AssetTable,UnityEngine.Localization.Tables.AssetTableEntry>
struct LocalizedDatabase_2_tF70FB0669DC34BDF40ABB121590FEDCC410877E1 : public RuntimeObject
{
public:
// UnityEngine.Localization.Tables.TableReference UnityEngine.Localization.Settings.LocalizedDatabase`2::m_DefaultTableReference
TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 ___m_DefaultTableReference_0;
// System.Boolean UnityEngine.Localization.Settings.LocalizedDatabase`2::m_UseFallback
bool ___m_UseFallback_1;
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.Localization.Settings.LocalizedDatabase`2::m_PreloadOperationHandle
Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C ___m_PreloadOperationHandle_2;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.Localization.Settings.LocalizedDatabase`2::m_ReleaseNextFrame
Action_1_t6634F94209C51241AB52BDC921720558A925806B * ___m_ReleaseNextFrame_3;
// System.Collections.Generic.Dictionary`2<System.ValueTuple`2<UnityEngine.Localization.LocaleIdentifier,System.String>,UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<TTable>> UnityEngine.Localization.Settings.LocalizedDatabase`2::<TableOperations>k__BackingField
Dictionary_2_t99DF33284CCE9AFDAE3D5CE26E6148A865FAC89F * ___U3CTableOperationsU3Ek__BackingField_5;
// System.Collections.Generic.Dictionary`2<System.Guid,UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Localization.Tables.SharedTableData>> UnityEngine.Localization.Settings.LocalizedDatabase`2::<SharedTableDataOperations>k__BackingField
Dictionary_2_t3C60E69626316823335920D40F0665169998744C * ___U3CSharedTableDataOperationsU3Ek__BackingField_6;
public:
inline static int32_t get_offset_of_m_DefaultTableReference_0() { return static_cast<int32_t>(offsetof(LocalizedDatabase_2_tF70FB0669DC34BDF40ABB121590FEDCC410877E1, ___m_DefaultTableReference_0)); }
inline TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 get_m_DefaultTableReference_0() const { return ___m_DefaultTableReference_0; }
inline TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 * get_address_of_m_DefaultTableReference_0() { return &___m_DefaultTableReference_0; }
inline void set_m_DefaultTableReference_0(TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 value)
{
___m_DefaultTableReference_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_DefaultTableReference_0))->___m_TableCollectionName_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_UseFallback_1() { return static_cast<int32_t>(offsetof(LocalizedDatabase_2_tF70FB0669DC34BDF40ABB121590FEDCC410877E1, ___m_UseFallback_1)); }
inline bool get_m_UseFallback_1() const { return ___m_UseFallback_1; }
inline bool* get_address_of_m_UseFallback_1() { return &___m_UseFallback_1; }
inline void set_m_UseFallback_1(bool value)
{
___m_UseFallback_1 = value;
}
inline static int32_t get_offset_of_m_PreloadOperationHandle_2() { return static_cast<int32_t>(offsetof(LocalizedDatabase_2_tF70FB0669DC34BDF40ABB121590FEDCC410877E1, ___m_PreloadOperationHandle_2)); }
inline Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C get_m_PreloadOperationHandle_2() const { return ___m_PreloadOperationHandle_2; }
inline Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C * get_address_of_m_PreloadOperationHandle_2() { return &___m_PreloadOperationHandle_2; }
inline void set_m_PreloadOperationHandle_2(Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C value)
{
___m_PreloadOperationHandle_2 = value;
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_PreloadOperationHandle_2))->___value_0))->___m_InternalOp_1), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_PreloadOperationHandle_2))->___value_0))->___m_LocationName_3), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_ReleaseNextFrame_3() { return static_cast<int32_t>(offsetof(LocalizedDatabase_2_tF70FB0669DC34BDF40ABB121590FEDCC410877E1, ___m_ReleaseNextFrame_3)); }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B * get_m_ReleaseNextFrame_3() const { return ___m_ReleaseNextFrame_3; }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B ** get_address_of_m_ReleaseNextFrame_3() { return &___m_ReleaseNextFrame_3; }
inline void set_m_ReleaseNextFrame_3(Action_1_t6634F94209C51241AB52BDC921720558A925806B * value)
{
___m_ReleaseNextFrame_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ReleaseNextFrame_3), (void*)value);
}
inline static int32_t get_offset_of_U3CTableOperationsU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(LocalizedDatabase_2_tF70FB0669DC34BDF40ABB121590FEDCC410877E1, ___U3CTableOperationsU3Ek__BackingField_5)); }
inline Dictionary_2_t99DF33284CCE9AFDAE3D5CE26E6148A865FAC89F * get_U3CTableOperationsU3Ek__BackingField_5() const { return ___U3CTableOperationsU3Ek__BackingField_5; }
inline Dictionary_2_t99DF33284CCE9AFDAE3D5CE26E6148A865FAC89F ** get_address_of_U3CTableOperationsU3Ek__BackingField_5() { return &___U3CTableOperationsU3Ek__BackingField_5; }
inline void set_U3CTableOperationsU3Ek__BackingField_5(Dictionary_2_t99DF33284CCE9AFDAE3D5CE26E6148A865FAC89F * value)
{
___U3CTableOperationsU3Ek__BackingField_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CTableOperationsU3Ek__BackingField_5), (void*)value);
}
inline static int32_t get_offset_of_U3CSharedTableDataOperationsU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(LocalizedDatabase_2_tF70FB0669DC34BDF40ABB121590FEDCC410877E1, ___U3CSharedTableDataOperationsU3Ek__BackingField_6)); }
inline Dictionary_2_t3C60E69626316823335920D40F0665169998744C * get_U3CSharedTableDataOperationsU3Ek__BackingField_6() const { return ___U3CSharedTableDataOperationsU3Ek__BackingField_6; }
inline Dictionary_2_t3C60E69626316823335920D40F0665169998744C ** get_address_of_U3CSharedTableDataOperationsU3Ek__BackingField_6() { return &___U3CSharedTableDataOperationsU3Ek__BackingField_6; }
inline void set_U3CSharedTableDataOperationsU3Ek__BackingField_6(Dictionary_2_t3C60E69626316823335920D40F0665169998744C * value)
{
___U3CSharedTableDataOperationsU3Ek__BackingField_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CSharedTableDataOperationsU3Ek__BackingField_6), (void*)value);
}
};
struct LocalizedDatabase_2_tF70FB0669DC34BDF40ABB121590FEDCC410877E1_StaticFields
{
public:
// UnityEngine.Localization.LocaleIdentifier UnityEngine.Localization.Settings.LocalizedDatabase`2::k_SelectedLocaleId
LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF ___k_SelectedLocaleId_4;
public:
inline static int32_t get_offset_of_k_SelectedLocaleId_4() { return static_cast<int32_t>(offsetof(LocalizedDatabase_2_tF70FB0669DC34BDF40ABB121590FEDCC410877E1_StaticFields, ___k_SelectedLocaleId_4)); }
inline LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF get_k_SelectedLocaleId_4() const { return ___k_SelectedLocaleId_4; }
inline LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF * get_address_of_k_SelectedLocaleId_4() { return &___k_SelectedLocaleId_4; }
inline void set_k_SelectedLocaleId_4(LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF value)
{
___k_SelectedLocaleId_4 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___k_SelectedLocaleId_4))->___m_Code_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___k_SelectedLocaleId_4))->___m_CultureInfo_1), (void*)NULL);
#endif
}
};
// UnityEngine.Localization.Settings.LocalizedDatabase`2<UnityEngine.Localization.Tables.StringTable,UnityEngine.Localization.Tables.StringTableEntry>
struct LocalizedDatabase_2_tA4E371A906BA0D2E94DF53F3A7EAF6EE7C205907 : public RuntimeObject
{
public:
// UnityEngine.Localization.Tables.TableReference UnityEngine.Localization.Settings.LocalizedDatabase`2::m_DefaultTableReference
TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 ___m_DefaultTableReference_0;
// System.Boolean UnityEngine.Localization.Settings.LocalizedDatabase`2::m_UseFallback
bool ___m_UseFallback_1;
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.Localization.Settings.LocalizedDatabase`2::m_PreloadOperationHandle
Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C ___m_PreloadOperationHandle_2;
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.Localization.Settings.LocalizedDatabase`2::m_ReleaseNextFrame
Action_1_t6634F94209C51241AB52BDC921720558A925806B * ___m_ReleaseNextFrame_3;
// System.Collections.Generic.Dictionary`2<System.ValueTuple`2<UnityEngine.Localization.LocaleIdentifier,System.String>,UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<TTable>> UnityEngine.Localization.Settings.LocalizedDatabase`2::<TableOperations>k__BackingField
Dictionary_2_tBADDE26262033192DE0D1697922E59FB2A666841 * ___U3CTableOperationsU3Ek__BackingField_5;
// System.Collections.Generic.Dictionary`2<System.Guid,UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Localization.Tables.SharedTableData>> UnityEngine.Localization.Settings.LocalizedDatabase`2::<SharedTableDataOperations>k__BackingField
Dictionary_2_t3C60E69626316823335920D40F0665169998744C * ___U3CSharedTableDataOperationsU3Ek__BackingField_6;
public:
inline static int32_t get_offset_of_m_DefaultTableReference_0() { return static_cast<int32_t>(offsetof(LocalizedDatabase_2_tA4E371A906BA0D2E94DF53F3A7EAF6EE7C205907, ___m_DefaultTableReference_0)); }
inline TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 get_m_DefaultTableReference_0() const { return ___m_DefaultTableReference_0; }
inline TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 * get_address_of_m_DefaultTableReference_0() { return &___m_DefaultTableReference_0; }
inline void set_m_DefaultTableReference_0(TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 value)
{
___m_DefaultTableReference_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_DefaultTableReference_0))->___m_TableCollectionName_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_UseFallback_1() { return static_cast<int32_t>(offsetof(LocalizedDatabase_2_tA4E371A906BA0D2E94DF53F3A7EAF6EE7C205907, ___m_UseFallback_1)); }
inline bool get_m_UseFallback_1() const { return ___m_UseFallback_1; }
inline bool* get_address_of_m_UseFallback_1() { return &___m_UseFallback_1; }
inline void set_m_UseFallback_1(bool value)
{
___m_UseFallback_1 = value;
}
inline static int32_t get_offset_of_m_PreloadOperationHandle_2() { return static_cast<int32_t>(offsetof(LocalizedDatabase_2_tA4E371A906BA0D2E94DF53F3A7EAF6EE7C205907, ___m_PreloadOperationHandle_2)); }
inline Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C get_m_PreloadOperationHandle_2() const { return ___m_PreloadOperationHandle_2; }
inline Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C * get_address_of_m_PreloadOperationHandle_2() { return &___m_PreloadOperationHandle_2; }
inline void set_m_PreloadOperationHandle_2(Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C value)
{
___m_PreloadOperationHandle_2 = value;
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_PreloadOperationHandle_2))->___value_0))->___m_InternalOp_1), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_PreloadOperationHandle_2))->___value_0))->___m_LocationName_3), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_ReleaseNextFrame_3() { return static_cast<int32_t>(offsetof(LocalizedDatabase_2_tA4E371A906BA0D2E94DF53F3A7EAF6EE7C205907, ___m_ReleaseNextFrame_3)); }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B * get_m_ReleaseNextFrame_3() const { return ___m_ReleaseNextFrame_3; }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B ** get_address_of_m_ReleaseNextFrame_3() { return &___m_ReleaseNextFrame_3; }
inline void set_m_ReleaseNextFrame_3(Action_1_t6634F94209C51241AB52BDC921720558A925806B * value)
{
___m_ReleaseNextFrame_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ReleaseNextFrame_3), (void*)value);
}
inline static int32_t get_offset_of_U3CTableOperationsU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(LocalizedDatabase_2_tA4E371A906BA0D2E94DF53F3A7EAF6EE7C205907, ___U3CTableOperationsU3Ek__BackingField_5)); }
inline Dictionary_2_tBADDE26262033192DE0D1697922E59FB2A666841 * get_U3CTableOperationsU3Ek__BackingField_5() const { return ___U3CTableOperationsU3Ek__BackingField_5; }
inline Dictionary_2_tBADDE26262033192DE0D1697922E59FB2A666841 ** get_address_of_U3CTableOperationsU3Ek__BackingField_5() { return &___U3CTableOperationsU3Ek__BackingField_5; }
inline void set_U3CTableOperationsU3Ek__BackingField_5(Dictionary_2_tBADDE26262033192DE0D1697922E59FB2A666841 * value)
{
___U3CTableOperationsU3Ek__BackingField_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CTableOperationsU3Ek__BackingField_5), (void*)value);
}
inline static int32_t get_offset_of_U3CSharedTableDataOperationsU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(LocalizedDatabase_2_tA4E371A906BA0D2E94DF53F3A7EAF6EE7C205907, ___U3CSharedTableDataOperationsU3Ek__BackingField_6)); }
inline Dictionary_2_t3C60E69626316823335920D40F0665169998744C * get_U3CSharedTableDataOperationsU3Ek__BackingField_6() const { return ___U3CSharedTableDataOperationsU3Ek__BackingField_6; }
inline Dictionary_2_t3C60E69626316823335920D40F0665169998744C ** get_address_of_U3CSharedTableDataOperationsU3Ek__BackingField_6() { return &___U3CSharedTableDataOperationsU3Ek__BackingField_6; }
inline void set_U3CSharedTableDataOperationsU3Ek__BackingField_6(Dictionary_2_t3C60E69626316823335920D40F0665169998744C * value)
{
___U3CSharedTableDataOperationsU3Ek__BackingField_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CSharedTableDataOperationsU3Ek__BackingField_6), (void*)value);
}
};
struct LocalizedDatabase_2_tA4E371A906BA0D2E94DF53F3A7EAF6EE7C205907_StaticFields
{
public:
// UnityEngine.Localization.LocaleIdentifier UnityEngine.Localization.Settings.LocalizedDatabase`2::k_SelectedLocaleId
LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF ___k_SelectedLocaleId_4;
public:
inline static int32_t get_offset_of_k_SelectedLocaleId_4() { return static_cast<int32_t>(offsetof(LocalizedDatabase_2_tA4E371A906BA0D2E94DF53F3A7EAF6EE7C205907_StaticFields, ___k_SelectedLocaleId_4)); }
inline LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF get_k_SelectedLocaleId_4() const { return ___k_SelectedLocaleId_4; }
inline LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF * get_address_of_k_SelectedLocaleId_4() { return &___k_SelectedLocaleId_4; }
inline void set_k_SelectedLocaleId_4(LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF value)
{
___k_SelectedLocaleId_4 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___k_SelectedLocaleId_4))->___m_Code_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___k_SelectedLocaleId_4))->___m_CultureInfo_1), (void*)NULL);
#endif
}
};
// UnityEngine.Localization.LocalizedTable`2<UnityEngine.Localization.Tables.AssetTable,UnityEngine.Localization.Tables.AssetTableEntry>
struct LocalizedTable_2_t0EF8BC38B60F608A2A42F09141B8DBAEC941E523 : public RuntimeObject
{
public:
// UnityEngine.Localization.Tables.TableReference UnityEngine.Localization.LocalizedTable`2::m_TableReference
TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 ___m_TableReference_0;
// UnityEngine.Localization.LocalizedTable`2/ChangeHandler<TTable,TEntry> UnityEngine.Localization.LocalizedTable`2::m_ChangeHandler
ChangeHandler_tD79FE213EE8CB9267DFB6091E810391001665008 * ___m_ChangeHandler_1;
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<TTable>> UnityEngine.Localization.LocalizedTable`2::m_CurrentLoadingOperation
Nullable_1_t4D4F3097C69429EC5907560AE14BC3687218B3B5 ___m_CurrentLoadingOperation_2;
public:
inline static int32_t get_offset_of_m_TableReference_0() { return static_cast<int32_t>(offsetof(LocalizedTable_2_t0EF8BC38B60F608A2A42F09141B8DBAEC941E523, ___m_TableReference_0)); }
inline TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 get_m_TableReference_0() const { return ___m_TableReference_0; }
inline TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 * get_address_of_m_TableReference_0() { return &___m_TableReference_0; }
inline void set_m_TableReference_0(TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 value)
{
___m_TableReference_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_TableReference_0))->___m_TableCollectionName_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_ChangeHandler_1() { return static_cast<int32_t>(offsetof(LocalizedTable_2_t0EF8BC38B60F608A2A42F09141B8DBAEC941E523, ___m_ChangeHandler_1)); }
inline ChangeHandler_tD79FE213EE8CB9267DFB6091E810391001665008 * get_m_ChangeHandler_1() const { return ___m_ChangeHandler_1; }
inline ChangeHandler_tD79FE213EE8CB9267DFB6091E810391001665008 ** get_address_of_m_ChangeHandler_1() { return &___m_ChangeHandler_1; }
inline void set_m_ChangeHandler_1(ChangeHandler_tD79FE213EE8CB9267DFB6091E810391001665008 * value)
{
___m_ChangeHandler_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ChangeHandler_1), (void*)value);
}
inline static int32_t get_offset_of_m_CurrentLoadingOperation_2() { return static_cast<int32_t>(offsetof(LocalizedTable_2_t0EF8BC38B60F608A2A42F09141B8DBAEC941E523, ___m_CurrentLoadingOperation_2)); }
inline Nullable_1_t4D4F3097C69429EC5907560AE14BC3687218B3B5 get_m_CurrentLoadingOperation_2() const { return ___m_CurrentLoadingOperation_2; }
inline Nullable_1_t4D4F3097C69429EC5907560AE14BC3687218B3B5 * get_address_of_m_CurrentLoadingOperation_2() { return &___m_CurrentLoadingOperation_2; }
inline void set_m_CurrentLoadingOperation_2(Nullable_1_t4D4F3097C69429EC5907560AE14BC3687218B3B5 value)
{
___m_CurrentLoadingOperation_2 = value;
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_CurrentLoadingOperation_2))->___value_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_CurrentLoadingOperation_2))->___value_0))->___m_LocationName_2), (void*)NULL);
#endif
}
};
// UnityEngine.Localization.LocalizedTable`2<UnityEngine.Localization.Tables.StringTable,UnityEngine.Localization.Tables.StringTableEntry>
struct LocalizedTable_2_tEDFBF9E94D474B52EF210D9E32D241B2A0427557 : public RuntimeObject
{
public:
// UnityEngine.Localization.Tables.TableReference UnityEngine.Localization.LocalizedTable`2::m_TableReference
TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 ___m_TableReference_0;
// UnityEngine.Localization.LocalizedTable`2/ChangeHandler<TTable,TEntry> UnityEngine.Localization.LocalizedTable`2::m_ChangeHandler
ChangeHandler_t0F768FD758AACC015A6A28F6BB4D7EE61ACEECFB * ___m_ChangeHandler_1;
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<TTable>> UnityEngine.Localization.LocalizedTable`2::m_CurrentLoadingOperation
Nullable_1_t2DE0EA77CCE08575CEB7573FE46761FEFA3097C6 ___m_CurrentLoadingOperation_2;
public:
inline static int32_t get_offset_of_m_TableReference_0() { return static_cast<int32_t>(offsetof(LocalizedTable_2_tEDFBF9E94D474B52EF210D9E32D241B2A0427557, ___m_TableReference_0)); }
inline TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 get_m_TableReference_0() const { return ___m_TableReference_0; }
inline TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 * get_address_of_m_TableReference_0() { return &___m_TableReference_0; }
inline void set_m_TableReference_0(TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 value)
{
___m_TableReference_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_TableReference_0))->___m_TableCollectionName_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_ChangeHandler_1() { return static_cast<int32_t>(offsetof(LocalizedTable_2_tEDFBF9E94D474B52EF210D9E32D241B2A0427557, ___m_ChangeHandler_1)); }
inline ChangeHandler_t0F768FD758AACC015A6A28F6BB4D7EE61ACEECFB * get_m_ChangeHandler_1() const { return ___m_ChangeHandler_1; }
inline ChangeHandler_t0F768FD758AACC015A6A28F6BB4D7EE61ACEECFB ** get_address_of_m_ChangeHandler_1() { return &___m_ChangeHandler_1; }
inline void set_m_ChangeHandler_1(ChangeHandler_t0F768FD758AACC015A6A28F6BB4D7EE61ACEECFB * value)
{
___m_ChangeHandler_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ChangeHandler_1), (void*)value);
}
inline static int32_t get_offset_of_m_CurrentLoadingOperation_2() { return static_cast<int32_t>(offsetof(LocalizedTable_2_tEDFBF9E94D474B52EF210D9E32D241B2A0427557, ___m_CurrentLoadingOperation_2)); }
inline Nullable_1_t2DE0EA77CCE08575CEB7573FE46761FEFA3097C6 get_m_CurrentLoadingOperation_2() const { return ___m_CurrentLoadingOperation_2; }
inline Nullable_1_t2DE0EA77CCE08575CEB7573FE46761FEFA3097C6 * get_address_of_m_CurrentLoadingOperation_2() { return &___m_CurrentLoadingOperation_2; }
inline void set_m_CurrentLoadingOperation_2(Nullable_1_t2DE0EA77CCE08575CEB7573FE46761FEFA3097C6 value)
{
___m_CurrentLoadingOperation_2 = value;
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_CurrentLoadingOperation_2))->___value_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_CurrentLoadingOperation_2))->___value_0))->___m_LocationName_2), (void*)NULL);
#endif
}
};
// UnityEngine.Localization.WaitForCurrentOperationAsyncOperationBase`1<UnityEngine.Localization.Settings.LocalizationSettings>
struct WaitForCurrentOperationAsyncOperationBase_1_t9FF63EAD63E01C88493D73773F578A0B02E5F3AF : public AsyncOperationBase_1_t3FBB927EFE4EDA8C786EABF4E7C15290C8976D8B
{
public:
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.Localization.WaitForCurrentOperationAsyncOperationBase`1::<CurrentOperation>k__BackingField
Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C ___U3CCurrentOperationU3Ek__BackingField_16;
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.Localization.WaitForCurrentOperationAsyncOperationBase`1::<Dependency>k__BackingField
Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C ___U3CDependencyU3Ek__BackingField_17;
public:
inline static int32_t get_offset_of_U3CCurrentOperationU3Ek__BackingField_16() { return static_cast<int32_t>(offsetof(WaitForCurrentOperationAsyncOperationBase_1_t9FF63EAD63E01C88493D73773F578A0B02E5F3AF, ___U3CCurrentOperationU3Ek__BackingField_16)); }
inline Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C get_U3CCurrentOperationU3Ek__BackingField_16() const { return ___U3CCurrentOperationU3Ek__BackingField_16; }
inline Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C * get_address_of_U3CCurrentOperationU3Ek__BackingField_16() { return &___U3CCurrentOperationU3Ek__BackingField_16; }
inline void set_U3CCurrentOperationU3Ek__BackingField_16(Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C value)
{
___U3CCurrentOperationU3Ek__BackingField_16 = value;
Il2CppCodeGenWriteBarrier((void**)&((&(((&___U3CCurrentOperationU3Ek__BackingField_16))->___value_0))->___m_InternalOp_1), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___U3CCurrentOperationU3Ek__BackingField_16))->___value_0))->___m_LocationName_3), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_U3CDependencyU3Ek__BackingField_17() { return static_cast<int32_t>(offsetof(WaitForCurrentOperationAsyncOperationBase_1_t9FF63EAD63E01C88493D73773F578A0B02E5F3AF, ___U3CDependencyU3Ek__BackingField_17)); }
inline Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C get_U3CDependencyU3Ek__BackingField_17() const { return ___U3CDependencyU3Ek__BackingField_17; }
inline Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C * get_address_of_U3CDependencyU3Ek__BackingField_17() { return &___U3CDependencyU3Ek__BackingField_17; }
inline void set_U3CDependencyU3Ek__BackingField_17(Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C value)
{
___U3CDependencyU3Ek__BackingField_17 = value;
Il2CppCodeGenWriteBarrier((void**)&((&(((&___U3CDependencyU3Ek__BackingField_17))->___value_0))->___m_InternalOp_1), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___U3CDependencyU3Ek__BackingField_17))->___value_0))->___m_LocationName_3), (void*)NULL);
#endif
}
};
// UnityEngine.Localization.WaitForCurrentOperationAsyncOperationBase`1<System.String>
struct WaitForCurrentOperationAsyncOperationBase_1_tCEC3EF9ADF1B443C1673F6958B02767E5E3B0733 : public AsyncOperationBase_1_tAC7E097BF97B3B9F639444C52B31F7E76FDFDB34
{
public:
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.Localization.WaitForCurrentOperationAsyncOperationBase`1::<CurrentOperation>k__BackingField
Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C ___U3CCurrentOperationU3Ek__BackingField_16;
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.Localization.WaitForCurrentOperationAsyncOperationBase`1::<Dependency>k__BackingField
Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C ___U3CDependencyU3Ek__BackingField_17;
public:
inline static int32_t get_offset_of_U3CCurrentOperationU3Ek__BackingField_16() { return static_cast<int32_t>(offsetof(WaitForCurrentOperationAsyncOperationBase_1_tCEC3EF9ADF1B443C1673F6958B02767E5E3B0733, ___U3CCurrentOperationU3Ek__BackingField_16)); }
inline Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C get_U3CCurrentOperationU3Ek__BackingField_16() const { return ___U3CCurrentOperationU3Ek__BackingField_16; }
inline Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C * get_address_of_U3CCurrentOperationU3Ek__BackingField_16() { return &___U3CCurrentOperationU3Ek__BackingField_16; }
inline void set_U3CCurrentOperationU3Ek__BackingField_16(Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C value)
{
___U3CCurrentOperationU3Ek__BackingField_16 = value;
Il2CppCodeGenWriteBarrier((void**)&((&(((&___U3CCurrentOperationU3Ek__BackingField_16))->___value_0))->___m_InternalOp_1), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___U3CCurrentOperationU3Ek__BackingField_16))->___value_0))->___m_LocationName_3), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_U3CDependencyU3Ek__BackingField_17() { return static_cast<int32_t>(offsetof(WaitForCurrentOperationAsyncOperationBase_1_tCEC3EF9ADF1B443C1673F6958B02767E5E3B0733, ___U3CDependencyU3Ek__BackingField_17)); }
inline Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C get_U3CDependencyU3Ek__BackingField_17() const { return ___U3CDependencyU3Ek__BackingField_17; }
inline Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C * get_address_of_U3CDependencyU3Ek__BackingField_17() { return &___U3CDependencyU3Ek__BackingField_17; }
inline void set_U3CDependencyU3Ek__BackingField_17(Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C value)
{
___U3CDependencyU3Ek__BackingField_17 = value;
Il2CppCodeGenWriteBarrier((void**)&((&(((&___U3CDependencyU3Ek__BackingField_17))->___value_0))->___m_InternalOp_1), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___U3CDependencyU3Ek__BackingField_17))->___value_0))->___m_LocationName_3), (void*)NULL);
#endif
}
};
// UnityEngine.XR.ARFoundation.ARBackgroundRendererFeature
struct ARBackgroundRendererFeature_t8D8C6823D37136D75AC065E3C30E14CE9FC72E9D : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
public:
};
// UnityEngine.XR.ARFoundation.ARCameraFrameEventArgs
struct ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42
{
public:
// UnityEngine.XR.ARFoundation.ARLightEstimationData UnityEngine.XR.ARFoundation.ARCameraFrameEventArgs::<lightEstimation>k__BackingField
ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423 ___U3ClightEstimationU3Ek__BackingField_0;
// System.Nullable`1<System.Int64> UnityEngine.XR.ARFoundation.ARCameraFrameEventArgs::<timestampNs>k__BackingField
Nullable_1_t340361C8134256120F5769AC5A3F743DB6C11D1F ___U3CtimestampNsU3Ek__BackingField_1;
// System.Nullable`1<UnityEngine.Matrix4x4> UnityEngine.XR.ARFoundation.ARCameraFrameEventArgs::<projectionMatrix>k__BackingField
Nullable_1_tBC3CF93247D9ED5D94966DBCDFCDE51AF9779E8E ___U3CprojectionMatrixU3Ek__BackingField_2;
// System.Nullable`1<UnityEngine.Matrix4x4> UnityEngine.XR.ARFoundation.ARCameraFrameEventArgs::<displayMatrix>k__BackingField
Nullable_1_tBC3CF93247D9ED5D94966DBCDFCDE51AF9779E8E ___U3CdisplayMatrixU3Ek__BackingField_3;
// System.Collections.Generic.List`1<UnityEngine.Texture2D> UnityEngine.XR.ARFoundation.ARCameraFrameEventArgs::<textures>k__BackingField
List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7 * ___U3CtexturesU3Ek__BackingField_4;
// System.Collections.Generic.List`1<System.Int32> UnityEngine.XR.ARFoundation.ARCameraFrameEventArgs::<propertyNameIds>k__BackingField
List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * ___U3CpropertyNameIdsU3Ek__BackingField_5;
// System.Nullable`1<System.Double> UnityEngine.XR.ARFoundation.ARCameraFrameEventArgs::<exposureDuration>k__BackingField
Nullable_1_t75730434CAD4E48A4EE117588CFD586FFBCAC209 ___U3CexposureDurationU3Ek__BackingField_6;
// System.Nullable`1<System.Single> UnityEngine.XR.ARFoundation.ARCameraFrameEventArgs::<exposureOffset>k__BackingField
Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A ___U3CexposureOffsetU3Ek__BackingField_7;
// System.Collections.Generic.List`1<System.String> UnityEngine.XR.ARFoundation.ARCameraFrameEventArgs::<enabledMaterialKeywords>k__BackingField
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___U3CenabledMaterialKeywordsU3Ek__BackingField_8;
// System.Collections.Generic.List`1<System.String> UnityEngine.XR.ARFoundation.ARCameraFrameEventArgs::<disabledMaterialKeywords>k__BackingField
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___U3CdisabledMaterialKeywordsU3Ek__BackingField_9;
// UnityEngine.Texture UnityEngine.XR.ARFoundation.ARCameraFrameEventArgs::<cameraGrainTexture>k__BackingField
Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * ___U3CcameraGrainTextureU3Ek__BackingField_10;
// System.Single UnityEngine.XR.ARFoundation.ARCameraFrameEventArgs::<noiseIntensity>k__BackingField
float ___U3CnoiseIntensityU3Ek__BackingField_11;
public:
inline static int32_t get_offset_of_U3ClightEstimationU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42, ___U3ClightEstimationU3Ek__BackingField_0)); }
inline ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423 get_U3ClightEstimationU3Ek__BackingField_0() const { return ___U3ClightEstimationU3Ek__BackingField_0; }
inline ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423 * get_address_of_U3ClightEstimationU3Ek__BackingField_0() { return &___U3ClightEstimationU3Ek__BackingField_0; }
inline void set_U3ClightEstimationU3Ek__BackingField_0(ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423 value)
{
___U3ClightEstimationU3Ek__BackingField_0 = value;
}
inline static int32_t get_offset_of_U3CtimestampNsU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42, ___U3CtimestampNsU3Ek__BackingField_1)); }
inline Nullable_1_t340361C8134256120F5769AC5A3F743DB6C11D1F get_U3CtimestampNsU3Ek__BackingField_1() const { return ___U3CtimestampNsU3Ek__BackingField_1; }
inline Nullable_1_t340361C8134256120F5769AC5A3F743DB6C11D1F * get_address_of_U3CtimestampNsU3Ek__BackingField_1() { return &___U3CtimestampNsU3Ek__BackingField_1; }
inline void set_U3CtimestampNsU3Ek__BackingField_1(Nullable_1_t340361C8134256120F5769AC5A3F743DB6C11D1F value)
{
___U3CtimestampNsU3Ek__BackingField_1 = value;
}
inline static int32_t get_offset_of_U3CprojectionMatrixU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42, ___U3CprojectionMatrixU3Ek__BackingField_2)); }
inline Nullable_1_tBC3CF93247D9ED5D94966DBCDFCDE51AF9779E8E get_U3CprojectionMatrixU3Ek__BackingField_2() const { return ___U3CprojectionMatrixU3Ek__BackingField_2; }
inline Nullable_1_tBC3CF93247D9ED5D94966DBCDFCDE51AF9779E8E * get_address_of_U3CprojectionMatrixU3Ek__BackingField_2() { return &___U3CprojectionMatrixU3Ek__BackingField_2; }
inline void set_U3CprojectionMatrixU3Ek__BackingField_2(Nullable_1_tBC3CF93247D9ED5D94966DBCDFCDE51AF9779E8E value)
{
___U3CprojectionMatrixU3Ek__BackingField_2 = value;
}
inline static int32_t get_offset_of_U3CdisplayMatrixU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42, ___U3CdisplayMatrixU3Ek__BackingField_3)); }
inline Nullable_1_tBC3CF93247D9ED5D94966DBCDFCDE51AF9779E8E get_U3CdisplayMatrixU3Ek__BackingField_3() const { return ___U3CdisplayMatrixU3Ek__BackingField_3; }
inline Nullable_1_tBC3CF93247D9ED5D94966DBCDFCDE51AF9779E8E * get_address_of_U3CdisplayMatrixU3Ek__BackingField_3() { return &___U3CdisplayMatrixU3Ek__BackingField_3; }
inline void set_U3CdisplayMatrixU3Ek__BackingField_3(Nullable_1_tBC3CF93247D9ED5D94966DBCDFCDE51AF9779E8E value)
{
___U3CdisplayMatrixU3Ek__BackingField_3 = value;
}
inline static int32_t get_offset_of_U3CtexturesU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42, ___U3CtexturesU3Ek__BackingField_4)); }
inline List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7 * get_U3CtexturesU3Ek__BackingField_4() const { return ___U3CtexturesU3Ek__BackingField_4; }
inline List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7 ** get_address_of_U3CtexturesU3Ek__BackingField_4() { return &___U3CtexturesU3Ek__BackingField_4; }
inline void set_U3CtexturesU3Ek__BackingField_4(List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7 * value)
{
___U3CtexturesU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CtexturesU3Ek__BackingField_4), (void*)value);
}
inline static int32_t get_offset_of_U3CpropertyNameIdsU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42, ___U3CpropertyNameIdsU3Ek__BackingField_5)); }
inline List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * get_U3CpropertyNameIdsU3Ek__BackingField_5() const { return ___U3CpropertyNameIdsU3Ek__BackingField_5; }
inline List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 ** get_address_of_U3CpropertyNameIdsU3Ek__BackingField_5() { return &___U3CpropertyNameIdsU3Ek__BackingField_5; }
inline void set_U3CpropertyNameIdsU3Ek__BackingField_5(List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * value)
{
___U3CpropertyNameIdsU3Ek__BackingField_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CpropertyNameIdsU3Ek__BackingField_5), (void*)value);
}
inline static int32_t get_offset_of_U3CexposureDurationU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42, ___U3CexposureDurationU3Ek__BackingField_6)); }
inline Nullable_1_t75730434CAD4E48A4EE117588CFD586FFBCAC209 get_U3CexposureDurationU3Ek__BackingField_6() const { return ___U3CexposureDurationU3Ek__BackingField_6; }
inline Nullable_1_t75730434CAD4E48A4EE117588CFD586FFBCAC209 * get_address_of_U3CexposureDurationU3Ek__BackingField_6() { return &___U3CexposureDurationU3Ek__BackingField_6; }
inline void set_U3CexposureDurationU3Ek__BackingField_6(Nullable_1_t75730434CAD4E48A4EE117588CFD586FFBCAC209 value)
{
___U3CexposureDurationU3Ek__BackingField_6 = value;
}
inline static int32_t get_offset_of_U3CexposureOffsetU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42, ___U3CexposureOffsetU3Ek__BackingField_7)); }
inline Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A get_U3CexposureOffsetU3Ek__BackingField_7() const { return ___U3CexposureOffsetU3Ek__BackingField_7; }
inline Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A * get_address_of_U3CexposureOffsetU3Ek__BackingField_7() { return &___U3CexposureOffsetU3Ek__BackingField_7; }
inline void set_U3CexposureOffsetU3Ek__BackingField_7(Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A value)
{
___U3CexposureOffsetU3Ek__BackingField_7 = value;
}
inline static int32_t get_offset_of_U3CenabledMaterialKeywordsU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42, ___U3CenabledMaterialKeywordsU3Ek__BackingField_8)); }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * get_U3CenabledMaterialKeywordsU3Ek__BackingField_8() const { return ___U3CenabledMaterialKeywordsU3Ek__BackingField_8; }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 ** get_address_of_U3CenabledMaterialKeywordsU3Ek__BackingField_8() { return &___U3CenabledMaterialKeywordsU3Ek__BackingField_8; }
inline void set_U3CenabledMaterialKeywordsU3Ek__BackingField_8(List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * value)
{
___U3CenabledMaterialKeywordsU3Ek__BackingField_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CenabledMaterialKeywordsU3Ek__BackingField_8), (void*)value);
}
inline static int32_t get_offset_of_U3CdisabledMaterialKeywordsU3Ek__BackingField_9() { return static_cast<int32_t>(offsetof(ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42, ___U3CdisabledMaterialKeywordsU3Ek__BackingField_9)); }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * get_U3CdisabledMaterialKeywordsU3Ek__BackingField_9() const { return ___U3CdisabledMaterialKeywordsU3Ek__BackingField_9; }
inline List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 ** get_address_of_U3CdisabledMaterialKeywordsU3Ek__BackingField_9() { return &___U3CdisabledMaterialKeywordsU3Ek__BackingField_9; }
inline void set_U3CdisabledMaterialKeywordsU3Ek__BackingField_9(List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * value)
{
___U3CdisabledMaterialKeywordsU3Ek__BackingField_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CdisabledMaterialKeywordsU3Ek__BackingField_9), (void*)value);
}
inline static int32_t get_offset_of_U3CcameraGrainTextureU3Ek__BackingField_10() { return static_cast<int32_t>(offsetof(ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42, ___U3CcameraGrainTextureU3Ek__BackingField_10)); }
inline Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * get_U3CcameraGrainTextureU3Ek__BackingField_10() const { return ___U3CcameraGrainTextureU3Ek__BackingField_10; }
inline Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE ** get_address_of_U3CcameraGrainTextureU3Ek__BackingField_10() { return &___U3CcameraGrainTextureU3Ek__BackingField_10; }
inline void set_U3CcameraGrainTextureU3Ek__BackingField_10(Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * value)
{
___U3CcameraGrainTextureU3Ek__BackingField_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CcameraGrainTextureU3Ek__BackingField_10), (void*)value);
}
inline static int32_t get_offset_of_U3CnoiseIntensityU3Ek__BackingField_11() { return static_cast<int32_t>(offsetof(ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42, ___U3CnoiseIntensityU3Ek__BackingField_11)); }
inline float get_U3CnoiseIntensityU3Ek__BackingField_11() const { return ___U3CnoiseIntensityU3Ek__BackingField_11; }
inline float* get_address_of_U3CnoiseIntensityU3Ek__BackingField_11() { return &___U3CnoiseIntensityU3Ek__BackingField_11; }
inline void set_U3CnoiseIntensityU3Ek__BackingField_11(float value)
{
___U3CnoiseIntensityU3Ek__BackingField_11 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARFoundation.ARCameraFrameEventArgs
struct ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42_marshaled_pinvoke
{
ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423_marshaled_pinvoke ___U3ClightEstimationU3Ek__BackingField_0;
Nullable_1_t340361C8134256120F5769AC5A3F743DB6C11D1F ___U3CtimestampNsU3Ek__BackingField_1;
Nullable_1_tBC3CF93247D9ED5D94966DBCDFCDE51AF9779E8E ___U3CprojectionMatrixU3Ek__BackingField_2;
Nullable_1_tBC3CF93247D9ED5D94966DBCDFCDE51AF9779E8E ___U3CdisplayMatrixU3Ek__BackingField_3;
List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7 * ___U3CtexturesU3Ek__BackingField_4;
List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * ___U3CpropertyNameIdsU3Ek__BackingField_5;
Nullable_1_t75730434CAD4E48A4EE117588CFD586FFBCAC209 ___U3CexposureDurationU3Ek__BackingField_6;
Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A ___U3CexposureOffsetU3Ek__BackingField_7;
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___U3CenabledMaterialKeywordsU3Ek__BackingField_8;
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___U3CdisabledMaterialKeywordsU3Ek__BackingField_9;
Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * ___U3CcameraGrainTextureU3Ek__BackingField_10;
float ___U3CnoiseIntensityU3Ek__BackingField_11;
};
// Native definition for COM marshalling of UnityEngine.XR.ARFoundation.ARCameraFrameEventArgs
struct ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42_marshaled_com
{
ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423_marshaled_com ___U3ClightEstimationU3Ek__BackingField_0;
Nullable_1_t340361C8134256120F5769AC5A3F743DB6C11D1F ___U3CtimestampNsU3Ek__BackingField_1;
Nullable_1_tBC3CF93247D9ED5D94966DBCDFCDE51AF9779E8E ___U3CprojectionMatrixU3Ek__BackingField_2;
Nullable_1_tBC3CF93247D9ED5D94966DBCDFCDE51AF9779E8E ___U3CdisplayMatrixU3Ek__BackingField_3;
List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7 * ___U3CtexturesU3Ek__BackingField_4;
List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * ___U3CpropertyNameIdsU3Ek__BackingField_5;
Nullable_1_t75730434CAD4E48A4EE117588CFD586FFBCAC209 ___U3CexposureDurationU3Ek__BackingField_6;
Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A ___U3CexposureOffsetU3Ek__BackingField_7;
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___U3CenabledMaterialKeywordsU3Ek__BackingField_8;
List_1_t6C9F81EDBF0F4A31A9B0DA372D2EF34BDA3A1AF3 * ___U3CdisabledMaterialKeywordsU3Ek__BackingField_9;
Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * ___U3CcameraGrainTextureU3Ek__BackingField_10;
float ___U3CnoiseIntensityU3Ek__BackingField_11;
};
// UnityEngine.XR.ARFoundation.ARTextureInfo
struct ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355
{
public:
// UnityEngine.XR.ARSubsystems.XRTextureDescriptor UnityEngine.XR.ARFoundation.ARTextureInfo::m_Descriptor
XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57 ___m_Descriptor_1;
// UnityEngine.Texture UnityEngine.XR.ARFoundation.ARTextureInfo::m_Texture
Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * ___m_Texture_2;
public:
inline static int32_t get_offset_of_m_Descriptor_1() { return static_cast<int32_t>(offsetof(ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355, ___m_Descriptor_1)); }
inline XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57 get_m_Descriptor_1() const { return ___m_Descriptor_1; }
inline XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57 * get_address_of_m_Descriptor_1() { return &___m_Descriptor_1; }
inline void set_m_Descriptor_1(XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57 value)
{
___m_Descriptor_1 = value;
}
inline static int32_t get_offset_of_m_Texture_2() { return static_cast<int32_t>(offsetof(ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355, ___m_Texture_2)); }
inline Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * get_m_Texture_2() const { return ___m_Texture_2; }
inline Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE ** get_address_of_m_Texture_2() { return &___m_Texture_2; }
inline void set_m_Texture_2(Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * value)
{
___m_Texture_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Texture_2), (void*)value);
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARFoundation.ARTextureInfo
struct ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355_marshaled_pinvoke
{
XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57 ___m_Descriptor_1;
Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * ___m_Texture_2;
};
// Native definition for COM marshalling of UnityEngine.XR.ARFoundation.ARTextureInfo
struct ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355_marshaled_com
{
XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57 ___m_Descriptor_1;
Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * ___m_Texture_2;
};
// System.Threading.AbandonedMutexException
struct AbandonedMutexException_t992765CD98FBF7A0CFB0A8795116F8F770092242 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
// System.Int32 System.Threading.AbandonedMutexException::m_MutexIndex
int32_t ___m_MutexIndex_17;
// System.Threading.Mutex System.Threading.AbandonedMutexException::m_Mutex
Mutex_tA342933FCB3E3E679E3CD498804DE36CD81801B5 * ___m_Mutex_18;
public:
inline static int32_t get_offset_of_m_MutexIndex_17() { return static_cast<int32_t>(offsetof(AbandonedMutexException_t992765CD98FBF7A0CFB0A8795116F8F770092242, ___m_MutexIndex_17)); }
inline int32_t get_m_MutexIndex_17() const { return ___m_MutexIndex_17; }
inline int32_t* get_address_of_m_MutexIndex_17() { return &___m_MutexIndex_17; }
inline void set_m_MutexIndex_17(int32_t value)
{
___m_MutexIndex_17 = value;
}
inline static int32_t get_offset_of_m_Mutex_18() { return static_cast<int32_t>(offsetof(AbandonedMutexException_t992765CD98FBF7A0CFB0A8795116F8F770092242, ___m_Mutex_18)); }
inline Mutex_tA342933FCB3E3E679E3CD498804DE36CD81801B5 * get_m_Mutex_18() const { return ___m_Mutex_18; }
inline Mutex_tA342933FCB3E3E679E3CD498804DE36CD81801B5 ** get_address_of_m_Mutex_18() { return &___m_Mutex_18; }
inline void set_m_Mutex_18(Mutex_tA342933FCB3E3E679E3CD498804DE36CD81801B5 * value)
{
___m_Mutex_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Mutex_18), (void*)value);
}
};
// UnityEngine.Localization.Pseudo.Accenter
struct Accenter_tE39B52B9C82DCBE55CECBEAE2866E8A5143E5251 : public CharacterSubstitutor_t879E92B833550920277D3849A28C08ABAC66088D
{
public:
public:
};
// System.Action
struct Action_tAF41423D285AE0862865348CF6CE51CD085ABBA6 : public MulticastDelegate_t
{
public:
public:
};
// System.Reflection.AmbiguousMatchException
struct AmbiguousMatchException_t621C519F5B9463AC6D8771EE95D759ED6DE5C27B : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// UnityEngine.AnimatorOverrideController
struct AnimatorOverrideController_t4630AA9761965F735AEB26B9A92D210D6338B2DA : public RuntimeAnimatorController_t6F70D5BE51CCBA99132F444EFFA41439DFE71BAB
{
public:
// UnityEngine.AnimatorOverrideController/OnOverrideControllerDirtyCallback UnityEngine.AnimatorOverrideController::OnOverrideControllerDirty
OnOverrideControllerDirtyCallback_t9E38572D7CF06EEFF943EA68082DAC68AB40476C * ___OnOverrideControllerDirty_4;
public:
inline static int32_t get_offset_of_OnOverrideControllerDirty_4() { return static_cast<int32_t>(offsetof(AnimatorOverrideController_t4630AA9761965F735AEB26B9A92D210D6338B2DA, ___OnOverrideControllerDirty_4)); }
inline OnOverrideControllerDirtyCallback_t9E38572D7CF06EEFF943EA68082DAC68AB40476C * get_OnOverrideControllerDirty_4() const { return ___OnOverrideControllerDirty_4; }
inline OnOverrideControllerDirtyCallback_t9E38572D7CF06EEFF943EA68082DAC68AB40476C ** get_address_of_OnOverrideControllerDirty_4() { return &___OnOverrideControllerDirty_4; }
inline void set_OnOverrideControllerDirty_4(OnOverrideControllerDirtyCallback_t9E38572D7CF06EEFF943EA68082DAC68AB40476C * value)
{
___OnOverrideControllerDirty_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___OnOverrideControllerDirty_4), (void*)value);
}
};
// System.AppDomainUnloadedException
struct AppDomainUnloadedException_t6B36261EB2D2A6F1C85923F6C702DC756B56B074 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.ArgumentException
struct ArgumentException_t505FA8C11E883F2D96C797AD9D396490794DEE00 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
// System.String System.ArgumentException::m_paramName
String_t* ___m_paramName_17;
public:
inline static int32_t get_offset_of_m_paramName_17() { return static_cast<int32_t>(offsetof(ArgumentException_t505FA8C11E883F2D96C797AD9D396490794DEE00, ___m_paramName_17)); }
inline String_t* get_m_paramName_17() const { return ___m_paramName_17; }
inline String_t** get_address_of_m_paramName_17() { return &___m_paramName_17; }
inline void set_m_paramName_17(String_t* value)
{
___m_paramName_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_paramName_17), (void*)value);
}
};
// System.ArithmeticException
struct ArithmeticException_t8E5F44FABC7FAE0966CBA6DE9BFD545F2660ED47 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.ComponentModel.ArrayConverter
struct ArrayConverter_tFBDB50F33C968783C3D43A57A7EB5FD2E7105E03 : public CollectionConverter_t422389A535F7B690A16B943213A57E6464DDA11A
{
public:
public:
};
// System.ArrayTypeMismatchException
struct ArrayTypeMismatchException_tFD610FDA00012564CB75AFCA3A489F29CF628784 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.AssemblyLoadEventHandler
struct AssemblyLoadEventHandler_tE06B38463937F6FBCCECF4DF6519F83C1683FE0C : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.AssetBundleRequest
struct AssetBundleRequest_tBCF59D1FD408125E4C2C937EC23AB0ABB7E4051A : public ResourceRequest_tD2D09E98C844087E6AB0F04532B7AA139558CBAD
{
public:
public:
};
// Native definition for P/Invoke marshalling of UnityEngine.AssetBundleRequest
struct AssetBundleRequest_tBCF59D1FD408125E4C2C937EC23AB0ABB7E4051A_marshaled_pinvoke : public ResourceRequest_tD2D09E98C844087E6AB0F04532B7AA139558CBAD_marshaled_pinvoke
{
};
// Native definition for COM marshalling of UnityEngine.AssetBundleRequest
struct AssetBundleRequest_tBCF59D1FD408125E4C2C937EC23AB0ABB7E4051A_marshaled_com : public ResourceRequest_tD2D09E98C844087E6AB0F04532B7AA139558CBAD_marshaled_com
{
};
// System.AsyncCallback
struct AsyncCallback_tA7921BEF974919C46FF8F9D9867C567B200BB0EA : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.ResourceManagement.ResourceProviders.AtlasSpriteProvider
struct AtlasSpriteProvider_t16CE1285E0014F5137E03E5954917D0824DEBA6E : public ResourceProviderBase_tC5E5ED488310C5EDBDD71BC37FEB5EE1C77D7F28
{
public:
public:
};
// System.BadImageFormatException
struct BadImageFormatException_t3BC0184883CA1CB226CDED7E76E91927184C683A : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
// System.String System.BadImageFormatException::_fileName
String_t* ____fileName_17;
// System.String System.BadImageFormatException::_fusionLog
String_t* ____fusionLog_18;
public:
inline static int32_t get_offset_of__fileName_17() { return static_cast<int32_t>(offsetof(BadImageFormatException_t3BC0184883CA1CB226CDED7E76E91927184C683A, ____fileName_17)); }
inline String_t* get__fileName_17() const { return ____fileName_17; }
inline String_t** get_address_of__fileName_17() { return &____fileName_17; }
inline void set__fileName_17(String_t* value)
{
____fileName_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&____fileName_17), (void*)value);
}
inline static int32_t get_offset_of__fusionLog_18() { return static_cast<int32_t>(offsetof(BadImageFormatException_t3BC0184883CA1CB226CDED7E76E91927184C683A, ____fusionLog_18)); }
inline String_t* get__fusionLog_18() const { return ____fusionLog_18; }
inline String_t** get_address_of__fusionLog_18() { return &____fusionLog_18; }
inline void set__fusionLog_18(String_t* value)
{
____fusionLog_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&____fusionLog_18), (void*)value);
}
};
// UnityEngine.Rendering.BatchCullingContext
struct BatchCullingContext_t26E634F354C4F3915108C34A32FD32118FFE1F66
{
public:
// Unity.Collections.NativeArray`1<UnityEngine.Plane> UnityEngine.Rendering.BatchCullingContext::cullingPlanes
NativeArray_1_t527C586787ACD1AD75E3C78BFB024FFA9925662E ___cullingPlanes_0;
// Unity.Collections.NativeArray`1<UnityEngine.Rendering.BatchVisibility> UnityEngine.Rendering.BatchCullingContext::batchVisibility
NativeArray_1_t18D233A2E30E28048C1252473AFD0799557294DA ___batchVisibility_1;
// Unity.Collections.NativeArray`1<System.Int32> UnityEngine.Rendering.BatchCullingContext::visibleIndices
NativeArray_1_tD60079F06B473C85CF6C2BB4F2D203F38191AE99 ___visibleIndices_2;
// Unity.Collections.NativeArray`1<System.Int32> UnityEngine.Rendering.BatchCullingContext::visibleIndicesY
NativeArray_1_tD60079F06B473C85CF6C2BB4F2D203F38191AE99 ___visibleIndicesY_3;
// UnityEngine.Rendering.LODParameters UnityEngine.Rendering.BatchCullingContext::lodParameters
LODParameters_tA41D06C4BDB03138144BE9DCC4BC6B37963DC5CD ___lodParameters_4;
// UnityEngine.Matrix4x4 UnityEngine.Rendering.BatchCullingContext::cullingMatrix
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 ___cullingMatrix_5;
// System.Single UnityEngine.Rendering.BatchCullingContext::nearPlane
float ___nearPlane_6;
public:
inline static int32_t get_offset_of_cullingPlanes_0() { return static_cast<int32_t>(offsetof(BatchCullingContext_t26E634F354C4F3915108C34A32FD32118FFE1F66, ___cullingPlanes_0)); }
inline NativeArray_1_t527C586787ACD1AD75E3C78BFB024FFA9925662E get_cullingPlanes_0() const { return ___cullingPlanes_0; }
inline NativeArray_1_t527C586787ACD1AD75E3C78BFB024FFA9925662E * get_address_of_cullingPlanes_0() { return &___cullingPlanes_0; }
inline void set_cullingPlanes_0(NativeArray_1_t527C586787ACD1AD75E3C78BFB024FFA9925662E value)
{
___cullingPlanes_0 = value;
}
inline static int32_t get_offset_of_batchVisibility_1() { return static_cast<int32_t>(offsetof(BatchCullingContext_t26E634F354C4F3915108C34A32FD32118FFE1F66, ___batchVisibility_1)); }
inline NativeArray_1_t18D233A2E30E28048C1252473AFD0799557294DA get_batchVisibility_1() const { return ___batchVisibility_1; }
inline NativeArray_1_t18D233A2E30E28048C1252473AFD0799557294DA * get_address_of_batchVisibility_1() { return &___batchVisibility_1; }
inline void set_batchVisibility_1(NativeArray_1_t18D233A2E30E28048C1252473AFD0799557294DA value)
{
___batchVisibility_1 = value;
}
inline static int32_t get_offset_of_visibleIndices_2() { return static_cast<int32_t>(offsetof(BatchCullingContext_t26E634F354C4F3915108C34A32FD32118FFE1F66, ___visibleIndices_2)); }
inline NativeArray_1_tD60079F06B473C85CF6C2BB4F2D203F38191AE99 get_visibleIndices_2() const { return ___visibleIndices_2; }
inline NativeArray_1_tD60079F06B473C85CF6C2BB4F2D203F38191AE99 * get_address_of_visibleIndices_2() { return &___visibleIndices_2; }
inline void set_visibleIndices_2(NativeArray_1_tD60079F06B473C85CF6C2BB4F2D203F38191AE99 value)
{
___visibleIndices_2 = value;
}
inline static int32_t get_offset_of_visibleIndicesY_3() { return static_cast<int32_t>(offsetof(BatchCullingContext_t26E634F354C4F3915108C34A32FD32118FFE1F66, ___visibleIndicesY_3)); }
inline NativeArray_1_tD60079F06B473C85CF6C2BB4F2D203F38191AE99 get_visibleIndicesY_3() const { return ___visibleIndicesY_3; }
inline NativeArray_1_tD60079F06B473C85CF6C2BB4F2D203F38191AE99 * get_address_of_visibleIndicesY_3() { return &___visibleIndicesY_3; }
inline void set_visibleIndicesY_3(NativeArray_1_tD60079F06B473C85CF6C2BB4F2D203F38191AE99 value)
{
___visibleIndicesY_3 = value;
}
inline static int32_t get_offset_of_lodParameters_4() { return static_cast<int32_t>(offsetof(BatchCullingContext_t26E634F354C4F3915108C34A32FD32118FFE1F66, ___lodParameters_4)); }
inline LODParameters_tA41D06C4BDB03138144BE9DCC4BC6B37963DC5CD get_lodParameters_4() const { return ___lodParameters_4; }
inline LODParameters_tA41D06C4BDB03138144BE9DCC4BC6B37963DC5CD * get_address_of_lodParameters_4() { return &___lodParameters_4; }
inline void set_lodParameters_4(LODParameters_tA41D06C4BDB03138144BE9DCC4BC6B37963DC5CD value)
{
___lodParameters_4 = value;
}
inline static int32_t get_offset_of_cullingMatrix_5() { return static_cast<int32_t>(offsetof(BatchCullingContext_t26E634F354C4F3915108C34A32FD32118FFE1F66, ___cullingMatrix_5)); }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 get_cullingMatrix_5() const { return ___cullingMatrix_5; }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 * get_address_of_cullingMatrix_5() { return &___cullingMatrix_5; }
inline void set_cullingMatrix_5(Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 value)
{
___cullingMatrix_5 = value;
}
inline static int32_t get_offset_of_nearPlane_6() { return static_cast<int32_t>(offsetof(BatchCullingContext_t26E634F354C4F3915108C34A32FD32118FFE1F66, ___nearPlane_6)); }
inline float get_nearPlane_6() const { return ___nearPlane_6; }
inline float* get_address_of_nearPlane_6() { return &___nearPlane_6; }
inline void set_nearPlane_6(float value)
{
___nearPlane_6 = value;
}
};
// UnityEngine.Behaviour
struct Behaviour_t1A3DDDCF73B4627928FBFE02ED52B7251777DBD9 : public Component_t62FBC8D2420DA4BE9037AFE430740F6B3EECA684
{
public:
public:
};
// System.Runtime.Serialization.Formatters.Binary.BinaryFormatter
struct BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55 : public RuntimeObject
{
public:
// System.Runtime.Serialization.ISurrogateSelector System.Runtime.Serialization.Formatters.Binary.BinaryFormatter::m_surrogates
RuntimeObject* ___m_surrogates_0;
// System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.Formatters.Binary.BinaryFormatter::m_context
StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 ___m_context_1;
// System.Runtime.Serialization.SerializationBinder System.Runtime.Serialization.Formatters.Binary.BinaryFormatter::m_binder
SerializationBinder_t600A2077818E43FC641208357D8B809A10F1EAB8 * ___m_binder_2;
// System.Runtime.Serialization.Formatters.FormatterTypeStyle System.Runtime.Serialization.Formatters.Binary.BinaryFormatter::m_typeFormat
int32_t ___m_typeFormat_3;
// System.Runtime.Serialization.Formatters.FormatterAssemblyStyle System.Runtime.Serialization.Formatters.Binary.BinaryFormatter::m_assemblyFormat
int32_t ___m_assemblyFormat_4;
// System.Runtime.Serialization.Formatters.TypeFilterLevel System.Runtime.Serialization.Formatters.Binary.BinaryFormatter::m_securityLevel
int32_t ___m_securityLevel_5;
// System.Object[] System.Runtime.Serialization.Formatters.Binary.BinaryFormatter::m_crossAppDomainArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___m_crossAppDomainArray_6;
public:
inline static int32_t get_offset_of_m_surrogates_0() { return static_cast<int32_t>(offsetof(BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55, ___m_surrogates_0)); }
inline RuntimeObject* get_m_surrogates_0() const { return ___m_surrogates_0; }
inline RuntimeObject** get_address_of_m_surrogates_0() { return &___m_surrogates_0; }
inline void set_m_surrogates_0(RuntimeObject* value)
{
___m_surrogates_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_surrogates_0), (void*)value);
}
inline static int32_t get_offset_of_m_context_1() { return static_cast<int32_t>(offsetof(BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55, ___m_context_1)); }
inline StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 get_m_context_1() const { return ___m_context_1; }
inline StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 * get_address_of_m_context_1() { return &___m_context_1; }
inline void set_m_context_1(StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 value)
{
___m_context_1 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_context_1))->___m_additionalContext_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_binder_2() { return static_cast<int32_t>(offsetof(BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55, ___m_binder_2)); }
inline SerializationBinder_t600A2077818E43FC641208357D8B809A10F1EAB8 * get_m_binder_2() const { return ___m_binder_2; }
inline SerializationBinder_t600A2077818E43FC641208357D8B809A10F1EAB8 ** get_address_of_m_binder_2() { return &___m_binder_2; }
inline void set_m_binder_2(SerializationBinder_t600A2077818E43FC641208357D8B809A10F1EAB8 * value)
{
___m_binder_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_binder_2), (void*)value);
}
inline static int32_t get_offset_of_m_typeFormat_3() { return static_cast<int32_t>(offsetof(BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55, ___m_typeFormat_3)); }
inline int32_t get_m_typeFormat_3() const { return ___m_typeFormat_3; }
inline int32_t* get_address_of_m_typeFormat_3() { return &___m_typeFormat_3; }
inline void set_m_typeFormat_3(int32_t value)
{
___m_typeFormat_3 = value;
}
inline static int32_t get_offset_of_m_assemblyFormat_4() { return static_cast<int32_t>(offsetof(BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55, ___m_assemblyFormat_4)); }
inline int32_t get_m_assemblyFormat_4() const { return ___m_assemblyFormat_4; }
inline int32_t* get_address_of_m_assemblyFormat_4() { return &___m_assemblyFormat_4; }
inline void set_m_assemblyFormat_4(int32_t value)
{
___m_assemblyFormat_4 = value;
}
inline static int32_t get_offset_of_m_securityLevel_5() { return static_cast<int32_t>(offsetof(BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55, ___m_securityLevel_5)); }
inline int32_t get_m_securityLevel_5() const { return ___m_securityLevel_5; }
inline int32_t* get_address_of_m_securityLevel_5() { return &___m_securityLevel_5; }
inline void set_m_securityLevel_5(int32_t value)
{
___m_securityLevel_5 = value;
}
inline static int32_t get_offset_of_m_crossAppDomainArray_6() { return static_cast<int32_t>(offsetof(BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55, ___m_crossAppDomainArray_6)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_m_crossAppDomainArray_6() const { return ___m_crossAppDomainArray_6; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_m_crossAppDomainArray_6() { return &___m_crossAppDomainArray_6; }
inline void set_m_crossAppDomainArray_6(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___m_crossAppDomainArray_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_crossAppDomainArray_6), (void*)value);
}
};
struct BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55_StaticFields
{
public:
// System.Collections.Generic.Dictionary`2<System.Type,System.Runtime.Serialization.Formatters.Binary.TypeInformation> System.Runtime.Serialization.Formatters.Binary.BinaryFormatter::typeNameCache
Dictionary_2_tCAA954C180FE22A5909DC97DB48233904AC1A885 * ___typeNameCache_7;
public:
inline static int32_t get_offset_of_typeNameCache_7() { return static_cast<int32_t>(offsetof(BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55_StaticFields, ___typeNameCache_7)); }
inline Dictionary_2_tCAA954C180FE22A5909DC97DB48233904AC1A885 * get_typeNameCache_7() const { return ___typeNameCache_7; }
inline Dictionary_2_tCAA954C180FE22A5909DC97DB48233904AC1A885 ** get_address_of_typeNameCache_7() { return &___typeNameCache_7; }
inline void set_typeNameCache_7(Dictionary_2_tCAA954C180FE22A5909DC97DB48233904AC1A885 * value)
{
___typeNameCache_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeNameCache_7), (void*)value);
}
};
// System.CannotUnloadAppDomainException
struct CannotUnloadAppDomainException_t65AADF8792D8CCF6BAF22D51D8E4B7AB92960F9C : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// UnityEngine.CanvasRenderer
struct CanvasRenderer_tCF8ABE659F7C3A6ED0D99A988D0BDFB651310F0E : public Component_t62FBC8D2420DA4BE9037AFE430740F6B3EECA684
{
public:
// System.Boolean UnityEngine.CanvasRenderer::<isMask>k__BackingField
bool ___U3CisMaskU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CisMaskU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(CanvasRenderer_tCF8ABE659F7C3A6ED0D99A988D0BDFB651310F0E, ___U3CisMaskU3Ek__BackingField_4)); }
inline bool get_U3CisMaskU3Ek__BackingField_4() const { return ___U3CisMaskU3Ek__BackingField_4; }
inline bool* get_address_of_U3CisMaskU3Ek__BackingField_4() { return &___U3CisMaskU3Ek__BackingField_4; }
inline void set_U3CisMaskU3Ek__BackingField_4(bool value)
{
___U3CisMaskU3Ek__BackingField_4 = value;
}
};
// UnityEngine.Collider
struct Collider_t5E81E43C2ECA0209A7C4528E84A632712D192B02 : public Component_t62FBC8D2420DA4BE9037AFE430740F6B3EECA684
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.Configuration
struct Configuration_t29C11C7E576D64F717543048BDA1EBCEF0CF60C0
{
public:
// UnityEngine.XR.ARSubsystems.ConfigurationDescriptor UnityEngine.XR.ARSubsystems.Configuration::<descriptor>k__BackingField
ConfigurationDescriptor_t5CD12F017FCCF861DC33D7C0D6F0121015DEEA78 ___U3CdescriptorU3Ek__BackingField_0;
// UnityEngine.XR.ARSubsystems.Feature UnityEngine.XR.ARSubsystems.Configuration::<features>k__BackingField
uint64_t ___U3CfeaturesU3Ek__BackingField_1;
public:
inline static int32_t get_offset_of_U3CdescriptorU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(Configuration_t29C11C7E576D64F717543048BDA1EBCEF0CF60C0, ___U3CdescriptorU3Ek__BackingField_0)); }
inline ConfigurationDescriptor_t5CD12F017FCCF861DC33D7C0D6F0121015DEEA78 get_U3CdescriptorU3Ek__BackingField_0() const { return ___U3CdescriptorU3Ek__BackingField_0; }
inline ConfigurationDescriptor_t5CD12F017FCCF861DC33D7C0D6F0121015DEEA78 * get_address_of_U3CdescriptorU3Ek__BackingField_0() { return &___U3CdescriptorU3Ek__BackingField_0; }
inline void set_U3CdescriptorU3Ek__BackingField_0(ConfigurationDescriptor_t5CD12F017FCCF861DC33D7C0D6F0121015DEEA78 value)
{
___U3CdescriptorU3Ek__BackingField_0 = value;
}
inline static int32_t get_offset_of_U3CfeaturesU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(Configuration_t29C11C7E576D64F717543048BDA1EBCEF0CF60C0, ___U3CfeaturesU3Ek__BackingField_1)); }
inline uint64_t get_U3CfeaturesU3Ek__BackingField_1() const { return ___U3CfeaturesU3Ek__BackingField_1; }
inline uint64_t* get_address_of_U3CfeaturesU3Ek__BackingField_1() { return &___U3CfeaturesU3Ek__BackingField_1; }
inline void set_U3CfeaturesU3Ek__BackingField_1(uint64_t value)
{
___U3CfeaturesU3Ek__BackingField_1 = value;
}
};
// System.ConsoleCancelEventHandler
struct ConsoleCancelEventHandler_tACD32787946439D2453F9D9512471685521C006D : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider
struct ContentCatalogProvider_t9816343589D5F6B669F2194F2D6F4A87EE5C5202 : public ResourceProviderBase_tC5E5ED488310C5EDBDD71BC37FEB5EE1C77D7F28
{
public:
// System.Boolean UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider::DisableCatalogUpdateOnStart
bool ___DisableCatalogUpdateOnStart_2;
// System.Boolean UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider::IsLocalCatalogInBundle
bool ___IsLocalCatalogInBundle_3;
// System.Collections.Generic.Dictionary`2<UnityEngine.ResourceManagement.ResourceLocations.IResourceLocation,UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider/InternalOp> UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider::m_LocationToCatalogLoadOpMap
Dictionary_2_t07098E642DC6AF03BF35F4782BB31A441FA8E0D8 * ___m_LocationToCatalogLoadOpMap_4;
// UnityEngine.ResourceManagement.ResourceManager UnityEngine.AddressableAssets.ResourceProviders.ContentCatalogProvider::m_RM
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * ___m_RM_5;
public:
inline static int32_t get_offset_of_DisableCatalogUpdateOnStart_2() { return static_cast<int32_t>(offsetof(ContentCatalogProvider_t9816343589D5F6B669F2194F2D6F4A87EE5C5202, ___DisableCatalogUpdateOnStart_2)); }
inline bool get_DisableCatalogUpdateOnStart_2() const { return ___DisableCatalogUpdateOnStart_2; }
inline bool* get_address_of_DisableCatalogUpdateOnStart_2() { return &___DisableCatalogUpdateOnStart_2; }
inline void set_DisableCatalogUpdateOnStart_2(bool value)
{
___DisableCatalogUpdateOnStart_2 = value;
}
inline static int32_t get_offset_of_IsLocalCatalogInBundle_3() { return static_cast<int32_t>(offsetof(ContentCatalogProvider_t9816343589D5F6B669F2194F2D6F4A87EE5C5202, ___IsLocalCatalogInBundle_3)); }
inline bool get_IsLocalCatalogInBundle_3() const { return ___IsLocalCatalogInBundle_3; }
inline bool* get_address_of_IsLocalCatalogInBundle_3() { return &___IsLocalCatalogInBundle_3; }
inline void set_IsLocalCatalogInBundle_3(bool value)
{
___IsLocalCatalogInBundle_3 = value;
}
inline static int32_t get_offset_of_m_LocationToCatalogLoadOpMap_4() { return static_cast<int32_t>(offsetof(ContentCatalogProvider_t9816343589D5F6B669F2194F2D6F4A87EE5C5202, ___m_LocationToCatalogLoadOpMap_4)); }
inline Dictionary_2_t07098E642DC6AF03BF35F4782BB31A441FA8E0D8 * get_m_LocationToCatalogLoadOpMap_4() const { return ___m_LocationToCatalogLoadOpMap_4; }
inline Dictionary_2_t07098E642DC6AF03BF35F4782BB31A441FA8E0D8 ** get_address_of_m_LocationToCatalogLoadOpMap_4() { return &___m_LocationToCatalogLoadOpMap_4; }
inline void set_m_LocationToCatalogLoadOpMap_4(Dictionary_2_t07098E642DC6AF03BF35F4782BB31A441FA8E0D8 * value)
{
___m_LocationToCatalogLoadOpMap_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocationToCatalogLoadOpMap_4), (void*)value);
}
inline static int32_t get_offset_of_m_RM_5() { return static_cast<int32_t>(offsetof(ContentCatalogProvider_t9816343589D5F6B669F2194F2D6F4A87EE5C5202, ___m_RM_5)); }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * get_m_RM_5() const { return ___m_RM_5; }
inline ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 ** get_address_of_m_RM_5() { return &___m_RM_5; }
inline void set_m_RM_5(ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037 * value)
{
___m_RM_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RM_5), (void*)value);
}
};
// System.Threading.ContextCallback
struct ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B : public MulticastDelegate_t
{
public:
public:
};
// System.Runtime.Remoting.Contexts.CrossContextDelegate
struct CrossContextDelegate_t12C7A08ED124090185A3E209E6CA9E28148A7682 : public MulticastDelegate_t
{
public:
public:
};
// System.Security.Cryptography.CryptographicException
struct CryptographicException_tFFE56EF733D1150A0F3738DDE2CC4DE1A61849D5 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// UnityEngine.Cubemap
struct Cubemap_tB48EEA79C233417AF4D7BF03EA1BE4AA07A5B938 : public Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE
{
public:
public:
};
// UnityEngine.CubemapArray
struct CubemapArray_t3915F223B351E9281E16B30E8BF13B5F77917AEB : public Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE
{
public:
public:
};
// UnityEngine.Profiling.Experimental.DebugScreenCapture
struct DebugScreenCapture_t82C35632EAE92C143A87097DC34C70EFADB750B1
{
public:
// Unity.Collections.NativeArray`1<System.Byte> UnityEngine.Profiling.Experimental.DebugScreenCapture::<rawImageDataReference>k__BackingField
NativeArray_1_t3C2855C5B238E8C6739D4C17833F244B95C0F785 ___U3CrawImageDataReferenceU3Ek__BackingField_0;
// UnityEngine.TextureFormat UnityEngine.Profiling.Experimental.DebugScreenCapture::<imageFormat>k__BackingField
int32_t ___U3CimageFormatU3Ek__BackingField_1;
// System.Int32 UnityEngine.Profiling.Experimental.DebugScreenCapture::<width>k__BackingField
int32_t ___U3CwidthU3Ek__BackingField_2;
// System.Int32 UnityEngine.Profiling.Experimental.DebugScreenCapture::<height>k__BackingField
int32_t ___U3CheightU3Ek__BackingField_3;
public:
inline static int32_t get_offset_of_U3CrawImageDataReferenceU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(DebugScreenCapture_t82C35632EAE92C143A87097DC34C70EFADB750B1, ___U3CrawImageDataReferenceU3Ek__BackingField_0)); }
inline NativeArray_1_t3C2855C5B238E8C6739D4C17833F244B95C0F785 get_U3CrawImageDataReferenceU3Ek__BackingField_0() const { return ___U3CrawImageDataReferenceU3Ek__BackingField_0; }
inline NativeArray_1_t3C2855C5B238E8C6739D4C17833F244B95C0F785 * get_address_of_U3CrawImageDataReferenceU3Ek__BackingField_0() { return &___U3CrawImageDataReferenceU3Ek__BackingField_0; }
inline void set_U3CrawImageDataReferenceU3Ek__BackingField_0(NativeArray_1_t3C2855C5B238E8C6739D4C17833F244B95C0F785 value)
{
___U3CrawImageDataReferenceU3Ek__BackingField_0 = value;
}
inline static int32_t get_offset_of_U3CimageFormatU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(DebugScreenCapture_t82C35632EAE92C143A87097DC34C70EFADB750B1, ___U3CimageFormatU3Ek__BackingField_1)); }
inline int32_t get_U3CimageFormatU3Ek__BackingField_1() const { return ___U3CimageFormatU3Ek__BackingField_1; }
inline int32_t* get_address_of_U3CimageFormatU3Ek__BackingField_1() { return &___U3CimageFormatU3Ek__BackingField_1; }
inline void set_U3CimageFormatU3Ek__BackingField_1(int32_t value)
{
___U3CimageFormatU3Ek__BackingField_1 = value;
}
inline static int32_t get_offset_of_U3CwidthU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(DebugScreenCapture_t82C35632EAE92C143A87097DC34C70EFADB750B1, ___U3CwidthU3Ek__BackingField_2)); }
inline int32_t get_U3CwidthU3Ek__BackingField_2() const { return ___U3CwidthU3Ek__BackingField_2; }
inline int32_t* get_address_of_U3CwidthU3Ek__BackingField_2() { return &___U3CwidthU3Ek__BackingField_2; }
inline void set_U3CwidthU3Ek__BackingField_2(int32_t value)
{
___U3CwidthU3Ek__BackingField_2 = value;
}
inline static int32_t get_offset_of_U3CheightU3Ek__BackingField_3() { return static_cast<int32_t>(offsetof(DebugScreenCapture_t82C35632EAE92C143A87097DC34C70EFADB750B1, ___U3CheightU3Ek__BackingField_3)); }
inline int32_t get_U3CheightU3Ek__BackingField_3() const { return ___U3CheightU3Ek__BackingField_3; }
inline int32_t* get_address_of_U3CheightU3Ek__BackingField_3() { return &___U3CheightU3Ek__BackingField_3; }
inline void set_U3CheightU3Ek__BackingField_3(int32_t value)
{
___U3CheightU3Ek__BackingField_3 = value;
}
};
// System.ComponentModel.DecimalConverter
struct DecimalConverter_t3D45BF655409D3D62DEE576E557F17BF295E7F1C : public BaseNumberConverter_t6CA2001CE79249FCF74FC888710AAD5CA23B748C
{
public:
public:
};
// System.Runtime.Serialization.DeserializationEventHandler
struct DeserializationEventHandler_t96163039FFB39DB4A7BA9C218D9F11D400B9EE86 : public MulticastDelegate_t
{
public:
public:
};
// System.ComponentModel.DoubleConverter
struct DoubleConverter_t086E77489968A1C31C6C83DC40033F6B2884A606 : public BaseNumberConverter_t6CA2001CE79249FCF74FC888710AAD5CA23B748C
{
public:
public:
};
// System.EventHandler
struct EventHandler_t084491E53EC706ACA0A15CA17488C075B4ECA44B : public MulticastDelegate_t
{
public:
public:
};
// System.ExecutionEngineException
struct ExecutionEngineException_t5D45C7D7B87C20242C79C7C79DA5A91E846D3223 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.Runtime.InteropServices.ExternalException
struct ExternalException_tC18275DD0AEB2CDF9F85D94670C5A49A4DC3B783 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.IO.FileSystemInfo
struct FileSystemInfo_t4479D65BB34DEAFCDA2A98F8B797D7C19EFDA246 : public MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8
{
public:
// System.IO.MonoIOStat System.IO.FileSystemInfo::_data
MonoIOStat_t24C11A45B0B5F84242B31BA1EF48458595FF5F71 ____data_1;
// System.Int32 System.IO.FileSystemInfo::_dataInitialised
int32_t ____dataInitialised_2;
// System.String System.IO.FileSystemInfo::FullPath
String_t* ___FullPath_3;
// System.String System.IO.FileSystemInfo::OriginalPath
String_t* ___OriginalPath_4;
// System.String System.IO.FileSystemInfo::_displayPath
String_t* ____displayPath_5;
public:
inline static int32_t get_offset_of__data_1() { return static_cast<int32_t>(offsetof(FileSystemInfo_t4479D65BB34DEAFCDA2A98F8B797D7C19EFDA246, ____data_1)); }
inline MonoIOStat_t24C11A45B0B5F84242B31BA1EF48458595FF5F71 get__data_1() const { return ____data_1; }
inline MonoIOStat_t24C11A45B0B5F84242B31BA1EF48458595FF5F71 * get_address_of__data_1() { return &____data_1; }
inline void set__data_1(MonoIOStat_t24C11A45B0B5F84242B31BA1EF48458595FF5F71 value)
{
____data_1 = value;
}
inline static int32_t get_offset_of__dataInitialised_2() { return static_cast<int32_t>(offsetof(FileSystemInfo_t4479D65BB34DEAFCDA2A98F8B797D7C19EFDA246, ____dataInitialised_2)); }
inline int32_t get__dataInitialised_2() const { return ____dataInitialised_2; }
inline int32_t* get_address_of__dataInitialised_2() { return &____dataInitialised_2; }
inline void set__dataInitialised_2(int32_t value)
{
____dataInitialised_2 = value;
}
inline static int32_t get_offset_of_FullPath_3() { return static_cast<int32_t>(offsetof(FileSystemInfo_t4479D65BB34DEAFCDA2A98F8B797D7C19EFDA246, ___FullPath_3)); }
inline String_t* get_FullPath_3() const { return ___FullPath_3; }
inline String_t** get_address_of_FullPath_3() { return &___FullPath_3; }
inline void set_FullPath_3(String_t* value)
{
___FullPath_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___FullPath_3), (void*)value);
}
inline static int32_t get_offset_of_OriginalPath_4() { return static_cast<int32_t>(offsetof(FileSystemInfo_t4479D65BB34DEAFCDA2A98F8B797D7C19EFDA246, ___OriginalPath_4)); }
inline String_t* get_OriginalPath_4() const { return ___OriginalPath_4; }
inline String_t** get_address_of_OriginalPath_4() { return &___OriginalPath_4; }
inline void set_OriginalPath_4(String_t* value)
{
___OriginalPath_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___OriginalPath_4), (void*)value);
}
inline static int32_t get_offset_of__displayPath_5() { return static_cast<int32_t>(offsetof(FileSystemInfo_t4479D65BB34DEAFCDA2A98F8B797D7C19EFDA246, ____displayPath_5)); }
inline String_t* get__displayPath_5() const { return ____displayPath_5; }
inline String_t** get_address_of__displayPath_5() { return &____displayPath_5; }
inline void set__displayPath_5(String_t* value)
{
____displayPath_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&____displayPath_5), (void*)value);
}
};
// System.FormatException
struct FormatException_t119BB207B54B4B1BC28D9B1783C4625AE23D4759 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// UnityEngine.Playables.FrameData
struct FrameData_tE12630B2C0918A5945E834E53F1E0028BBD8898B
{
public:
// System.UInt64 UnityEngine.Playables.FrameData::m_FrameID
uint64_t ___m_FrameID_0;
// System.Double UnityEngine.Playables.FrameData::m_DeltaTime
double ___m_DeltaTime_1;
// System.Single UnityEngine.Playables.FrameData::m_Weight
float ___m_Weight_2;
// System.Single UnityEngine.Playables.FrameData::m_EffectiveWeight
float ___m_EffectiveWeight_3;
// System.Double UnityEngine.Playables.FrameData::m_EffectiveParentDelay
double ___m_EffectiveParentDelay_4;
// System.Single UnityEngine.Playables.FrameData::m_EffectiveParentSpeed
float ___m_EffectiveParentSpeed_5;
// System.Single UnityEngine.Playables.FrameData::m_EffectiveSpeed
float ___m_EffectiveSpeed_6;
// UnityEngine.Playables.FrameData/Flags UnityEngine.Playables.FrameData::m_Flags
int32_t ___m_Flags_7;
// UnityEngine.Playables.PlayableOutput UnityEngine.Playables.FrameData::m_Output
PlayableOutput_tE735DC774F014DB1711310988F2F914C66520F82 ___m_Output_8;
public:
inline static int32_t get_offset_of_m_FrameID_0() { return static_cast<int32_t>(offsetof(FrameData_tE12630B2C0918A5945E834E53F1E0028BBD8898B, ___m_FrameID_0)); }
inline uint64_t get_m_FrameID_0() const { return ___m_FrameID_0; }
inline uint64_t* get_address_of_m_FrameID_0() { return &___m_FrameID_0; }
inline void set_m_FrameID_0(uint64_t value)
{
___m_FrameID_0 = value;
}
inline static int32_t get_offset_of_m_DeltaTime_1() { return static_cast<int32_t>(offsetof(FrameData_tE12630B2C0918A5945E834E53F1E0028BBD8898B, ___m_DeltaTime_1)); }
inline double get_m_DeltaTime_1() const { return ___m_DeltaTime_1; }
inline double* get_address_of_m_DeltaTime_1() { return &___m_DeltaTime_1; }
inline void set_m_DeltaTime_1(double value)
{
___m_DeltaTime_1 = value;
}
inline static int32_t get_offset_of_m_Weight_2() { return static_cast<int32_t>(offsetof(FrameData_tE12630B2C0918A5945E834E53F1E0028BBD8898B, ___m_Weight_2)); }
inline float get_m_Weight_2() const { return ___m_Weight_2; }
inline float* get_address_of_m_Weight_2() { return &___m_Weight_2; }
inline void set_m_Weight_2(float value)
{
___m_Weight_2 = value;
}
inline static int32_t get_offset_of_m_EffectiveWeight_3() { return static_cast<int32_t>(offsetof(FrameData_tE12630B2C0918A5945E834E53F1E0028BBD8898B, ___m_EffectiveWeight_3)); }
inline float get_m_EffectiveWeight_3() const { return ___m_EffectiveWeight_3; }
inline float* get_address_of_m_EffectiveWeight_3() { return &___m_EffectiveWeight_3; }
inline void set_m_EffectiveWeight_3(float value)
{
___m_EffectiveWeight_3 = value;
}
inline static int32_t get_offset_of_m_EffectiveParentDelay_4() { return static_cast<int32_t>(offsetof(FrameData_tE12630B2C0918A5945E834E53F1E0028BBD8898B, ___m_EffectiveParentDelay_4)); }
inline double get_m_EffectiveParentDelay_4() const { return ___m_EffectiveParentDelay_4; }
inline double* get_address_of_m_EffectiveParentDelay_4() { return &___m_EffectiveParentDelay_4; }
inline void set_m_EffectiveParentDelay_4(double value)
{
___m_EffectiveParentDelay_4 = value;
}
inline static int32_t get_offset_of_m_EffectiveParentSpeed_5() { return static_cast<int32_t>(offsetof(FrameData_tE12630B2C0918A5945E834E53F1E0028BBD8898B, ___m_EffectiveParentSpeed_5)); }
inline float get_m_EffectiveParentSpeed_5() const { return ___m_EffectiveParentSpeed_5; }
inline float* get_address_of_m_EffectiveParentSpeed_5() { return &___m_EffectiveParentSpeed_5; }
inline void set_m_EffectiveParentSpeed_5(float value)
{
___m_EffectiveParentSpeed_5 = value;
}
inline static int32_t get_offset_of_m_EffectiveSpeed_6() { return static_cast<int32_t>(offsetof(FrameData_tE12630B2C0918A5945E834E53F1E0028BBD8898B, ___m_EffectiveSpeed_6)); }
inline float get_m_EffectiveSpeed_6() const { return ___m_EffectiveSpeed_6; }
inline float* get_address_of_m_EffectiveSpeed_6() { return &___m_EffectiveSpeed_6; }
inline void set_m_EffectiveSpeed_6(float value)
{
___m_EffectiveSpeed_6 = value;
}
inline static int32_t get_offset_of_m_Flags_7() { return static_cast<int32_t>(offsetof(FrameData_tE12630B2C0918A5945E834E53F1E0028BBD8898B, ___m_Flags_7)); }
inline int32_t get_m_Flags_7() const { return ___m_Flags_7; }
inline int32_t* get_address_of_m_Flags_7() { return &___m_Flags_7; }
inline void set_m_Flags_7(int32_t value)
{
___m_Flags_7 = value;
}
inline static int32_t get_offset_of_m_Output_8() { return static_cast<int32_t>(offsetof(FrameData_tE12630B2C0918A5945E834E53F1E0028BBD8898B, ___m_Output_8)); }
inline PlayableOutput_tE735DC774F014DB1711310988F2F914C66520F82 get_m_Output_8() const { return ___m_Output_8; }
inline PlayableOutput_tE735DC774F014DB1711310988F2F914C66520F82 * get_address_of_m_Output_8() { return &___m_Output_8; }
inline void set_m_Output_8(PlayableOutput_tE735DC774F014DB1711310988F2F914C66520F82 value)
{
___m_Output_8 = value;
}
};
// UnityEngine.GUIScrollGroup
struct GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62 : public GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9
{
public:
// System.Single UnityEngine.GUIScrollGroup::calcMinWidth
float ___calcMinWidth_32;
// System.Single UnityEngine.GUIScrollGroup::calcMaxWidth
float ___calcMaxWidth_33;
// System.Single UnityEngine.GUIScrollGroup::calcMinHeight
float ___calcMinHeight_34;
// System.Single UnityEngine.GUIScrollGroup::calcMaxHeight
float ___calcMaxHeight_35;
// System.Single UnityEngine.GUIScrollGroup::clientWidth
float ___clientWidth_36;
// System.Single UnityEngine.GUIScrollGroup::clientHeight
float ___clientHeight_37;
// System.Boolean UnityEngine.GUIScrollGroup::allowHorizontalScroll
bool ___allowHorizontalScroll_38;
// System.Boolean UnityEngine.GUIScrollGroup::allowVerticalScroll
bool ___allowVerticalScroll_39;
// System.Boolean UnityEngine.GUIScrollGroup::needsHorizontalScrollbar
bool ___needsHorizontalScrollbar_40;
// System.Boolean UnityEngine.GUIScrollGroup::needsVerticalScrollbar
bool ___needsVerticalScrollbar_41;
// UnityEngine.GUIStyle UnityEngine.GUIScrollGroup::horizontalScrollbar
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___horizontalScrollbar_42;
// UnityEngine.GUIStyle UnityEngine.GUIScrollGroup::verticalScrollbar
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___verticalScrollbar_43;
public:
inline static int32_t get_offset_of_calcMinWidth_32() { return static_cast<int32_t>(offsetof(GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62, ___calcMinWidth_32)); }
inline float get_calcMinWidth_32() const { return ___calcMinWidth_32; }
inline float* get_address_of_calcMinWidth_32() { return &___calcMinWidth_32; }
inline void set_calcMinWidth_32(float value)
{
___calcMinWidth_32 = value;
}
inline static int32_t get_offset_of_calcMaxWidth_33() { return static_cast<int32_t>(offsetof(GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62, ___calcMaxWidth_33)); }
inline float get_calcMaxWidth_33() const { return ___calcMaxWidth_33; }
inline float* get_address_of_calcMaxWidth_33() { return &___calcMaxWidth_33; }
inline void set_calcMaxWidth_33(float value)
{
___calcMaxWidth_33 = value;
}
inline static int32_t get_offset_of_calcMinHeight_34() { return static_cast<int32_t>(offsetof(GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62, ___calcMinHeight_34)); }
inline float get_calcMinHeight_34() const { return ___calcMinHeight_34; }
inline float* get_address_of_calcMinHeight_34() { return &___calcMinHeight_34; }
inline void set_calcMinHeight_34(float value)
{
___calcMinHeight_34 = value;
}
inline static int32_t get_offset_of_calcMaxHeight_35() { return static_cast<int32_t>(offsetof(GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62, ___calcMaxHeight_35)); }
inline float get_calcMaxHeight_35() const { return ___calcMaxHeight_35; }
inline float* get_address_of_calcMaxHeight_35() { return &___calcMaxHeight_35; }
inline void set_calcMaxHeight_35(float value)
{
___calcMaxHeight_35 = value;
}
inline static int32_t get_offset_of_clientWidth_36() { return static_cast<int32_t>(offsetof(GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62, ___clientWidth_36)); }
inline float get_clientWidth_36() const { return ___clientWidth_36; }
inline float* get_address_of_clientWidth_36() { return &___clientWidth_36; }
inline void set_clientWidth_36(float value)
{
___clientWidth_36 = value;
}
inline static int32_t get_offset_of_clientHeight_37() { return static_cast<int32_t>(offsetof(GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62, ___clientHeight_37)); }
inline float get_clientHeight_37() const { return ___clientHeight_37; }
inline float* get_address_of_clientHeight_37() { return &___clientHeight_37; }
inline void set_clientHeight_37(float value)
{
___clientHeight_37 = value;
}
inline static int32_t get_offset_of_allowHorizontalScroll_38() { return static_cast<int32_t>(offsetof(GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62, ___allowHorizontalScroll_38)); }
inline bool get_allowHorizontalScroll_38() const { return ___allowHorizontalScroll_38; }
inline bool* get_address_of_allowHorizontalScroll_38() { return &___allowHorizontalScroll_38; }
inline void set_allowHorizontalScroll_38(bool value)
{
___allowHorizontalScroll_38 = value;
}
inline static int32_t get_offset_of_allowVerticalScroll_39() { return static_cast<int32_t>(offsetof(GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62, ___allowVerticalScroll_39)); }
inline bool get_allowVerticalScroll_39() const { return ___allowVerticalScroll_39; }
inline bool* get_address_of_allowVerticalScroll_39() { return &___allowVerticalScroll_39; }
inline void set_allowVerticalScroll_39(bool value)
{
___allowVerticalScroll_39 = value;
}
inline static int32_t get_offset_of_needsHorizontalScrollbar_40() { return static_cast<int32_t>(offsetof(GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62, ___needsHorizontalScrollbar_40)); }
inline bool get_needsHorizontalScrollbar_40() const { return ___needsHorizontalScrollbar_40; }
inline bool* get_address_of_needsHorizontalScrollbar_40() { return &___needsHorizontalScrollbar_40; }
inline void set_needsHorizontalScrollbar_40(bool value)
{
___needsHorizontalScrollbar_40 = value;
}
inline static int32_t get_offset_of_needsVerticalScrollbar_41() { return static_cast<int32_t>(offsetof(GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62, ___needsVerticalScrollbar_41)); }
inline bool get_needsVerticalScrollbar_41() const { return ___needsVerticalScrollbar_41; }
inline bool* get_address_of_needsVerticalScrollbar_41() { return &___needsVerticalScrollbar_41; }
inline void set_needsVerticalScrollbar_41(bool value)
{
___needsVerticalScrollbar_41 = value;
}
inline static int32_t get_offset_of_horizontalScrollbar_42() { return static_cast<int32_t>(offsetof(GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62, ___horizontalScrollbar_42)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_horizontalScrollbar_42() const { return ___horizontalScrollbar_42; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_horizontalScrollbar_42() { return &___horizontalScrollbar_42; }
inline void set_horizontalScrollbar_42(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___horizontalScrollbar_42 = value;
Il2CppCodeGenWriteBarrier((void**)(&___horizontalScrollbar_42), (void*)value);
}
inline static int32_t get_offset_of_verticalScrollbar_43() { return static_cast<int32_t>(offsetof(GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62, ___verticalScrollbar_43)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_verticalScrollbar_43() const { return ___verticalScrollbar_43; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_verticalScrollbar_43() { return &___verticalScrollbar_43; }
inline void set_verticalScrollbar_43(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___verticalScrollbar_43 = value;
Il2CppCodeGenWriteBarrier((void**)(&___verticalScrollbar_43), (void*)value);
}
};
// UnityEngine.GUISkin
struct GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6 : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
// UnityEngine.Font UnityEngine.GUISkin::m_Font
Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9 * ___m_Font_4;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_box
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_box_5;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_button
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_button_6;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_toggle
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_toggle_7;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_label
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_label_8;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_textField
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_textField_9;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_textArea
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_textArea_10;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_window
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_window_11;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_horizontalSlider
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_horizontalSlider_12;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_horizontalSliderThumb
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_horizontalSliderThumb_13;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_horizontalSliderThumbExtent
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_horizontalSliderThumbExtent_14;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_verticalSlider
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_verticalSlider_15;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_verticalSliderThumb
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_verticalSliderThumb_16;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_verticalSliderThumbExtent
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_verticalSliderThumbExtent_17;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_SliderMixed
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_SliderMixed_18;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_horizontalScrollbar
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_horizontalScrollbar_19;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_horizontalScrollbarThumb
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_horizontalScrollbarThumb_20;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_horizontalScrollbarLeftButton
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_horizontalScrollbarLeftButton_21;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_horizontalScrollbarRightButton
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_horizontalScrollbarRightButton_22;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_verticalScrollbar
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_verticalScrollbar_23;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_verticalScrollbarThumb
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_verticalScrollbarThumb_24;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_verticalScrollbarUpButton
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_verticalScrollbarUpButton_25;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_verticalScrollbarDownButton
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_verticalScrollbarDownButton_26;
// UnityEngine.GUIStyle UnityEngine.GUISkin::m_ScrollView
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___m_ScrollView_27;
// UnityEngine.GUIStyle[] UnityEngine.GUISkin::m_CustomStyles
GUIStyleU5BU5D_t99FB75A2EC4777ADECDE02F71A619CFBFC0F4F70* ___m_CustomStyles_28;
// UnityEngine.GUISettings UnityEngine.GUISkin::m_Settings
GUISettings_tB85473DFD6EF025A06EAD867197A4478A41008D0 * ___m_Settings_29;
// System.Collections.Generic.Dictionary`2<System.String,UnityEngine.GUIStyle> UnityEngine.GUISkin::m_Styles
Dictionary_2_t2CD153A36C5BD27CDDC85F23918ECEF77E892E80 * ___m_Styles_31;
public:
inline static int32_t get_offset_of_m_Font_4() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_Font_4)); }
inline Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9 * get_m_Font_4() const { return ___m_Font_4; }
inline Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9 ** get_address_of_m_Font_4() { return &___m_Font_4; }
inline void set_m_Font_4(Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9 * value)
{
___m_Font_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Font_4), (void*)value);
}
inline static int32_t get_offset_of_m_box_5() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_box_5)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_box_5() const { return ___m_box_5; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_box_5() { return &___m_box_5; }
inline void set_m_box_5(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_box_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_box_5), (void*)value);
}
inline static int32_t get_offset_of_m_button_6() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_button_6)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_button_6() const { return ___m_button_6; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_button_6() { return &___m_button_6; }
inline void set_m_button_6(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_button_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_button_6), (void*)value);
}
inline static int32_t get_offset_of_m_toggle_7() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_toggle_7)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_toggle_7() const { return ___m_toggle_7; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_toggle_7() { return &___m_toggle_7; }
inline void set_m_toggle_7(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_toggle_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_toggle_7), (void*)value);
}
inline static int32_t get_offset_of_m_label_8() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_label_8)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_label_8() const { return ___m_label_8; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_label_8() { return &___m_label_8; }
inline void set_m_label_8(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_label_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_label_8), (void*)value);
}
inline static int32_t get_offset_of_m_textField_9() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_textField_9)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_textField_9() const { return ___m_textField_9; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_textField_9() { return &___m_textField_9; }
inline void set_m_textField_9(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_textField_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_textField_9), (void*)value);
}
inline static int32_t get_offset_of_m_textArea_10() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_textArea_10)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_textArea_10() const { return ___m_textArea_10; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_textArea_10() { return &___m_textArea_10; }
inline void set_m_textArea_10(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_textArea_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_textArea_10), (void*)value);
}
inline static int32_t get_offset_of_m_window_11() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_window_11)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_window_11() const { return ___m_window_11; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_window_11() { return &___m_window_11; }
inline void set_m_window_11(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_window_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_window_11), (void*)value);
}
inline static int32_t get_offset_of_m_horizontalSlider_12() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_horizontalSlider_12)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_horizontalSlider_12() const { return ___m_horizontalSlider_12; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_horizontalSlider_12() { return &___m_horizontalSlider_12; }
inline void set_m_horizontalSlider_12(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_horizontalSlider_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_horizontalSlider_12), (void*)value);
}
inline static int32_t get_offset_of_m_horizontalSliderThumb_13() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_horizontalSliderThumb_13)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_horizontalSliderThumb_13() const { return ___m_horizontalSliderThumb_13; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_horizontalSliderThumb_13() { return &___m_horizontalSliderThumb_13; }
inline void set_m_horizontalSliderThumb_13(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_horizontalSliderThumb_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_horizontalSliderThumb_13), (void*)value);
}
inline static int32_t get_offset_of_m_horizontalSliderThumbExtent_14() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_horizontalSliderThumbExtent_14)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_horizontalSliderThumbExtent_14() const { return ___m_horizontalSliderThumbExtent_14; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_horizontalSliderThumbExtent_14() { return &___m_horizontalSliderThumbExtent_14; }
inline void set_m_horizontalSliderThumbExtent_14(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_horizontalSliderThumbExtent_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_horizontalSliderThumbExtent_14), (void*)value);
}
inline static int32_t get_offset_of_m_verticalSlider_15() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_verticalSlider_15)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_verticalSlider_15() const { return ___m_verticalSlider_15; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_verticalSlider_15() { return &___m_verticalSlider_15; }
inline void set_m_verticalSlider_15(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_verticalSlider_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_verticalSlider_15), (void*)value);
}
inline static int32_t get_offset_of_m_verticalSliderThumb_16() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_verticalSliderThumb_16)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_verticalSliderThumb_16() const { return ___m_verticalSliderThumb_16; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_verticalSliderThumb_16() { return &___m_verticalSliderThumb_16; }
inline void set_m_verticalSliderThumb_16(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_verticalSliderThumb_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_verticalSliderThumb_16), (void*)value);
}
inline static int32_t get_offset_of_m_verticalSliderThumbExtent_17() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_verticalSliderThumbExtent_17)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_verticalSliderThumbExtent_17() const { return ___m_verticalSliderThumbExtent_17; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_verticalSliderThumbExtent_17() { return &___m_verticalSliderThumbExtent_17; }
inline void set_m_verticalSliderThumbExtent_17(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_verticalSliderThumbExtent_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_verticalSliderThumbExtent_17), (void*)value);
}
inline static int32_t get_offset_of_m_SliderMixed_18() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_SliderMixed_18)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_SliderMixed_18() const { return ___m_SliderMixed_18; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_SliderMixed_18() { return &___m_SliderMixed_18; }
inline void set_m_SliderMixed_18(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_SliderMixed_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SliderMixed_18), (void*)value);
}
inline static int32_t get_offset_of_m_horizontalScrollbar_19() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_horizontalScrollbar_19)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_horizontalScrollbar_19() const { return ___m_horizontalScrollbar_19; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_horizontalScrollbar_19() { return &___m_horizontalScrollbar_19; }
inline void set_m_horizontalScrollbar_19(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_horizontalScrollbar_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_horizontalScrollbar_19), (void*)value);
}
inline static int32_t get_offset_of_m_horizontalScrollbarThumb_20() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_horizontalScrollbarThumb_20)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_horizontalScrollbarThumb_20() const { return ___m_horizontalScrollbarThumb_20; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_horizontalScrollbarThumb_20() { return &___m_horizontalScrollbarThumb_20; }
inline void set_m_horizontalScrollbarThumb_20(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_horizontalScrollbarThumb_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_horizontalScrollbarThumb_20), (void*)value);
}
inline static int32_t get_offset_of_m_horizontalScrollbarLeftButton_21() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_horizontalScrollbarLeftButton_21)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_horizontalScrollbarLeftButton_21() const { return ___m_horizontalScrollbarLeftButton_21; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_horizontalScrollbarLeftButton_21() { return &___m_horizontalScrollbarLeftButton_21; }
inline void set_m_horizontalScrollbarLeftButton_21(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_horizontalScrollbarLeftButton_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_horizontalScrollbarLeftButton_21), (void*)value);
}
inline static int32_t get_offset_of_m_horizontalScrollbarRightButton_22() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_horizontalScrollbarRightButton_22)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_horizontalScrollbarRightButton_22() const { return ___m_horizontalScrollbarRightButton_22; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_horizontalScrollbarRightButton_22() { return &___m_horizontalScrollbarRightButton_22; }
inline void set_m_horizontalScrollbarRightButton_22(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_horizontalScrollbarRightButton_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_horizontalScrollbarRightButton_22), (void*)value);
}
inline static int32_t get_offset_of_m_verticalScrollbar_23() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_verticalScrollbar_23)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_verticalScrollbar_23() const { return ___m_verticalScrollbar_23; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_verticalScrollbar_23() { return &___m_verticalScrollbar_23; }
inline void set_m_verticalScrollbar_23(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_verticalScrollbar_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_verticalScrollbar_23), (void*)value);
}
inline static int32_t get_offset_of_m_verticalScrollbarThumb_24() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_verticalScrollbarThumb_24)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_verticalScrollbarThumb_24() const { return ___m_verticalScrollbarThumb_24; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_verticalScrollbarThumb_24() { return &___m_verticalScrollbarThumb_24; }
inline void set_m_verticalScrollbarThumb_24(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_verticalScrollbarThumb_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_verticalScrollbarThumb_24), (void*)value);
}
inline static int32_t get_offset_of_m_verticalScrollbarUpButton_25() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_verticalScrollbarUpButton_25)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_verticalScrollbarUpButton_25() const { return ___m_verticalScrollbarUpButton_25; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_verticalScrollbarUpButton_25() { return &___m_verticalScrollbarUpButton_25; }
inline void set_m_verticalScrollbarUpButton_25(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_verticalScrollbarUpButton_25 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_verticalScrollbarUpButton_25), (void*)value);
}
inline static int32_t get_offset_of_m_verticalScrollbarDownButton_26() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_verticalScrollbarDownButton_26)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_verticalScrollbarDownButton_26() const { return ___m_verticalScrollbarDownButton_26; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_verticalScrollbarDownButton_26() { return &___m_verticalScrollbarDownButton_26; }
inline void set_m_verticalScrollbarDownButton_26(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_verticalScrollbarDownButton_26 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_verticalScrollbarDownButton_26), (void*)value);
}
inline static int32_t get_offset_of_m_ScrollView_27() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_ScrollView_27)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_m_ScrollView_27() const { return ___m_ScrollView_27; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_m_ScrollView_27() { return &___m_ScrollView_27; }
inline void set_m_ScrollView_27(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___m_ScrollView_27 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ScrollView_27), (void*)value);
}
inline static int32_t get_offset_of_m_CustomStyles_28() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_CustomStyles_28)); }
inline GUIStyleU5BU5D_t99FB75A2EC4777ADECDE02F71A619CFBFC0F4F70* get_m_CustomStyles_28() const { return ___m_CustomStyles_28; }
inline GUIStyleU5BU5D_t99FB75A2EC4777ADECDE02F71A619CFBFC0F4F70** get_address_of_m_CustomStyles_28() { return &___m_CustomStyles_28; }
inline void set_m_CustomStyles_28(GUIStyleU5BU5D_t99FB75A2EC4777ADECDE02F71A619CFBFC0F4F70* value)
{
___m_CustomStyles_28 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CustomStyles_28), (void*)value);
}
inline static int32_t get_offset_of_m_Settings_29() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_Settings_29)); }
inline GUISettings_tB85473DFD6EF025A06EAD867197A4478A41008D0 * get_m_Settings_29() const { return ___m_Settings_29; }
inline GUISettings_tB85473DFD6EF025A06EAD867197A4478A41008D0 ** get_address_of_m_Settings_29() { return &___m_Settings_29; }
inline void set_m_Settings_29(GUISettings_tB85473DFD6EF025A06EAD867197A4478A41008D0 * value)
{
___m_Settings_29 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Settings_29), (void*)value);
}
inline static int32_t get_offset_of_m_Styles_31() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6, ___m_Styles_31)); }
inline Dictionary_2_t2CD153A36C5BD27CDDC85F23918ECEF77E892E80 * get_m_Styles_31() const { return ___m_Styles_31; }
inline Dictionary_2_t2CD153A36C5BD27CDDC85F23918ECEF77E892E80 ** get_address_of_m_Styles_31() { return &___m_Styles_31; }
inline void set_m_Styles_31(Dictionary_2_t2CD153A36C5BD27CDDC85F23918ECEF77E892E80 * value)
{
___m_Styles_31 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Styles_31), (void*)value);
}
};
struct GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6_StaticFields
{
public:
// UnityEngine.GUIStyle UnityEngine.GUISkin::ms_Error
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * ___ms_Error_30;
// UnityEngine.GUISkin/SkinChangedDelegate UnityEngine.GUISkin::m_SkinChanged
SkinChangedDelegate_t8BECC691E2A259B07F4A51D8F1A639B83F055E1E * ___m_SkinChanged_32;
// UnityEngine.GUISkin UnityEngine.GUISkin::current
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6 * ___current_33;
public:
inline static int32_t get_offset_of_ms_Error_30() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6_StaticFields, ___ms_Error_30)); }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * get_ms_Error_30() const { return ___ms_Error_30; }
inline GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 ** get_address_of_ms_Error_30() { return &___ms_Error_30; }
inline void set_ms_Error_30(GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726 * value)
{
___ms_Error_30 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ms_Error_30), (void*)value);
}
inline static int32_t get_offset_of_m_SkinChanged_32() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6_StaticFields, ___m_SkinChanged_32)); }
inline SkinChangedDelegate_t8BECC691E2A259B07F4A51D8F1A639B83F055E1E * get_m_SkinChanged_32() const { return ___m_SkinChanged_32; }
inline SkinChangedDelegate_t8BECC691E2A259B07F4A51D8F1A639B83F055E1E ** get_address_of_m_SkinChanged_32() { return &___m_SkinChanged_32; }
inline void set_m_SkinChanged_32(SkinChangedDelegate_t8BECC691E2A259B07F4A51D8F1A639B83F055E1E * value)
{
___m_SkinChanged_32 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SkinChanged_32), (void*)value);
}
inline static int32_t get_offset_of_current_33() { return static_cast<int32_t>(offsetof(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6_StaticFields, ___current_33)); }
inline GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6 * get_current_33() const { return ___current_33; }
inline GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6 ** get_address_of_current_33() { return &___current_33; }
inline void set_current_33(GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6 * value)
{
___current_33 = value;
Il2CppCodeGenWriteBarrier((void**)(&___current_33), (void*)value);
}
};
// UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup
struct GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/NameValuePair> UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup::m_Variables
List_1_t92DDC41F9D6414DCC13A51EFA02CAD8B49700B5A * ___m_Variables_4;
// System.Collections.Generic.Dictionary`2<System.String,UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup/NameValuePair> UnityEngine.Localization.SmartFormat.GlobalVariables.GlobalVariablesGroup::m_VariableLookup
Dictionary_2_tEE11BD7FAD8C288DA93B3C5422C51AC3FEB5F0FC * ___m_VariableLookup_5;
public:
inline static int32_t get_offset_of_m_Variables_4() { return static_cast<int32_t>(offsetof(GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A, ___m_Variables_4)); }
inline List_1_t92DDC41F9D6414DCC13A51EFA02CAD8B49700B5A * get_m_Variables_4() const { return ___m_Variables_4; }
inline List_1_t92DDC41F9D6414DCC13A51EFA02CAD8B49700B5A ** get_address_of_m_Variables_4() { return &___m_Variables_4; }
inline void set_m_Variables_4(List_1_t92DDC41F9D6414DCC13A51EFA02CAD8B49700B5A * value)
{
___m_Variables_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Variables_4), (void*)value);
}
inline static int32_t get_offset_of_m_VariableLookup_5() { return static_cast<int32_t>(offsetof(GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A, ___m_VariableLookup_5)); }
inline Dictionary_2_tEE11BD7FAD8C288DA93B3C5422C51AC3FEB5F0FC * get_m_VariableLookup_5() const { return ___m_VariableLookup_5; }
inline Dictionary_2_tEE11BD7FAD8C288DA93B3C5422C51AC3FEB5F0FC ** get_address_of_m_VariableLookup_5() { return &___m_VariableLookup_5; }
inline void set_m_VariableLookup_5(Dictionary_2_tEE11BD7FAD8C288DA93B3C5422C51AC3FEB5F0FC * value)
{
___m_VariableLookup_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_VariableLookup_5), (void*)value);
}
};
// UnityEngine.ResourceManagement.AsyncOperations.GroupOperation
struct GroupOperation_t2BE20865DFFF5ABC8B2696AB6A3DF4B7B393BB86 : public AsyncOperationBase_1_t6A552480BF3C8CE3CC16C08D4D9D48E6E7F1C014
{
public:
// System.Action`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.ResourceManagement.AsyncOperations.GroupOperation::m_InternalOnComplete
Action_1_t6634F94209C51241AB52BDC921720558A925806B * ___m_InternalOnComplete_16;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.GroupOperation::m_LoadedCount
int32_t ___m_LoadedCount_17;
// UnityEngine.ResourceManagement.AsyncOperations.GroupOperation/GroupOperationSettings UnityEngine.ResourceManagement.AsyncOperations.GroupOperation::m_Settings
int32_t ___m_Settings_18;
// System.Int32 UnityEngine.ResourceManagement.AsyncOperations.GroupOperation::<UnityEngine.ResourceManagement.AsyncOperations.ICachable.Hash>k__BackingField
int32_t ___U3CUnityEngine_ResourceManagement_AsyncOperations_ICachable_HashU3Ek__BackingField_19;
public:
inline static int32_t get_offset_of_m_InternalOnComplete_16() { return static_cast<int32_t>(offsetof(GroupOperation_t2BE20865DFFF5ABC8B2696AB6A3DF4B7B393BB86, ___m_InternalOnComplete_16)); }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B * get_m_InternalOnComplete_16() const { return ___m_InternalOnComplete_16; }
inline Action_1_t6634F94209C51241AB52BDC921720558A925806B ** get_address_of_m_InternalOnComplete_16() { return &___m_InternalOnComplete_16; }
inline void set_m_InternalOnComplete_16(Action_1_t6634F94209C51241AB52BDC921720558A925806B * value)
{
___m_InternalOnComplete_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InternalOnComplete_16), (void*)value);
}
inline static int32_t get_offset_of_m_LoadedCount_17() { return static_cast<int32_t>(offsetof(GroupOperation_t2BE20865DFFF5ABC8B2696AB6A3DF4B7B393BB86, ___m_LoadedCount_17)); }
inline int32_t get_m_LoadedCount_17() const { return ___m_LoadedCount_17; }
inline int32_t* get_address_of_m_LoadedCount_17() { return &___m_LoadedCount_17; }
inline void set_m_LoadedCount_17(int32_t value)
{
___m_LoadedCount_17 = value;
}
inline static int32_t get_offset_of_m_Settings_18() { return static_cast<int32_t>(offsetof(GroupOperation_t2BE20865DFFF5ABC8B2696AB6A3DF4B7B393BB86, ___m_Settings_18)); }
inline int32_t get_m_Settings_18() const { return ___m_Settings_18; }
inline int32_t* get_address_of_m_Settings_18() { return &___m_Settings_18; }
inline void set_m_Settings_18(int32_t value)
{
___m_Settings_18 = value;
}
inline static int32_t get_offset_of_U3CUnityEngine_ResourceManagement_AsyncOperations_ICachable_HashU3Ek__BackingField_19() { return static_cast<int32_t>(offsetof(GroupOperation_t2BE20865DFFF5ABC8B2696AB6A3DF4B7B393BB86, ___U3CUnityEngine_ResourceManagement_AsyncOperations_ICachable_HashU3Ek__BackingField_19)); }
inline int32_t get_U3CUnityEngine_ResourceManagement_AsyncOperations_ICachable_HashU3Ek__BackingField_19() const { return ___U3CUnityEngine_ResourceManagement_AsyncOperations_ICachable_HashU3Ek__BackingField_19; }
inline int32_t* get_address_of_U3CUnityEngine_ResourceManagement_AsyncOperations_ICachable_HashU3Ek__BackingField_19() { return &___U3CUnityEngine_ResourceManagement_AsyncOperations_ICachable_HashU3Ek__BackingField_19; }
inline void set_U3CUnityEngine_ResourceManagement_AsyncOperations_ICachable_HashU3Ek__BackingField_19(int32_t value)
{
___U3CUnityEngine_ResourceManagement_AsyncOperations_ICachable_HashU3Ek__BackingField_19 = value;
}
};
// System.Runtime.Remoting.Messaging.HeaderHandler
struct HeaderHandler_t503AE3AA2FFEA490B012CBF3A3EB37C21FF0490D : public MulticastDelegate_t
{
public:
public:
};
// System.IOAsyncCallback
struct IOAsyncCallback_tB965FCE75DB2822B784F36808F71EA447D5F977E : public MulticastDelegate_t
{
public:
public:
};
// System.IO.IOException
struct IOException_t09E5C01DA4748C36D703728C4668C5CDF3882EBA : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
// System.String System.IO.IOException::_maybeFullPath
String_t* ____maybeFullPath_17;
public:
inline static int32_t get_offset_of__maybeFullPath_17() { return static_cast<int32_t>(offsetof(IOException_t09E5C01DA4748C36D703728C4668C5CDF3882EBA, ____maybeFullPath_17)); }
inline String_t* get__maybeFullPath_17() const { return ____maybeFullPath_17; }
inline String_t** get_address_of__maybeFullPath_17() { return &____maybeFullPath_17; }
inline void set__maybeFullPath_17(String_t* value)
{
____maybeFullPath_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&____maybeFullPath_17), (void*)value);
}
};
// System.IndexOutOfRangeException
struct IndexOutOfRangeException_tDC9EF7A0346CE39E54DA1083F07BE6DFC3CE2EDD : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// UnityEngine.ResourceManagement.AsyncOperations.InitalizationObjectsOperation
struct InitalizationObjectsOperation_tB327C4C33B585E8D197BFAA550E075D3596B364F : public AsyncOperationBase_1_tDFA3FD5BE5B06161B2832AF342050591DB171B7C
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.AddressableAssets.Initialization.ResourceManagerRuntimeData> UnityEngine.ResourceManagement.AsyncOperations.InitalizationObjectsOperation::m_RtdOp
AsyncOperationHandle_1_tD9812B9979E4D55015216D81BCBF97A7323C3B10 ___m_RtdOp_16;
// UnityEngine.AddressableAssets.AddressablesImpl UnityEngine.ResourceManagement.AsyncOperations.InitalizationObjectsOperation::m_Addressables
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * ___m_Addressables_17;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<System.Collections.Generic.IList`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle>> UnityEngine.ResourceManagement.AsyncOperations.InitalizationObjectsOperation::m_DepOp
AsyncOperationHandle_1_t0057C07DE37DEA6058C4D485225F00924A8B482F ___m_DepOp_18;
public:
inline static int32_t get_offset_of_m_RtdOp_16() { return static_cast<int32_t>(offsetof(InitalizationObjectsOperation_tB327C4C33B585E8D197BFAA550E075D3596B364F, ___m_RtdOp_16)); }
inline AsyncOperationHandle_1_tD9812B9979E4D55015216D81BCBF97A7323C3B10 get_m_RtdOp_16() const { return ___m_RtdOp_16; }
inline AsyncOperationHandle_1_tD9812B9979E4D55015216D81BCBF97A7323C3B10 * get_address_of_m_RtdOp_16() { return &___m_RtdOp_16; }
inline void set_m_RtdOp_16(AsyncOperationHandle_1_tD9812B9979E4D55015216D81BCBF97A7323C3B10 value)
{
___m_RtdOp_16 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_RtdOp_16))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_RtdOp_16))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_Addressables_17() { return static_cast<int32_t>(offsetof(InitalizationObjectsOperation_tB327C4C33B585E8D197BFAA550E075D3596B364F, ___m_Addressables_17)); }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * get_m_Addressables_17() const { return ___m_Addressables_17; }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 ** get_address_of_m_Addressables_17() { return &___m_Addressables_17; }
inline void set_m_Addressables_17(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * value)
{
___m_Addressables_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Addressables_17), (void*)value);
}
inline static int32_t get_offset_of_m_DepOp_18() { return static_cast<int32_t>(offsetof(InitalizationObjectsOperation_tB327C4C33B585E8D197BFAA550E075D3596B364F, ___m_DepOp_18)); }
inline AsyncOperationHandle_1_t0057C07DE37DEA6058C4D485225F00924A8B482F get_m_DepOp_18() const { return ___m_DepOp_18; }
inline AsyncOperationHandle_1_t0057C07DE37DEA6058C4D485225F00924A8B482F * get_address_of_m_DepOp_18() { return &___m_DepOp_18; }
inline void set_m_DepOp_18(AsyncOperationHandle_1_t0057C07DE37DEA6058C4D485225F00924A8B482F value)
{
___m_DepOp_18 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_DepOp_18))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_DepOp_18))->___m_LocationName_2), (void*)NULL);
#endif
}
};
// UnityEngine.AddressableAssets.Initialization.InitializationOperation
struct InitializationOperation_t6B5E499738C4AAD0D1566EC00551A0694C8094B0 : public AsyncOperationBase_1_tC92742CA3BBB656EB304889668532E5A44D51FDA
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.AddressableAssets.Initialization.ResourceManagerRuntimeData> UnityEngine.AddressableAssets.Initialization.InitializationOperation::m_rtdOp
AsyncOperationHandle_1_tD9812B9979E4D55015216D81BCBF97A7323C3B10 ___m_rtdOp_16;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.AddressableAssets.ResourceLocators.IResourceLocator> UnityEngine.AddressableAssets.Initialization.InitializationOperation::m_loadCatalogOp
AsyncOperationHandle_1_tACBCEBB25FC221B2183225C6276396BB356E14DE ___m_loadCatalogOp_17;
// System.String UnityEngine.AddressableAssets.Initialization.InitializationOperation::m_ProviderSuffix
String_t* ___m_ProviderSuffix_18;
// UnityEngine.AddressableAssets.AddressablesImpl UnityEngine.AddressableAssets.Initialization.InitializationOperation::m_Addressables
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * ___m_Addressables_19;
// UnityEngine.AddressableAssets.Utility.ResourceManagerDiagnostics UnityEngine.AddressableAssets.Initialization.InitializationOperation::m_Diagnostics
ResourceManagerDiagnostics_t2CAC6BE26AC64F18159FE55C52C2B864A5B1FA62 * ___m_Diagnostics_20;
// UnityEngine.ResourceManagement.AsyncOperations.InitalizationObjectsOperation UnityEngine.AddressableAssets.Initialization.InitializationOperation::m_InitGroupOps
InitalizationObjectsOperation_tB327C4C33B585E8D197BFAA550E075D3596B364F * ___m_InitGroupOps_21;
public:
inline static int32_t get_offset_of_m_rtdOp_16() { return static_cast<int32_t>(offsetof(InitializationOperation_t6B5E499738C4AAD0D1566EC00551A0694C8094B0, ___m_rtdOp_16)); }
inline AsyncOperationHandle_1_tD9812B9979E4D55015216D81BCBF97A7323C3B10 get_m_rtdOp_16() const { return ___m_rtdOp_16; }
inline AsyncOperationHandle_1_tD9812B9979E4D55015216D81BCBF97A7323C3B10 * get_address_of_m_rtdOp_16() { return &___m_rtdOp_16; }
inline void set_m_rtdOp_16(AsyncOperationHandle_1_tD9812B9979E4D55015216D81BCBF97A7323C3B10 value)
{
___m_rtdOp_16 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_rtdOp_16))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_rtdOp_16))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_loadCatalogOp_17() { return static_cast<int32_t>(offsetof(InitializationOperation_t6B5E499738C4AAD0D1566EC00551A0694C8094B0, ___m_loadCatalogOp_17)); }
inline AsyncOperationHandle_1_tACBCEBB25FC221B2183225C6276396BB356E14DE get_m_loadCatalogOp_17() const { return ___m_loadCatalogOp_17; }
inline AsyncOperationHandle_1_tACBCEBB25FC221B2183225C6276396BB356E14DE * get_address_of_m_loadCatalogOp_17() { return &___m_loadCatalogOp_17; }
inline void set_m_loadCatalogOp_17(AsyncOperationHandle_1_tACBCEBB25FC221B2183225C6276396BB356E14DE value)
{
___m_loadCatalogOp_17 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_loadCatalogOp_17))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_loadCatalogOp_17))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_ProviderSuffix_18() { return static_cast<int32_t>(offsetof(InitializationOperation_t6B5E499738C4AAD0D1566EC00551A0694C8094B0, ___m_ProviderSuffix_18)); }
inline String_t* get_m_ProviderSuffix_18() const { return ___m_ProviderSuffix_18; }
inline String_t** get_address_of_m_ProviderSuffix_18() { return &___m_ProviderSuffix_18; }
inline void set_m_ProviderSuffix_18(String_t* value)
{
___m_ProviderSuffix_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ProviderSuffix_18), (void*)value);
}
inline static int32_t get_offset_of_m_Addressables_19() { return static_cast<int32_t>(offsetof(InitializationOperation_t6B5E499738C4AAD0D1566EC00551A0694C8094B0, ___m_Addressables_19)); }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * get_m_Addressables_19() const { return ___m_Addressables_19; }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 ** get_address_of_m_Addressables_19() { return &___m_Addressables_19; }
inline void set_m_Addressables_19(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * value)
{
___m_Addressables_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Addressables_19), (void*)value);
}
inline static int32_t get_offset_of_m_Diagnostics_20() { return static_cast<int32_t>(offsetof(InitializationOperation_t6B5E499738C4AAD0D1566EC00551A0694C8094B0, ___m_Diagnostics_20)); }
inline ResourceManagerDiagnostics_t2CAC6BE26AC64F18159FE55C52C2B864A5B1FA62 * get_m_Diagnostics_20() const { return ___m_Diagnostics_20; }
inline ResourceManagerDiagnostics_t2CAC6BE26AC64F18159FE55C52C2B864A5B1FA62 ** get_address_of_m_Diagnostics_20() { return &___m_Diagnostics_20; }
inline void set_m_Diagnostics_20(ResourceManagerDiagnostics_t2CAC6BE26AC64F18159FE55C52C2B864A5B1FA62 * value)
{
___m_Diagnostics_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Diagnostics_20), (void*)value);
}
inline static int32_t get_offset_of_m_InitGroupOps_21() { return static_cast<int32_t>(offsetof(InitializationOperation_t6B5E499738C4AAD0D1566EC00551A0694C8094B0, ___m_InitGroupOps_21)); }
inline InitalizationObjectsOperation_tB327C4C33B585E8D197BFAA550E075D3596B364F * get_m_InitGroupOps_21() const { return ___m_InitGroupOps_21; }
inline InitalizationObjectsOperation_tB327C4C33B585E8D197BFAA550E075D3596B364F ** get_address_of_m_InitGroupOps_21() { return &___m_InitGroupOps_21; }
inline void set_m_InitGroupOps_21(InitalizationObjectsOperation_tB327C4C33B585E8D197BFAA550E075D3596B364F * value)
{
___m_InitGroupOps_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InitGroupOps_21), (void*)value);
}
};
// System.ComponentModel.Int16Converter
struct Int16Converter_t06F8132C8D9EB4AACD2798F07FF71AA0F4D23363 : public BaseNumberConverter_t6CA2001CE79249FCF74FC888710AAD5CA23B748C
{
public:
public:
};
// System.ComponentModel.Int32Converter
struct Int32Converter_t7CB6D229AF03701BFDDC546C8C398AAF320BA094 : public BaseNumberConverter_t6CA2001CE79249FCF74FC888710AAD5CA23B748C
{
public:
public:
};
// System.ComponentModel.Int64Converter
struct Int64Converter_t397B7C232C9417FB27D70380FD5C9287819F19F5 : public BaseNumberConverter_t6CA2001CE79249FCF74FC888710AAD5CA23B748C
{
public:
public:
};
// System.InvalidCastException
struct InvalidCastException_tD99F9FF94C3859C78E90F68C2F77A1558BCAF463 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.Reflection.InvalidFilterCriteriaException
struct InvalidFilterCriteriaException_t7F8507875D22356462784368747FCB7B80668DFB : public ApplicationException_t8D709C0445A040467C6A632AD7F742B25AB2A407
{
public:
public:
};
// System.InvalidOperationException
struct InvalidOperationException_t10D3EE59AD28EC641ACEE05BCA4271A527E5ECAB : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.InvalidProgramException
struct InvalidProgramException_tB6929930C57D6BA8D5E5D9E96E87FE8D55563814 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.Collections.Generic.KeyNotFoundException
struct KeyNotFoundException_t0A3BE653F7FA27DEA1C91C2FB3DAA6C8D0CBB952 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// UnityEngine.SocialPlatforms.Impl.LocalUser
struct LocalUser_t1719BEA57FDD71F6C7B280049E94071CD22D985D : public UserProfile_tDA4AC2655C2C32774702DDA257938A108AB4C537
{
public:
// UnityEngine.SocialPlatforms.IUserProfile[] UnityEngine.SocialPlatforms.Impl.LocalUser::m_Friends
IUserProfileU5BU5D_t4B36B0CF06DE6A00F5D6D0A015DC3E99B02FC65E* ___m_Friends_7;
// System.Boolean UnityEngine.SocialPlatforms.Impl.LocalUser::m_Authenticated
bool ___m_Authenticated_8;
// System.Boolean UnityEngine.SocialPlatforms.Impl.LocalUser::m_Underage
bool ___m_Underage_9;
public:
inline static int32_t get_offset_of_m_Friends_7() { return static_cast<int32_t>(offsetof(LocalUser_t1719BEA57FDD71F6C7B280049E94071CD22D985D, ___m_Friends_7)); }
inline IUserProfileU5BU5D_t4B36B0CF06DE6A00F5D6D0A015DC3E99B02FC65E* get_m_Friends_7() const { return ___m_Friends_7; }
inline IUserProfileU5BU5D_t4B36B0CF06DE6A00F5D6D0A015DC3E99B02FC65E** get_address_of_m_Friends_7() { return &___m_Friends_7; }
inline void set_m_Friends_7(IUserProfileU5BU5D_t4B36B0CF06DE6A00F5D6D0A015DC3E99B02FC65E* value)
{
___m_Friends_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Friends_7), (void*)value);
}
inline static int32_t get_offset_of_m_Authenticated_8() { return static_cast<int32_t>(offsetof(LocalUser_t1719BEA57FDD71F6C7B280049E94071CD22D985D, ___m_Authenticated_8)); }
inline bool get_m_Authenticated_8() const { return ___m_Authenticated_8; }
inline bool* get_address_of_m_Authenticated_8() { return &___m_Authenticated_8; }
inline void set_m_Authenticated_8(bool value)
{
___m_Authenticated_8 = value;
}
inline static int32_t get_offset_of_m_Underage_9() { return static_cast<int32_t>(offsetof(LocalUser_t1719BEA57FDD71F6C7B280049E94071CD22D985D, ___m_Underage_9)); }
inline bool get_m_Underage_9() const { return ___m_Underage_9; }
inline bool* get_address_of_m_Underage_9() { return &___m_Underage_9; }
inline void set_m_Underage_9(bool value)
{
___m_Underage_9 = value;
}
};
// UnityEngine.Localization.Locale
struct Locale_tD8F38559A470AB424FCEE52608573679917924AA : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
// UnityEngine.Localization.LocaleIdentifier UnityEngine.Localization.Locale::m_Identifier
LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF ___m_Identifier_4;
// UnityEngine.Localization.Metadata.MetadataCollection UnityEngine.Localization.Locale::m_Metadata
MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 * ___m_Metadata_5;
// System.String UnityEngine.Localization.Locale::m_LocaleName
String_t* ___m_LocaleName_6;
// System.String UnityEngine.Localization.Locale::m_CustomFormatCultureCode
String_t* ___m_CustomFormatCultureCode_7;
// System.Boolean UnityEngine.Localization.Locale::m_UseCustomFormatter
bool ___m_UseCustomFormatter_8;
// System.UInt16 UnityEngine.Localization.Locale::m_SortOrder
uint16_t ___m_SortOrder_9;
// System.IFormatProvider UnityEngine.Localization.Locale::m_Formatter
RuntimeObject* ___m_Formatter_10;
public:
inline static int32_t get_offset_of_m_Identifier_4() { return static_cast<int32_t>(offsetof(Locale_tD8F38559A470AB424FCEE52608573679917924AA, ___m_Identifier_4)); }
inline LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF get_m_Identifier_4() const { return ___m_Identifier_4; }
inline LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF * get_address_of_m_Identifier_4() { return &___m_Identifier_4; }
inline void set_m_Identifier_4(LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF value)
{
___m_Identifier_4 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_Identifier_4))->___m_Code_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_Identifier_4))->___m_CultureInfo_1), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_Metadata_5() { return static_cast<int32_t>(offsetof(Locale_tD8F38559A470AB424FCEE52608573679917924AA, ___m_Metadata_5)); }
inline MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 * get_m_Metadata_5() const { return ___m_Metadata_5; }
inline MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 ** get_address_of_m_Metadata_5() { return &___m_Metadata_5; }
inline void set_m_Metadata_5(MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 * value)
{
___m_Metadata_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Metadata_5), (void*)value);
}
inline static int32_t get_offset_of_m_LocaleName_6() { return static_cast<int32_t>(offsetof(Locale_tD8F38559A470AB424FCEE52608573679917924AA, ___m_LocaleName_6)); }
inline String_t* get_m_LocaleName_6() const { return ___m_LocaleName_6; }
inline String_t** get_address_of_m_LocaleName_6() { return &___m_LocaleName_6; }
inline void set_m_LocaleName_6(String_t* value)
{
___m_LocaleName_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocaleName_6), (void*)value);
}
inline static int32_t get_offset_of_m_CustomFormatCultureCode_7() { return static_cast<int32_t>(offsetof(Locale_tD8F38559A470AB424FCEE52608573679917924AA, ___m_CustomFormatCultureCode_7)); }
inline String_t* get_m_CustomFormatCultureCode_7() const { return ___m_CustomFormatCultureCode_7; }
inline String_t** get_address_of_m_CustomFormatCultureCode_7() { return &___m_CustomFormatCultureCode_7; }
inline void set_m_CustomFormatCultureCode_7(String_t* value)
{
___m_CustomFormatCultureCode_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CustomFormatCultureCode_7), (void*)value);
}
inline static int32_t get_offset_of_m_UseCustomFormatter_8() { return static_cast<int32_t>(offsetof(Locale_tD8F38559A470AB424FCEE52608573679917924AA, ___m_UseCustomFormatter_8)); }
inline bool get_m_UseCustomFormatter_8() const { return ___m_UseCustomFormatter_8; }
inline bool* get_address_of_m_UseCustomFormatter_8() { return &___m_UseCustomFormatter_8; }
inline void set_m_UseCustomFormatter_8(bool value)
{
___m_UseCustomFormatter_8 = value;
}
inline static int32_t get_offset_of_m_SortOrder_9() { return static_cast<int32_t>(offsetof(Locale_tD8F38559A470AB424FCEE52608573679917924AA, ___m_SortOrder_9)); }
inline uint16_t get_m_SortOrder_9() const { return ___m_SortOrder_9; }
inline uint16_t* get_address_of_m_SortOrder_9() { return &___m_SortOrder_9; }
inline void set_m_SortOrder_9(uint16_t value)
{
___m_SortOrder_9 = value;
}
inline static int32_t get_offset_of_m_Formatter_10() { return static_cast<int32_t>(offsetof(Locale_tD8F38559A470AB424FCEE52608573679917924AA, ___m_Formatter_10)); }
inline RuntimeObject* get_m_Formatter_10() const { return ___m_Formatter_10; }
inline RuntimeObject** get_address_of_m_Formatter_10() { return &___m_Formatter_10; }
inline void set_m_Formatter_10(RuntimeObject* value)
{
___m_Formatter_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Formatter_10), (void*)value);
}
};
// UnityEngine.Localization.Settings.LocalizationSettings
struct LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660 : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
// System.Collections.Generic.List`1<UnityEngine.Localization.Settings.IStartupLocaleSelector> UnityEngine.Localization.Settings.LocalizationSettings::m_StartupSelectors
List_1_t753E17E8EBC752E3B5C32970FB86D6B8869C32A5 * ___m_StartupSelectors_8;
// UnityEngine.Localization.Settings.ILocalesProvider UnityEngine.Localization.Settings.LocalizationSettings::m_AvailableLocales
RuntimeObject* ___m_AvailableLocales_9;
// UnityEngine.Localization.Settings.LocalizedAssetDatabase UnityEngine.Localization.Settings.LocalizationSettings::m_AssetDatabase
LocalizedAssetDatabase_tB8335F46EA5B7A81B58A935F6D45D06266BC0B38 * ___m_AssetDatabase_10;
// UnityEngine.Localization.Settings.LocalizedStringDatabase UnityEngine.Localization.Settings.LocalizationSettings::m_StringDatabase
LocalizedStringDatabase_tF8BDBBC4A694A1B429F79AC8AB9E9A170726272D * ___m_StringDatabase_11;
// UnityEngine.Localization.Metadata.MetadataCollection UnityEngine.Localization.Settings.LocalizationSettings::m_Metadata
MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 * ___m_Metadata_12;
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Localization.Settings.LocalizationSettings>> UnityEngine.Localization.Settings.LocalizationSettings::m_InitializingOperationHandle
Nullable_1_tD53A69AAAB3CA0AF13B90A14947091B981EC3D92 ___m_InitializingOperationHandle_13;
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Localization.Locale>> UnityEngine.Localization.Settings.LocalizationSettings::m_SelectedLocaleAsync
Nullable_1_tF0426514B4E80554A0E345926982BB7FF02875C0 ___m_SelectedLocaleAsync_14;
// System.Action`1<UnityEngine.Localization.Locale> UnityEngine.Localization.Settings.LocalizationSettings::OnSelectedLocaleChanged
Action_1_tBB59FCCF63211BCB4721A2EEAB7EB4F0162986A0 * ___OnSelectedLocaleChanged_16;
public:
inline static int32_t get_offset_of_m_StartupSelectors_8() { return static_cast<int32_t>(offsetof(LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660, ___m_StartupSelectors_8)); }
inline List_1_t753E17E8EBC752E3B5C32970FB86D6B8869C32A5 * get_m_StartupSelectors_8() const { return ___m_StartupSelectors_8; }
inline List_1_t753E17E8EBC752E3B5C32970FB86D6B8869C32A5 ** get_address_of_m_StartupSelectors_8() { return &___m_StartupSelectors_8; }
inline void set_m_StartupSelectors_8(List_1_t753E17E8EBC752E3B5C32970FB86D6B8869C32A5 * value)
{
___m_StartupSelectors_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_StartupSelectors_8), (void*)value);
}
inline static int32_t get_offset_of_m_AvailableLocales_9() { return static_cast<int32_t>(offsetof(LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660, ___m_AvailableLocales_9)); }
inline RuntimeObject* get_m_AvailableLocales_9() const { return ___m_AvailableLocales_9; }
inline RuntimeObject** get_address_of_m_AvailableLocales_9() { return &___m_AvailableLocales_9; }
inline void set_m_AvailableLocales_9(RuntimeObject* value)
{
___m_AvailableLocales_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_AvailableLocales_9), (void*)value);
}
inline static int32_t get_offset_of_m_AssetDatabase_10() { return static_cast<int32_t>(offsetof(LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660, ___m_AssetDatabase_10)); }
inline LocalizedAssetDatabase_tB8335F46EA5B7A81B58A935F6D45D06266BC0B38 * get_m_AssetDatabase_10() const { return ___m_AssetDatabase_10; }
inline LocalizedAssetDatabase_tB8335F46EA5B7A81B58A935F6D45D06266BC0B38 ** get_address_of_m_AssetDatabase_10() { return &___m_AssetDatabase_10; }
inline void set_m_AssetDatabase_10(LocalizedAssetDatabase_tB8335F46EA5B7A81B58A935F6D45D06266BC0B38 * value)
{
___m_AssetDatabase_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_AssetDatabase_10), (void*)value);
}
inline static int32_t get_offset_of_m_StringDatabase_11() { return static_cast<int32_t>(offsetof(LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660, ___m_StringDatabase_11)); }
inline LocalizedStringDatabase_tF8BDBBC4A694A1B429F79AC8AB9E9A170726272D * get_m_StringDatabase_11() const { return ___m_StringDatabase_11; }
inline LocalizedStringDatabase_tF8BDBBC4A694A1B429F79AC8AB9E9A170726272D ** get_address_of_m_StringDatabase_11() { return &___m_StringDatabase_11; }
inline void set_m_StringDatabase_11(LocalizedStringDatabase_tF8BDBBC4A694A1B429F79AC8AB9E9A170726272D * value)
{
___m_StringDatabase_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_StringDatabase_11), (void*)value);
}
inline static int32_t get_offset_of_m_Metadata_12() { return static_cast<int32_t>(offsetof(LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660, ___m_Metadata_12)); }
inline MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 * get_m_Metadata_12() const { return ___m_Metadata_12; }
inline MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 ** get_address_of_m_Metadata_12() { return &___m_Metadata_12; }
inline void set_m_Metadata_12(MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 * value)
{
___m_Metadata_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Metadata_12), (void*)value);
}
inline static int32_t get_offset_of_m_InitializingOperationHandle_13() { return static_cast<int32_t>(offsetof(LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660, ___m_InitializingOperationHandle_13)); }
inline Nullable_1_tD53A69AAAB3CA0AF13B90A14947091B981EC3D92 get_m_InitializingOperationHandle_13() const { return ___m_InitializingOperationHandle_13; }
inline Nullable_1_tD53A69AAAB3CA0AF13B90A14947091B981EC3D92 * get_address_of_m_InitializingOperationHandle_13() { return &___m_InitializingOperationHandle_13; }
inline void set_m_InitializingOperationHandle_13(Nullable_1_tD53A69AAAB3CA0AF13B90A14947091B981EC3D92 value)
{
___m_InitializingOperationHandle_13 = value;
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_InitializingOperationHandle_13))->___value_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_InitializingOperationHandle_13))->___value_0))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_SelectedLocaleAsync_14() { return static_cast<int32_t>(offsetof(LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660, ___m_SelectedLocaleAsync_14)); }
inline Nullable_1_tF0426514B4E80554A0E345926982BB7FF02875C0 get_m_SelectedLocaleAsync_14() const { return ___m_SelectedLocaleAsync_14; }
inline Nullable_1_tF0426514B4E80554A0E345926982BB7FF02875C0 * get_address_of_m_SelectedLocaleAsync_14() { return &___m_SelectedLocaleAsync_14; }
inline void set_m_SelectedLocaleAsync_14(Nullable_1_tF0426514B4E80554A0E345926982BB7FF02875C0 value)
{
___m_SelectedLocaleAsync_14 = value;
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SelectedLocaleAsync_14))->___value_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SelectedLocaleAsync_14))->___value_0))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_OnSelectedLocaleChanged_16() { return static_cast<int32_t>(offsetof(LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660, ___OnSelectedLocaleChanged_16)); }
inline Action_1_tBB59FCCF63211BCB4721A2EEAB7EB4F0162986A0 * get_OnSelectedLocaleChanged_16() const { return ___OnSelectedLocaleChanged_16; }
inline Action_1_tBB59FCCF63211BCB4721A2EEAB7EB4F0162986A0 ** get_address_of_OnSelectedLocaleChanged_16() { return &___OnSelectedLocaleChanged_16; }
inline void set_OnSelectedLocaleChanged_16(Action_1_tBB59FCCF63211BCB4721A2EEAB7EB4F0162986A0 * value)
{
___OnSelectedLocaleChanged_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___OnSelectedLocaleChanged_16), (void*)value);
}
};
struct LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660_StaticFields
{
public:
// UnityEngine.Localization.Settings.LocalizationSettings UnityEngine.Localization.Settings.LocalizationSettings::s_Instance
LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660 * ___s_Instance_15;
public:
inline static int32_t get_offset_of_s_Instance_15() { return static_cast<int32_t>(offsetof(LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660_StaticFields, ___s_Instance_15)); }
inline LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660 * get_s_Instance_15() const { return ___s_Instance_15; }
inline LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660 ** get_address_of_s_Instance_15() { return &___s_Instance_15; }
inline void set_s_Instance_15(LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660 * value)
{
___s_Instance_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Instance_15), (void*)value);
}
};
// UnityEngine.Localization.Tables.LocalizationTable
struct LocalizationTable_t663E5614B59380B6CE76CFF2FD8500C82CF8F707 : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
// UnityEngine.Localization.LocaleIdentifier UnityEngine.Localization.Tables.LocalizationTable::m_LocaleId
LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF ___m_LocaleId_4;
// UnityEngine.Localization.Tables.SharedTableData UnityEngine.Localization.Tables.LocalizationTable::m_SharedData
SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC * ___m_SharedData_5;
// UnityEngine.Localization.Metadata.MetadataCollection UnityEngine.Localization.Tables.LocalizationTable::m_Metadata
MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 * ___m_Metadata_6;
// System.Collections.Generic.List`1<UnityEngine.Localization.Tables.TableEntryData> UnityEngine.Localization.Tables.LocalizationTable::m_TableData
List_1_t1CBCB272AFCAB02E23395840834FDFC43DBF9AD1 * ___m_TableData_7;
public:
inline static int32_t get_offset_of_m_LocaleId_4() { return static_cast<int32_t>(offsetof(LocalizationTable_t663E5614B59380B6CE76CFF2FD8500C82CF8F707, ___m_LocaleId_4)); }
inline LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF get_m_LocaleId_4() const { return ___m_LocaleId_4; }
inline LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF * get_address_of_m_LocaleId_4() { return &___m_LocaleId_4; }
inline void set_m_LocaleId_4(LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF value)
{
___m_LocaleId_4 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_LocaleId_4))->___m_Code_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_LocaleId_4))->___m_CultureInfo_1), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_SharedData_5() { return static_cast<int32_t>(offsetof(LocalizationTable_t663E5614B59380B6CE76CFF2FD8500C82CF8F707, ___m_SharedData_5)); }
inline SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC * get_m_SharedData_5() const { return ___m_SharedData_5; }
inline SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC ** get_address_of_m_SharedData_5() { return &___m_SharedData_5; }
inline void set_m_SharedData_5(SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC * value)
{
___m_SharedData_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SharedData_5), (void*)value);
}
inline static int32_t get_offset_of_m_Metadata_6() { return static_cast<int32_t>(offsetof(LocalizationTable_t663E5614B59380B6CE76CFF2FD8500C82CF8F707, ___m_Metadata_6)); }
inline MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 * get_m_Metadata_6() const { return ___m_Metadata_6; }
inline MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 ** get_address_of_m_Metadata_6() { return &___m_Metadata_6; }
inline void set_m_Metadata_6(MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 * value)
{
___m_Metadata_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Metadata_6), (void*)value);
}
inline static int32_t get_offset_of_m_TableData_7() { return static_cast<int32_t>(offsetof(LocalizationTable_t663E5614B59380B6CE76CFF2FD8500C82CF8F707, ___m_TableData_7)); }
inline List_1_t1CBCB272AFCAB02E23395840834FDFC43DBF9AD1 * get_m_TableData_7() const { return ___m_TableData_7; }
inline List_1_t1CBCB272AFCAB02E23395840834FDFC43DBF9AD1 ** get_address_of_m_TableData_7() { return &___m_TableData_7; }
inline void set_m_TableData_7(List_1_t1CBCB272AFCAB02E23395840834FDFC43DBF9AD1 * value)
{
___m_TableData_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TableData_7), (void*)value);
}
};
// UnityEngine.Localization.LocalizedReference
struct LocalizedReference_tE4351868059E6AD279BD3FF03A163E130BFAE960 : public RuntimeObject
{
public:
// UnityEngine.Localization.Tables.TableReference UnityEngine.Localization.LocalizedReference::m_TableReference
TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 ___m_TableReference_0;
// UnityEngine.Localization.Tables.TableEntryReference UnityEngine.Localization.LocalizedReference::m_TableEntryReference
TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4 ___m_TableEntryReference_1;
// UnityEngine.Localization.Settings.FallbackBehavior UnityEngine.Localization.LocalizedReference::m_FallbackState
int32_t ___m_FallbackState_2;
// System.Boolean UnityEngine.Localization.LocalizedReference::m_WaitForCompletion
bool ___m_WaitForCompletion_3;
public:
inline static int32_t get_offset_of_m_TableReference_0() { return static_cast<int32_t>(offsetof(LocalizedReference_tE4351868059E6AD279BD3FF03A163E130BFAE960, ___m_TableReference_0)); }
inline TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 get_m_TableReference_0() const { return ___m_TableReference_0; }
inline TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 * get_address_of_m_TableReference_0() { return &___m_TableReference_0; }
inline void set_m_TableReference_0(TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 value)
{
___m_TableReference_0 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_TableReference_0))->___m_TableCollectionName_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_TableEntryReference_1() { return static_cast<int32_t>(offsetof(LocalizedReference_tE4351868059E6AD279BD3FF03A163E130BFAE960, ___m_TableEntryReference_1)); }
inline TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4 get_m_TableEntryReference_1() const { return ___m_TableEntryReference_1; }
inline TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4 * get_address_of_m_TableEntryReference_1() { return &___m_TableEntryReference_1; }
inline void set_m_TableEntryReference_1(TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4 value)
{
___m_TableEntryReference_1 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_TableEntryReference_1))->___m_Key_1), (void*)NULL);
}
inline static int32_t get_offset_of_m_FallbackState_2() { return static_cast<int32_t>(offsetof(LocalizedReference_tE4351868059E6AD279BD3FF03A163E130BFAE960, ___m_FallbackState_2)); }
inline int32_t get_m_FallbackState_2() const { return ___m_FallbackState_2; }
inline int32_t* get_address_of_m_FallbackState_2() { return &___m_FallbackState_2; }
inline void set_m_FallbackState_2(int32_t value)
{
___m_FallbackState_2 = value;
}
inline static int32_t get_offset_of_m_WaitForCompletion_3() { return static_cast<int32_t>(offsetof(LocalizedReference_tE4351868059E6AD279BD3FF03A163E130BFAE960, ___m_WaitForCompletion_3)); }
inline bool get_m_WaitForCompletion_3() const { return ___m_WaitForCompletion_3; }
inline bool* get_address_of_m_WaitForCompletion_3() { return &___m_WaitForCompletion_3; }
inline void set_m_WaitForCompletion_3(bool value)
{
___m_WaitForCompletion_3 = value;
}
};
// System.Threading.ManualResetEvent
struct ManualResetEvent_t9E2ED486907E3A16122ED4E946534E4DD6B5A7BA : public EventWaitHandle_t80CDEB33529EF7549E7D3E3B689D8272B9F37F3C
{
public:
public:
};
// System.Runtime.InteropServices.MarshalDirectiveException
struct MarshalDirectiveException_t45D00FD795083DFF64F6C8B69C5A3BB372BD45FD : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.MemberAccessException
struct MemberAccessException_tD623E47056C7D98D56B63B4B954D4E5E128A30FC : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.Reflection.MemberFilter
struct MemberFilter_t48D0AA10105D186AF42428FA532D4B4332CF8B81 : public MulticastDelegate_t
{
public:
public:
};
// System.Runtime.Serialization.MemberHolder
struct MemberHolder_t726EF5DD7EFEAC217E964548470CFC7D88E149EB : public RuntimeObject
{
public:
// System.Type System.Runtime.Serialization.MemberHolder::memberType
Type_t * ___memberType_0;
// System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.MemberHolder::context
StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 ___context_1;
public:
inline static int32_t get_offset_of_memberType_0() { return static_cast<int32_t>(offsetof(MemberHolder_t726EF5DD7EFEAC217E964548470CFC7D88E149EB, ___memberType_0)); }
inline Type_t * get_memberType_0() const { return ___memberType_0; }
inline Type_t ** get_address_of_memberType_0() { return &___memberType_0; }
inline void set_memberType_0(Type_t * value)
{
___memberType_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberType_0), (void*)value);
}
inline static int32_t get_offset_of_context_1() { return static_cast<int32_t>(offsetof(MemberHolder_t726EF5DD7EFEAC217E964548470CFC7D88E149EB, ___context_1)); }
inline StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 get_context_1() const { return ___context_1; }
inline StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 * get_address_of_context_1() { return &___context_1; }
inline void set_context_1(StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 value)
{
___context_1 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___context_1))->___m_additionalContext_0), (void*)NULL);
}
};
// UnityEngine.MeshFilter
struct MeshFilter_t763BB2BBF3881176AD25E4570E6DD215BA0AA51A : public Component_t62FBC8D2420DA4BE9037AFE430740F6B3EECA684
{
public:
public:
};
// System.Linq.Expressions.MethodBinaryExpression
struct MethodBinaryExpression_t3119FE060545F8BBCA10624BD0A1D43AB150DF23 : public SimpleBinaryExpression_tD31812298FB2E8F19C62AA1D18B48BD23DC411CB
{
public:
// System.Reflection.MethodInfo System.Linq.Expressions.MethodBinaryExpression::_method
MethodInfo_t * ____method_7;
public:
inline static int32_t get_offset_of__method_7() { return static_cast<int32_t>(offsetof(MethodBinaryExpression_t3119FE060545F8BBCA10624BD0A1D43AB150DF23, ____method_7)); }
inline MethodInfo_t * get__method_7() const { return ____method_7; }
inline MethodInfo_t ** get_address_of__method_7() { return &____method_7; }
inline void set__method_7(MethodInfo_t * value)
{
____method_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&____method_7), (void*)value);
}
};
// System.Resources.MissingManifestResourceException
struct MissingManifestResourceException_tAC74F21ADC46CCB2BCC710464434E3B97F72FACB : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.Reflection.Emit.ModuleBuilder
struct ModuleBuilder_t1395DDAFFE2700A7FC668C7453496E457E56D385 : public Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7
{
public:
public:
};
// System.Reflection.MonoAssembly
struct MonoAssembly_t7BF603FA17CBEDB6E18CFD3523460F65BF946900 : public RuntimeAssembly_t799877C849878A70E10D25C690D7B0476DAF0B56
{
public:
public:
};
// System.Reflection.MonoCMethod
struct MonoCMethod_t5591743036BD4964AD4CFC5C5FE5F945E9E44097 : public RuntimeConstructorInfo_t9B65F4BAA154E6B8888A68FA9BA02993090876BB
{
public:
// System.IntPtr System.Reflection.MonoCMethod::mhandle
intptr_t ___mhandle_2;
// System.String System.Reflection.MonoCMethod::name
String_t* ___name_3;
// System.Type System.Reflection.MonoCMethod::reftype
Type_t * ___reftype_4;
public:
inline static int32_t get_offset_of_mhandle_2() { return static_cast<int32_t>(offsetof(MonoCMethod_t5591743036BD4964AD4CFC5C5FE5F945E9E44097, ___mhandle_2)); }
inline intptr_t get_mhandle_2() const { return ___mhandle_2; }
inline intptr_t* get_address_of_mhandle_2() { return &___mhandle_2; }
inline void set_mhandle_2(intptr_t value)
{
___mhandle_2 = value;
}
inline static int32_t get_offset_of_name_3() { return static_cast<int32_t>(offsetof(MonoCMethod_t5591743036BD4964AD4CFC5C5FE5F945E9E44097, ___name_3)); }
inline String_t* get_name_3() const { return ___name_3; }
inline String_t** get_address_of_name_3() { return &___name_3; }
inline void set_name_3(String_t* value)
{
___name_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_3), (void*)value);
}
inline static int32_t get_offset_of_reftype_4() { return static_cast<int32_t>(offsetof(MonoCMethod_t5591743036BD4964AD4CFC5C5FE5F945E9E44097, ___reftype_4)); }
inline Type_t * get_reftype_4() const { return ___reftype_4; }
inline Type_t ** get_address_of_reftype_4() { return &___reftype_4; }
inline void set_reftype_4(Type_t * value)
{
___reftype_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___reftype_4), (void*)value);
}
};
// System.Reflection.MonoField
struct MonoField_t : public RtFieldInfo_t7DFB04CF559A6D7AAFDF7D124A556DF6FC53D179
{
public:
// System.IntPtr System.Reflection.MonoField::klass
intptr_t ___klass_0;
// System.RuntimeFieldHandle System.Reflection.MonoField::fhandle
RuntimeFieldHandle_t7BE65FC857501059EBAC9772C93B02CD413D9C96 ___fhandle_1;
// System.String System.Reflection.MonoField::name
String_t* ___name_2;
// System.Type System.Reflection.MonoField::type
Type_t * ___type_3;
// System.Reflection.FieldAttributes System.Reflection.MonoField::attrs
int32_t ___attrs_4;
public:
inline static int32_t get_offset_of_klass_0() { return static_cast<int32_t>(offsetof(MonoField_t, ___klass_0)); }
inline intptr_t get_klass_0() const { return ___klass_0; }
inline intptr_t* get_address_of_klass_0() { return &___klass_0; }
inline void set_klass_0(intptr_t value)
{
___klass_0 = value;
}
inline static int32_t get_offset_of_fhandle_1() { return static_cast<int32_t>(offsetof(MonoField_t, ___fhandle_1)); }
inline RuntimeFieldHandle_t7BE65FC857501059EBAC9772C93B02CD413D9C96 get_fhandle_1() const { return ___fhandle_1; }
inline RuntimeFieldHandle_t7BE65FC857501059EBAC9772C93B02CD413D9C96 * get_address_of_fhandle_1() { return &___fhandle_1; }
inline void set_fhandle_1(RuntimeFieldHandle_t7BE65FC857501059EBAC9772C93B02CD413D9C96 value)
{
___fhandle_1 = value;
}
inline static int32_t get_offset_of_name_2() { return static_cast<int32_t>(offsetof(MonoField_t, ___name_2)); }
inline String_t* get_name_2() const { return ___name_2; }
inline String_t** get_address_of_name_2() { return &___name_2; }
inline void set_name_2(String_t* value)
{
___name_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_2), (void*)value);
}
inline static int32_t get_offset_of_type_3() { return static_cast<int32_t>(offsetof(MonoField_t, ___type_3)); }
inline Type_t * get_type_3() const { return ___type_3; }
inline Type_t ** get_address_of_type_3() { return &___type_3; }
inline void set_type_3(Type_t * value)
{
___type_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___type_3), (void*)value);
}
inline static int32_t get_offset_of_attrs_4() { return static_cast<int32_t>(offsetof(MonoField_t, ___attrs_4)); }
inline int32_t get_attrs_4() const { return ___attrs_4; }
inline int32_t* get_address_of_attrs_4() { return &___attrs_4; }
inline void set_attrs_4(int32_t value)
{
___attrs_4 = value;
}
};
// System.Reflection.MonoMethod
struct MonoMethod_t : public RuntimeMethodInfo_tCA399779FA50C8E2D4942CED76DAA9F8CFED5CAC
{
public:
// System.IntPtr System.Reflection.MonoMethod::mhandle
intptr_t ___mhandle_0;
// System.String System.Reflection.MonoMethod::name
String_t* ___name_1;
// System.Type System.Reflection.MonoMethod::reftype
Type_t * ___reftype_2;
public:
inline static int32_t get_offset_of_mhandle_0() { return static_cast<int32_t>(offsetof(MonoMethod_t, ___mhandle_0)); }
inline intptr_t get_mhandle_0() const { return ___mhandle_0; }
inline intptr_t* get_address_of_mhandle_0() { return &___mhandle_0; }
inline void set_mhandle_0(intptr_t value)
{
___mhandle_0 = value;
}
inline static int32_t get_offset_of_name_1() { return static_cast<int32_t>(offsetof(MonoMethod_t, ___name_1)); }
inline String_t* get_name_1() const { return ___name_1; }
inline String_t** get_address_of_name_1() { return &___name_1; }
inline void set_name_1(String_t* value)
{
___name_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___name_1), (void*)value);
}
inline static int32_t get_offset_of_reftype_2() { return static_cast<int32_t>(offsetof(MonoMethod_t, ___reftype_2)); }
inline Type_t * get_reftype_2() const { return ___reftype_2; }
inline Type_t ** get_address_of_reftype_2() { return &___reftype_2; }
inline void set_reftype_2(Type_t * value)
{
___reftype_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___reftype_2), (void*)value);
}
};
// System.Reflection.MonoProperty
struct MonoProperty_t : public RuntimePropertyInfo_tBFADAB74EBBB380C7FF1B5004FDD5A39447574B5
{
public:
// System.IntPtr System.Reflection.MonoProperty::klass
intptr_t ___klass_0;
// System.IntPtr System.Reflection.MonoProperty::prop
intptr_t ___prop_1;
// System.Reflection.MonoPropertyInfo System.Reflection.MonoProperty::info
MonoPropertyInfo_tA5A058F3C4CD862912818E54A4B6152F21433B82 ___info_2;
// System.Reflection.PInfo System.Reflection.MonoProperty::cached
int32_t ___cached_3;
// System.Reflection.MonoProperty/GetterAdapter System.Reflection.MonoProperty::cached_getter
GetterAdapter_t4638094A6814F5738CB2D77994423EEBAB6F342A * ___cached_getter_4;
public:
inline static int32_t get_offset_of_klass_0() { return static_cast<int32_t>(offsetof(MonoProperty_t, ___klass_0)); }
inline intptr_t get_klass_0() const { return ___klass_0; }
inline intptr_t* get_address_of_klass_0() { return &___klass_0; }
inline void set_klass_0(intptr_t value)
{
___klass_0 = value;
}
inline static int32_t get_offset_of_prop_1() { return static_cast<int32_t>(offsetof(MonoProperty_t, ___prop_1)); }
inline intptr_t get_prop_1() const { return ___prop_1; }
inline intptr_t* get_address_of_prop_1() { return &___prop_1; }
inline void set_prop_1(intptr_t value)
{
___prop_1 = value;
}
inline static int32_t get_offset_of_info_2() { return static_cast<int32_t>(offsetof(MonoProperty_t, ___info_2)); }
inline MonoPropertyInfo_tA5A058F3C4CD862912818E54A4B6152F21433B82 get_info_2() const { return ___info_2; }
inline MonoPropertyInfo_tA5A058F3C4CD862912818E54A4B6152F21433B82 * get_address_of_info_2() { return &___info_2; }
inline void set_info_2(MonoPropertyInfo_tA5A058F3C4CD862912818E54A4B6152F21433B82 value)
{
___info_2 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___info_2))->___parent_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___info_2))->___declaring_type_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___info_2))->___name_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___info_2))->___get_method_3), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___info_2))->___set_method_4), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_cached_3() { return static_cast<int32_t>(offsetof(MonoProperty_t, ___cached_3)); }
inline int32_t get_cached_3() const { return ___cached_3; }
inline int32_t* get_address_of_cached_3() { return &___cached_3; }
inline void set_cached_3(int32_t value)
{
___cached_3 = value;
}
inline static int32_t get_offset_of_cached_getter_4() { return static_cast<int32_t>(offsetof(MonoProperty_t, ___cached_getter_4)); }
inline GetterAdapter_t4638094A6814F5738CB2D77994423EEBAB6F342A * get_cached_getter_4() const { return ___cached_getter_4; }
inline GetterAdapter_t4638094A6814F5738CB2D77994423EEBAB6F342A ** get_address_of_cached_getter_4() { return &___cached_getter_4; }
inline void set_cached_getter_4(GetterAdapter_t4638094A6814F5738CB2D77994423EEBAB6F342A * value)
{
___cached_getter_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___cached_getter_4), (void*)value);
}
};
// System.MulticastNotSupportedException
struct MulticastNotSupportedException_tCC19EB5288E6433C665D2F997B5E46E631E44D57 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// UnityEngineInternal.Input.NativeUpdateCallback
struct NativeUpdateCallback_t617743B3361FE4B086E28DDB8EDB4A7AC2490FC6 : public MulticastDelegate_t
{
public:
public:
};
// System.NotImplementedException
struct NotImplementedException_t26260C4EE0444C5FA022994203060B3A42A3ADE6 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.NotSupportedException
struct NotSupportedException_tB9D89F0E9470A2C423D239D7C68EE0CFD77F9339 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.NullConsoleDriver
struct NullConsoleDriver_t3058C380AC0EE30623EA9DEE30426BEBD5B89A4D : public RuntimeObject
{
public:
public:
};
struct NullConsoleDriver_t3058C380AC0EE30623EA9DEE30426BEBD5B89A4D_StaticFields
{
public:
// System.ConsoleKeyInfo System.NullConsoleDriver::EmptyConsoleKeyInfo
ConsoleKeyInfo_tDA8AC07839288484FCB167A81B4FBA92ECCEAF88 ___EmptyConsoleKeyInfo_0;
public:
inline static int32_t get_offset_of_EmptyConsoleKeyInfo_0() { return static_cast<int32_t>(offsetof(NullConsoleDriver_t3058C380AC0EE30623EA9DEE30426BEBD5B89A4D_StaticFields, ___EmptyConsoleKeyInfo_0)); }
inline ConsoleKeyInfo_tDA8AC07839288484FCB167A81B4FBA92ECCEAF88 get_EmptyConsoleKeyInfo_0() const { return ___EmptyConsoleKeyInfo_0; }
inline ConsoleKeyInfo_tDA8AC07839288484FCB167A81B4FBA92ECCEAF88 * get_address_of_EmptyConsoleKeyInfo_0() { return &___EmptyConsoleKeyInfo_0; }
inline void set_EmptyConsoleKeyInfo_0(ConsoleKeyInfo_tDA8AC07839288484FCB167A81B4FBA92ECCEAF88 value)
{
___EmptyConsoleKeyInfo_0 = value;
}
};
// System.NullReferenceException
struct NullReferenceException_t44B4F3CDE3111E74591952B8BE8707B28866D724 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.Runtime.Serialization.ObjectManager
struct ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96 : public RuntimeObject
{
public:
// System.Runtime.Serialization.DeserializationEventHandler System.Runtime.Serialization.ObjectManager::m_onDeserializationHandler
DeserializationEventHandler_t96163039FFB39DB4A7BA9C218D9F11D400B9EE86 * ___m_onDeserializationHandler_0;
// System.Runtime.Serialization.SerializationEventHandler System.Runtime.Serialization.ObjectManager::m_onDeserializedHandler
SerializationEventHandler_t3033BE1E86AE40A7533AD615FF9122FC8ED0B7C1 * ___m_onDeserializedHandler_1;
// System.Runtime.Serialization.ObjectHolder[] System.Runtime.Serialization.ObjectManager::m_objects
ObjectHolderU5BU5D_tB0134C25BE5EE8773D2724BD2D76B396A1024703* ___m_objects_2;
// System.Object System.Runtime.Serialization.ObjectManager::m_topObject
RuntimeObject * ___m_topObject_3;
// System.Runtime.Serialization.ObjectHolderList System.Runtime.Serialization.ObjectManager::m_specialFixupObjects
ObjectHolderList_t6EC019D0FA1ACB5A6B6DE3B99E9523C8D7675291 * ___m_specialFixupObjects_4;
// System.Int64 System.Runtime.Serialization.ObjectManager::m_fixupCount
int64_t ___m_fixupCount_5;
// System.Runtime.Serialization.ISurrogateSelector System.Runtime.Serialization.ObjectManager::m_selector
RuntimeObject* ___m_selector_6;
// System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.ObjectManager::m_context
StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 ___m_context_7;
public:
inline static int32_t get_offset_of_m_onDeserializationHandler_0() { return static_cast<int32_t>(offsetof(ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96, ___m_onDeserializationHandler_0)); }
inline DeserializationEventHandler_t96163039FFB39DB4A7BA9C218D9F11D400B9EE86 * get_m_onDeserializationHandler_0() const { return ___m_onDeserializationHandler_0; }
inline DeserializationEventHandler_t96163039FFB39DB4A7BA9C218D9F11D400B9EE86 ** get_address_of_m_onDeserializationHandler_0() { return &___m_onDeserializationHandler_0; }
inline void set_m_onDeserializationHandler_0(DeserializationEventHandler_t96163039FFB39DB4A7BA9C218D9F11D400B9EE86 * value)
{
___m_onDeserializationHandler_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_onDeserializationHandler_0), (void*)value);
}
inline static int32_t get_offset_of_m_onDeserializedHandler_1() { return static_cast<int32_t>(offsetof(ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96, ___m_onDeserializedHandler_1)); }
inline SerializationEventHandler_t3033BE1E86AE40A7533AD615FF9122FC8ED0B7C1 * get_m_onDeserializedHandler_1() const { return ___m_onDeserializedHandler_1; }
inline SerializationEventHandler_t3033BE1E86AE40A7533AD615FF9122FC8ED0B7C1 ** get_address_of_m_onDeserializedHandler_1() { return &___m_onDeserializedHandler_1; }
inline void set_m_onDeserializedHandler_1(SerializationEventHandler_t3033BE1E86AE40A7533AD615FF9122FC8ED0B7C1 * value)
{
___m_onDeserializedHandler_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_onDeserializedHandler_1), (void*)value);
}
inline static int32_t get_offset_of_m_objects_2() { return static_cast<int32_t>(offsetof(ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96, ___m_objects_2)); }
inline ObjectHolderU5BU5D_tB0134C25BE5EE8773D2724BD2D76B396A1024703* get_m_objects_2() const { return ___m_objects_2; }
inline ObjectHolderU5BU5D_tB0134C25BE5EE8773D2724BD2D76B396A1024703** get_address_of_m_objects_2() { return &___m_objects_2; }
inline void set_m_objects_2(ObjectHolderU5BU5D_tB0134C25BE5EE8773D2724BD2D76B396A1024703* value)
{
___m_objects_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_objects_2), (void*)value);
}
inline static int32_t get_offset_of_m_topObject_3() { return static_cast<int32_t>(offsetof(ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96, ___m_topObject_3)); }
inline RuntimeObject * get_m_topObject_3() const { return ___m_topObject_3; }
inline RuntimeObject ** get_address_of_m_topObject_3() { return &___m_topObject_3; }
inline void set_m_topObject_3(RuntimeObject * value)
{
___m_topObject_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_topObject_3), (void*)value);
}
inline static int32_t get_offset_of_m_specialFixupObjects_4() { return static_cast<int32_t>(offsetof(ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96, ___m_specialFixupObjects_4)); }
inline ObjectHolderList_t6EC019D0FA1ACB5A6B6DE3B99E9523C8D7675291 * get_m_specialFixupObjects_4() const { return ___m_specialFixupObjects_4; }
inline ObjectHolderList_t6EC019D0FA1ACB5A6B6DE3B99E9523C8D7675291 ** get_address_of_m_specialFixupObjects_4() { return &___m_specialFixupObjects_4; }
inline void set_m_specialFixupObjects_4(ObjectHolderList_t6EC019D0FA1ACB5A6B6DE3B99E9523C8D7675291 * value)
{
___m_specialFixupObjects_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_specialFixupObjects_4), (void*)value);
}
inline static int32_t get_offset_of_m_fixupCount_5() { return static_cast<int32_t>(offsetof(ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96, ___m_fixupCount_5)); }
inline int64_t get_m_fixupCount_5() const { return ___m_fixupCount_5; }
inline int64_t* get_address_of_m_fixupCount_5() { return &___m_fixupCount_5; }
inline void set_m_fixupCount_5(int64_t value)
{
___m_fixupCount_5 = value;
}
inline static int32_t get_offset_of_m_selector_6() { return static_cast<int32_t>(offsetof(ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96, ___m_selector_6)); }
inline RuntimeObject* get_m_selector_6() const { return ___m_selector_6; }
inline RuntimeObject** get_address_of_m_selector_6() { return &___m_selector_6; }
inline void set_m_selector_6(RuntimeObject* value)
{
___m_selector_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_selector_6), (void*)value);
}
inline static int32_t get_offset_of_m_context_7() { return static_cast<int32_t>(offsetof(ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96, ___m_context_7)); }
inline StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 get_m_context_7() const { return ___m_context_7; }
inline StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 * get_address_of_m_context_7() { return &___m_context_7; }
inline void set_m_context_7(StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 value)
{
___m_context_7 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_context_7))->___m_additionalContext_0), (void*)NULL);
}
};
// System.Runtime.Serialization.Formatters.Binary.ObjectReader
struct ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152 : public RuntimeObject
{
public:
// System.IO.Stream System.Runtime.Serialization.Formatters.Binary.ObjectReader::m_stream
Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * ___m_stream_0;
// System.Runtime.Serialization.ISurrogateSelector System.Runtime.Serialization.Formatters.Binary.ObjectReader::m_surrogates
RuntimeObject* ___m_surrogates_1;
// System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.Formatters.Binary.ObjectReader::m_context
StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 ___m_context_2;
// System.Runtime.Serialization.ObjectManager System.Runtime.Serialization.Formatters.Binary.ObjectReader::m_objectManager
ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96 * ___m_objectManager_3;
// System.Runtime.Serialization.Formatters.Binary.InternalFE System.Runtime.Serialization.Formatters.Binary.ObjectReader::formatterEnums
InternalFE_tBF9064793BEA3658FF2E355ECCE5913F38B6E101 * ___formatterEnums_4;
// System.Runtime.Serialization.SerializationBinder System.Runtime.Serialization.Formatters.Binary.ObjectReader::m_binder
SerializationBinder_t600A2077818E43FC641208357D8B809A10F1EAB8 * ___m_binder_5;
// System.Int64 System.Runtime.Serialization.Formatters.Binary.ObjectReader::topId
int64_t ___topId_6;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.ObjectReader::bSimpleAssembly
bool ___bSimpleAssembly_7;
// System.Object System.Runtime.Serialization.Formatters.Binary.ObjectReader::handlerObject
RuntimeObject * ___handlerObject_8;
// System.Object System.Runtime.Serialization.Formatters.Binary.ObjectReader::m_topObject
RuntimeObject * ___m_topObject_9;
// System.Runtime.Remoting.Messaging.Header[] System.Runtime.Serialization.Formatters.Binary.ObjectReader::headers
HeaderU5BU5D_tD8542967EE9EDAFE9A62A9CE92B5D7589B35C42A* ___headers_10;
// System.Runtime.Remoting.Messaging.HeaderHandler System.Runtime.Serialization.Formatters.Binary.ObjectReader::handler
HeaderHandler_t503AE3AA2FFEA490B012CBF3A3EB37C21FF0490D * ___handler_11;
// System.Runtime.Serialization.Formatters.Binary.SerObjectInfoInit System.Runtime.Serialization.Formatters.Binary.ObjectReader::serObjectInfoInit
SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D * ___serObjectInfoInit_12;
// System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.Formatters.Binary.ObjectReader::m_formatterConverter
RuntimeObject* ___m_formatterConverter_13;
// System.Runtime.Serialization.Formatters.Binary.SerStack System.Runtime.Serialization.Formatters.Binary.ObjectReader::stack
SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC * ___stack_14;
// System.Runtime.Serialization.Formatters.Binary.SerStack System.Runtime.Serialization.Formatters.Binary.ObjectReader::valueFixupStack
SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC * ___valueFixupStack_15;
// System.Object[] System.Runtime.Serialization.Formatters.Binary.ObjectReader::crossAppDomainArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___crossAppDomainArray_16;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.ObjectReader::bFullDeserialization
bool ___bFullDeserialization_17;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.ObjectReader::bOldFormatDetected
bool ___bOldFormatDetected_18;
// System.Runtime.Serialization.Formatters.Binary.IntSizedArray System.Runtime.Serialization.Formatters.Binary.ObjectReader::valTypeObjectIdTable
IntSizedArray_tD2630F08CAA7E2687372DAF56A5BE4215643A04A * ___valTypeObjectIdTable_19;
// System.Runtime.Serialization.Formatters.Binary.NameCache System.Runtime.Serialization.Formatters.Binary.ObjectReader::typeCache
NameCache_tEBDB3A031D648C9812AF8A668C24A085D77E03A9 * ___typeCache_20;
// System.String System.Runtime.Serialization.Formatters.Binary.ObjectReader::previousAssemblyString
String_t* ___previousAssemblyString_21;
// System.String System.Runtime.Serialization.Formatters.Binary.ObjectReader::previousName
String_t* ___previousName_22;
// System.Type System.Runtime.Serialization.Formatters.Binary.ObjectReader::previousType
Type_t * ___previousType_23;
public:
inline static int32_t get_offset_of_m_stream_0() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___m_stream_0)); }
inline Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * get_m_stream_0() const { return ___m_stream_0; }
inline Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB ** get_address_of_m_stream_0() { return &___m_stream_0; }
inline void set_m_stream_0(Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * value)
{
___m_stream_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_stream_0), (void*)value);
}
inline static int32_t get_offset_of_m_surrogates_1() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___m_surrogates_1)); }
inline RuntimeObject* get_m_surrogates_1() const { return ___m_surrogates_1; }
inline RuntimeObject** get_address_of_m_surrogates_1() { return &___m_surrogates_1; }
inline void set_m_surrogates_1(RuntimeObject* value)
{
___m_surrogates_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_surrogates_1), (void*)value);
}
inline static int32_t get_offset_of_m_context_2() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___m_context_2)); }
inline StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 get_m_context_2() const { return ___m_context_2; }
inline StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 * get_address_of_m_context_2() { return &___m_context_2; }
inline void set_m_context_2(StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 value)
{
___m_context_2 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_context_2))->___m_additionalContext_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_objectManager_3() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___m_objectManager_3)); }
inline ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96 * get_m_objectManager_3() const { return ___m_objectManager_3; }
inline ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96 ** get_address_of_m_objectManager_3() { return &___m_objectManager_3; }
inline void set_m_objectManager_3(ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96 * value)
{
___m_objectManager_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_objectManager_3), (void*)value);
}
inline static int32_t get_offset_of_formatterEnums_4() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___formatterEnums_4)); }
inline InternalFE_tBF9064793BEA3658FF2E355ECCE5913F38B6E101 * get_formatterEnums_4() const { return ___formatterEnums_4; }
inline InternalFE_tBF9064793BEA3658FF2E355ECCE5913F38B6E101 ** get_address_of_formatterEnums_4() { return &___formatterEnums_4; }
inline void set_formatterEnums_4(InternalFE_tBF9064793BEA3658FF2E355ECCE5913F38B6E101 * value)
{
___formatterEnums_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___formatterEnums_4), (void*)value);
}
inline static int32_t get_offset_of_m_binder_5() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___m_binder_5)); }
inline SerializationBinder_t600A2077818E43FC641208357D8B809A10F1EAB8 * get_m_binder_5() const { return ___m_binder_5; }
inline SerializationBinder_t600A2077818E43FC641208357D8B809A10F1EAB8 ** get_address_of_m_binder_5() { return &___m_binder_5; }
inline void set_m_binder_5(SerializationBinder_t600A2077818E43FC641208357D8B809A10F1EAB8 * value)
{
___m_binder_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_binder_5), (void*)value);
}
inline static int32_t get_offset_of_topId_6() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___topId_6)); }
inline int64_t get_topId_6() const { return ___topId_6; }
inline int64_t* get_address_of_topId_6() { return &___topId_6; }
inline void set_topId_6(int64_t value)
{
___topId_6 = value;
}
inline static int32_t get_offset_of_bSimpleAssembly_7() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___bSimpleAssembly_7)); }
inline bool get_bSimpleAssembly_7() const { return ___bSimpleAssembly_7; }
inline bool* get_address_of_bSimpleAssembly_7() { return &___bSimpleAssembly_7; }
inline void set_bSimpleAssembly_7(bool value)
{
___bSimpleAssembly_7 = value;
}
inline static int32_t get_offset_of_handlerObject_8() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___handlerObject_8)); }
inline RuntimeObject * get_handlerObject_8() const { return ___handlerObject_8; }
inline RuntimeObject ** get_address_of_handlerObject_8() { return &___handlerObject_8; }
inline void set_handlerObject_8(RuntimeObject * value)
{
___handlerObject_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___handlerObject_8), (void*)value);
}
inline static int32_t get_offset_of_m_topObject_9() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___m_topObject_9)); }
inline RuntimeObject * get_m_topObject_9() const { return ___m_topObject_9; }
inline RuntimeObject ** get_address_of_m_topObject_9() { return &___m_topObject_9; }
inline void set_m_topObject_9(RuntimeObject * value)
{
___m_topObject_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_topObject_9), (void*)value);
}
inline static int32_t get_offset_of_headers_10() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___headers_10)); }
inline HeaderU5BU5D_tD8542967EE9EDAFE9A62A9CE92B5D7589B35C42A* get_headers_10() const { return ___headers_10; }
inline HeaderU5BU5D_tD8542967EE9EDAFE9A62A9CE92B5D7589B35C42A** get_address_of_headers_10() { return &___headers_10; }
inline void set_headers_10(HeaderU5BU5D_tD8542967EE9EDAFE9A62A9CE92B5D7589B35C42A* value)
{
___headers_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___headers_10), (void*)value);
}
inline static int32_t get_offset_of_handler_11() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___handler_11)); }
inline HeaderHandler_t503AE3AA2FFEA490B012CBF3A3EB37C21FF0490D * get_handler_11() const { return ___handler_11; }
inline HeaderHandler_t503AE3AA2FFEA490B012CBF3A3EB37C21FF0490D ** get_address_of_handler_11() { return &___handler_11; }
inline void set_handler_11(HeaderHandler_t503AE3AA2FFEA490B012CBF3A3EB37C21FF0490D * value)
{
___handler_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___handler_11), (void*)value);
}
inline static int32_t get_offset_of_serObjectInfoInit_12() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___serObjectInfoInit_12)); }
inline SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D * get_serObjectInfoInit_12() const { return ___serObjectInfoInit_12; }
inline SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D ** get_address_of_serObjectInfoInit_12() { return &___serObjectInfoInit_12; }
inline void set_serObjectInfoInit_12(SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D * value)
{
___serObjectInfoInit_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___serObjectInfoInit_12), (void*)value);
}
inline static int32_t get_offset_of_m_formatterConverter_13() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___m_formatterConverter_13)); }
inline RuntimeObject* get_m_formatterConverter_13() const { return ___m_formatterConverter_13; }
inline RuntimeObject** get_address_of_m_formatterConverter_13() { return &___m_formatterConverter_13; }
inline void set_m_formatterConverter_13(RuntimeObject* value)
{
___m_formatterConverter_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_formatterConverter_13), (void*)value);
}
inline static int32_t get_offset_of_stack_14() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___stack_14)); }
inline SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC * get_stack_14() const { return ___stack_14; }
inline SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC ** get_address_of_stack_14() { return &___stack_14; }
inline void set_stack_14(SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC * value)
{
___stack_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___stack_14), (void*)value);
}
inline static int32_t get_offset_of_valueFixupStack_15() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___valueFixupStack_15)); }
inline SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC * get_valueFixupStack_15() const { return ___valueFixupStack_15; }
inline SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC ** get_address_of_valueFixupStack_15() { return &___valueFixupStack_15; }
inline void set_valueFixupStack_15(SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC * value)
{
___valueFixupStack_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___valueFixupStack_15), (void*)value);
}
inline static int32_t get_offset_of_crossAppDomainArray_16() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___crossAppDomainArray_16)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_crossAppDomainArray_16() const { return ___crossAppDomainArray_16; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_crossAppDomainArray_16() { return &___crossAppDomainArray_16; }
inline void set_crossAppDomainArray_16(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___crossAppDomainArray_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___crossAppDomainArray_16), (void*)value);
}
inline static int32_t get_offset_of_bFullDeserialization_17() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___bFullDeserialization_17)); }
inline bool get_bFullDeserialization_17() const { return ___bFullDeserialization_17; }
inline bool* get_address_of_bFullDeserialization_17() { return &___bFullDeserialization_17; }
inline void set_bFullDeserialization_17(bool value)
{
___bFullDeserialization_17 = value;
}
inline static int32_t get_offset_of_bOldFormatDetected_18() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___bOldFormatDetected_18)); }
inline bool get_bOldFormatDetected_18() const { return ___bOldFormatDetected_18; }
inline bool* get_address_of_bOldFormatDetected_18() { return &___bOldFormatDetected_18; }
inline void set_bOldFormatDetected_18(bool value)
{
___bOldFormatDetected_18 = value;
}
inline static int32_t get_offset_of_valTypeObjectIdTable_19() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___valTypeObjectIdTable_19)); }
inline IntSizedArray_tD2630F08CAA7E2687372DAF56A5BE4215643A04A * get_valTypeObjectIdTable_19() const { return ___valTypeObjectIdTable_19; }
inline IntSizedArray_tD2630F08CAA7E2687372DAF56A5BE4215643A04A ** get_address_of_valTypeObjectIdTable_19() { return &___valTypeObjectIdTable_19; }
inline void set_valTypeObjectIdTable_19(IntSizedArray_tD2630F08CAA7E2687372DAF56A5BE4215643A04A * value)
{
___valTypeObjectIdTable_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___valTypeObjectIdTable_19), (void*)value);
}
inline static int32_t get_offset_of_typeCache_20() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___typeCache_20)); }
inline NameCache_tEBDB3A031D648C9812AF8A668C24A085D77E03A9 * get_typeCache_20() const { return ___typeCache_20; }
inline NameCache_tEBDB3A031D648C9812AF8A668C24A085D77E03A9 ** get_address_of_typeCache_20() { return &___typeCache_20; }
inline void set_typeCache_20(NameCache_tEBDB3A031D648C9812AF8A668C24A085D77E03A9 * value)
{
___typeCache_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___typeCache_20), (void*)value);
}
inline static int32_t get_offset_of_previousAssemblyString_21() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___previousAssemblyString_21)); }
inline String_t* get_previousAssemblyString_21() const { return ___previousAssemblyString_21; }
inline String_t** get_address_of_previousAssemblyString_21() { return &___previousAssemblyString_21; }
inline void set_previousAssemblyString_21(String_t* value)
{
___previousAssemblyString_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___previousAssemblyString_21), (void*)value);
}
inline static int32_t get_offset_of_previousName_22() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___previousName_22)); }
inline String_t* get_previousName_22() const { return ___previousName_22; }
inline String_t** get_address_of_previousName_22() { return &___previousName_22; }
inline void set_previousName_22(String_t* value)
{
___previousName_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___previousName_22), (void*)value);
}
inline static int32_t get_offset_of_previousType_23() { return static_cast<int32_t>(offsetof(ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152, ___previousType_23)); }
inline Type_t * get_previousType_23() const { return ___previousType_23; }
inline Type_t ** get_address_of_previousType_23() { return &___previousType_23; }
inline void set_previousType_23(Type_t * value)
{
___previousType_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___previousType_23), (void*)value);
}
};
// System.Runtime.Serialization.Formatters.Binary.ObjectWriter
struct ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F : public RuntimeObject
{
public:
// System.Collections.Queue System.Runtime.Serialization.Formatters.Binary.ObjectWriter::m_objectQueue
Queue_t66723C58C7422102C36F8570BE048BD0CC489E52 * ___m_objectQueue_0;
// System.Runtime.Serialization.ObjectIDGenerator System.Runtime.Serialization.Formatters.Binary.ObjectWriter::m_idGenerator
ObjectIDGenerator_t267F4EB12AC82678B0783ABA92CD54A1503E1259 * ___m_idGenerator_1;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.ObjectWriter::m_currentId
int32_t ___m_currentId_2;
// System.Runtime.Serialization.ISurrogateSelector System.Runtime.Serialization.Formatters.Binary.ObjectWriter::m_surrogates
RuntimeObject* ___m_surrogates_3;
// System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.Formatters.Binary.ObjectWriter::m_context
StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 ___m_context_4;
// System.Runtime.Serialization.Formatters.Binary.__BinaryWriter System.Runtime.Serialization.Formatters.Binary.ObjectWriter::serWriter
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694 * ___serWriter_5;
// System.Runtime.Serialization.SerializationObjectManager System.Runtime.Serialization.Formatters.Binary.ObjectWriter::m_objectManager
SerializationObjectManager_tAFED170719CB3FFDB1C60D3686DC22652E907042 * ___m_objectManager_6;
// System.Int64 System.Runtime.Serialization.Formatters.Binary.ObjectWriter::topId
int64_t ___topId_7;
// System.String System.Runtime.Serialization.Formatters.Binary.ObjectWriter::topName
String_t* ___topName_8;
// System.Runtime.Remoting.Messaging.Header[] System.Runtime.Serialization.Formatters.Binary.ObjectWriter::headers
HeaderU5BU5D_tD8542967EE9EDAFE9A62A9CE92B5D7589B35C42A* ___headers_9;
// System.Runtime.Serialization.Formatters.Binary.InternalFE System.Runtime.Serialization.Formatters.Binary.ObjectWriter::formatterEnums
InternalFE_tBF9064793BEA3658FF2E355ECCE5913F38B6E101 * ___formatterEnums_10;
// System.Runtime.Serialization.SerializationBinder System.Runtime.Serialization.Formatters.Binary.ObjectWriter::m_binder
SerializationBinder_t600A2077818E43FC641208357D8B809A10F1EAB8 * ___m_binder_11;
// System.Runtime.Serialization.Formatters.Binary.SerObjectInfoInit System.Runtime.Serialization.Formatters.Binary.ObjectWriter::serObjectInfoInit
SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D * ___serObjectInfoInit_12;
// System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.Formatters.Binary.ObjectWriter::m_formatterConverter
RuntimeObject* ___m_formatterConverter_13;
// System.Object[] System.Runtime.Serialization.Formatters.Binary.ObjectWriter::crossAppDomainArray
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___crossAppDomainArray_14;
// System.Object System.Runtime.Serialization.Formatters.Binary.ObjectWriter::previousObj
RuntimeObject * ___previousObj_15;
// System.Int64 System.Runtime.Serialization.Formatters.Binary.ObjectWriter::previousId
int64_t ___previousId_16;
// System.Type System.Runtime.Serialization.Formatters.Binary.ObjectWriter::previousType
Type_t * ___previousType_17;
// System.Runtime.Serialization.Formatters.Binary.InternalPrimitiveTypeE System.Runtime.Serialization.Formatters.Binary.ObjectWriter::previousCode
int32_t ___previousCode_18;
// System.Collections.Hashtable System.Runtime.Serialization.Formatters.Binary.ObjectWriter::assemblyToIdTable
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___assemblyToIdTable_19;
// System.Runtime.Serialization.Formatters.Binary.SerStack System.Runtime.Serialization.Formatters.Binary.ObjectWriter::niPool
SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC * ___niPool_20;
public:
inline static int32_t get_offset_of_m_objectQueue_0() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___m_objectQueue_0)); }
inline Queue_t66723C58C7422102C36F8570BE048BD0CC489E52 * get_m_objectQueue_0() const { return ___m_objectQueue_0; }
inline Queue_t66723C58C7422102C36F8570BE048BD0CC489E52 ** get_address_of_m_objectQueue_0() { return &___m_objectQueue_0; }
inline void set_m_objectQueue_0(Queue_t66723C58C7422102C36F8570BE048BD0CC489E52 * value)
{
___m_objectQueue_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_objectQueue_0), (void*)value);
}
inline static int32_t get_offset_of_m_idGenerator_1() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___m_idGenerator_1)); }
inline ObjectIDGenerator_t267F4EB12AC82678B0783ABA92CD54A1503E1259 * get_m_idGenerator_1() const { return ___m_idGenerator_1; }
inline ObjectIDGenerator_t267F4EB12AC82678B0783ABA92CD54A1503E1259 ** get_address_of_m_idGenerator_1() { return &___m_idGenerator_1; }
inline void set_m_idGenerator_1(ObjectIDGenerator_t267F4EB12AC82678B0783ABA92CD54A1503E1259 * value)
{
___m_idGenerator_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_idGenerator_1), (void*)value);
}
inline static int32_t get_offset_of_m_currentId_2() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___m_currentId_2)); }
inline int32_t get_m_currentId_2() const { return ___m_currentId_2; }
inline int32_t* get_address_of_m_currentId_2() { return &___m_currentId_2; }
inline void set_m_currentId_2(int32_t value)
{
___m_currentId_2 = value;
}
inline static int32_t get_offset_of_m_surrogates_3() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___m_surrogates_3)); }
inline RuntimeObject* get_m_surrogates_3() const { return ___m_surrogates_3; }
inline RuntimeObject** get_address_of_m_surrogates_3() { return &___m_surrogates_3; }
inline void set_m_surrogates_3(RuntimeObject* value)
{
___m_surrogates_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_surrogates_3), (void*)value);
}
inline static int32_t get_offset_of_m_context_4() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___m_context_4)); }
inline StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 get_m_context_4() const { return ___m_context_4; }
inline StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 * get_address_of_m_context_4() { return &___m_context_4; }
inline void set_m_context_4(StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 value)
{
___m_context_4 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_context_4))->___m_additionalContext_0), (void*)NULL);
}
inline static int32_t get_offset_of_serWriter_5() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___serWriter_5)); }
inline __BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694 * get_serWriter_5() const { return ___serWriter_5; }
inline __BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694 ** get_address_of_serWriter_5() { return &___serWriter_5; }
inline void set_serWriter_5(__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694 * value)
{
___serWriter_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___serWriter_5), (void*)value);
}
inline static int32_t get_offset_of_m_objectManager_6() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___m_objectManager_6)); }
inline SerializationObjectManager_tAFED170719CB3FFDB1C60D3686DC22652E907042 * get_m_objectManager_6() const { return ___m_objectManager_6; }
inline SerializationObjectManager_tAFED170719CB3FFDB1C60D3686DC22652E907042 ** get_address_of_m_objectManager_6() { return &___m_objectManager_6; }
inline void set_m_objectManager_6(SerializationObjectManager_tAFED170719CB3FFDB1C60D3686DC22652E907042 * value)
{
___m_objectManager_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_objectManager_6), (void*)value);
}
inline static int32_t get_offset_of_topId_7() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___topId_7)); }
inline int64_t get_topId_7() const { return ___topId_7; }
inline int64_t* get_address_of_topId_7() { return &___topId_7; }
inline void set_topId_7(int64_t value)
{
___topId_7 = value;
}
inline static int32_t get_offset_of_topName_8() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___topName_8)); }
inline String_t* get_topName_8() const { return ___topName_8; }
inline String_t** get_address_of_topName_8() { return &___topName_8; }
inline void set_topName_8(String_t* value)
{
___topName_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___topName_8), (void*)value);
}
inline static int32_t get_offset_of_headers_9() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___headers_9)); }
inline HeaderU5BU5D_tD8542967EE9EDAFE9A62A9CE92B5D7589B35C42A* get_headers_9() const { return ___headers_9; }
inline HeaderU5BU5D_tD8542967EE9EDAFE9A62A9CE92B5D7589B35C42A** get_address_of_headers_9() { return &___headers_9; }
inline void set_headers_9(HeaderU5BU5D_tD8542967EE9EDAFE9A62A9CE92B5D7589B35C42A* value)
{
___headers_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___headers_9), (void*)value);
}
inline static int32_t get_offset_of_formatterEnums_10() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___formatterEnums_10)); }
inline InternalFE_tBF9064793BEA3658FF2E355ECCE5913F38B6E101 * get_formatterEnums_10() const { return ___formatterEnums_10; }
inline InternalFE_tBF9064793BEA3658FF2E355ECCE5913F38B6E101 ** get_address_of_formatterEnums_10() { return &___formatterEnums_10; }
inline void set_formatterEnums_10(InternalFE_tBF9064793BEA3658FF2E355ECCE5913F38B6E101 * value)
{
___formatterEnums_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___formatterEnums_10), (void*)value);
}
inline static int32_t get_offset_of_m_binder_11() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___m_binder_11)); }
inline SerializationBinder_t600A2077818E43FC641208357D8B809A10F1EAB8 * get_m_binder_11() const { return ___m_binder_11; }
inline SerializationBinder_t600A2077818E43FC641208357D8B809A10F1EAB8 ** get_address_of_m_binder_11() { return &___m_binder_11; }
inline void set_m_binder_11(SerializationBinder_t600A2077818E43FC641208357D8B809A10F1EAB8 * value)
{
___m_binder_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_binder_11), (void*)value);
}
inline static int32_t get_offset_of_serObjectInfoInit_12() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___serObjectInfoInit_12)); }
inline SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D * get_serObjectInfoInit_12() const { return ___serObjectInfoInit_12; }
inline SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D ** get_address_of_serObjectInfoInit_12() { return &___serObjectInfoInit_12; }
inline void set_serObjectInfoInit_12(SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D * value)
{
___serObjectInfoInit_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___serObjectInfoInit_12), (void*)value);
}
inline static int32_t get_offset_of_m_formatterConverter_13() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___m_formatterConverter_13)); }
inline RuntimeObject* get_m_formatterConverter_13() const { return ___m_formatterConverter_13; }
inline RuntimeObject** get_address_of_m_formatterConverter_13() { return &___m_formatterConverter_13; }
inline void set_m_formatterConverter_13(RuntimeObject* value)
{
___m_formatterConverter_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_formatterConverter_13), (void*)value);
}
inline static int32_t get_offset_of_crossAppDomainArray_14() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___crossAppDomainArray_14)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_crossAppDomainArray_14() const { return ___crossAppDomainArray_14; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_crossAppDomainArray_14() { return &___crossAppDomainArray_14; }
inline void set_crossAppDomainArray_14(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___crossAppDomainArray_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___crossAppDomainArray_14), (void*)value);
}
inline static int32_t get_offset_of_previousObj_15() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___previousObj_15)); }
inline RuntimeObject * get_previousObj_15() const { return ___previousObj_15; }
inline RuntimeObject ** get_address_of_previousObj_15() { return &___previousObj_15; }
inline void set_previousObj_15(RuntimeObject * value)
{
___previousObj_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___previousObj_15), (void*)value);
}
inline static int32_t get_offset_of_previousId_16() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___previousId_16)); }
inline int64_t get_previousId_16() const { return ___previousId_16; }
inline int64_t* get_address_of_previousId_16() { return &___previousId_16; }
inline void set_previousId_16(int64_t value)
{
___previousId_16 = value;
}
inline static int32_t get_offset_of_previousType_17() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___previousType_17)); }
inline Type_t * get_previousType_17() const { return ___previousType_17; }
inline Type_t ** get_address_of_previousType_17() { return &___previousType_17; }
inline void set_previousType_17(Type_t * value)
{
___previousType_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___previousType_17), (void*)value);
}
inline static int32_t get_offset_of_previousCode_18() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___previousCode_18)); }
inline int32_t get_previousCode_18() const { return ___previousCode_18; }
inline int32_t* get_address_of_previousCode_18() { return &___previousCode_18; }
inline void set_previousCode_18(int32_t value)
{
___previousCode_18 = value;
}
inline static int32_t get_offset_of_assemblyToIdTable_19() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___assemblyToIdTable_19)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_assemblyToIdTable_19() const { return ___assemblyToIdTable_19; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_assemblyToIdTable_19() { return &___assemblyToIdTable_19; }
inline void set_assemblyToIdTable_19(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___assemblyToIdTable_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___assemblyToIdTable_19), (void*)value);
}
inline static int32_t get_offset_of_niPool_20() { return static_cast<int32_t>(offsetof(ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F, ___niPool_20)); }
inline SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC * get_niPool_20() const { return ___niPool_20; }
inline SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC ** get_address_of_niPool_20() { return &___niPool_20; }
inline void set_niPool_20(SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC * value)
{
___niPool_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___niPool_20), (void*)value);
}
};
// System.OperationCanceledException
struct OperationCanceledException_tA90317406FAE39FB4E2C6AA84E12135E1D56B6FB : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
// System.Threading.CancellationToken System.OperationCanceledException::_cancellationToken
CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD ____cancellationToken_17;
public:
inline static int32_t get_offset_of__cancellationToken_17() { return static_cast<int32_t>(offsetof(OperationCanceledException_tA90317406FAE39FB4E2C6AA84E12135E1D56B6FB, ____cancellationToken_17)); }
inline CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD get__cancellationToken_17() const { return ____cancellationToken_17; }
inline CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD * get_address_of__cancellationToken_17() { return &____cancellationToken_17; }
inline void set__cancellationToken_17(CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD value)
{
____cancellationToken_17 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&____cancellationToken_17))->___m_source_0), (void*)NULL);
}
};
// System.OutOfMemoryException
struct OutOfMemoryException_t2671AB315BD130A49A1592BAD0AEE9F2D37667AC : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.Threading.ParameterizedThreadStart
struct ParameterizedThreadStart_t5C6FC428171B904D8547954B337B373083E89516 : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.ParticleSystem
struct ParticleSystem_t2F526CCDBD3512879B3FCBE04BCAB20D7B4F391E : public Component_t62FBC8D2420DA4BE9037AFE430740F6B3EECA684
{
public:
public:
};
// System.IO.PinnedBufferMemoryStream
struct PinnedBufferMemoryStream_tDB1B8D639F3D8F7E60BA9E050BC48C575E573E78 : public UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62
{
public:
// System.Byte[] System.IO.PinnedBufferMemoryStream::_array
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ____array_12;
// System.Runtime.InteropServices.GCHandle System.IO.PinnedBufferMemoryStream::_pinningHandle
GCHandle_t757890BC4BBBEDE5A623A3C110013EDD24613603 ____pinningHandle_13;
public:
inline static int32_t get_offset_of__array_12() { return static_cast<int32_t>(offsetof(PinnedBufferMemoryStream_tDB1B8D639F3D8F7E60BA9E050BC48C575E573E78, ____array_12)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get__array_12() const { return ____array_12; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of__array_12() { return &____array_12; }
inline void set__array_12(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
____array_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&____array_12), (void*)value);
}
inline static int32_t get_offset_of__pinningHandle_13() { return static_cast<int32_t>(offsetof(PinnedBufferMemoryStream_tDB1B8D639F3D8F7E60BA9E050BC48C575E573E78, ____pinningHandle_13)); }
inline GCHandle_t757890BC4BBBEDE5A623A3C110013EDD24613603 get__pinningHandle_13() const { return ____pinningHandle_13; }
inline GCHandle_t757890BC4BBBEDE5A623A3C110013EDD24613603 * get_address_of__pinningHandle_13() { return &____pinningHandle_13; }
inline void set__pinningHandle_13(GCHandle_t757890BC4BBBEDE5A623A3C110013EDD24613603 value)
{
____pinningHandle_13 = value;
}
};
// UnityEngine.Playables.PlayableAsset
struct PlayableAsset_t5AD1606B76C9753A7F4C6B1061193F581023F137 : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
public:
};
// UnityEngine.Networking.PlayerConnection.PlayerConnection
struct PlayerConnection_t4A5AAC39753FEC33854C3478DD55863FDF2788B3 : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
// UnityEngine.Networking.PlayerConnection.PlayerEditorConnectionEvents UnityEngine.Networking.PlayerConnection.PlayerConnection::m_PlayerEditorConnectionEvents
PlayerEditorConnectionEvents_t213E2B05B10B9FDE14BF840564B1DBD7A6BFA871 * ___m_PlayerEditorConnectionEvents_5;
// System.Collections.Generic.List`1<System.Int32> UnityEngine.Networking.PlayerConnection.PlayerConnection::m_connectedPlayers
List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * ___m_connectedPlayers_6;
// System.Boolean UnityEngine.Networking.PlayerConnection.PlayerConnection::m_IsInitilized
bool ___m_IsInitilized_7;
public:
inline static int32_t get_offset_of_m_PlayerEditorConnectionEvents_5() { return static_cast<int32_t>(offsetof(PlayerConnection_t4A5AAC39753FEC33854C3478DD55863FDF2788B3, ___m_PlayerEditorConnectionEvents_5)); }
inline PlayerEditorConnectionEvents_t213E2B05B10B9FDE14BF840564B1DBD7A6BFA871 * get_m_PlayerEditorConnectionEvents_5() const { return ___m_PlayerEditorConnectionEvents_5; }
inline PlayerEditorConnectionEvents_t213E2B05B10B9FDE14BF840564B1DBD7A6BFA871 ** get_address_of_m_PlayerEditorConnectionEvents_5() { return &___m_PlayerEditorConnectionEvents_5; }
inline void set_m_PlayerEditorConnectionEvents_5(PlayerEditorConnectionEvents_t213E2B05B10B9FDE14BF840564B1DBD7A6BFA871 * value)
{
___m_PlayerEditorConnectionEvents_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PlayerEditorConnectionEvents_5), (void*)value);
}
inline static int32_t get_offset_of_m_connectedPlayers_6() { return static_cast<int32_t>(offsetof(PlayerConnection_t4A5AAC39753FEC33854C3478DD55863FDF2788B3, ___m_connectedPlayers_6)); }
inline List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * get_m_connectedPlayers_6() const { return ___m_connectedPlayers_6; }
inline List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 ** get_address_of_m_connectedPlayers_6() { return &___m_connectedPlayers_6; }
inline void set_m_connectedPlayers_6(List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * value)
{
___m_connectedPlayers_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_connectedPlayers_6), (void*)value);
}
inline static int32_t get_offset_of_m_IsInitilized_7() { return static_cast<int32_t>(offsetof(PlayerConnection_t4A5AAC39753FEC33854C3478DD55863FDF2788B3, ___m_IsInitilized_7)); }
inline bool get_m_IsInitilized_7() const { return ___m_IsInitilized_7; }
inline bool* get_address_of_m_IsInitilized_7() { return &___m_IsInitilized_7; }
inline void set_m_IsInitilized_7(bool value)
{
___m_IsInitilized_7 = value;
}
};
struct PlayerConnection_t4A5AAC39753FEC33854C3478DD55863FDF2788B3_StaticFields
{
public:
// UnityEngine.IPlayerEditorConnectionNative UnityEngine.Networking.PlayerConnection.PlayerConnection::connectionNative
RuntimeObject* ___connectionNative_4;
// UnityEngine.Networking.PlayerConnection.PlayerConnection UnityEngine.Networking.PlayerConnection.PlayerConnection::s_Instance
PlayerConnection_t4A5AAC39753FEC33854C3478DD55863FDF2788B3 * ___s_Instance_8;
public:
inline static int32_t get_offset_of_connectionNative_4() { return static_cast<int32_t>(offsetof(PlayerConnection_t4A5AAC39753FEC33854C3478DD55863FDF2788B3_StaticFields, ___connectionNative_4)); }
inline RuntimeObject* get_connectionNative_4() const { return ___connectionNative_4; }
inline RuntimeObject** get_address_of_connectionNative_4() { return &___connectionNative_4; }
inline void set_connectionNative_4(RuntimeObject* value)
{
___connectionNative_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___connectionNative_4), (void*)value);
}
inline static int32_t get_offset_of_s_Instance_8() { return static_cast<int32_t>(offsetof(PlayerConnection_t4A5AAC39753FEC33854C3478DD55863FDF2788B3_StaticFields, ___s_Instance_8)); }
inline PlayerConnection_t4A5AAC39753FEC33854C3478DD55863FDF2788B3 * get_s_Instance_8() const { return ___s_Instance_8; }
inline PlayerConnection_t4A5AAC39753FEC33854C3478DD55863FDF2788B3 ** get_address_of_s_Instance_8() { return &___s_Instance_8; }
inline void set_s_Instance_8(PlayerConnection_t4A5AAC39753FEC33854C3478DD55863FDF2788B3 * value)
{
___s_Instance_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Instance_8), (void*)value);
}
};
// UnityEngine.ResourceManagement.Exceptions.ProviderException
struct ProviderException_t9B5A1D9ADC024E2800F5711E62104DEA4963BBE2 : public OperationException_t5B03D7E3BBE3FC9CC74EF80A6F2305C2070ECCAD
{
public:
// UnityEngine.ResourceManagement.ResourceLocations.IResourceLocation UnityEngine.ResourceManagement.Exceptions.ProviderException::<Location>k__BackingField
RuntimeObject* ___U3CLocationU3Ek__BackingField_17;
public:
inline static int32_t get_offset_of_U3CLocationU3Ek__BackingField_17() { return static_cast<int32_t>(offsetof(ProviderException_t9B5A1D9ADC024E2800F5711E62104DEA4963BBE2, ___U3CLocationU3Ek__BackingField_17)); }
inline RuntimeObject* get_U3CLocationU3Ek__BackingField_17() const { return ___U3CLocationU3Ek__BackingField_17; }
inline RuntimeObject** get_address_of_U3CLocationU3Ek__BackingField_17() { return &___U3CLocationU3Ek__BackingField_17; }
inline void set_U3CLocationU3Ek__BackingField_17(RuntimeObject* value)
{
___U3CLocationU3Ek__BackingField_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CLocationU3Ek__BackingField_17), (void*)value);
}
};
// System.RankException
struct RankException_t160F1035CA1CA35C8BCB8884481DE21E20F13E4C : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo
struct ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223 : public RuntimeObject
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo::objectInfoId
int32_t ___objectInfoId_0;
// System.Type System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo::objectType
Type_t * ___objectType_2;
// System.Runtime.Serialization.ObjectManager System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo::objectManager
ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96 * ___objectManager_3;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo::count
int32_t ___count_4;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo::isSi
bool ___isSi_5;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo::isNamed
bool ___isNamed_6;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo::isTyped
bool ___isTyped_7;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo::bSimpleAssembly
bool ___bSimpleAssembly_8;
// System.Runtime.Serialization.Formatters.Binary.SerObjectInfoCache System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo::cache
SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB * ___cache_9;
// System.String[] System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo::wireMemberNames
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___wireMemberNames_10;
// System.Type[] System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo::wireMemberTypes
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ___wireMemberTypes_11;
// System.Int32 System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo::lastPosition
int32_t ___lastPosition_12;
// System.Runtime.Serialization.ISerializationSurrogate System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo::serializationSurrogate
RuntimeObject* ___serializationSurrogate_13;
// System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo::context
StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 ___context_14;
// System.Collections.Generic.List`1<System.Type> System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo::memberTypesList
List_1_t7CFD5FCE8366620F593F2C9DAC3A870E5D6506D7 * ___memberTypesList_15;
// System.Runtime.Serialization.Formatters.Binary.SerObjectInfoInit System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo::serObjectInfoInit
SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D * ___serObjectInfoInit_16;
// System.Runtime.Serialization.IFormatterConverter System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo::formatterConverter
RuntimeObject* ___formatterConverter_17;
public:
inline static int32_t get_offset_of_objectInfoId_0() { return static_cast<int32_t>(offsetof(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223, ___objectInfoId_0)); }
inline int32_t get_objectInfoId_0() const { return ___objectInfoId_0; }
inline int32_t* get_address_of_objectInfoId_0() { return &___objectInfoId_0; }
inline void set_objectInfoId_0(int32_t value)
{
___objectInfoId_0 = value;
}
inline static int32_t get_offset_of_objectType_2() { return static_cast<int32_t>(offsetof(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223, ___objectType_2)); }
inline Type_t * get_objectType_2() const { return ___objectType_2; }
inline Type_t ** get_address_of_objectType_2() { return &___objectType_2; }
inline void set_objectType_2(Type_t * value)
{
___objectType_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objectType_2), (void*)value);
}
inline static int32_t get_offset_of_objectManager_3() { return static_cast<int32_t>(offsetof(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223, ___objectManager_3)); }
inline ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96 * get_objectManager_3() const { return ___objectManager_3; }
inline ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96 ** get_address_of_objectManager_3() { return &___objectManager_3; }
inline void set_objectManager_3(ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96 * value)
{
___objectManager_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objectManager_3), (void*)value);
}
inline static int32_t get_offset_of_count_4() { return static_cast<int32_t>(offsetof(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223, ___count_4)); }
inline int32_t get_count_4() const { return ___count_4; }
inline int32_t* get_address_of_count_4() { return &___count_4; }
inline void set_count_4(int32_t value)
{
___count_4 = value;
}
inline static int32_t get_offset_of_isSi_5() { return static_cast<int32_t>(offsetof(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223, ___isSi_5)); }
inline bool get_isSi_5() const { return ___isSi_5; }
inline bool* get_address_of_isSi_5() { return &___isSi_5; }
inline void set_isSi_5(bool value)
{
___isSi_5 = value;
}
inline static int32_t get_offset_of_isNamed_6() { return static_cast<int32_t>(offsetof(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223, ___isNamed_6)); }
inline bool get_isNamed_6() const { return ___isNamed_6; }
inline bool* get_address_of_isNamed_6() { return &___isNamed_6; }
inline void set_isNamed_6(bool value)
{
___isNamed_6 = value;
}
inline static int32_t get_offset_of_isTyped_7() { return static_cast<int32_t>(offsetof(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223, ___isTyped_7)); }
inline bool get_isTyped_7() const { return ___isTyped_7; }
inline bool* get_address_of_isTyped_7() { return &___isTyped_7; }
inline void set_isTyped_7(bool value)
{
___isTyped_7 = value;
}
inline static int32_t get_offset_of_bSimpleAssembly_8() { return static_cast<int32_t>(offsetof(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223, ___bSimpleAssembly_8)); }
inline bool get_bSimpleAssembly_8() const { return ___bSimpleAssembly_8; }
inline bool* get_address_of_bSimpleAssembly_8() { return &___bSimpleAssembly_8; }
inline void set_bSimpleAssembly_8(bool value)
{
___bSimpleAssembly_8 = value;
}
inline static int32_t get_offset_of_cache_9() { return static_cast<int32_t>(offsetof(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223, ___cache_9)); }
inline SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB * get_cache_9() const { return ___cache_9; }
inline SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB ** get_address_of_cache_9() { return &___cache_9; }
inline void set_cache_9(SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB * value)
{
___cache_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___cache_9), (void*)value);
}
inline static int32_t get_offset_of_wireMemberNames_10() { return static_cast<int32_t>(offsetof(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223, ___wireMemberNames_10)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_wireMemberNames_10() const { return ___wireMemberNames_10; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_wireMemberNames_10() { return &___wireMemberNames_10; }
inline void set_wireMemberNames_10(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___wireMemberNames_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___wireMemberNames_10), (void*)value);
}
inline static int32_t get_offset_of_wireMemberTypes_11() { return static_cast<int32_t>(offsetof(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223, ___wireMemberTypes_11)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get_wireMemberTypes_11() const { return ___wireMemberTypes_11; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of_wireMemberTypes_11() { return &___wireMemberTypes_11; }
inline void set_wireMemberTypes_11(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
___wireMemberTypes_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___wireMemberTypes_11), (void*)value);
}
inline static int32_t get_offset_of_lastPosition_12() { return static_cast<int32_t>(offsetof(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223, ___lastPosition_12)); }
inline int32_t get_lastPosition_12() const { return ___lastPosition_12; }
inline int32_t* get_address_of_lastPosition_12() { return &___lastPosition_12; }
inline void set_lastPosition_12(int32_t value)
{
___lastPosition_12 = value;
}
inline static int32_t get_offset_of_serializationSurrogate_13() { return static_cast<int32_t>(offsetof(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223, ___serializationSurrogate_13)); }
inline RuntimeObject* get_serializationSurrogate_13() const { return ___serializationSurrogate_13; }
inline RuntimeObject** get_address_of_serializationSurrogate_13() { return &___serializationSurrogate_13; }
inline void set_serializationSurrogate_13(RuntimeObject* value)
{
___serializationSurrogate_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___serializationSurrogate_13), (void*)value);
}
inline static int32_t get_offset_of_context_14() { return static_cast<int32_t>(offsetof(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223, ___context_14)); }
inline StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 get_context_14() const { return ___context_14; }
inline StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 * get_address_of_context_14() { return &___context_14; }
inline void set_context_14(StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 value)
{
___context_14 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___context_14))->___m_additionalContext_0), (void*)NULL);
}
inline static int32_t get_offset_of_memberTypesList_15() { return static_cast<int32_t>(offsetof(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223, ___memberTypesList_15)); }
inline List_1_t7CFD5FCE8366620F593F2C9DAC3A870E5D6506D7 * get_memberTypesList_15() const { return ___memberTypesList_15; }
inline List_1_t7CFD5FCE8366620F593F2C9DAC3A870E5D6506D7 ** get_address_of_memberTypesList_15() { return &___memberTypesList_15; }
inline void set_memberTypesList_15(List_1_t7CFD5FCE8366620F593F2C9DAC3A870E5D6506D7 * value)
{
___memberTypesList_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberTypesList_15), (void*)value);
}
inline static int32_t get_offset_of_serObjectInfoInit_16() { return static_cast<int32_t>(offsetof(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223, ___serObjectInfoInit_16)); }
inline SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D * get_serObjectInfoInit_16() const { return ___serObjectInfoInit_16; }
inline SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D ** get_address_of_serObjectInfoInit_16() { return &___serObjectInfoInit_16; }
inline void set_serObjectInfoInit_16(SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D * value)
{
___serObjectInfoInit_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___serObjectInfoInit_16), (void*)value);
}
inline static int32_t get_offset_of_formatterConverter_17() { return static_cast<int32_t>(offsetof(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223, ___formatterConverter_17)); }
inline RuntimeObject* get_formatterConverter_17() const { return ___formatterConverter_17; }
inline RuntimeObject** get_address_of_formatterConverter_17() { return &___formatterConverter_17; }
inline void set_formatterConverter_17(RuntimeObject* value)
{
___formatterConverter_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___formatterConverter_17), (void*)value);
}
};
struct ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223_StaticFields
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.ReadObjectInfo::readObjectInfoCounter
int32_t ___readObjectInfoCounter_1;
public:
inline static int32_t get_offset_of_readObjectInfoCounter_1() { return static_cast<int32_t>(offsetof(ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223_StaticFields, ___readObjectInfoCounter_1)); }
inline int32_t get_readObjectInfoCounter_1() const { return ___readObjectInfoCounter_1; }
inline int32_t* get_address_of_readObjectInfoCounter_1() { return &___readObjectInfoCounter_1; }
inline void set_readObjectInfoCounter_1(int32_t value)
{
___readObjectInfoCounter_1 = value;
}
};
// System.Reflection.ReflectionTypeLoadException
struct ReflectionTypeLoadException_tF7B3556875F394EC77B674893C9322FA1DC21F6C : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
// System.Type[] System.Reflection.ReflectionTypeLoadException::_classes
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ____classes_17;
// System.Exception[] System.Reflection.ReflectionTypeLoadException::_exceptions
ExceptionU5BU5D_t683CE8E24950657A060E640B8956913D867F952D* ____exceptions_18;
public:
inline static int32_t get_offset_of__classes_17() { return static_cast<int32_t>(offsetof(ReflectionTypeLoadException_tF7B3556875F394EC77B674893C9322FA1DC21F6C, ____classes_17)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get__classes_17() const { return ____classes_17; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of__classes_17() { return &____classes_17; }
inline void set__classes_17(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
____classes_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&____classes_17), (void*)value);
}
inline static int32_t get_offset_of__exceptions_18() { return static_cast<int32_t>(offsetof(ReflectionTypeLoadException_tF7B3556875F394EC77B674893C9322FA1DC21F6C, ____exceptions_18)); }
inline ExceptionU5BU5D_t683CE8E24950657A060E640B8956913D867F952D* get__exceptions_18() const { return ____exceptions_18; }
inline ExceptionU5BU5D_t683CE8E24950657A060E640B8956913D867F952D** get_address_of__exceptions_18() { return &____exceptions_18; }
inline void set__exceptions_18(ExceptionU5BU5D_t683CE8E24950657A060E640B8956913D867F952D* value)
{
____exceptions_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&____exceptions_18), (void*)value);
}
};
// System.Runtime.Remoting.RemotingException
struct RemotingException_tEFFC0A283D7F4169F5481926B7FF6C2EB8C76F1B : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// UnityEngine.Rendering.RenderPipelineAsset
struct RenderPipelineAsset_tA4DBD0F0DD583DF3C9F85AF41F49308D167864EF : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
public:
};
// UnityEngine.RenderTexture
struct RenderTexture_t5FE7A5B47EF962A0E8D7BEBA05E9FC87D49A1849 : public Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE
{
public:
public:
};
// UnityEngine.Renderer
struct Renderer_t58147AB5B00224FE1460FD47542DC0DA7EC9378C : public Component_t62FBC8D2420DA4BE9037AFE430740F6B3EECA684
{
public:
public:
};
// System.ResolveEventHandler
struct ResolveEventHandler_tC6827B550D5B6553B57571630B1EE01AC12A1089 : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.Rigidbody
struct Rigidbody_t101F2E2F9F16E765A77429B2DE4527D2047A887A : public Component_t62FBC8D2420DA4BE9037AFE430740F6B3EECA684
{
public:
public:
};
// UnityEngine.Rigidbody2D
struct Rigidbody2D_tD23204FEE9CB4A36737043B97FD409DE05D5DCE5 : public Component_t62FBC8D2420DA4BE9037AFE430740F6B3EECA684
{
public:
public:
};
// System.Reflection.RuntimeModule
struct RuntimeModule_t9E665EA4CBD2C45CACB248F3A99511929C35656A : public Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7
{
public:
public:
};
// System.Reflection.RuntimeParameterInfo
struct RuntimeParameterInfo_tC859DD5E91FA8533CE17C5DD9667EF16389FD85B : public ParameterInfo_t9D9DBDD93E685815E35F4F6D6F58E90EBC8852B7
{
public:
public:
};
// System.Runtime.InteropServices.SafeBuffer
struct SafeBuffer_tABA0D0B754FCCF3625CD905D535296E353C630D2 : public SafeHandleZeroOrMinusOneIsInvalid_t0C690C7DC958D0C04E529E2BB0F6569956328B45
{
public:
// System.Boolean System.Runtime.InteropServices.SafeBuffer::inited
bool ___inited_6;
public:
inline static int32_t get_offset_of_inited_6() { return static_cast<int32_t>(offsetof(SafeBuffer_tABA0D0B754FCCF3625CD905D535296E353C630D2, ___inited_6)); }
inline bool get_inited_6() const { return ___inited_6; }
inline bool* get_address_of_inited_6() { return &___inited_6; }
inline void set_inited_6(bool value)
{
___inited_6 = value;
}
};
// Microsoft.Win32.SafeHandles.SafeFileHandle
struct SafeFileHandle_tC77A9860A03C31DC46AD2C08EC10EACDC3B7A662 : public SafeHandleZeroOrMinusOneIsInvalid_t0C690C7DC958D0C04E529E2BB0F6569956328B45
{
public:
public:
};
// Microsoft.Win32.SafeHandles.SafeFindHandle
struct SafeFindHandle_t0E0D5349FC3144C1CAB2D20DCD3023B25833B8BD : public SafeHandleZeroOrMinusOneIsInvalid_t0C690C7DC958D0C04E529E2BB0F6569956328B45
{
public:
public:
};
// Microsoft.Win32.SafeHandles.SafeRegistryHandle
struct SafeRegistryHandle_tE132711AC8880C0D375E49B50419BCE4935CC545 : public SafeHandleZeroOrMinusOneIsInvalid_t0C690C7DC958D0C04E529E2BB0F6569956328B45
{
public:
public:
};
// System.Runtime.Serialization.SafeSerializationEventArgs
struct SafeSerializationEventArgs_t9127408272D435E33674CC75CBDC5124DA7F3E4A : public EventArgs_tBCAACA538A5195B6D6C8DFCC3524A2A4A67FD8BA
{
public:
// System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.SafeSerializationEventArgs::m_streamingContext
StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 ___m_streamingContext_1;
// System.Collections.Generic.List`1<System.Object> System.Runtime.Serialization.SafeSerializationEventArgs::m_serializedStates
List_1_t3F94120C77410A62EAE48421CF166B83AB95A2F5 * ___m_serializedStates_2;
public:
inline static int32_t get_offset_of_m_streamingContext_1() { return static_cast<int32_t>(offsetof(SafeSerializationEventArgs_t9127408272D435E33674CC75CBDC5124DA7F3E4A, ___m_streamingContext_1)); }
inline StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 get_m_streamingContext_1() const { return ___m_streamingContext_1; }
inline StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 * get_address_of_m_streamingContext_1() { return &___m_streamingContext_1; }
inline void set_m_streamingContext_1(StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 value)
{
___m_streamingContext_1 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_streamingContext_1))->___m_additionalContext_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_serializedStates_2() { return static_cast<int32_t>(offsetof(SafeSerializationEventArgs_t9127408272D435E33674CC75CBDC5124DA7F3E4A, ___m_serializedStates_2)); }
inline List_1_t3F94120C77410A62EAE48421CF166B83AB95A2F5 * get_m_serializedStates_2() const { return ___m_serializedStates_2; }
inline List_1_t3F94120C77410A62EAE48421CF166B83AB95A2F5 ** get_address_of_m_serializedStates_2() { return &___m_serializedStates_2; }
inline void set_m_serializedStates_2(List_1_t3F94120C77410A62EAE48421CF166B83AB95A2F5 * value)
{
___m_serializedStates_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_serializedStates_2), (void*)value);
}
};
// Microsoft.Win32.SafeHandles.SafeWaitHandle
struct SafeWaitHandle_tF37EACEDF9C6F350EB4ABC1E1F869EECB0B5ABB1 : public SafeHandleZeroOrMinusOneIsInvalid_t0C690C7DC958D0C04E529E2BB0F6569956328B45
{
public:
public:
};
// System.Linq.Expressions.ScopeWithType
struct ScopeWithType_t2B5D6764335C8C5805E1DC59F6B3370072478C50 : public ScopeN_t05FE8F6E97A62B48B2252350706D84DC841E006F
{
public:
// System.Type System.Linq.Expressions.ScopeWithType::<Type>k__BackingField
Type_t * ___U3CTypeU3Ek__BackingField_5;
public:
inline static int32_t get_offset_of_U3CTypeU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(ScopeWithType_t2B5D6764335C8C5805E1DC59F6B3370072478C50, ___U3CTypeU3Ek__BackingField_5)); }
inline Type_t * get_U3CTypeU3Ek__BackingField_5() const { return ___U3CTypeU3Ek__BackingField_5; }
inline Type_t ** get_address_of_U3CTypeU3Ek__BackingField_5() { return &___U3CTypeU3Ek__BackingField_5; }
inline void set_U3CTypeU3Ek__BackingField_5(Type_t * value)
{
___U3CTypeU3Ek__BackingField_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CTypeU3Ek__BackingField_5), (void*)value);
}
};
// System.Security.SecurityException
struct SecurityException_t3BE23C00ECC638A4EDCAA33572C4DCC21F2FA769 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
// System.String System.Security.SecurityException::permissionState
String_t* ___permissionState_17;
public:
inline static int32_t get_offset_of_permissionState_17() { return static_cast<int32_t>(offsetof(SecurityException_t3BE23C00ECC638A4EDCAA33572C4DCC21F2FA769, ___permissionState_17)); }
inline String_t* get_permissionState_17() const { return ___permissionState_17; }
inline String_t** get_address_of_permissionState_17() { return &___permissionState_17; }
inline void set_permissionState_17(String_t* value)
{
___permissionState_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___permissionState_17), (void*)value);
}
};
// System.Threading.SemaphoreFullException
struct SemaphoreFullException_tEC3066DE47D27E7FFEDFB57703A17E44A6F4A741 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.Threading.SendOrPostCallback
struct SendOrPostCallback_t6B7334CE017AF595535507519400AC02D688DC3C : public MulticastDelegate_t
{
public:
public:
};
// System.Runtime.Serialization.SerializationEventHandler
struct SerializationEventHandler_t3033BE1E86AE40A7533AD615FF9122FC8ED0B7C1 : public MulticastDelegate_t
{
public:
public:
};
// System.Runtime.Serialization.SerializationException
struct SerializationException_tDB38C13A2ABF407C381E3F332D197AC1AD097A92 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
struct SerializationException_tDB38C13A2ABF407C381E3F332D197AC1AD097A92_StaticFields
{
public:
// System.String System.Runtime.Serialization.SerializationException::_nullMessage
String_t* ____nullMessage_17;
public:
inline static int32_t get_offset_of__nullMessage_17() { return static_cast<int32_t>(offsetof(SerializationException_tDB38C13A2ABF407C381E3F332D197AC1AD097A92_StaticFields, ____nullMessage_17)); }
inline String_t* get__nullMessage_17() const { return ____nullMessage_17; }
inline String_t** get_address_of__nullMessage_17() { return &____nullMessage_17; }
inline void set__nullMessage_17(String_t* value)
{
____nullMessage_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&____nullMessage_17), (void*)value);
}
};
// System.Runtime.Serialization.SerializationObjectManager
struct SerializationObjectManager_tAFED170719CB3FFDB1C60D3686DC22652E907042 : public RuntimeObject
{
public:
// System.Collections.Hashtable System.Runtime.Serialization.SerializationObjectManager::m_objectSeenTable
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * ___m_objectSeenTable_0;
// System.Runtime.Serialization.SerializationEventHandler System.Runtime.Serialization.SerializationObjectManager::m_onSerializedHandler
SerializationEventHandler_t3033BE1E86AE40A7533AD615FF9122FC8ED0B7C1 * ___m_onSerializedHandler_1;
// System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.SerializationObjectManager::m_context
StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 ___m_context_2;
public:
inline static int32_t get_offset_of_m_objectSeenTable_0() { return static_cast<int32_t>(offsetof(SerializationObjectManager_tAFED170719CB3FFDB1C60D3686DC22652E907042, ___m_objectSeenTable_0)); }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * get_m_objectSeenTable_0() const { return ___m_objectSeenTable_0; }
inline Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC ** get_address_of_m_objectSeenTable_0() { return &___m_objectSeenTable_0; }
inline void set_m_objectSeenTable_0(Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC * value)
{
___m_objectSeenTable_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_objectSeenTable_0), (void*)value);
}
inline static int32_t get_offset_of_m_onSerializedHandler_1() { return static_cast<int32_t>(offsetof(SerializationObjectManager_tAFED170719CB3FFDB1C60D3686DC22652E907042, ___m_onSerializedHandler_1)); }
inline SerializationEventHandler_t3033BE1E86AE40A7533AD615FF9122FC8ED0B7C1 * get_m_onSerializedHandler_1() const { return ___m_onSerializedHandler_1; }
inline SerializationEventHandler_t3033BE1E86AE40A7533AD615FF9122FC8ED0B7C1 ** get_address_of_m_onSerializedHandler_1() { return &___m_onSerializedHandler_1; }
inline void set_m_onSerializedHandler_1(SerializationEventHandler_t3033BE1E86AE40A7533AD615FF9122FC8ED0B7C1 * value)
{
___m_onSerializedHandler_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_onSerializedHandler_1), (void*)value);
}
inline static int32_t get_offset_of_m_context_2() { return static_cast<int32_t>(offsetof(SerializationObjectManager_tAFED170719CB3FFDB1C60D3686DC22652E907042, ___m_context_2)); }
inline StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 get_m_context_2() const { return ___m_context_2; }
inline StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 * get_address_of_m_context_2() { return &___m_context_2; }
inline void set_m_context_2(StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 value)
{
___m_context_2 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_context_2))->___m_additionalContext_0), (void*)NULL);
}
};
// UnityEngine.Localization.Tables.SharedTableData
struct SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
// System.String UnityEngine.Localization.Tables.SharedTableData::m_TableCollectionName
String_t* ___m_TableCollectionName_6;
// System.String UnityEngine.Localization.Tables.SharedTableData::m_TableCollectionNameGuidString
String_t* ___m_TableCollectionNameGuidString_7;
// System.Collections.Generic.List`1<UnityEngine.Localization.Tables.SharedTableData/SharedTableEntry> UnityEngine.Localization.Tables.SharedTableData::m_Entries
List_1_t0F3A9E0F4532E1A36E4FBC7CFB1129B3C451C9DD * ___m_Entries_8;
// UnityEngine.Localization.Metadata.MetadataCollection UnityEngine.Localization.Tables.SharedTableData::m_Metadata
MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 * ___m_Metadata_9;
// UnityEngine.Localization.Tables.IKeyGenerator UnityEngine.Localization.Tables.SharedTableData::m_KeyGenerator
RuntimeObject* ___m_KeyGenerator_10;
// System.Guid UnityEngine.Localization.Tables.SharedTableData::m_TableCollectionNameGuid
Guid_t ___m_TableCollectionNameGuid_11;
// System.Collections.Generic.Dictionary`2<System.Int64,UnityEngine.Localization.Tables.SharedTableData/SharedTableEntry> UnityEngine.Localization.Tables.SharedTableData::m_IdDictionary
Dictionary_2_t67D8C7C2915C1CA2FCA01F27FE29E648F2739F42 * ___m_IdDictionary_12;
// System.Collections.Generic.Dictionary`2<System.String,UnityEngine.Localization.Tables.SharedTableData/SharedTableEntry> UnityEngine.Localization.Tables.SharedTableData::m_KeyDictionary
Dictionary_2_tAAA616F0052191F50A88966905FA22D7D83E7BE1 * ___m_KeyDictionary_13;
public:
inline static int32_t get_offset_of_m_TableCollectionName_6() { return static_cast<int32_t>(offsetof(SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC, ___m_TableCollectionName_6)); }
inline String_t* get_m_TableCollectionName_6() const { return ___m_TableCollectionName_6; }
inline String_t** get_address_of_m_TableCollectionName_6() { return &___m_TableCollectionName_6; }
inline void set_m_TableCollectionName_6(String_t* value)
{
___m_TableCollectionName_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TableCollectionName_6), (void*)value);
}
inline static int32_t get_offset_of_m_TableCollectionNameGuidString_7() { return static_cast<int32_t>(offsetof(SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC, ___m_TableCollectionNameGuidString_7)); }
inline String_t* get_m_TableCollectionNameGuidString_7() const { return ___m_TableCollectionNameGuidString_7; }
inline String_t** get_address_of_m_TableCollectionNameGuidString_7() { return &___m_TableCollectionNameGuidString_7; }
inline void set_m_TableCollectionNameGuidString_7(String_t* value)
{
___m_TableCollectionNameGuidString_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TableCollectionNameGuidString_7), (void*)value);
}
inline static int32_t get_offset_of_m_Entries_8() { return static_cast<int32_t>(offsetof(SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC, ___m_Entries_8)); }
inline List_1_t0F3A9E0F4532E1A36E4FBC7CFB1129B3C451C9DD * get_m_Entries_8() const { return ___m_Entries_8; }
inline List_1_t0F3A9E0F4532E1A36E4FBC7CFB1129B3C451C9DD ** get_address_of_m_Entries_8() { return &___m_Entries_8; }
inline void set_m_Entries_8(List_1_t0F3A9E0F4532E1A36E4FBC7CFB1129B3C451C9DD * value)
{
___m_Entries_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Entries_8), (void*)value);
}
inline static int32_t get_offset_of_m_Metadata_9() { return static_cast<int32_t>(offsetof(SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC, ___m_Metadata_9)); }
inline MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 * get_m_Metadata_9() const { return ___m_Metadata_9; }
inline MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 ** get_address_of_m_Metadata_9() { return &___m_Metadata_9; }
inline void set_m_Metadata_9(MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5 * value)
{
___m_Metadata_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Metadata_9), (void*)value);
}
inline static int32_t get_offset_of_m_KeyGenerator_10() { return static_cast<int32_t>(offsetof(SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC, ___m_KeyGenerator_10)); }
inline RuntimeObject* get_m_KeyGenerator_10() const { return ___m_KeyGenerator_10; }
inline RuntimeObject** get_address_of_m_KeyGenerator_10() { return &___m_KeyGenerator_10; }
inline void set_m_KeyGenerator_10(RuntimeObject* value)
{
___m_KeyGenerator_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_KeyGenerator_10), (void*)value);
}
inline static int32_t get_offset_of_m_TableCollectionNameGuid_11() { return static_cast<int32_t>(offsetof(SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC, ___m_TableCollectionNameGuid_11)); }
inline Guid_t get_m_TableCollectionNameGuid_11() const { return ___m_TableCollectionNameGuid_11; }
inline Guid_t * get_address_of_m_TableCollectionNameGuid_11() { return &___m_TableCollectionNameGuid_11; }
inline void set_m_TableCollectionNameGuid_11(Guid_t value)
{
___m_TableCollectionNameGuid_11 = value;
}
inline static int32_t get_offset_of_m_IdDictionary_12() { return static_cast<int32_t>(offsetof(SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC, ___m_IdDictionary_12)); }
inline Dictionary_2_t67D8C7C2915C1CA2FCA01F27FE29E648F2739F42 * get_m_IdDictionary_12() const { return ___m_IdDictionary_12; }
inline Dictionary_2_t67D8C7C2915C1CA2FCA01F27FE29E648F2739F42 ** get_address_of_m_IdDictionary_12() { return &___m_IdDictionary_12; }
inline void set_m_IdDictionary_12(Dictionary_2_t67D8C7C2915C1CA2FCA01F27FE29E648F2739F42 * value)
{
___m_IdDictionary_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_IdDictionary_12), (void*)value);
}
inline static int32_t get_offset_of_m_KeyDictionary_13() { return static_cast<int32_t>(offsetof(SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC, ___m_KeyDictionary_13)); }
inline Dictionary_2_tAAA616F0052191F50A88966905FA22D7D83E7BE1 * get_m_KeyDictionary_13() const { return ___m_KeyDictionary_13; }
inline Dictionary_2_tAAA616F0052191F50A88966905FA22D7D83E7BE1 ** get_address_of_m_KeyDictionary_13() { return &___m_KeyDictionary_13; }
inline void set_m_KeyDictionary_13(Dictionary_2_tAAA616F0052191F50A88966905FA22D7D83E7BE1 * value)
{
___m_KeyDictionary_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_KeyDictionary_13), (void*)value);
}
};
// System.ComponentModel.SingleConverter
struct SingleConverter_t75FCE834B5B2A74CB252021292C9DC205B322391 : public BaseNumberConverter_t6CA2001CE79249FCF74FC888710AAD5CA23B748C
{
public:
public:
};
// Mono.Xml.SmallXmlParserException
struct SmallXmlParserException_t89B4B23345549519E0B9C8DC9F24A07748E3A45C : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
// System.Int32 Mono.Xml.SmallXmlParserException::line
int32_t ___line_17;
// System.Int32 Mono.Xml.SmallXmlParserException::column
int32_t ___column_18;
public:
inline static int32_t get_offset_of_line_17() { return static_cast<int32_t>(offsetof(SmallXmlParserException_t89B4B23345549519E0B9C8DC9F24A07748E3A45C, ___line_17)); }
inline int32_t get_line_17() const { return ___line_17; }
inline int32_t* get_address_of_line_17() { return &___line_17; }
inline void set_line_17(int32_t value)
{
___line_17 = value;
}
inline static int32_t get_offset_of_column_18() { return static_cast<int32_t>(offsetof(SmallXmlParserException_t89B4B23345549519E0B9C8DC9F24A07748E3A45C, ___column_18)); }
inline int32_t get_column_18() const { return ___column_18; }
inline int32_t* get_address_of_column_18() { return &___column_18; }
inline void set_column_18(int32_t value)
{
___column_18 = value;
}
};
// System.StackOverflowException
struct StackOverflowException_tCDBFE2D7CF662B7405CDB64A8ED8CE0E2728055E : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// UnityEngine.StateMachineBehaviour
struct StateMachineBehaviour_tBEDE439261DEB4C7334646339BC6F1E7958F095F : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
public:
};
// System.Threading.SynchronizationLockException
struct SynchronizationLockException_tC8758646B797B6FAE8FBE15A47D17A2A2C597E6D : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// TMPro.TMP_Asset
struct TMP_Asset_tEE129B2B2FE167D4B860286167207DD3AD45B45E : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
// System.Int32 TMPro.TMP_Asset::m_InstanceID
int32_t ___m_InstanceID_4;
// System.Int32 TMPro.TMP_Asset::hashCode
int32_t ___hashCode_5;
// UnityEngine.Material TMPro.TMP_Asset::material
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___material_6;
// System.Int32 TMPro.TMP_Asset::materialHashCode
int32_t ___materialHashCode_7;
public:
inline static int32_t get_offset_of_m_InstanceID_4() { return static_cast<int32_t>(offsetof(TMP_Asset_tEE129B2B2FE167D4B860286167207DD3AD45B45E, ___m_InstanceID_4)); }
inline int32_t get_m_InstanceID_4() const { return ___m_InstanceID_4; }
inline int32_t* get_address_of_m_InstanceID_4() { return &___m_InstanceID_4; }
inline void set_m_InstanceID_4(int32_t value)
{
___m_InstanceID_4 = value;
}
inline static int32_t get_offset_of_hashCode_5() { return static_cast<int32_t>(offsetof(TMP_Asset_tEE129B2B2FE167D4B860286167207DD3AD45B45E, ___hashCode_5)); }
inline int32_t get_hashCode_5() const { return ___hashCode_5; }
inline int32_t* get_address_of_hashCode_5() { return &___hashCode_5; }
inline void set_hashCode_5(int32_t value)
{
___hashCode_5 = value;
}
inline static int32_t get_offset_of_material_6() { return static_cast<int32_t>(offsetof(TMP_Asset_tEE129B2B2FE167D4B860286167207DD3AD45B45E, ___material_6)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_material_6() const { return ___material_6; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_material_6() { return &___material_6; }
inline void set_material_6(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___material_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___material_6), (void*)value);
}
inline static int32_t get_offset_of_materialHashCode_7() { return static_cast<int32_t>(offsetof(TMP_Asset_tEE129B2B2FE167D4B860286167207DD3AD45B45E, ___materialHashCode_7)); }
inline int32_t get_materialHashCode_7() const { return ___materialHashCode_7; }
inline int32_t* get_address_of_materialHashCode_7() { return &___materialHashCode_7; }
inline void set_materialHashCode_7(int32_t value)
{
___materialHashCode_7 = value;
}
};
// TMPro.TMP_Character
struct TMP_Character_tE7A98584C4DDFC9E1A1D883F4A5DE99E5DE7CC0C : public TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832
{
public:
public:
};
// TMPro.TMP_ColorGradient
struct TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461 : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
// TMPro.ColorMode TMPro.TMP_ColorGradient::colorMode
int32_t ___colorMode_4;
// UnityEngine.Color TMPro.TMP_ColorGradient::topLeft
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___topLeft_5;
// UnityEngine.Color TMPro.TMP_ColorGradient::topRight
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___topRight_6;
// UnityEngine.Color TMPro.TMP_ColorGradient::bottomLeft
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___bottomLeft_7;
// UnityEngine.Color TMPro.TMP_ColorGradient::bottomRight
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___bottomRight_8;
public:
inline static int32_t get_offset_of_colorMode_4() { return static_cast<int32_t>(offsetof(TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461, ___colorMode_4)); }
inline int32_t get_colorMode_4() const { return ___colorMode_4; }
inline int32_t* get_address_of_colorMode_4() { return &___colorMode_4; }
inline void set_colorMode_4(int32_t value)
{
___colorMode_4 = value;
}
inline static int32_t get_offset_of_topLeft_5() { return static_cast<int32_t>(offsetof(TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461, ___topLeft_5)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_topLeft_5() const { return ___topLeft_5; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_topLeft_5() { return &___topLeft_5; }
inline void set_topLeft_5(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___topLeft_5 = value;
}
inline static int32_t get_offset_of_topRight_6() { return static_cast<int32_t>(offsetof(TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461, ___topRight_6)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_topRight_6() const { return ___topRight_6; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_topRight_6() { return &___topRight_6; }
inline void set_topRight_6(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___topRight_6 = value;
}
inline static int32_t get_offset_of_bottomLeft_7() { return static_cast<int32_t>(offsetof(TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461, ___bottomLeft_7)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_bottomLeft_7() const { return ___bottomLeft_7; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_bottomLeft_7() { return &___bottomLeft_7; }
inline void set_bottomLeft_7(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___bottomLeft_7 = value;
}
inline static int32_t get_offset_of_bottomRight_8() { return static_cast<int32_t>(offsetof(TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461, ___bottomRight_8)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_bottomRight_8() const { return ___bottomRight_8; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_bottomRight_8() { return &___bottomRight_8; }
inline void set_bottomRight_8(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___bottomRight_8 = value;
}
};
struct TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461_StaticFields
{
public:
// UnityEngine.Color TMPro.TMP_ColorGradient::k_DefaultColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___k_DefaultColor_10;
public:
inline static int32_t get_offset_of_k_DefaultColor_10() { return static_cast<int32_t>(offsetof(TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461_StaticFields, ___k_DefaultColor_10)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_k_DefaultColor_10() const { return ___k_DefaultColor_10; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_k_DefaultColor_10() { return &___k_DefaultColor_10; }
inline void set_k_DefaultColor_10(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___k_DefaultColor_10 = value;
}
};
// TMPro.TMP_InputValidator
struct TMP_InputValidator_t5DE1CB404972CB5D787521EF3B382C27D5DB456D : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
public:
};
// TMPro.TMP_Settings
struct TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7 : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
// System.Boolean TMPro.TMP_Settings::m_enableWordWrapping
bool ___m_enableWordWrapping_5;
// System.Boolean TMPro.TMP_Settings::m_enableKerning
bool ___m_enableKerning_6;
// System.Boolean TMPro.TMP_Settings::m_enableExtraPadding
bool ___m_enableExtraPadding_7;
// System.Boolean TMPro.TMP_Settings::m_enableTintAllSprites
bool ___m_enableTintAllSprites_8;
// System.Boolean TMPro.TMP_Settings::m_enableParseEscapeCharacters
bool ___m_enableParseEscapeCharacters_9;
// System.Boolean TMPro.TMP_Settings::m_EnableRaycastTarget
bool ___m_EnableRaycastTarget_10;
// System.Boolean TMPro.TMP_Settings::m_GetFontFeaturesAtRuntime
bool ___m_GetFontFeaturesAtRuntime_11;
// System.Int32 TMPro.TMP_Settings::m_missingGlyphCharacter
int32_t ___m_missingGlyphCharacter_12;
// System.Boolean TMPro.TMP_Settings::m_warningsDisabled
bool ___m_warningsDisabled_13;
// TMPro.TMP_FontAsset TMPro.TMP_Settings::m_defaultFontAsset
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___m_defaultFontAsset_14;
// System.String TMPro.TMP_Settings::m_defaultFontAssetPath
String_t* ___m_defaultFontAssetPath_15;
// System.Single TMPro.TMP_Settings::m_defaultFontSize
float ___m_defaultFontSize_16;
// System.Single TMPro.TMP_Settings::m_defaultAutoSizeMinRatio
float ___m_defaultAutoSizeMinRatio_17;
// System.Single TMPro.TMP_Settings::m_defaultAutoSizeMaxRatio
float ___m_defaultAutoSizeMaxRatio_18;
// UnityEngine.Vector2 TMPro.TMP_Settings::m_defaultTextMeshProTextContainerSize
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_defaultTextMeshProTextContainerSize_19;
// UnityEngine.Vector2 TMPro.TMP_Settings::m_defaultTextMeshProUITextContainerSize
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_defaultTextMeshProUITextContainerSize_20;
// System.Boolean TMPro.TMP_Settings::m_autoSizeTextContainer
bool ___m_autoSizeTextContainer_21;
// System.Boolean TMPro.TMP_Settings::m_IsTextObjectScaleStatic
bool ___m_IsTextObjectScaleStatic_22;
// System.Collections.Generic.List`1<TMPro.TMP_FontAsset> TMPro.TMP_Settings::m_fallbackFontAssets
List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD * ___m_fallbackFontAssets_23;
// System.Boolean TMPro.TMP_Settings::m_matchMaterialPreset
bool ___m_matchMaterialPreset_24;
// TMPro.TMP_SpriteAsset TMPro.TMP_Settings::m_defaultSpriteAsset
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * ___m_defaultSpriteAsset_25;
// System.String TMPro.TMP_Settings::m_defaultSpriteAssetPath
String_t* ___m_defaultSpriteAssetPath_26;
// System.Boolean TMPro.TMP_Settings::m_enableEmojiSupport
bool ___m_enableEmojiSupport_27;
// System.UInt32 TMPro.TMP_Settings::m_MissingCharacterSpriteUnicode
uint32_t ___m_MissingCharacterSpriteUnicode_28;
// System.String TMPro.TMP_Settings::m_defaultColorGradientPresetsPath
String_t* ___m_defaultColorGradientPresetsPath_29;
// TMPro.TMP_StyleSheet TMPro.TMP_Settings::m_defaultStyleSheet
TMP_StyleSheet_t8E2FC777D06D295BE700B8EDE56389D3581BA94E * ___m_defaultStyleSheet_30;
// System.String TMPro.TMP_Settings::m_StyleSheetsResourcePath
String_t* ___m_StyleSheetsResourcePath_31;
// UnityEngine.TextAsset TMPro.TMP_Settings::m_leadingCharacters
TextAsset_t1969F5FD1F628C7C0A70D9605C0D251B4F547234 * ___m_leadingCharacters_32;
// UnityEngine.TextAsset TMPro.TMP_Settings::m_followingCharacters
TextAsset_t1969F5FD1F628C7C0A70D9605C0D251B4F547234 * ___m_followingCharacters_33;
// TMPro.TMP_Settings/LineBreakingTable TMPro.TMP_Settings::m_linebreakingRules
LineBreakingTable_t5E2CD902456D50AA9B0F9C64BCF16045E86D19F2 * ___m_linebreakingRules_34;
// System.Boolean TMPro.TMP_Settings::m_UseModernHangulLineBreakingRules
bool ___m_UseModernHangulLineBreakingRules_35;
public:
inline static int32_t get_offset_of_m_enableWordWrapping_5() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_enableWordWrapping_5)); }
inline bool get_m_enableWordWrapping_5() const { return ___m_enableWordWrapping_5; }
inline bool* get_address_of_m_enableWordWrapping_5() { return &___m_enableWordWrapping_5; }
inline void set_m_enableWordWrapping_5(bool value)
{
___m_enableWordWrapping_5 = value;
}
inline static int32_t get_offset_of_m_enableKerning_6() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_enableKerning_6)); }
inline bool get_m_enableKerning_6() const { return ___m_enableKerning_6; }
inline bool* get_address_of_m_enableKerning_6() { return &___m_enableKerning_6; }
inline void set_m_enableKerning_6(bool value)
{
___m_enableKerning_6 = value;
}
inline static int32_t get_offset_of_m_enableExtraPadding_7() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_enableExtraPadding_7)); }
inline bool get_m_enableExtraPadding_7() const { return ___m_enableExtraPadding_7; }
inline bool* get_address_of_m_enableExtraPadding_7() { return &___m_enableExtraPadding_7; }
inline void set_m_enableExtraPadding_7(bool value)
{
___m_enableExtraPadding_7 = value;
}
inline static int32_t get_offset_of_m_enableTintAllSprites_8() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_enableTintAllSprites_8)); }
inline bool get_m_enableTintAllSprites_8() const { return ___m_enableTintAllSprites_8; }
inline bool* get_address_of_m_enableTintAllSprites_8() { return &___m_enableTintAllSprites_8; }
inline void set_m_enableTintAllSprites_8(bool value)
{
___m_enableTintAllSprites_8 = value;
}
inline static int32_t get_offset_of_m_enableParseEscapeCharacters_9() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_enableParseEscapeCharacters_9)); }
inline bool get_m_enableParseEscapeCharacters_9() const { return ___m_enableParseEscapeCharacters_9; }
inline bool* get_address_of_m_enableParseEscapeCharacters_9() { return &___m_enableParseEscapeCharacters_9; }
inline void set_m_enableParseEscapeCharacters_9(bool value)
{
___m_enableParseEscapeCharacters_9 = value;
}
inline static int32_t get_offset_of_m_EnableRaycastTarget_10() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_EnableRaycastTarget_10)); }
inline bool get_m_EnableRaycastTarget_10() const { return ___m_EnableRaycastTarget_10; }
inline bool* get_address_of_m_EnableRaycastTarget_10() { return &___m_EnableRaycastTarget_10; }
inline void set_m_EnableRaycastTarget_10(bool value)
{
___m_EnableRaycastTarget_10 = value;
}
inline static int32_t get_offset_of_m_GetFontFeaturesAtRuntime_11() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_GetFontFeaturesAtRuntime_11)); }
inline bool get_m_GetFontFeaturesAtRuntime_11() const { return ___m_GetFontFeaturesAtRuntime_11; }
inline bool* get_address_of_m_GetFontFeaturesAtRuntime_11() { return &___m_GetFontFeaturesAtRuntime_11; }
inline void set_m_GetFontFeaturesAtRuntime_11(bool value)
{
___m_GetFontFeaturesAtRuntime_11 = value;
}
inline static int32_t get_offset_of_m_missingGlyphCharacter_12() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_missingGlyphCharacter_12)); }
inline int32_t get_m_missingGlyphCharacter_12() const { return ___m_missingGlyphCharacter_12; }
inline int32_t* get_address_of_m_missingGlyphCharacter_12() { return &___m_missingGlyphCharacter_12; }
inline void set_m_missingGlyphCharacter_12(int32_t value)
{
___m_missingGlyphCharacter_12 = value;
}
inline static int32_t get_offset_of_m_warningsDisabled_13() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_warningsDisabled_13)); }
inline bool get_m_warningsDisabled_13() const { return ___m_warningsDisabled_13; }
inline bool* get_address_of_m_warningsDisabled_13() { return &___m_warningsDisabled_13; }
inline void set_m_warningsDisabled_13(bool value)
{
___m_warningsDisabled_13 = value;
}
inline static int32_t get_offset_of_m_defaultFontAsset_14() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_defaultFontAsset_14)); }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * get_m_defaultFontAsset_14() const { return ___m_defaultFontAsset_14; }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 ** get_address_of_m_defaultFontAsset_14() { return &___m_defaultFontAsset_14; }
inline void set_m_defaultFontAsset_14(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * value)
{
___m_defaultFontAsset_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_defaultFontAsset_14), (void*)value);
}
inline static int32_t get_offset_of_m_defaultFontAssetPath_15() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_defaultFontAssetPath_15)); }
inline String_t* get_m_defaultFontAssetPath_15() const { return ___m_defaultFontAssetPath_15; }
inline String_t** get_address_of_m_defaultFontAssetPath_15() { return &___m_defaultFontAssetPath_15; }
inline void set_m_defaultFontAssetPath_15(String_t* value)
{
___m_defaultFontAssetPath_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_defaultFontAssetPath_15), (void*)value);
}
inline static int32_t get_offset_of_m_defaultFontSize_16() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_defaultFontSize_16)); }
inline float get_m_defaultFontSize_16() const { return ___m_defaultFontSize_16; }
inline float* get_address_of_m_defaultFontSize_16() { return &___m_defaultFontSize_16; }
inline void set_m_defaultFontSize_16(float value)
{
___m_defaultFontSize_16 = value;
}
inline static int32_t get_offset_of_m_defaultAutoSizeMinRatio_17() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_defaultAutoSizeMinRatio_17)); }
inline float get_m_defaultAutoSizeMinRatio_17() const { return ___m_defaultAutoSizeMinRatio_17; }
inline float* get_address_of_m_defaultAutoSizeMinRatio_17() { return &___m_defaultAutoSizeMinRatio_17; }
inline void set_m_defaultAutoSizeMinRatio_17(float value)
{
___m_defaultAutoSizeMinRatio_17 = value;
}
inline static int32_t get_offset_of_m_defaultAutoSizeMaxRatio_18() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_defaultAutoSizeMaxRatio_18)); }
inline float get_m_defaultAutoSizeMaxRatio_18() const { return ___m_defaultAutoSizeMaxRatio_18; }
inline float* get_address_of_m_defaultAutoSizeMaxRatio_18() { return &___m_defaultAutoSizeMaxRatio_18; }
inline void set_m_defaultAutoSizeMaxRatio_18(float value)
{
___m_defaultAutoSizeMaxRatio_18 = value;
}
inline static int32_t get_offset_of_m_defaultTextMeshProTextContainerSize_19() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_defaultTextMeshProTextContainerSize_19)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_defaultTextMeshProTextContainerSize_19() const { return ___m_defaultTextMeshProTextContainerSize_19; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_defaultTextMeshProTextContainerSize_19() { return &___m_defaultTextMeshProTextContainerSize_19; }
inline void set_m_defaultTextMeshProTextContainerSize_19(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_defaultTextMeshProTextContainerSize_19 = value;
}
inline static int32_t get_offset_of_m_defaultTextMeshProUITextContainerSize_20() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_defaultTextMeshProUITextContainerSize_20)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_defaultTextMeshProUITextContainerSize_20() const { return ___m_defaultTextMeshProUITextContainerSize_20; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_defaultTextMeshProUITextContainerSize_20() { return &___m_defaultTextMeshProUITextContainerSize_20; }
inline void set_m_defaultTextMeshProUITextContainerSize_20(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_defaultTextMeshProUITextContainerSize_20 = value;
}
inline static int32_t get_offset_of_m_autoSizeTextContainer_21() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_autoSizeTextContainer_21)); }
inline bool get_m_autoSizeTextContainer_21() const { return ___m_autoSizeTextContainer_21; }
inline bool* get_address_of_m_autoSizeTextContainer_21() { return &___m_autoSizeTextContainer_21; }
inline void set_m_autoSizeTextContainer_21(bool value)
{
___m_autoSizeTextContainer_21 = value;
}
inline static int32_t get_offset_of_m_IsTextObjectScaleStatic_22() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_IsTextObjectScaleStatic_22)); }
inline bool get_m_IsTextObjectScaleStatic_22() const { return ___m_IsTextObjectScaleStatic_22; }
inline bool* get_address_of_m_IsTextObjectScaleStatic_22() { return &___m_IsTextObjectScaleStatic_22; }
inline void set_m_IsTextObjectScaleStatic_22(bool value)
{
___m_IsTextObjectScaleStatic_22 = value;
}
inline static int32_t get_offset_of_m_fallbackFontAssets_23() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_fallbackFontAssets_23)); }
inline List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD * get_m_fallbackFontAssets_23() const { return ___m_fallbackFontAssets_23; }
inline List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD ** get_address_of_m_fallbackFontAssets_23() { return &___m_fallbackFontAssets_23; }
inline void set_m_fallbackFontAssets_23(List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD * value)
{
___m_fallbackFontAssets_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fallbackFontAssets_23), (void*)value);
}
inline static int32_t get_offset_of_m_matchMaterialPreset_24() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_matchMaterialPreset_24)); }
inline bool get_m_matchMaterialPreset_24() const { return ___m_matchMaterialPreset_24; }
inline bool* get_address_of_m_matchMaterialPreset_24() { return &___m_matchMaterialPreset_24; }
inline void set_m_matchMaterialPreset_24(bool value)
{
___m_matchMaterialPreset_24 = value;
}
inline static int32_t get_offset_of_m_defaultSpriteAsset_25() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_defaultSpriteAsset_25)); }
inline TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * get_m_defaultSpriteAsset_25() const { return ___m_defaultSpriteAsset_25; }
inline TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 ** get_address_of_m_defaultSpriteAsset_25() { return &___m_defaultSpriteAsset_25; }
inline void set_m_defaultSpriteAsset_25(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * value)
{
___m_defaultSpriteAsset_25 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_defaultSpriteAsset_25), (void*)value);
}
inline static int32_t get_offset_of_m_defaultSpriteAssetPath_26() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_defaultSpriteAssetPath_26)); }
inline String_t* get_m_defaultSpriteAssetPath_26() const { return ___m_defaultSpriteAssetPath_26; }
inline String_t** get_address_of_m_defaultSpriteAssetPath_26() { return &___m_defaultSpriteAssetPath_26; }
inline void set_m_defaultSpriteAssetPath_26(String_t* value)
{
___m_defaultSpriteAssetPath_26 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_defaultSpriteAssetPath_26), (void*)value);
}
inline static int32_t get_offset_of_m_enableEmojiSupport_27() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_enableEmojiSupport_27)); }
inline bool get_m_enableEmojiSupport_27() const { return ___m_enableEmojiSupport_27; }
inline bool* get_address_of_m_enableEmojiSupport_27() { return &___m_enableEmojiSupport_27; }
inline void set_m_enableEmojiSupport_27(bool value)
{
___m_enableEmojiSupport_27 = value;
}
inline static int32_t get_offset_of_m_MissingCharacterSpriteUnicode_28() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_MissingCharacterSpriteUnicode_28)); }
inline uint32_t get_m_MissingCharacterSpriteUnicode_28() const { return ___m_MissingCharacterSpriteUnicode_28; }
inline uint32_t* get_address_of_m_MissingCharacterSpriteUnicode_28() { return &___m_MissingCharacterSpriteUnicode_28; }
inline void set_m_MissingCharacterSpriteUnicode_28(uint32_t value)
{
___m_MissingCharacterSpriteUnicode_28 = value;
}
inline static int32_t get_offset_of_m_defaultColorGradientPresetsPath_29() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_defaultColorGradientPresetsPath_29)); }
inline String_t* get_m_defaultColorGradientPresetsPath_29() const { return ___m_defaultColorGradientPresetsPath_29; }
inline String_t** get_address_of_m_defaultColorGradientPresetsPath_29() { return &___m_defaultColorGradientPresetsPath_29; }
inline void set_m_defaultColorGradientPresetsPath_29(String_t* value)
{
___m_defaultColorGradientPresetsPath_29 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_defaultColorGradientPresetsPath_29), (void*)value);
}
inline static int32_t get_offset_of_m_defaultStyleSheet_30() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_defaultStyleSheet_30)); }
inline TMP_StyleSheet_t8E2FC777D06D295BE700B8EDE56389D3581BA94E * get_m_defaultStyleSheet_30() const { return ___m_defaultStyleSheet_30; }
inline TMP_StyleSheet_t8E2FC777D06D295BE700B8EDE56389D3581BA94E ** get_address_of_m_defaultStyleSheet_30() { return &___m_defaultStyleSheet_30; }
inline void set_m_defaultStyleSheet_30(TMP_StyleSheet_t8E2FC777D06D295BE700B8EDE56389D3581BA94E * value)
{
___m_defaultStyleSheet_30 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_defaultStyleSheet_30), (void*)value);
}
inline static int32_t get_offset_of_m_StyleSheetsResourcePath_31() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_StyleSheetsResourcePath_31)); }
inline String_t* get_m_StyleSheetsResourcePath_31() const { return ___m_StyleSheetsResourcePath_31; }
inline String_t** get_address_of_m_StyleSheetsResourcePath_31() { return &___m_StyleSheetsResourcePath_31; }
inline void set_m_StyleSheetsResourcePath_31(String_t* value)
{
___m_StyleSheetsResourcePath_31 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_StyleSheetsResourcePath_31), (void*)value);
}
inline static int32_t get_offset_of_m_leadingCharacters_32() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_leadingCharacters_32)); }
inline TextAsset_t1969F5FD1F628C7C0A70D9605C0D251B4F547234 * get_m_leadingCharacters_32() const { return ___m_leadingCharacters_32; }
inline TextAsset_t1969F5FD1F628C7C0A70D9605C0D251B4F547234 ** get_address_of_m_leadingCharacters_32() { return &___m_leadingCharacters_32; }
inline void set_m_leadingCharacters_32(TextAsset_t1969F5FD1F628C7C0A70D9605C0D251B4F547234 * value)
{
___m_leadingCharacters_32 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_leadingCharacters_32), (void*)value);
}
inline static int32_t get_offset_of_m_followingCharacters_33() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_followingCharacters_33)); }
inline TextAsset_t1969F5FD1F628C7C0A70D9605C0D251B4F547234 * get_m_followingCharacters_33() const { return ___m_followingCharacters_33; }
inline TextAsset_t1969F5FD1F628C7C0A70D9605C0D251B4F547234 ** get_address_of_m_followingCharacters_33() { return &___m_followingCharacters_33; }
inline void set_m_followingCharacters_33(TextAsset_t1969F5FD1F628C7C0A70D9605C0D251B4F547234 * value)
{
___m_followingCharacters_33 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_followingCharacters_33), (void*)value);
}
inline static int32_t get_offset_of_m_linebreakingRules_34() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_linebreakingRules_34)); }
inline LineBreakingTable_t5E2CD902456D50AA9B0F9C64BCF16045E86D19F2 * get_m_linebreakingRules_34() const { return ___m_linebreakingRules_34; }
inline LineBreakingTable_t5E2CD902456D50AA9B0F9C64BCF16045E86D19F2 ** get_address_of_m_linebreakingRules_34() { return &___m_linebreakingRules_34; }
inline void set_m_linebreakingRules_34(LineBreakingTable_t5E2CD902456D50AA9B0F9C64BCF16045E86D19F2 * value)
{
___m_linebreakingRules_34 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_linebreakingRules_34), (void*)value);
}
inline static int32_t get_offset_of_m_UseModernHangulLineBreakingRules_35() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7, ___m_UseModernHangulLineBreakingRules_35)); }
inline bool get_m_UseModernHangulLineBreakingRules_35() const { return ___m_UseModernHangulLineBreakingRules_35; }
inline bool* get_address_of_m_UseModernHangulLineBreakingRules_35() { return &___m_UseModernHangulLineBreakingRules_35; }
inline void set_m_UseModernHangulLineBreakingRules_35(bool value)
{
___m_UseModernHangulLineBreakingRules_35 = value;
}
};
struct TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7_StaticFields
{
public:
// TMPro.TMP_Settings TMPro.TMP_Settings::s_Instance
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7 * ___s_Instance_4;
public:
inline static int32_t get_offset_of_s_Instance_4() { return static_cast<int32_t>(offsetof(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7_StaticFields, ___s_Instance_4)); }
inline TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7 * get_s_Instance_4() const { return ___s_Instance_4; }
inline TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7 ** get_address_of_s_Instance_4() { return &___s_Instance_4; }
inline void set_s_Instance_4(TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7 * value)
{
___s_Instance_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Instance_4), (void*)value);
}
};
// TMPro.TMP_SpriteCharacter
struct TMP_SpriteCharacter_t77E119FE8164154A682A4F70E7787B2C56A0E9BE : public TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832
{
public:
// System.String TMPro.TMP_SpriteCharacter::m_Name
String_t* ___m_Name_6;
// System.Int32 TMPro.TMP_SpriteCharacter::m_HashCode
int32_t ___m_HashCode_7;
public:
inline static int32_t get_offset_of_m_Name_6() { return static_cast<int32_t>(offsetof(TMP_SpriteCharacter_t77E119FE8164154A682A4F70E7787B2C56A0E9BE, ___m_Name_6)); }
inline String_t* get_m_Name_6() const { return ___m_Name_6; }
inline String_t** get_address_of_m_Name_6() { return &___m_Name_6; }
inline void set_m_Name_6(String_t* value)
{
___m_Name_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Name_6), (void*)value);
}
inline static int32_t get_offset_of_m_HashCode_7() { return static_cast<int32_t>(offsetof(TMP_SpriteCharacter_t77E119FE8164154A682A4F70E7787B2C56A0E9BE, ___m_HashCode_7)); }
inline int32_t get_m_HashCode_7() const { return ___m_HashCode_7; }
inline int32_t* get_address_of_m_HashCode_7() { return &___m_HashCode_7; }
inline void set_m_HashCode_7(int32_t value)
{
___m_HashCode_7 = value;
}
};
// TMPro.TMP_StyleSheet
struct TMP_StyleSheet_t8E2FC777D06D295BE700B8EDE56389D3581BA94E : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
// System.Collections.Generic.List`1<TMPro.TMP_Style> TMPro.TMP_StyleSheet::m_StyleList
List_1_t45639C9CAC14492B91832F71F3BE40F75A336649 * ___m_StyleList_4;
// System.Collections.Generic.Dictionary`2<System.Int32,TMPro.TMP_Style> TMPro.TMP_StyleSheet::m_StyleLookupDictionary
Dictionary_2_tF4EABB89111A0E30158256A3B667C7770E384763 * ___m_StyleLookupDictionary_5;
public:
inline static int32_t get_offset_of_m_StyleList_4() { return static_cast<int32_t>(offsetof(TMP_StyleSheet_t8E2FC777D06D295BE700B8EDE56389D3581BA94E, ___m_StyleList_4)); }
inline List_1_t45639C9CAC14492B91832F71F3BE40F75A336649 * get_m_StyleList_4() const { return ___m_StyleList_4; }
inline List_1_t45639C9CAC14492B91832F71F3BE40F75A336649 ** get_address_of_m_StyleList_4() { return &___m_StyleList_4; }
inline void set_m_StyleList_4(List_1_t45639C9CAC14492B91832F71F3BE40F75A336649 * value)
{
___m_StyleList_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_StyleList_4), (void*)value);
}
inline static int32_t get_offset_of_m_StyleLookupDictionary_5() { return static_cast<int32_t>(offsetof(TMP_StyleSheet_t8E2FC777D06D295BE700B8EDE56389D3581BA94E, ___m_StyleLookupDictionary_5)); }
inline Dictionary_2_tF4EABB89111A0E30158256A3B667C7770E384763 * get_m_StyleLookupDictionary_5() const { return ___m_StyleLookupDictionary_5; }
inline Dictionary_2_tF4EABB89111A0E30158256A3B667C7770E384763 ** get_address_of_m_StyleLookupDictionary_5() { return &___m_StyleLookupDictionary_5; }
inline void set_m_StyleLookupDictionary_5(Dictionary_2_tF4EABB89111A0E30158256A3B667C7770E384763 * value)
{
___m_StyleLookupDictionary_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_StyleLookupDictionary_5), (void*)value);
}
};
// System.Reflection.TargetException
struct TargetException_t24392281B50548C1502540A59617BC50E2EAF8C2 : public ApplicationException_t8D709C0445A040467C6A632AD7F742B25AB2A407
{
public:
public:
};
// System.Reflection.TargetInvocationException
struct TargetInvocationException_t30F4C50D323F448CD2E08BDB8F47694B08EB354C : public ApplicationException_t8D709C0445A040467C6A632AD7F742B25AB2A407
{
public:
public:
};
// System.Reflection.TargetParameterCountException
struct TargetParameterCountException_tEFEF97CE0A511BDAC6E59DCE1D4E332253A941AC : public ApplicationException_t8D709C0445A040467C6A632AD7F742B25AB2A407
{
public:
public:
};
// UnityEngine.ResourceManagement.ResourceProviders.TextDataProvider
struct TextDataProvider_t773E2DEFF6B16D17317529CFB75791ADDEA9B2E6 : public ResourceProviderBase_tC5E5ED488310C5EDBDD71BC37FEB5EE1C77D7F28
{
public:
// System.Boolean UnityEngine.ResourceManagement.ResourceProviders.TextDataProvider::<IgnoreFailures>k__BackingField
bool ___U3CIgnoreFailuresU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CIgnoreFailuresU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(TextDataProvider_t773E2DEFF6B16D17317529CFB75791ADDEA9B2E6, ___U3CIgnoreFailuresU3Ek__BackingField_2)); }
inline bool get_U3CIgnoreFailuresU3Ek__BackingField_2() const { return ___U3CIgnoreFailuresU3Ek__BackingField_2; }
inline bool* get_address_of_U3CIgnoreFailuresU3Ek__BackingField_2() { return &___U3CIgnoreFailuresU3Ek__BackingField_2; }
inline void set_U3CIgnoreFailuresU3Ek__BackingField_2(bool value)
{
___U3CIgnoreFailuresU3Ek__BackingField_2 = value;
}
};
// UnityEngine.TextGenerator
struct TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70 : 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_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A ___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_t8907FD137E854241E2657BF53E6CEFF7370FAC5F * ___m_Verts_5;
// System.Collections.Generic.List`1<UnityEngine.UICharInfo> UnityEngine.TextGenerator::m_Characters
List_1_t6D5A50DDC9282F1B1127D04D53FD5A743391289D * ___m_Characters_6;
// System.Collections.Generic.List`1<UnityEngine.UILineInfo> UnityEngine.TextGenerator::m_Lines
List_1_tE41795D86BBD10D66F8F64CC87147539BC5AB2EB * ___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_t893F256D3587633108E00E5731CDC5A77AFF1B70, ___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_t893F256D3587633108E00E5731CDC5A77AFF1B70, ___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((void**)(&___m_LastString_1), (void*)value);
}
inline static int32_t get_offset_of_m_LastSettings_2() { return static_cast<int32_t>(offsetof(TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70, ___m_LastSettings_2)); }
inline TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A get_m_LastSettings_2() const { return ___m_LastSettings_2; }
inline TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A * get_address_of_m_LastSettings_2() { return &___m_LastSettings_2; }
inline void set_m_LastSettings_2(TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A value)
{
___m_LastSettings_2 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_LastSettings_2))->___font_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_HasGenerated_3() { return static_cast<int32_t>(offsetof(TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70, ___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_t893F256D3587633108E00E5731CDC5A77AFF1B70, ___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_t893F256D3587633108E00E5731CDC5A77AFF1B70, ___m_Verts_5)); }
inline List_1_t8907FD137E854241E2657BF53E6CEFF7370FAC5F * get_m_Verts_5() const { return ___m_Verts_5; }
inline List_1_t8907FD137E854241E2657BF53E6CEFF7370FAC5F ** get_address_of_m_Verts_5() { return &___m_Verts_5; }
inline void set_m_Verts_5(List_1_t8907FD137E854241E2657BF53E6CEFF7370FAC5F * value)
{
___m_Verts_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Verts_5), (void*)value);
}
inline static int32_t get_offset_of_m_Characters_6() { return static_cast<int32_t>(offsetof(TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70, ___m_Characters_6)); }
inline List_1_t6D5A50DDC9282F1B1127D04D53FD5A743391289D * get_m_Characters_6() const { return ___m_Characters_6; }
inline List_1_t6D5A50DDC9282F1B1127D04D53FD5A743391289D ** get_address_of_m_Characters_6() { return &___m_Characters_6; }
inline void set_m_Characters_6(List_1_t6D5A50DDC9282F1B1127D04D53FD5A743391289D * value)
{
___m_Characters_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Characters_6), (void*)value);
}
inline static int32_t get_offset_of_m_Lines_7() { return static_cast<int32_t>(offsetof(TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70, ___m_Lines_7)); }
inline List_1_tE41795D86BBD10D66F8F64CC87147539BC5AB2EB * get_m_Lines_7() const { return ___m_Lines_7; }
inline List_1_tE41795D86BBD10D66F8F64CC87147539BC5AB2EB ** get_address_of_m_Lines_7() { return &___m_Lines_7; }
inline void set_m_Lines_7(List_1_tE41795D86BBD10D66F8F64CC87147539BC5AB2EB * value)
{
___m_Lines_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Lines_7), (void*)value);
}
inline static int32_t get_offset_of_m_CachedVerts_8() { return static_cast<int32_t>(offsetof(TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70, ___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_t893F256D3587633108E00E5731CDC5A77AFF1B70, ___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_t893F256D3587633108E00E5731CDC5A77AFF1B70, ___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;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.TextGenerator
struct TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70_marshaled_pinvoke
{
intptr_t ___m_Ptr_0;
char* ___m_LastString_1;
TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A_marshaled_pinvoke ___m_LastSettings_2;
int32_t ___m_HasGenerated_3;
int32_t ___m_LastValid_4;
List_1_t8907FD137E854241E2657BF53E6CEFF7370FAC5F * ___m_Verts_5;
List_1_t6D5A50DDC9282F1B1127D04D53FD5A743391289D * ___m_Characters_6;
List_1_tE41795D86BBD10D66F8F64CC87147539BC5AB2EB * ___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_t893F256D3587633108E00E5731CDC5A77AFF1B70_marshaled_com
{
intptr_t ___m_Ptr_0;
Il2CppChar* ___m_LastString_1;
TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A_marshaled_com ___m_LastSettings_2;
int32_t ___m_HasGenerated_3;
int32_t ___m_LastValid_4;
List_1_t8907FD137E854241E2657BF53E6CEFF7370FAC5F * ___m_Verts_5;
List_1_t6D5A50DDC9282F1B1127D04D53FD5A743391289D * ___m_Characters_6;
List_1_tE41795D86BBD10D66F8F64CC87147539BC5AB2EB * ___m_Lines_7;
int32_t ___m_CachedVerts_8;
int32_t ___m_CachedCharacters_9;
int32_t ___m_CachedLines_10;
};
// UnityEngine.TextMesh
struct TextMesh_t830C2452CE189A0D35CD9ED26B6B74D506B01273 : public Component_t62FBC8D2420DA4BE9037AFE430740F6B3EECA684
{
public:
public:
};
// UnityEngine.Texture2D
struct Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF : public Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE
{
public:
public:
};
// UnityEngine.Texture2DArray
struct Texture2DArray_t4CF2F3A2AAFC9A024D8C0D19F669B5B54C57713C : public Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE
{
public:
public:
};
// UnityEngine.Texture3D
struct Texture3D_t21F02DD686C75610A464D2EE7A83EFD93842EBD8 : public Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE
{
public:
public:
};
// System.Threading.ThreadAbortException
struct ThreadAbortException_t16772A32C3654FCFF0399F11874CB783CC51C153 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.Threading.ThreadInterruptedException
struct ThreadInterruptedException_t79671BFC28D9946768F83A1CFE78A2D586FF02DD : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.Threading.ThreadStart
struct ThreadStart_tA13019555BA3CB2B0128F0880760196BF790E687 : public MulticastDelegate_t
{
public:
public:
};
// System.Threading.ThreadStateException
struct ThreadStateException_t99CA51DDC7644BF3CD58ED773C9FA3F22EE2B3EA : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.TimeoutException
struct TimeoutException_tB5D0EEFAEC3FC79FFDEF23C55D1BDF4DE347C926 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.Threading.TimerCallback
struct TimerCallback_tD193CC50BF27E129E6857E1E8A7EAC24BD131814 : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.Transform
struct Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 : public Component_t62FBC8D2420DA4BE9037AFE430740F6B3EECA684
{
public:
public:
};
// System.Reflection.TypeFilter
struct TypeFilter_t8E0AA7E71F2D6695C61A52277E6CF6E49230F2C3 : public MulticastDelegate_t
{
public:
public:
};
// System.Reflection.TypeInfo
struct TypeInfo_tFFBAC0D7187BFD2D25CC801679BC9645020EC04F : public Type_t
{
public:
public:
};
// System.TypeInitializationException
struct TypeInitializationException_tFBB52C455ED2509387E598E8C0877D464B6EC7B8 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
// System.String System.TypeInitializationException::_typeName
String_t* ____typeName_17;
public:
inline static int32_t get_offset_of__typeName_17() { return static_cast<int32_t>(offsetof(TypeInitializationException_tFBB52C455ED2509387E598E8C0877D464B6EC7B8, ____typeName_17)); }
inline String_t* get__typeName_17() const { return ____typeName_17; }
inline String_t** get_address_of__typeName_17() { return &____typeName_17; }
inline void set__typeName_17(String_t* value)
{
____typeName_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&____typeName_17), (void*)value);
}
};
// System.TypeLoadException
struct TypeLoadException_t57F05DC978AA8B70B0CE1AB2EF99D7F97FE428E7 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
// System.String System.TypeLoadException::ClassName
String_t* ___ClassName_17;
// System.String System.TypeLoadException::AssemblyName
String_t* ___AssemblyName_18;
// System.String System.TypeLoadException::MessageArg
String_t* ___MessageArg_19;
// System.Int32 System.TypeLoadException::ResourceId
int32_t ___ResourceId_20;
public:
inline static int32_t get_offset_of_ClassName_17() { return static_cast<int32_t>(offsetof(TypeLoadException_t57F05DC978AA8B70B0CE1AB2EF99D7F97FE428E7, ___ClassName_17)); }
inline String_t* get_ClassName_17() const { return ___ClassName_17; }
inline String_t** get_address_of_ClassName_17() { return &___ClassName_17; }
inline void set_ClassName_17(String_t* value)
{
___ClassName_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ClassName_17), (void*)value);
}
inline static int32_t get_offset_of_AssemblyName_18() { return static_cast<int32_t>(offsetof(TypeLoadException_t57F05DC978AA8B70B0CE1AB2EF99D7F97FE428E7, ___AssemblyName_18)); }
inline String_t* get_AssemblyName_18() const { return ___AssemblyName_18; }
inline String_t** get_address_of_AssemblyName_18() { return &___AssemblyName_18; }
inline void set_AssemblyName_18(String_t* value)
{
___AssemblyName_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___AssemblyName_18), (void*)value);
}
inline static int32_t get_offset_of_MessageArg_19() { return static_cast<int32_t>(offsetof(TypeLoadException_t57F05DC978AA8B70B0CE1AB2EF99D7F97FE428E7, ___MessageArg_19)); }
inline String_t* get_MessageArg_19() const { return ___MessageArg_19; }
inline String_t** get_address_of_MessageArg_19() { return &___MessageArg_19; }
inline void set_MessageArg_19(String_t* value)
{
___MessageArg_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___MessageArg_19), (void*)value);
}
inline static int32_t get_offset_of_ResourceId_20() { return static_cast<int32_t>(offsetof(TypeLoadException_t57F05DC978AA8B70B0CE1AB2EF99D7F97FE428E7, ___ResourceId_20)); }
inline int32_t get_ResourceId_20() const { return ___ResourceId_20; }
inline int32_t* get_address_of_ResourceId_20() { return &___ResourceId_20; }
inline void set_ResourceId_20(int32_t value)
{
___ResourceId_20 = value;
}
};
// System.UnauthorizedAccessException
struct UnauthorizedAccessException_t737F79AE4901C68E935CD553A20978CEEF44F333 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// System.UnhandledExceptionEventHandler
struct UnhandledExceptionEventHandler_t1DF125A860ED9B70F24ADFA6CB0781533A23DA64 : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.Events.UnityAction
struct UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.ResourceManagement.Exceptions.UnknownResourceProviderException
struct UnknownResourceProviderException_tF2000C59911CE84919773D1CFD445FCF98BA5CEB : public ResourceManagerException_t7816EE70554858C84C8AAB5CE7E3DEB47B4C8EA2
{
public:
// UnityEngine.ResourceManagement.ResourceLocations.IResourceLocation UnityEngine.ResourceManagement.Exceptions.UnknownResourceProviderException::<Location>k__BackingField
RuntimeObject* ___U3CLocationU3Ek__BackingField_17;
public:
inline static int32_t get_offset_of_U3CLocationU3Ek__BackingField_17() { return static_cast<int32_t>(offsetof(UnknownResourceProviderException_tF2000C59911CE84919773D1CFD445FCF98BA5CEB, ___U3CLocationU3Ek__BackingField_17)); }
inline RuntimeObject* get_U3CLocationU3Ek__BackingField_17() const { return ___U3CLocationU3Ek__BackingField_17; }
inline RuntimeObject** get_address_of_U3CLocationU3Ek__BackingField_17() { return &___U3CLocationU3Ek__BackingField_17; }
inline void set_U3CLocationU3Ek__BackingField_17(RuntimeObject* value)
{
___U3CLocationU3Ek__BackingField_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CLocationU3Ek__BackingField_17), (void*)value);
}
};
// System.Threading.WaitCallback
struct WaitCallback_t82C85517E973DCC6390AFB0BC3C2276F3328A319 : public MulticastDelegate_t
{
public:
public:
};
// System.Threading.WaitHandleCannotBeOpenedException
struct WaitHandleCannotBeOpenedException_t95ED8894E82A3C59B38B20253C8D64745D023FC3 : public ApplicationException_t8D709C0445A040467C6A632AD7F742B25AB2A407
{
public:
public:
};
// System.Threading.WaitOrTimerCallback
struct WaitOrTimerCallback_t79FBDDC8E879825AA8322F3422BF8F1BEAE3BCDB : public MulticastDelegate_t
{
public:
public:
};
// TMPro.WordWrapState
struct WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99
{
public:
// System.Int32 TMPro.WordWrapState::previous_WordBreak
int32_t ___previous_WordBreak_0;
// System.Int32 TMPro.WordWrapState::total_CharacterCount
int32_t ___total_CharacterCount_1;
// System.Int32 TMPro.WordWrapState::visible_CharacterCount
int32_t ___visible_CharacterCount_2;
// System.Int32 TMPro.WordWrapState::visible_SpriteCount
int32_t ___visible_SpriteCount_3;
// System.Int32 TMPro.WordWrapState::visible_LinkCount
int32_t ___visible_LinkCount_4;
// System.Int32 TMPro.WordWrapState::firstCharacterIndex
int32_t ___firstCharacterIndex_5;
// System.Int32 TMPro.WordWrapState::firstVisibleCharacterIndex
int32_t ___firstVisibleCharacterIndex_6;
// System.Int32 TMPro.WordWrapState::lastCharacterIndex
int32_t ___lastCharacterIndex_7;
// System.Int32 TMPro.WordWrapState::lastVisibleCharIndex
int32_t ___lastVisibleCharIndex_8;
// System.Int32 TMPro.WordWrapState::lineNumber
int32_t ___lineNumber_9;
// System.Single TMPro.WordWrapState::maxCapHeight
float ___maxCapHeight_10;
// System.Single TMPro.WordWrapState::maxAscender
float ___maxAscender_11;
// System.Single TMPro.WordWrapState::maxDescender
float ___maxDescender_12;
// System.Single TMPro.WordWrapState::startOfLineAscender
float ___startOfLineAscender_13;
// System.Single TMPro.WordWrapState::maxLineAscender
float ___maxLineAscender_14;
// System.Single TMPro.WordWrapState::maxLineDescender
float ___maxLineDescender_15;
// System.Single TMPro.WordWrapState::pageAscender
float ___pageAscender_16;
// TMPro.HorizontalAlignmentOptions TMPro.WordWrapState::horizontalAlignment
int32_t ___horizontalAlignment_17;
// System.Single TMPro.WordWrapState::marginLeft
float ___marginLeft_18;
// System.Single TMPro.WordWrapState::marginRight
float ___marginRight_19;
// System.Single TMPro.WordWrapState::xAdvance
float ___xAdvance_20;
// System.Single TMPro.WordWrapState::preferredWidth
float ___preferredWidth_21;
// System.Single TMPro.WordWrapState::preferredHeight
float ___preferredHeight_22;
// System.Single TMPro.WordWrapState::previousLineScale
float ___previousLineScale_23;
// System.Int32 TMPro.WordWrapState::wordCount
int32_t ___wordCount_24;
// TMPro.FontStyles TMPro.WordWrapState::fontStyle
int32_t ___fontStyle_25;
// System.Int32 TMPro.WordWrapState::italicAngle
int32_t ___italicAngle_26;
// System.Single TMPro.WordWrapState::fontScaleMultiplier
float ___fontScaleMultiplier_27;
// System.Single TMPro.WordWrapState::currentFontSize
float ___currentFontSize_28;
// System.Single TMPro.WordWrapState::baselineOffset
float ___baselineOffset_29;
// System.Single TMPro.WordWrapState::lineOffset
float ___lineOffset_30;
// System.Boolean TMPro.WordWrapState::isDrivenLineSpacing
bool ___isDrivenLineSpacing_31;
// System.Single TMPro.WordWrapState::glyphHorizontalAdvanceAdjustment
float ___glyphHorizontalAdvanceAdjustment_32;
// System.Single TMPro.WordWrapState::cSpace
float ___cSpace_33;
// System.Single TMPro.WordWrapState::mSpace
float ___mSpace_34;
// TMPro.TMP_TextInfo TMPro.WordWrapState::textInfo
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547 * ___textInfo_35;
// TMPro.TMP_LineInfo TMPro.WordWrapState::lineInfo
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7 ___lineInfo_36;
// UnityEngine.Color32 TMPro.WordWrapState::vertexColor
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___vertexColor_37;
// UnityEngine.Color32 TMPro.WordWrapState::underlineColor
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___underlineColor_38;
// UnityEngine.Color32 TMPro.WordWrapState::strikethroughColor
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___strikethroughColor_39;
// UnityEngine.Color32 TMPro.WordWrapState::highlightColor
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___highlightColor_40;
// TMPro.TMP_FontStyleStack TMPro.WordWrapState::basicStyleStack
TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9 ___basicStyleStack_41;
// TMPro.TMP_TextProcessingStack`1<System.Int32> TMPro.WordWrapState::italicAngleStack
TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA ___italicAngleStack_42;
// TMPro.TMP_TextProcessingStack`1<UnityEngine.Color32> TMPro.WordWrapState::colorStack
TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D ___colorStack_43;
// TMPro.TMP_TextProcessingStack`1<UnityEngine.Color32> TMPro.WordWrapState::underlineColorStack
TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D ___underlineColorStack_44;
// TMPro.TMP_TextProcessingStack`1<UnityEngine.Color32> TMPro.WordWrapState::strikethroughColorStack
TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D ___strikethroughColorStack_45;
// TMPro.TMP_TextProcessingStack`1<UnityEngine.Color32> TMPro.WordWrapState::highlightColorStack
TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D ___highlightColorStack_46;
// TMPro.TMP_TextProcessingStack`1<TMPro.HighlightState> TMPro.WordWrapState::highlightStateStack
TMP_TextProcessingStack_1_t091E8E0507335193E71397075A9E75FFE125381E ___highlightStateStack_47;
// TMPro.TMP_TextProcessingStack`1<TMPro.TMP_ColorGradient> TMPro.WordWrapState::colorGradientStack
TMP_TextProcessingStack_1_t598A1976548F7435C20001605BBCC77262756804 ___colorGradientStack_48;
// TMPro.TMP_TextProcessingStack`1<System.Single> TMPro.WordWrapState::sizeStack
TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 ___sizeStack_49;
// TMPro.TMP_TextProcessingStack`1<System.Single> TMPro.WordWrapState::indentStack
TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 ___indentStack_50;
// TMPro.TMP_TextProcessingStack`1<TMPro.FontWeight> TMPro.WordWrapState::fontWeightStack
TMP_TextProcessingStack_1_tC2FDE14AC486023AEB4D20CB306F9198CBE168C7 ___fontWeightStack_51;
// TMPro.TMP_TextProcessingStack`1<System.Int32> TMPro.WordWrapState::styleStack
TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA ___styleStack_52;
// TMPro.TMP_TextProcessingStack`1<System.Single> TMPro.WordWrapState::baselineStack
TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 ___baselineStack_53;
// TMPro.TMP_TextProcessingStack`1<System.Int32> TMPro.WordWrapState::actionStack
TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA ___actionStack_54;
// TMPro.TMP_TextProcessingStack`1<TMPro.MaterialReference> TMPro.WordWrapState::materialReferenceStack
TMP_TextProcessingStack_1_t7C34F5D4D2FC429E4551885C16EFDF05B8D2A6E3 ___materialReferenceStack_55;
// TMPro.TMP_TextProcessingStack`1<TMPro.HorizontalAlignmentOptions> TMPro.WordWrapState::lineJustificationStack
TMP_TextProcessingStack_1_t860FCBD32172CBAC38125AB43150338E7CF55B1B ___lineJustificationStack_56;
// System.Int32 TMPro.WordWrapState::spriteAnimationID
int32_t ___spriteAnimationID_57;
// TMPro.TMP_FontAsset TMPro.WordWrapState::currentFontAsset
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___currentFontAsset_58;
// TMPro.TMP_SpriteAsset TMPro.WordWrapState::currentSpriteAsset
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * ___currentSpriteAsset_59;
// UnityEngine.Material TMPro.WordWrapState::currentMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___currentMaterial_60;
// System.Int32 TMPro.WordWrapState::currentMaterialIndex
int32_t ___currentMaterialIndex_61;
// TMPro.Extents TMPro.WordWrapState::meshExtents
Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA ___meshExtents_62;
// System.Boolean TMPro.WordWrapState::tagNoParsing
bool ___tagNoParsing_63;
// System.Boolean TMPro.WordWrapState::isNonBreakingSpace
bool ___isNonBreakingSpace_64;
public:
inline static int32_t get_offset_of_previous_WordBreak_0() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___previous_WordBreak_0)); }
inline int32_t get_previous_WordBreak_0() const { return ___previous_WordBreak_0; }
inline int32_t* get_address_of_previous_WordBreak_0() { return &___previous_WordBreak_0; }
inline void set_previous_WordBreak_0(int32_t value)
{
___previous_WordBreak_0 = value;
}
inline static int32_t get_offset_of_total_CharacterCount_1() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___total_CharacterCount_1)); }
inline int32_t get_total_CharacterCount_1() const { return ___total_CharacterCount_1; }
inline int32_t* get_address_of_total_CharacterCount_1() { return &___total_CharacterCount_1; }
inline void set_total_CharacterCount_1(int32_t value)
{
___total_CharacterCount_1 = value;
}
inline static int32_t get_offset_of_visible_CharacterCount_2() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___visible_CharacterCount_2)); }
inline int32_t get_visible_CharacterCount_2() const { return ___visible_CharacterCount_2; }
inline int32_t* get_address_of_visible_CharacterCount_2() { return &___visible_CharacterCount_2; }
inline void set_visible_CharacterCount_2(int32_t value)
{
___visible_CharacterCount_2 = value;
}
inline static int32_t get_offset_of_visible_SpriteCount_3() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___visible_SpriteCount_3)); }
inline int32_t get_visible_SpriteCount_3() const { return ___visible_SpriteCount_3; }
inline int32_t* get_address_of_visible_SpriteCount_3() { return &___visible_SpriteCount_3; }
inline void set_visible_SpriteCount_3(int32_t value)
{
___visible_SpriteCount_3 = value;
}
inline static int32_t get_offset_of_visible_LinkCount_4() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___visible_LinkCount_4)); }
inline int32_t get_visible_LinkCount_4() const { return ___visible_LinkCount_4; }
inline int32_t* get_address_of_visible_LinkCount_4() { return &___visible_LinkCount_4; }
inline void set_visible_LinkCount_4(int32_t value)
{
___visible_LinkCount_4 = value;
}
inline static int32_t get_offset_of_firstCharacterIndex_5() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___firstCharacterIndex_5)); }
inline int32_t get_firstCharacterIndex_5() const { return ___firstCharacterIndex_5; }
inline int32_t* get_address_of_firstCharacterIndex_5() { return &___firstCharacterIndex_5; }
inline void set_firstCharacterIndex_5(int32_t value)
{
___firstCharacterIndex_5 = value;
}
inline static int32_t get_offset_of_firstVisibleCharacterIndex_6() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___firstVisibleCharacterIndex_6)); }
inline int32_t get_firstVisibleCharacterIndex_6() const { return ___firstVisibleCharacterIndex_6; }
inline int32_t* get_address_of_firstVisibleCharacterIndex_6() { return &___firstVisibleCharacterIndex_6; }
inline void set_firstVisibleCharacterIndex_6(int32_t value)
{
___firstVisibleCharacterIndex_6 = value;
}
inline static int32_t get_offset_of_lastCharacterIndex_7() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___lastCharacterIndex_7)); }
inline int32_t get_lastCharacterIndex_7() const { return ___lastCharacterIndex_7; }
inline int32_t* get_address_of_lastCharacterIndex_7() { return &___lastCharacterIndex_7; }
inline void set_lastCharacterIndex_7(int32_t value)
{
___lastCharacterIndex_7 = value;
}
inline static int32_t get_offset_of_lastVisibleCharIndex_8() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___lastVisibleCharIndex_8)); }
inline int32_t get_lastVisibleCharIndex_8() const { return ___lastVisibleCharIndex_8; }
inline int32_t* get_address_of_lastVisibleCharIndex_8() { return &___lastVisibleCharIndex_8; }
inline void set_lastVisibleCharIndex_8(int32_t value)
{
___lastVisibleCharIndex_8 = value;
}
inline static int32_t get_offset_of_lineNumber_9() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___lineNumber_9)); }
inline int32_t get_lineNumber_9() const { return ___lineNumber_9; }
inline int32_t* get_address_of_lineNumber_9() { return &___lineNumber_9; }
inline void set_lineNumber_9(int32_t value)
{
___lineNumber_9 = value;
}
inline static int32_t get_offset_of_maxCapHeight_10() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___maxCapHeight_10)); }
inline float get_maxCapHeight_10() const { return ___maxCapHeight_10; }
inline float* get_address_of_maxCapHeight_10() { return &___maxCapHeight_10; }
inline void set_maxCapHeight_10(float value)
{
___maxCapHeight_10 = value;
}
inline static int32_t get_offset_of_maxAscender_11() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___maxAscender_11)); }
inline float get_maxAscender_11() const { return ___maxAscender_11; }
inline float* get_address_of_maxAscender_11() { return &___maxAscender_11; }
inline void set_maxAscender_11(float value)
{
___maxAscender_11 = value;
}
inline static int32_t get_offset_of_maxDescender_12() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___maxDescender_12)); }
inline float get_maxDescender_12() const { return ___maxDescender_12; }
inline float* get_address_of_maxDescender_12() { return &___maxDescender_12; }
inline void set_maxDescender_12(float value)
{
___maxDescender_12 = value;
}
inline static int32_t get_offset_of_startOfLineAscender_13() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___startOfLineAscender_13)); }
inline float get_startOfLineAscender_13() const { return ___startOfLineAscender_13; }
inline float* get_address_of_startOfLineAscender_13() { return &___startOfLineAscender_13; }
inline void set_startOfLineAscender_13(float value)
{
___startOfLineAscender_13 = value;
}
inline static int32_t get_offset_of_maxLineAscender_14() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___maxLineAscender_14)); }
inline float get_maxLineAscender_14() const { return ___maxLineAscender_14; }
inline float* get_address_of_maxLineAscender_14() { return &___maxLineAscender_14; }
inline void set_maxLineAscender_14(float value)
{
___maxLineAscender_14 = value;
}
inline static int32_t get_offset_of_maxLineDescender_15() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___maxLineDescender_15)); }
inline float get_maxLineDescender_15() const { return ___maxLineDescender_15; }
inline float* get_address_of_maxLineDescender_15() { return &___maxLineDescender_15; }
inline void set_maxLineDescender_15(float value)
{
___maxLineDescender_15 = value;
}
inline static int32_t get_offset_of_pageAscender_16() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___pageAscender_16)); }
inline float get_pageAscender_16() const { return ___pageAscender_16; }
inline float* get_address_of_pageAscender_16() { return &___pageAscender_16; }
inline void set_pageAscender_16(float value)
{
___pageAscender_16 = value;
}
inline static int32_t get_offset_of_horizontalAlignment_17() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___horizontalAlignment_17)); }
inline int32_t get_horizontalAlignment_17() const { return ___horizontalAlignment_17; }
inline int32_t* get_address_of_horizontalAlignment_17() { return &___horizontalAlignment_17; }
inline void set_horizontalAlignment_17(int32_t value)
{
___horizontalAlignment_17 = value;
}
inline static int32_t get_offset_of_marginLeft_18() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___marginLeft_18)); }
inline float get_marginLeft_18() const { return ___marginLeft_18; }
inline float* get_address_of_marginLeft_18() { return &___marginLeft_18; }
inline void set_marginLeft_18(float value)
{
___marginLeft_18 = value;
}
inline static int32_t get_offset_of_marginRight_19() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___marginRight_19)); }
inline float get_marginRight_19() const { return ___marginRight_19; }
inline float* get_address_of_marginRight_19() { return &___marginRight_19; }
inline void set_marginRight_19(float value)
{
___marginRight_19 = value;
}
inline static int32_t get_offset_of_xAdvance_20() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___xAdvance_20)); }
inline float get_xAdvance_20() const { return ___xAdvance_20; }
inline float* get_address_of_xAdvance_20() { return &___xAdvance_20; }
inline void set_xAdvance_20(float value)
{
___xAdvance_20 = value;
}
inline static int32_t get_offset_of_preferredWidth_21() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___preferredWidth_21)); }
inline float get_preferredWidth_21() const { return ___preferredWidth_21; }
inline float* get_address_of_preferredWidth_21() { return &___preferredWidth_21; }
inline void set_preferredWidth_21(float value)
{
___preferredWidth_21 = value;
}
inline static int32_t get_offset_of_preferredHeight_22() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___preferredHeight_22)); }
inline float get_preferredHeight_22() const { return ___preferredHeight_22; }
inline float* get_address_of_preferredHeight_22() { return &___preferredHeight_22; }
inline void set_preferredHeight_22(float value)
{
___preferredHeight_22 = value;
}
inline static int32_t get_offset_of_previousLineScale_23() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___previousLineScale_23)); }
inline float get_previousLineScale_23() const { return ___previousLineScale_23; }
inline float* get_address_of_previousLineScale_23() { return &___previousLineScale_23; }
inline void set_previousLineScale_23(float value)
{
___previousLineScale_23 = value;
}
inline static int32_t get_offset_of_wordCount_24() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___wordCount_24)); }
inline int32_t get_wordCount_24() const { return ___wordCount_24; }
inline int32_t* get_address_of_wordCount_24() { return &___wordCount_24; }
inline void set_wordCount_24(int32_t value)
{
___wordCount_24 = value;
}
inline static int32_t get_offset_of_fontStyle_25() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___fontStyle_25)); }
inline int32_t get_fontStyle_25() const { return ___fontStyle_25; }
inline int32_t* get_address_of_fontStyle_25() { return &___fontStyle_25; }
inline void set_fontStyle_25(int32_t value)
{
___fontStyle_25 = value;
}
inline static int32_t get_offset_of_italicAngle_26() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___italicAngle_26)); }
inline int32_t get_italicAngle_26() const { return ___italicAngle_26; }
inline int32_t* get_address_of_italicAngle_26() { return &___italicAngle_26; }
inline void set_italicAngle_26(int32_t value)
{
___italicAngle_26 = value;
}
inline static int32_t get_offset_of_fontScaleMultiplier_27() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___fontScaleMultiplier_27)); }
inline float get_fontScaleMultiplier_27() const { return ___fontScaleMultiplier_27; }
inline float* get_address_of_fontScaleMultiplier_27() { return &___fontScaleMultiplier_27; }
inline void set_fontScaleMultiplier_27(float value)
{
___fontScaleMultiplier_27 = value;
}
inline static int32_t get_offset_of_currentFontSize_28() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___currentFontSize_28)); }
inline float get_currentFontSize_28() const { return ___currentFontSize_28; }
inline float* get_address_of_currentFontSize_28() { return &___currentFontSize_28; }
inline void set_currentFontSize_28(float value)
{
___currentFontSize_28 = value;
}
inline static int32_t get_offset_of_baselineOffset_29() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___baselineOffset_29)); }
inline float get_baselineOffset_29() const { return ___baselineOffset_29; }
inline float* get_address_of_baselineOffset_29() { return &___baselineOffset_29; }
inline void set_baselineOffset_29(float value)
{
___baselineOffset_29 = value;
}
inline static int32_t get_offset_of_lineOffset_30() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___lineOffset_30)); }
inline float get_lineOffset_30() const { return ___lineOffset_30; }
inline float* get_address_of_lineOffset_30() { return &___lineOffset_30; }
inline void set_lineOffset_30(float value)
{
___lineOffset_30 = value;
}
inline static int32_t get_offset_of_isDrivenLineSpacing_31() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___isDrivenLineSpacing_31)); }
inline bool get_isDrivenLineSpacing_31() const { return ___isDrivenLineSpacing_31; }
inline bool* get_address_of_isDrivenLineSpacing_31() { return &___isDrivenLineSpacing_31; }
inline void set_isDrivenLineSpacing_31(bool value)
{
___isDrivenLineSpacing_31 = value;
}
inline static int32_t get_offset_of_glyphHorizontalAdvanceAdjustment_32() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___glyphHorizontalAdvanceAdjustment_32)); }
inline float get_glyphHorizontalAdvanceAdjustment_32() const { return ___glyphHorizontalAdvanceAdjustment_32; }
inline float* get_address_of_glyphHorizontalAdvanceAdjustment_32() { return &___glyphHorizontalAdvanceAdjustment_32; }
inline void set_glyphHorizontalAdvanceAdjustment_32(float value)
{
___glyphHorizontalAdvanceAdjustment_32 = value;
}
inline static int32_t get_offset_of_cSpace_33() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___cSpace_33)); }
inline float get_cSpace_33() const { return ___cSpace_33; }
inline float* get_address_of_cSpace_33() { return &___cSpace_33; }
inline void set_cSpace_33(float value)
{
___cSpace_33 = value;
}
inline static int32_t get_offset_of_mSpace_34() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___mSpace_34)); }
inline float get_mSpace_34() const { return ___mSpace_34; }
inline float* get_address_of_mSpace_34() { return &___mSpace_34; }
inline void set_mSpace_34(float value)
{
___mSpace_34 = value;
}
inline static int32_t get_offset_of_textInfo_35() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___textInfo_35)); }
inline TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547 * get_textInfo_35() const { return ___textInfo_35; }
inline TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547 ** get_address_of_textInfo_35() { return &___textInfo_35; }
inline void set_textInfo_35(TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547 * value)
{
___textInfo_35 = value;
Il2CppCodeGenWriteBarrier((void**)(&___textInfo_35), (void*)value);
}
inline static int32_t get_offset_of_lineInfo_36() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___lineInfo_36)); }
inline TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7 get_lineInfo_36() const { return ___lineInfo_36; }
inline TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7 * get_address_of_lineInfo_36() { return &___lineInfo_36; }
inline void set_lineInfo_36(TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7 value)
{
___lineInfo_36 = value;
}
inline static int32_t get_offset_of_vertexColor_37() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___vertexColor_37)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_vertexColor_37() const { return ___vertexColor_37; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_vertexColor_37() { return &___vertexColor_37; }
inline void set_vertexColor_37(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___vertexColor_37 = value;
}
inline static int32_t get_offset_of_underlineColor_38() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___underlineColor_38)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_underlineColor_38() const { return ___underlineColor_38; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_underlineColor_38() { return &___underlineColor_38; }
inline void set_underlineColor_38(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___underlineColor_38 = value;
}
inline static int32_t get_offset_of_strikethroughColor_39() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___strikethroughColor_39)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_strikethroughColor_39() const { return ___strikethroughColor_39; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_strikethroughColor_39() { return &___strikethroughColor_39; }
inline void set_strikethroughColor_39(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___strikethroughColor_39 = value;
}
inline static int32_t get_offset_of_highlightColor_40() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___highlightColor_40)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_highlightColor_40() const { return ___highlightColor_40; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_highlightColor_40() { return &___highlightColor_40; }
inline void set_highlightColor_40(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___highlightColor_40 = value;
}
inline static int32_t get_offset_of_basicStyleStack_41() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___basicStyleStack_41)); }
inline TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9 get_basicStyleStack_41() const { return ___basicStyleStack_41; }
inline TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9 * get_address_of_basicStyleStack_41() { return &___basicStyleStack_41; }
inline void set_basicStyleStack_41(TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9 value)
{
___basicStyleStack_41 = value;
}
inline static int32_t get_offset_of_italicAngleStack_42() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___italicAngleStack_42)); }
inline TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA get_italicAngleStack_42() const { return ___italicAngleStack_42; }
inline TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA * get_address_of_italicAngleStack_42() { return &___italicAngleStack_42; }
inline void set_italicAngleStack_42(TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA value)
{
___italicAngleStack_42 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___italicAngleStack_42))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_colorStack_43() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___colorStack_43)); }
inline TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D get_colorStack_43() const { return ___colorStack_43; }
inline TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D * get_address_of_colorStack_43() { return &___colorStack_43; }
inline void set_colorStack_43(TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D value)
{
___colorStack_43 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___colorStack_43))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_underlineColorStack_44() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___underlineColorStack_44)); }
inline TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D get_underlineColorStack_44() const { return ___underlineColorStack_44; }
inline TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D * get_address_of_underlineColorStack_44() { return &___underlineColorStack_44; }
inline void set_underlineColorStack_44(TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D value)
{
___underlineColorStack_44 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___underlineColorStack_44))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_strikethroughColorStack_45() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___strikethroughColorStack_45)); }
inline TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D get_strikethroughColorStack_45() const { return ___strikethroughColorStack_45; }
inline TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D * get_address_of_strikethroughColorStack_45() { return &___strikethroughColorStack_45; }
inline void set_strikethroughColorStack_45(TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D value)
{
___strikethroughColorStack_45 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___strikethroughColorStack_45))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_highlightColorStack_46() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___highlightColorStack_46)); }
inline TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D get_highlightColorStack_46() const { return ___highlightColorStack_46; }
inline TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D * get_address_of_highlightColorStack_46() { return &___highlightColorStack_46; }
inline void set_highlightColorStack_46(TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D value)
{
___highlightColorStack_46 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___highlightColorStack_46))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_highlightStateStack_47() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___highlightStateStack_47)); }
inline TMP_TextProcessingStack_1_t091E8E0507335193E71397075A9E75FFE125381E get_highlightStateStack_47() const { return ___highlightStateStack_47; }
inline TMP_TextProcessingStack_1_t091E8E0507335193E71397075A9E75FFE125381E * get_address_of_highlightStateStack_47() { return &___highlightStateStack_47; }
inline void set_highlightStateStack_47(TMP_TextProcessingStack_1_t091E8E0507335193E71397075A9E75FFE125381E value)
{
___highlightStateStack_47 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___highlightStateStack_47))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_colorGradientStack_48() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___colorGradientStack_48)); }
inline TMP_TextProcessingStack_1_t598A1976548F7435C20001605BBCC77262756804 get_colorGradientStack_48() const { return ___colorGradientStack_48; }
inline TMP_TextProcessingStack_1_t598A1976548F7435C20001605BBCC77262756804 * get_address_of_colorGradientStack_48() { return &___colorGradientStack_48; }
inline void set_colorGradientStack_48(TMP_TextProcessingStack_1_t598A1976548F7435C20001605BBCC77262756804 value)
{
___colorGradientStack_48 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___colorGradientStack_48))->___itemStack_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___colorGradientStack_48))->___m_DefaultItem_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_sizeStack_49() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___sizeStack_49)); }
inline TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 get_sizeStack_49() const { return ___sizeStack_49; }
inline TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 * get_address_of_sizeStack_49() { return &___sizeStack_49; }
inline void set_sizeStack_49(TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 value)
{
___sizeStack_49 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___sizeStack_49))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_indentStack_50() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___indentStack_50)); }
inline TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 get_indentStack_50() const { return ___indentStack_50; }
inline TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 * get_address_of_indentStack_50() { return &___indentStack_50; }
inline void set_indentStack_50(TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 value)
{
___indentStack_50 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___indentStack_50))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_fontWeightStack_51() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___fontWeightStack_51)); }
inline TMP_TextProcessingStack_1_tC2FDE14AC486023AEB4D20CB306F9198CBE168C7 get_fontWeightStack_51() const { return ___fontWeightStack_51; }
inline TMP_TextProcessingStack_1_tC2FDE14AC486023AEB4D20CB306F9198CBE168C7 * get_address_of_fontWeightStack_51() { return &___fontWeightStack_51; }
inline void set_fontWeightStack_51(TMP_TextProcessingStack_1_tC2FDE14AC486023AEB4D20CB306F9198CBE168C7 value)
{
___fontWeightStack_51 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___fontWeightStack_51))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_styleStack_52() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___styleStack_52)); }
inline TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA get_styleStack_52() const { return ___styleStack_52; }
inline TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA * get_address_of_styleStack_52() { return &___styleStack_52; }
inline void set_styleStack_52(TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA value)
{
___styleStack_52 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___styleStack_52))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_baselineStack_53() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___baselineStack_53)); }
inline TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 get_baselineStack_53() const { return ___baselineStack_53; }
inline TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 * get_address_of_baselineStack_53() { return &___baselineStack_53; }
inline void set_baselineStack_53(TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 value)
{
___baselineStack_53 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___baselineStack_53))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_actionStack_54() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___actionStack_54)); }
inline TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA get_actionStack_54() const { return ___actionStack_54; }
inline TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA * get_address_of_actionStack_54() { return &___actionStack_54; }
inline void set_actionStack_54(TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA value)
{
___actionStack_54 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___actionStack_54))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_materialReferenceStack_55() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___materialReferenceStack_55)); }
inline TMP_TextProcessingStack_1_t7C34F5D4D2FC429E4551885C16EFDF05B8D2A6E3 get_materialReferenceStack_55() const { return ___materialReferenceStack_55; }
inline TMP_TextProcessingStack_1_t7C34F5D4D2FC429E4551885C16EFDF05B8D2A6E3 * get_address_of_materialReferenceStack_55() { return &___materialReferenceStack_55; }
inline void set_materialReferenceStack_55(TMP_TextProcessingStack_1_t7C34F5D4D2FC429E4551885C16EFDF05B8D2A6E3 value)
{
___materialReferenceStack_55 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___materialReferenceStack_55))->___itemStack_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___materialReferenceStack_55))->___m_DefaultItem_2))->___fontAsset_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___materialReferenceStack_55))->___m_DefaultItem_2))->___spriteAsset_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___materialReferenceStack_55))->___m_DefaultItem_2))->___material_3), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___materialReferenceStack_55))->___m_DefaultItem_2))->___fallbackMaterial_6), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_lineJustificationStack_56() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___lineJustificationStack_56)); }
inline TMP_TextProcessingStack_1_t860FCBD32172CBAC38125AB43150338E7CF55B1B get_lineJustificationStack_56() const { return ___lineJustificationStack_56; }
inline TMP_TextProcessingStack_1_t860FCBD32172CBAC38125AB43150338E7CF55B1B * get_address_of_lineJustificationStack_56() { return &___lineJustificationStack_56; }
inline void set_lineJustificationStack_56(TMP_TextProcessingStack_1_t860FCBD32172CBAC38125AB43150338E7CF55B1B value)
{
___lineJustificationStack_56 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___lineJustificationStack_56))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_spriteAnimationID_57() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___spriteAnimationID_57)); }
inline int32_t get_spriteAnimationID_57() const { return ___spriteAnimationID_57; }
inline int32_t* get_address_of_spriteAnimationID_57() { return &___spriteAnimationID_57; }
inline void set_spriteAnimationID_57(int32_t value)
{
___spriteAnimationID_57 = value;
}
inline static int32_t get_offset_of_currentFontAsset_58() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___currentFontAsset_58)); }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * get_currentFontAsset_58() const { return ___currentFontAsset_58; }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 ** get_address_of_currentFontAsset_58() { return &___currentFontAsset_58; }
inline void set_currentFontAsset_58(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * value)
{
___currentFontAsset_58 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currentFontAsset_58), (void*)value);
}
inline static int32_t get_offset_of_currentSpriteAsset_59() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___currentSpriteAsset_59)); }
inline TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * get_currentSpriteAsset_59() const { return ___currentSpriteAsset_59; }
inline TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 ** get_address_of_currentSpriteAsset_59() { return &___currentSpriteAsset_59; }
inline void set_currentSpriteAsset_59(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * value)
{
___currentSpriteAsset_59 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currentSpriteAsset_59), (void*)value);
}
inline static int32_t get_offset_of_currentMaterial_60() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___currentMaterial_60)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_currentMaterial_60() const { return ___currentMaterial_60; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_currentMaterial_60() { return &___currentMaterial_60; }
inline void set_currentMaterial_60(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___currentMaterial_60 = value;
Il2CppCodeGenWriteBarrier((void**)(&___currentMaterial_60), (void*)value);
}
inline static int32_t get_offset_of_currentMaterialIndex_61() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___currentMaterialIndex_61)); }
inline int32_t get_currentMaterialIndex_61() const { return ___currentMaterialIndex_61; }
inline int32_t* get_address_of_currentMaterialIndex_61() { return &___currentMaterialIndex_61; }
inline void set_currentMaterialIndex_61(int32_t value)
{
___currentMaterialIndex_61 = value;
}
inline static int32_t get_offset_of_meshExtents_62() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___meshExtents_62)); }
inline Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA get_meshExtents_62() const { return ___meshExtents_62; }
inline Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA * get_address_of_meshExtents_62() { return &___meshExtents_62; }
inline void set_meshExtents_62(Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA value)
{
___meshExtents_62 = value;
}
inline static int32_t get_offset_of_tagNoParsing_63() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___tagNoParsing_63)); }
inline bool get_tagNoParsing_63() const { return ___tagNoParsing_63; }
inline bool* get_address_of_tagNoParsing_63() { return &___tagNoParsing_63; }
inline void set_tagNoParsing_63(bool value)
{
___tagNoParsing_63 = value;
}
inline static int32_t get_offset_of_isNonBreakingSpace_64() { return static_cast<int32_t>(offsetof(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99, ___isNonBreakingSpace_64)); }
inline bool get_isNonBreakingSpace_64() const { return ___isNonBreakingSpace_64; }
inline bool* get_address_of_isNonBreakingSpace_64() { return &___isNonBreakingSpace_64; }
inline void set_isNonBreakingSpace_64(bool value)
{
___isNonBreakingSpace_64 = value;
}
};
// Native definition for P/Invoke marshalling of TMPro.WordWrapState
struct WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99_marshaled_pinvoke
{
int32_t ___previous_WordBreak_0;
int32_t ___total_CharacterCount_1;
int32_t ___visible_CharacterCount_2;
int32_t ___visible_SpriteCount_3;
int32_t ___visible_LinkCount_4;
int32_t ___firstCharacterIndex_5;
int32_t ___firstVisibleCharacterIndex_6;
int32_t ___lastCharacterIndex_7;
int32_t ___lastVisibleCharIndex_8;
int32_t ___lineNumber_9;
float ___maxCapHeight_10;
float ___maxAscender_11;
float ___maxDescender_12;
float ___startOfLineAscender_13;
float ___maxLineAscender_14;
float ___maxLineDescender_15;
float ___pageAscender_16;
int32_t ___horizontalAlignment_17;
float ___marginLeft_18;
float ___marginRight_19;
float ___xAdvance_20;
float ___preferredWidth_21;
float ___preferredHeight_22;
float ___previousLineScale_23;
int32_t ___wordCount_24;
int32_t ___fontStyle_25;
int32_t ___italicAngle_26;
float ___fontScaleMultiplier_27;
float ___currentFontSize_28;
float ___baselineOffset_29;
float ___lineOffset_30;
int32_t ___isDrivenLineSpacing_31;
float ___glyphHorizontalAdvanceAdjustment_32;
float ___cSpace_33;
float ___mSpace_34;
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547 * ___textInfo_35;
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7 ___lineInfo_36;
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___vertexColor_37;
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___underlineColor_38;
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___strikethroughColor_39;
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___highlightColor_40;
TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9 ___basicStyleStack_41;
TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA ___italicAngleStack_42;
TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D ___colorStack_43;
TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D ___underlineColorStack_44;
TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D ___strikethroughColorStack_45;
TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D ___highlightColorStack_46;
TMP_TextProcessingStack_1_t091E8E0507335193E71397075A9E75FFE125381E ___highlightStateStack_47;
TMP_TextProcessingStack_1_t598A1976548F7435C20001605BBCC77262756804 ___colorGradientStack_48;
TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 ___sizeStack_49;
TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 ___indentStack_50;
TMP_TextProcessingStack_1_tC2FDE14AC486023AEB4D20CB306F9198CBE168C7 ___fontWeightStack_51;
TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA ___styleStack_52;
TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 ___baselineStack_53;
TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA ___actionStack_54;
TMP_TextProcessingStack_1_t7C34F5D4D2FC429E4551885C16EFDF05B8D2A6E3 ___materialReferenceStack_55;
TMP_TextProcessingStack_1_t860FCBD32172CBAC38125AB43150338E7CF55B1B ___lineJustificationStack_56;
int32_t ___spriteAnimationID_57;
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___currentFontAsset_58;
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * ___currentSpriteAsset_59;
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___currentMaterial_60;
int32_t ___currentMaterialIndex_61;
Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA ___meshExtents_62;
int32_t ___tagNoParsing_63;
int32_t ___isNonBreakingSpace_64;
};
// Native definition for COM marshalling of TMPro.WordWrapState
struct WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99_marshaled_com
{
int32_t ___previous_WordBreak_0;
int32_t ___total_CharacterCount_1;
int32_t ___visible_CharacterCount_2;
int32_t ___visible_SpriteCount_3;
int32_t ___visible_LinkCount_4;
int32_t ___firstCharacterIndex_5;
int32_t ___firstVisibleCharacterIndex_6;
int32_t ___lastCharacterIndex_7;
int32_t ___lastVisibleCharIndex_8;
int32_t ___lineNumber_9;
float ___maxCapHeight_10;
float ___maxAscender_11;
float ___maxDescender_12;
float ___startOfLineAscender_13;
float ___maxLineAscender_14;
float ___maxLineDescender_15;
float ___pageAscender_16;
int32_t ___horizontalAlignment_17;
float ___marginLeft_18;
float ___marginRight_19;
float ___xAdvance_20;
float ___preferredWidth_21;
float ___preferredHeight_22;
float ___previousLineScale_23;
int32_t ___wordCount_24;
int32_t ___fontStyle_25;
int32_t ___italicAngle_26;
float ___fontScaleMultiplier_27;
float ___currentFontSize_28;
float ___baselineOffset_29;
float ___lineOffset_30;
int32_t ___isDrivenLineSpacing_31;
float ___glyphHorizontalAdvanceAdjustment_32;
float ___cSpace_33;
float ___mSpace_34;
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547 * ___textInfo_35;
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7 ___lineInfo_36;
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___vertexColor_37;
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___underlineColor_38;
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___strikethroughColor_39;
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___highlightColor_40;
TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9 ___basicStyleStack_41;
TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA ___italicAngleStack_42;
TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D ___colorStack_43;
TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D ___underlineColorStack_44;
TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D ___strikethroughColorStack_45;
TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D ___highlightColorStack_46;
TMP_TextProcessingStack_1_t091E8E0507335193E71397075A9E75FFE125381E ___highlightStateStack_47;
TMP_TextProcessingStack_1_t598A1976548F7435C20001605BBCC77262756804 ___colorGradientStack_48;
TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 ___sizeStack_49;
TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 ___indentStack_50;
TMP_TextProcessingStack_1_tC2FDE14AC486023AEB4D20CB306F9198CBE168C7 ___fontWeightStack_51;
TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA ___styleStack_52;
TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 ___baselineStack_53;
TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA ___actionStack_54;
TMP_TextProcessingStack_1_t7C34F5D4D2FC429E4551885C16EFDF05B8D2A6E3 ___materialReferenceStack_55;
TMP_TextProcessingStack_1_t860FCBD32172CBAC38125AB43150338E7CF55B1B ___lineJustificationStack_56;
int32_t ___spriteAnimationID_57;
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___currentFontAsset_58;
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * ___currentSpriteAsset_59;
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___currentMaterial_60;
int32_t ___currentMaterialIndex_61;
Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA ___meshExtents_62;
int32_t ___tagNoParsing_63;
int32_t ___isNonBreakingSpace_64;
};
// System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo
struct WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C : public RuntimeObject
{
public:
// System.Int32 System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::objectInfoId
int32_t ___objectInfoId_0;
// System.Object System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::obj
RuntimeObject * ___obj_1;
// System.Type System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::objectType
Type_t * ___objectType_2;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::isSi
bool ___isSi_3;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::isNamed
bool ___isNamed_4;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::isTyped
bool ___isTyped_5;
// System.Boolean System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::isArray
bool ___isArray_6;
// System.Runtime.Serialization.SerializationInfo System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::si
SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 * ___si_7;
// System.Runtime.Serialization.Formatters.Binary.SerObjectInfoCache System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::cache
SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB * ___cache_8;
// System.Object[] System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::memberData
ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* ___memberData_9;
// System.Runtime.Serialization.ISerializationSurrogate System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::serializationSurrogate
RuntimeObject* ___serializationSurrogate_10;
// System.Runtime.Serialization.StreamingContext System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::context
StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 ___context_11;
// System.Runtime.Serialization.Formatters.Binary.SerObjectInfoInit System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::serObjectInfoInit
SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D * ___serObjectInfoInit_12;
// System.Int64 System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::objectId
int64_t ___objectId_13;
// System.Int64 System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::assemId
int64_t ___assemId_14;
// System.String System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::binderTypeName
String_t* ___binderTypeName_15;
// System.String System.Runtime.Serialization.Formatters.Binary.WriteObjectInfo::binderAssemblyString
String_t* ___binderAssemblyString_16;
public:
inline static int32_t get_offset_of_objectInfoId_0() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C, ___objectInfoId_0)); }
inline int32_t get_objectInfoId_0() const { return ___objectInfoId_0; }
inline int32_t* get_address_of_objectInfoId_0() { return &___objectInfoId_0; }
inline void set_objectInfoId_0(int32_t value)
{
___objectInfoId_0 = value;
}
inline static int32_t get_offset_of_obj_1() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C, ___obj_1)); }
inline RuntimeObject * get_obj_1() const { return ___obj_1; }
inline RuntimeObject ** get_address_of_obj_1() { return &___obj_1; }
inline void set_obj_1(RuntimeObject * value)
{
___obj_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___obj_1), (void*)value);
}
inline static int32_t get_offset_of_objectType_2() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C, ___objectType_2)); }
inline Type_t * get_objectType_2() const { return ___objectType_2; }
inline Type_t ** get_address_of_objectType_2() { return &___objectType_2; }
inline void set_objectType_2(Type_t * value)
{
___objectType_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objectType_2), (void*)value);
}
inline static int32_t get_offset_of_isSi_3() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C, ___isSi_3)); }
inline bool get_isSi_3() const { return ___isSi_3; }
inline bool* get_address_of_isSi_3() { return &___isSi_3; }
inline void set_isSi_3(bool value)
{
___isSi_3 = value;
}
inline static int32_t get_offset_of_isNamed_4() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C, ___isNamed_4)); }
inline bool get_isNamed_4() const { return ___isNamed_4; }
inline bool* get_address_of_isNamed_4() { return &___isNamed_4; }
inline void set_isNamed_4(bool value)
{
___isNamed_4 = value;
}
inline static int32_t get_offset_of_isTyped_5() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C, ___isTyped_5)); }
inline bool get_isTyped_5() const { return ___isTyped_5; }
inline bool* get_address_of_isTyped_5() { return &___isTyped_5; }
inline void set_isTyped_5(bool value)
{
___isTyped_5 = value;
}
inline static int32_t get_offset_of_isArray_6() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C, ___isArray_6)); }
inline bool get_isArray_6() const { return ___isArray_6; }
inline bool* get_address_of_isArray_6() { return &___isArray_6; }
inline void set_isArray_6(bool value)
{
___isArray_6 = value;
}
inline static int32_t get_offset_of_si_7() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C, ___si_7)); }
inline SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 * get_si_7() const { return ___si_7; }
inline SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 ** get_address_of_si_7() { return &___si_7; }
inline void set_si_7(SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1 * value)
{
___si_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___si_7), (void*)value);
}
inline static int32_t get_offset_of_cache_8() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C, ___cache_8)); }
inline SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB * get_cache_8() const { return ___cache_8; }
inline SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB ** get_address_of_cache_8() { return &___cache_8; }
inline void set_cache_8(SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB * value)
{
___cache_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___cache_8), (void*)value);
}
inline static int32_t get_offset_of_memberData_9() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C, ___memberData_9)); }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* get_memberData_9() const { return ___memberData_9; }
inline ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE** get_address_of_memberData_9() { return &___memberData_9; }
inline void set_memberData_9(ObjectU5BU5D_tC1F4EE0DB0B7300255F5FD4AF64FE4C585CF5ADE* value)
{
___memberData_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___memberData_9), (void*)value);
}
inline static int32_t get_offset_of_serializationSurrogate_10() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C, ___serializationSurrogate_10)); }
inline RuntimeObject* get_serializationSurrogate_10() const { return ___serializationSurrogate_10; }
inline RuntimeObject** get_address_of_serializationSurrogate_10() { return &___serializationSurrogate_10; }
inline void set_serializationSurrogate_10(RuntimeObject* value)
{
___serializationSurrogate_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___serializationSurrogate_10), (void*)value);
}
inline static int32_t get_offset_of_context_11() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C, ___context_11)); }
inline StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 get_context_11() const { return ___context_11; }
inline StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 * get_address_of_context_11() { return &___context_11; }
inline void set_context_11(StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505 value)
{
___context_11 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___context_11))->___m_additionalContext_0), (void*)NULL);
}
inline static int32_t get_offset_of_serObjectInfoInit_12() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C, ___serObjectInfoInit_12)); }
inline SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D * get_serObjectInfoInit_12() const { return ___serObjectInfoInit_12; }
inline SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D ** get_address_of_serObjectInfoInit_12() { return &___serObjectInfoInit_12; }
inline void set_serObjectInfoInit_12(SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D * value)
{
___serObjectInfoInit_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___serObjectInfoInit_12), (void*)value);
}
inline static int32_t get_offset_of_objectId_13() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C, ___objectId_13)); }
inline int64_t get_objectId_13() const { return ___objectId_13; }
inline int64_t* get_address_of_objectId_13() { return &___objectId_13; }
inline void set_objectId_13(int64_t value)
{
___objectId_13 = value;
}
inline static int32_t get_offset_of_assemId_14() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C, ___assemId_14)); }
inline int64_t get_assemId_14() const { return ___assemId_14; }
inline int64_t* get_address_of_assemId_14() { return &___assemId_14; }
inline void set_assemId_14(int64_t value)
{
___assemId_14 = value;
}
inline static int32_t get_offset_of_binderTypeName_15() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C, ___binderTypeName_15)); }
inline String_t* get_binderTypeName_15() const { return ___binderTypeName_15; }
inline String_t** get_address_of_binderTypeName_15() { return &___binderTypeName_15; }
inline void set_binderTypeName_15(String_t* value)
{
___binderTypeName_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___binderTypeName_15), (void*)value);
}
inline static int32_t get_offset_of_binderAssemblyString_16() { return static_cast<int32_t>(offsetof(WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C, ___binderAssemblyString_16)); }
inline String_t* get_binderAssemblyString_16() const { return ___binderAssemblyString_16; }
inline String_t** get_address_of_binderAssemblyString_16() { return &___binderAssemblyString_16; }
inline void set_binderAssemblyString_16(String_t* value)
{
___binderAssemblyString_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___binderAssemblyString_16), (void*)value);
}
};
// UnityEngine.XR.ARSubsystems.XRCameraFrame
struct XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8
{
public:
// System.Int64 UnityEngine.XR.ARSubsystems.XRCameraFrame::m_TimestampNs
int64_t ___m_TimestampNs_0;
// System.Single UnityEngine.XR.ARSubsystems.XRCameraFrame::m_AverageBrightness
float ___m_AverageBrightness_1;
// System.Single UnityEngine.XR.ARSubsystems.XRCameraFrame::m_AverageColorTemperature
float ___m_AverageColorTemperature_2;
// UnityEngine.Color UnityEngine.XR.ARSubsystems.XRCameraFrame::m_ColorCorrection
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_ColorCorrection_3;
// UnityEngine.Matrix4x4 UnityEngine.XR.ARSubsystems.XRCameraFrame::m_ProjectionMatrix
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 ___m_ProjectionMatrix_4;
// UnityEngine.Matrix4x4 UnityEngine.XR.ARSubsystems.XRCameraFrame::m_DisplayMatrix
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 ___m_DisplayMatrix_5;
// UnityEngine.XR.ARSubsystems.TrackingState UnityEngine.XR.ARSubsystems.XRCameraFrame::m_TrackingState
int32_t ___m_TrackingState_6;
// System.IntPtr UnityEngine.XR.ARSubsystems.XRCameraFrame::m_NativePtr
intptr_t ___m_NativePtr_7;
// UnityEngine.XR.ARSubsystems.XRCameraFrameProperties UnityEngine.XR.ARSubsystems.XRCameraFrame::m_Properties
int32_t ___m_Properties_8;
// System.Single UnityEngine.XR.ARSubsystems.XRCameraFrame::m_AverageIntensityInLumens
float ___m_AverageIntensityInLumens_9;
// System.Double UnityEngine.XR.ARSubsystems.XRCameraFrame::m_ExposureDuration
double ___m_ExposureDuration_10;
// System.Single UnityEngine.XR.ARSubsystems.XRCameraFrame::m_ExposureOffset
float ___m_ExposureOffset_11;
// System.Single UnityEngine.XR.ARSubsystems.XRCameraFrame::m_MainLightIntensityLumens
float ___m_MainLightIntensityLumens_12;
// UnityEngine.Color UnityEngine.XR.ARSubsystems.XRCameraFrame::m_MainLightColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_MainLightColor_13;
// UnityEngine.Vector3 UnityEngine.XR.ARSubsystems.XRCameraFrame::m_MainLightDirection
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_MainLightDirection_14;
// UnityEngine.Rendering.SphericalHarmonicsL2 UnityEngine.XR.ARSubsystems.XRCameraFrame::m_AmbientSphericalHarmonics
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64 ___m_AmbientSphericalHarmonics_15;
// UnityEngine.XR.ARSubsystems.XRTextureDescriptor UnityEngine.XR.ARSubsystems.XRCameraFrame::m_CameraGrain
XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57 ___m_CameraGrain_16;
// System.Single UnityEngine.XR.ARSubsystems.XRCameraFrame::m_NoiseIntensity
float ___m_NoiseIntensity_17;
public:
inline static int32_t get_offset_of_m_TimestampNs_0() { return static_cast<int32_t>(offsetof(XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8, ___m_TimestampNs_0)); }
inline int64_t get_m_TimestampNs_0() const { return ___m_TimestampNs_0; }
inline int64_t* get_address_of_m_TimestampNs_0() { return &___m_TimestampNs_0; }
inline void set_m_TimestampNs_0(int64_t value)
{
___m_TimestampNs_0 = value;
}
inline static int32_t get_offset_of_m_AverageBrightness_1() { return static_cast<int32_t>(offsetof(XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8, ___m_AverageBrightness_1)); }
inline float get_m_AverageBrightness_1() const { return ___m_AverageBrightness_1; }
inline float* get_address_of_m_AverageBrightness_1() { return &___m_AverageBrightness_1; }
inline void set_m_AverageBrightness_1(float value)
{
___m_AverageBrightness_1 = value;
}
inline static int32_t get_offset_of_m_AverageColorTemperature_2() { return static_cast<int32_t>(offsetof(XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8, ___m_AverageColorTemperature_2)); }
inline float get_m_AverageColorTemperature_2() const { return ___m_AverageColorTemperature_2; }
inline float* get_address_of_m_AverageColorTemperature_2() { return &___m_AverageColorTemperature_2; }
inline void set_m_AverageColorTemperature_2(float value)
{
___m_AverageColorTemperature_2 = value;
}
inline static int32_t get_offset_of_m_ColorCorrection_3() { return static_cast<int32_t>(offsetof(XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8, ___m_ColorCorrection_3)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_ColorCorrection_3() const { return ___m_ColorCorrection_3; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_ColorCorrection_3() { return &___m_ColorCorrection_3; }
inline void set_m_ColorCorrection_3(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_ColorCorrection_3 = value;
}
inline static int32_t get_offset_of_m_ProjectionMatrix_4() { return static_cast<int32_t>(offsetof(XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8, ___m_ProjectionMatrix_4)); }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 get_m_ProjectionMatrix_4() const { return ___m_ProjectionMatrix_4; }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 * get_address_of_m_ProjectionMatrix_4() { return &___m_ProjectionMatrix_4; }
inline void set_m_ProjectionMatrix_4(Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 value)
{
___m_ProjectionMatrix_4 = value;
}
inline static int32_t get_offset_of_m_DisplayMatrix_5() { return static_cast<int32_t>(offsetof(XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8, ___m_DisplayMatrix_5)); }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 get_m_DisplayMatrix_5() const { return ___m_DisplayMatrix_5; }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 * get_address_of_m_DisplayMatrix_5() { return &___m_DisplayMatrix_5; }
inline void set_m_DisplayMatrix_5(Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 value)
{
___m_DisplayMatrix_5 = value;
}
inline static int32_t get_offset_of_m_TrackingState_6() { return static_cast<int32_t>(offsetof(XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8, ___m_TrackingState_6)); }
inline int32_t get_m_TrackingState_6() const { return ___m_TrackingState_6; }
inline int32_t* get_address_of_m_TrackingState_6() { return &___m_TrackingState_6; }
inline void set_m_TrackingState_6(int32_t value)
{
___m_TrackingState_6 = value;
}
inline static int32_t get_offset_of_m_NativePtr_7() { return static_cast<int32_t>(offsetof(XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8, ___m_NativePtr_7)); }
inline intptr_t get_m_NativePtr_7() const { return ___m_NativePtr_7; }
inline intptr_t* get_address_of_m_NativePtr_7() { return &___m_NativePtr_7; }
inline void set_m_NativePtr_7(intptr_t value)
{
___m_NativePtr_7 = value;
}
inline static int32_t get_offset_of_m_Properties_8() { return static_cast<int32_t>(offsetof(XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8, ___m_Properties_8)); }
inline int32_t get_m_Properties_8() const { return ___m_Properties_8; }
inline int32_t* get_address_of_m_Properties_8() { return &___m_Properties_8; }
inline void set_m_Properties_8(int32_t value)
{
___m_Properties_8 = value;
}
inline static int32_t get_offset_of_m_AverageIntensityInLumens_9() { return static_cast<int32_t>(offsetof(XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8, ___m_AverageIntensityInLumens_9)); }
inline float get_m_AverageIntensityInLumens_9() const { return ___m_AverageIntensityInLumens_9; }
inline float* get_address_of_m_AverageIntensityInLumens_9() { return &___m_AverageIntensityInLumens_9; }
inline void set_m_AverageIntensityInLumens_9(float value)
{
___m_AverageIntensityInLumens_9 = value;
}
inline static int32_t get_offset_of_m_ExposureDuration_10() { return static_cast<int32_t>(offsetof(XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8, ___m_ExposureDuration_10)); }
inline double get_m_ExposureDuration_10() const { return ___m_ExposureDuration_10; }
inline double* get_address_of_m_ExposureDuration_10() { return &___m_ExposureDuration_10; }
inline void set_m_ExposureDuration_10(double value)
{
___m_ExposureDuration_10 = value;
}
inline static int32_t get_offset_of_m_ExposureOffset_11() { return static_cast<int32_t>(offsetof(XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8, ___m_ExposureOffset_11)); }
inline float get_m_ExposureOffset_11() const { return ___m_ExposureOffset_11; }
inline float* get_address_of_m_ExposureOffset_11() { return &___m_ExposureOffset_11; }
inline void set_m_ExposureOffset_11(float value)
{
___m_ExposureOffset_11 = value;
}
inline static int32_t get_offset_of_m_MainLightIntensityLumens_12() { return static_cast<int32_t>(offsetof(XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8, ___m_MainLightIntensityLumens_12)); }
inline float get_m_MainLightIntensityLumens_12() const { return ___m_MainLightIntensityLumens_12; }
inline float* get_address_of_m_MainLightIntensityLumens_12() { return &___m_MainLightIntensityLumens_12; }
inline void set_m_MainLightIntensityLumens_12(float value)
{
___m_MainLightIntensityLumens_12 = value;
}
inline static int32_t get_offset_of_m_MainLightColor_13() { return static_cast<int32_t>(offsetof(XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8, ___m_MainLightColor_13)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_MainLightColor_13() const { return ___m_MainLightColor_13; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_MainLightColor_13() { return &___m_MainLightColor_13; }
inline void set_m_MainLightColor_13(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_MainLightColor_13 = value;
}
inline static int32_t get_offset_of_m_MainLightDirection_14() { return static_cast<int32_t>(offsetof(XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8, ___m_MainLightDirection_14)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_MainLightDirection_14() const { return ___m_MainLightDirection_14; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_MainLightDirection_14() { return &___m_MainLightDirection_14; }
inline void set_m_MainLightDirection_14(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_MainLightDirection_14 = value;
}
inline static int32_t get_offset_of_m_AmbientSphericalHarmonics_15() { return static_cast<int32_t>(offsetof(XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8, ___m_AmbientSphericalHarmonics_15)); }
inline SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64 get_m_AmbientSphericalHarmonics_15() const { return ___m_AmbientSphericalHarmonics_15; }
inline SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64 * get_address_of_m_AmbientSphericalHarmonics_15() { return &___m_AmbientSphericalHarmonics_15; }
inline void set_m_AmbientSphericalHarmonics_15(SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64 value)
{
___m_AmbientSphericalHarmonics_15 = value;
}
inline static int32_t get_offset_of_m_CameraGrain_16() { return static_cast<int32_t>(offsetof(XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8, ___m_CameraGrain_16)); }
inline XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57 get_m_CameraGrain_16() const { return ___m_CameraGrain_16; }
inline XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57 * get_address_of_m_CameraGrain_16() { return &___m_CameraGrain_16; }
inline void set_m_CameraGrain_16(XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57 value)
{
___m_CameraGrain_16 = value;
}
inline static int32_t get_offset_of_m_NoiseIntensity_17() { return static_cast<int32_t>(offsetof(XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8, ___m_NoiseIntensity_17)); }
inline float get_m_NoiseIntensity_17() const { return ___m_NoiseIntensity_17; }
inline float* get_address_of_m_NoiseIntensity_17() { return &___m_NoiseIntensity_17; }
inline void set_m_NoiseIntensity_17(float value)
{
___m_NoiseIntensity_17 = value;
}
};
// UnityEngine.XR.XRDisplaySubsystem
struct XRDisplaySubsystem_tF8B46605B6D1199C52306D4EC7D83CFA90564A93 : public IntegratedSubsystem_1_t2737E0F52E6DC7B2E3D42D1B05C5FD7C9FDE4EA4
{
public:
// System.Action`1<System.Boolean> UnityEngine.XR.XRDisplaySubsystem::displayFocusChanged
Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83 * ___displayFocusChanged_2;
public:
inline static int32_t get_offset_of_displayFocusChanged_2() { return static_cast<int32_t>(offsetof(XRDisplaySubsystem_tF8B46605B6D1199C52306D4EC7D83CFA90564A93, ___displayFocusChanged_2)); }
inline Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83 * get_displayFocusChanged_2() const { return ___displayFocusChanged_2; }
inline Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83 ** get_address_of_displayFocusChanged_2() { return &___displayFocusChanged_2; }
inline void set_displayFocusChanged_2(Action_1_tCE2D770918A65CAD277C08C4E8C05385EA267E83 * value)
{
___displayFocusChanged_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___displayFocusChanged_2), (void*)value);
}
};
// UnityEngine.XR.XRDisplaySubsystemDescriptor
struct XRDisplaySubsystemDescriptor_tBBE6956FF61EACF13E72BFEF58ADC5930C760833 : public IntegratedSubsystemDescriptor_1_tFDF96CDD8FD2E980FF0C62E8161C66AF9FC212E2
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XREnvironmentProbe
struct XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C
{
public:
// UnityEngine.XR.ARSubsystems.TrackableId UnityEngine.XR.ARSubsystems.XREnvironmentProbe::m_TrackableId
TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B ___m_TrackableId_1;
// UnityEngine.Vector3 UnityEngine.XR.ARSubsystems.XREnvironmentProbe::m_Scale
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Scale_2;
// UnityEngine.Pose UnityEngine.XR.ARSubsystems.XREnvironmentProbe::m_Pose
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A ___m_Pose_3;
// UnityEngine.Vector3 UnityEngine.XR.ARSubsystems.XREnvironmentProbe::m_Size
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E ___m_Size_4;
// UnityEngine.XR.ARSubsystems.XRTextureDescriptor UnityEngine.XR.ARSubsystems.XREnvironmentProbe::m_TextureDescriptor
XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57 ___m_TextureDescriptor_5;
// UnityEngine.XR.ARSubsystems.TrackingState UnityEngine.XR.ARSubsystems.XREnvironmentProbe::m_TrackingState
int32_t ___m_TrackingState_6;
// System.IntPtr UnityEngine.XR.ARSubsystems.XREnvironmentProbe::m_NativePtr
intptr_t ___m_NativePtr_7;
public:
inline static int32_t get_offset_of_m_TrackableId_1() { return static_cast<int32_t>(offsetof(XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C, ___m_TrackableId_1)); }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B get_m_TrackableId_1() const { return ___m_TrackableId_1; }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B * get_address_of_m_TrackableId_1() { return &___m_TrackableId_1; }
inline void set_m_TrackableId_1(TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B value)
{
___m_TrackableId_1 = value;
}
inline static int32_t get_offset_of_m_Scale_2() { return static_cast<int32_t>(offsetof(XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C, ___m_Scale_2)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Scale_2() const { return ___m_Scale_2; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Scale_2() { return &___m_Scale_2; }
inline void set_m_Scale_2(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Scale_2 = value;
}
inline static int32_t get_offset_of_m_Pose_3() { return static_cast<int32_t>(offsetof(XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C, ___m_Pose_3)); }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A get_m_Pose_3() const { return ___m_Pose_3; }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A * get_address_of_m_Pose_3() { return &___m_Pose_3; }
inline void set_m_Pose_3(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A value)
{
___m_Pose_3 = value;
}
inline static int32_t get_offset_of_m_Size_4() { return static_cast<int32_t>(offsetof(XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C, ___m_Size_4)); }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E get_m_Size_4() const { return ___m_Size_4; }
inline Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E * get_address_of_m_Size_4() { return &___m_Size_4; }
inline void set_m_Size_4(Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E value)
{
___m_Size_4 = value;
}
inline static int32_t get_offset_of_m_TextureDescriptor_5() { return static_cast<int32_t>(offsetof(XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C, ___m_TextureDescriptor_5)); }
inline XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57 get_m_TextureDescriptor_5() const { return ___m_TextureDescriptor_5; }
inline XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57 * get_address_of_m_TextureDescriptor_5() { return &___m_TextureDescriptor_5; }
inline void set_m_TextureDescriptor_5(XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57 value)
{
___m_TextureDescriptor_5 = value;
}
inline static int32_t get_offset_of_m_TrackingState_6() { return static_cast<int32_t>(offsetof(XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C, ___m_TrackingState_6)); }
inline int32_t get_m_TrackingState_6() const { return ___m_TrackingState_6; }
inline int32_t* get_address_of_m_TrackingState_6() { return &___m_TrackingState_6; }
inline void set_m_TrackingState_6(int32_t value)
{
___m_TrackingState_6 = value;
}
inline static int32_t get_offset_of_m_NativePtr_7() { return static_cast<int32_t>(offsetof(XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C, ___m_NativePtr_7)); }
inline intptr_t get_m_NativePtr_7() const { return ___m_NativePtr_7; }
inline intptr_t* get_address_of_m_NativePtr_7() { return &___m_NativePtr_7; }
inline void set_m_NativePtr_7(intptr_t value)
{
___m_NativePtr_7 = value;
}
};
struct XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C_StaticFields
{
public:
// UnityEngine.XR.ARSubsystems.XREnvironmentProbe UnityEngine.XR.ARSubsystems.XREnvironmentProbe::s_Default
XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C ___s_Default_0;
public:
inline static int32_t get_offset_of_s_Default_0() { return static_cast<int32_t>(offsetof(XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C_StaticFields, ___s_Default_0)); }
inline XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C get_s_Default_0() const { return ___s_Default_0; }
inline XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C * get_address_of_s_Default_0() { return &___s_Default_0; }
inline void set_s_Default_0(XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C value)
{
___s_Default_0 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRFaceMesh
struct XRFaceMesh_t2ADC7E6069DCCCFB439A4A60DB9189338C9E1AD0
{
public:
// Unity.Collections.NativeArray`1<UnityEngine.Vector3> UnityEngine.XR.ARSubsystems.XRFaceMesh::m_Vertices
NativeArray_1_t2577BCA09CA248EFB78BD7FDA7F09D5C395DFF52 ___m_Vertices_0;
// Unity.Collections.NativeArray`1<UnityEngine.Vector3> UnityEngine.XR.ARSubsystems.XRFaceMesh::m_Normals
NativeArray_1_t2577BCA09CA248EFB78BD7FDA7F09D5C395DFF52 ___m_Normals_1;
// Unity.Collections.NativeArray`1<System.Int32> UnityEngine.XR.ARSubsystems.XRFaceMesh::m_Indices
NativeArray_1_tD60079F06B473C85CF6C2BB4F2D203F38191AE99 ___m_Indices_2;
// Unity.Collections.NativeArray`1<UnityEngine.Vector2> UnityEngine.XR.ARSubsystems.XRFaceMesh::m_UVs
NativeArray_1_t431C85F30275831D1F5D458AB73DFCE050693BC0 ___m_UVs_3;
public:
inline static int32_t get_offset_of_m_Vertices_0() { return static_cast<int32_t>(offsetof(XRFaceMesh_t2ADC7E6069DCCCFB439A4A60DB9189338C9E1AD0, ___m_Vertices_0)); }
inline NativeArray_1_t2577BCA09CA248EFB78BD7FDA7F09D5C395DFF52 get_m_Vertices_0() const { return ___m_Vertices_0; }
inline NativeArray_1_t2577BCA09CA248EFB78BD7FDA7F09D5C395DFF52 * get_address_of_m_Vertices_0() { return &___m_Vertices_0; }
inline void set_m_Vertices_0(NativeArray_1_t2577BCA09CA248EFB78BD7FDA7F09D5C395DFF52 value)
{
___m_Vertices_0 = value;
}
inline static int32_t get_offset_of_m_Normals_1() { return static_cast<int32_t>(offsetof(XRFaceMesh_t2ADC7E6069DCCCFB439A4A60DB9189338C9E1AD0, ___m_Normals_1)); }
inline NativeArray_1_t2577BCA09CA248EFB78BD7FDA7F09D5C395DFF52 get_m_Normals_1() const { return ___m_Normals_1; }
inline NativeArray_1_t2577BCA09CA248EFB78BD7FDA7F09D5C395DFF52 * get_address_of_m_Normals_1() { return &___m_Normals_1; }
inline void set_m_Normals_1(NativeArray_1_t2577BCA09CA248EFB78BD7FDA7F09D5C395DFF52 value)
{
___m_Normals_1 = value;
}
inline static int32_t get_offset_of_m_Indices_2() { return static_cast<int32_t>(offsetof(XRFaceMesh_t2ADC7E6069DCCCFB439A4A60DB9189338C9E1AD0, ___m_Indices_2)); }
inline NativeArray_1_tD60079F06B473C85CF6C2BB4F2D203F38191AE99 get_m_Indices_2() const { return ___m_Indices_2; }
inline NativeArray_1_tD60079F06B473C85CF6C2BB4F2D203F38191AE99 * get_address_of_m_Indices_2() { return &___m_Indices_2; }
inline void set_m_Indices_2(NativeArray_1_tD60079F06B473C85CF6C2BB4F2D203F38191AE99 value)
{
___m_Indices_2 = value;
}
inline static int32_t get_offset_of_m_UVs_3() { return static_cast<int32_t>(offsetof(XRFaceMesh_t2ADC7E6069DCCCFB439A4A60DB9189338C9E1AD0, ___m_UVs_3)); }
inline NativeArray_1_t431C85F30275831D1F5D458AB73DFCE050693BC0 get_m_UVs_3() const { return ___m_UVs_3; }
inline NativeArray_1_t431C85F30275831D1F5D458AB73DFCE050693BC0 * get_address_of_m_UVs_3() { return &___m_UVs_3; }
inline void set_m_UVs_3(NativeArray_1_t431C85F30275831D1F5D458AB73DFCE050693BC0 value)
{
___m_UVs_3 = value;
}
};
// UnityEngine.XR.Management.XRGeneralSettings
struct XRGeneralSettings_t32A12852D8662239F55902E9FD6A299201C04042 : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
// UnityEngine.XR.Management.XRManagerSettings UnityEngine.XR.Management.XRGeneralSettings::m_LoaderManagerInstance
XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F * ___m_LoaderManagerInstance_6;
// System.Boolean UnityEngine.XR.Management.XRGeneralSettings::m_InitManagerOnStart
bool ___m_InitManagerOnStart_7;
// UnityEngine.XR.Management.XRManagerSettings UnityEngine.XR.Management.XRGeneralSettings::m_XRManager
XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F * ___m_XRManager_8;
// System.Boolean UnityEngine.XR.Management.XRGeneralSettings::m_ProviderIntialized
bool ___m_ProviderIntialized_9;
// System.Boolean UnityEngine.XR.Management.XRGeneralSettings::m_ProviderStarted
bool ___m_ProviderStarted_10;
public:
inline static int32_t get_offset_of_m_LoaderManagerInstance_6() { return static_cast<int32_t>(offsetof(XRGeneralSettings_t32A12852D8662239F55902E9FD6A299201C04042, ___m_LoaderManagerInstance_6)); }
inline XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F * get_m_LoaderManagerInstance_6() const { return ___m_LoaderManagerInstance_6; }
inline XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F ** get_address_of_m_LoaderManagerInstance_6() { return &___m_LoaderManagerInstance_6; }
inline void set_m_LoaderManagerInstance_6(XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F * value)
{
___m_LoaderManagerInstance_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LoaderManagerInstance_6), (void*)value);
}
inline static int32_t get_offset_of_m_InitManagerOnStart_7() { return static_cast<int32_t>(offsetof(XRGeneralSettings_t32A12852D8662239F55902E9FD6A299201C04042, ___m_InitManagerOnStart_7)); }
inline bool get_m_InitManagerOnStart_7() const { return ___m_InitManagerOnStart_7; }
inline bool* get_address_of_m_InitManagerOnStart_7() { return &___m_InitManagerOnStart_7; }
inline void set_m_InitManagerOnStart_7(bool value)
{
___m_InitManagerOnStart_7 = value;
}
inline static int32_t get_offset_of_m_XRManager_8() { return static_cast<int32_t>(offsetof(XRGeneralSettings_t32A12852D8662239F55902E9FD6A299201C04042, ___m_XRManager_8)); }
inline XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F * get_m_XRManager_8() const { return ___m_XRManager_8; }
inline XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F ** get_address_of_m_XRManager_8() { return &___m_XRManager_8; }
inline void set_m_XRManager_8(XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F * value)
{
___m_XRManager_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_XRManager_8), (void*)value);
}
inline static int32_t get_offset_of_m_ProviderIntialized_9() { return static_cast<int32_t>(offsetof(XRGeneralSettings_t32A12852D8662239F55902E9FD6A299201C04042, ___m_ProviderIntialized_9)); }
inline bool get_m_ProviderIntialized_9() const { return ___m_ProviderIntialized_9; }
inline bool* get_address_of_m_ProviderIntialized_9() { return &___m_ProviderIntialized_9; }
inline void set_m_ProviderIntialized_9(bool value)
{
___m_ProviderIntialized_9 = value;
}
inline static int32_t get_offset_of_m_ProviderStarted_10() { return static_cast<int32_t>(offsetof(XRGeneralSettings_t32A12852D8662239F55902E9FD6A299201C04042, ___m_ProviderStarted_10)); }
inline bool get_m_ProviderStarted_10() const { return ___m_ProviderStarted_10; }
inline bool* get_address_of_m_ProviderStarted_10() { return &___m_ProviderStarted_10; }
inline void set_m_ProviderStarted_10(bool value)
{
___m_ProviderStarted_10 = value;
}
};
struct XRGeneralSettings_t32A12852D8662239F55902E9FD6A299201C04042_StaticFields
{
public:
// System.String UnityEngine.XR.Management.XRGeneralSettings::k_SettingsKey
String_t* ___k_SettingsKey_4;
// UnityEngine.XR.Management.XRGeneralSettings UnityEngine.XR.Management.XRGeneralSettings::s_RuntimeSettingsInstance
XRGeneralSettings_t32A12852D8662239F55902E9FD6A299201C04042 * ___s_RuntimeSettingsInstance_5;
public:
inline static int32_t get_offset_of_k_SettingsKey_4() { return static_cast<int32_t>(offsetof(XRGeneralSettings_t32A12852D8662239F55902E9FD6A299201C04042_StaticFields, ___k_SettingsKey_4)); }
inline String_t* get_k_SettingsKey_4() const { return ___k_SettingsKey_4; }
inline String_t** get_address_of_k_SettingsKey_4() { return &___k_SettingsKey_4; }
inline void set_k_SettingsKey_4(String_t* value)
{
___k_SettingsKey_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___k_SettingsKey_4), (void*)value);
}
inline static int32_t get_offset_of_s_RuntimeSettingsInstance_5() { return static_cast<int32_t>(offsetof(XRGeneralSettings_t32A12852D8662239F55902E9FD6A299201C04042_StaticFields, ___s_RuntimeSettingsInstance_5)); }
inline XRGeneralSettings_t32A12852D8662239F55902E9FD6A299201C04042 * get_s_RuntimeSettingsInstance_5() const { return ___s_RuntimeSettingsInstance_5; }
inline XRGeneralSettings_t32A12852D8662239F55902E9FD6A299201C04042 ** get_address_of_s_RuntimeSettingsInstance_5() { return &___s_RuntimeSettingsInstance_5; }
inline void set_s_RuntimeSettingsInstance_5(XRGeneralSettings_t32A12852D8662239F55902E9FD6A299201C04042 * value)
{
___s_RuntimeSettingsInstance_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_RuntimeSettingsInstance_5), (void*)value);
}
};
// UnityEngine.XR.XRInputSubsystem
struct XRInputSubsystem_t74B79E3971C396F02CD32F74AE73A5DFB2A0EC09 : public IntegratedSubsystem_1_tD5C4AF38726B9433CFC3CA0F889D8C8C2535AEFE
{
public:
// System.Action`1<UnityEngine.XR.XRInputSubsystem> UnityEngine.XR.XRInputSubsystem::trackingOriginUpdated
Action_1_t6A8185B84663FAD87D88ACA618FB6E60131C81F1 * ___trackingOriginUpdated_2;
// System.Action`1<UnityEngine.XR.XRInputSubsystem> UnityEngine.XR.XRInputSubsystem::boundaryChanged
Action_1_t6A8185B84663FAD87D88ACA618FB6E60131C81F1 * ___boundaryChanged_3;
// System.Collections.Generic.List`1<System.UInt64> UnityEngine.XR.XRInputSubsystem::m_DeviceIdsCache
List_1_t1F1C2C7D92FB6DF4FCD88B0AB0919AEAB3B45F6B * ___m_DeviceIdsCache_4;
public:
inline static int32_t get_offset_of_trackingOriginUpdated_2() { return static_cast<int32_t>(offsetof(XRInputSubsystem_t74B79E3971C396F02CD32F74AE73A5DFB2A0EC09, ___trackingOriginUpdated_2)); }
inline Action_1_t6A8185B84663FAD87D88ACA618FB6E60131C81F1 * get_trackingOriginUpdated_2() const { return ___trackingOriginUpdated_2; }
inline Action_1_t6A8185B84663FAD87D88ACA618FB6E60131C81F1 ** get_address_of_trackingOriginUpdated_2() { return &___trackingOriginUpdated_2; }
inline void set_trackingOriginUpdated_2(Action_1_t6A8185B84663FAD87D88ACA618FB6E60131C81F1 * value)
{
___trackingOriginUpdated_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___trackingOriginUpdated_2), (void*)value);
}
inline static int32_t get_offset_of_boundaryChanged_3() { return static_cast<int32_t>(offsetof(XRInputSubsystem_t74B79E3971C396F02CD32F74AE73A5DFB2A0EC09, ___boundaryChanged_3)); }
inline Action_1_t6A8185B84663FAD87D88ACA618FB6E60131C81F1 * get_boundaryChanged_3() const { return ___boundaryChanged_3; }
inline Action_1_t6A8185B84663FAD87D88ACA618FB6E60131C81F1 ** get_address_of_boundaryChanged_3() { return &___boundaryChanged_3; }
inline void set_boundaryChanged_3(Action_1_t6A8185B84663FAD87D88ACA618FB6E60131C81F1 * value)
{
___boundaryChanged_3 = value;
Il2CppCodeGenWriteBarrier((void**)(&___boundaryChanged_3), (void*)value);
}
inline static int32_t get_offset_of_m_DeviceIdsCache_4() { return static_cast<int32_t>(offsetof(XRInputSubsystem_t74B79E3971C396F02CD32F74AE73A5DFB2A0EC09, ___m_DeviceIdsCache_4)); }
inline List_1_t1F1C2C7D92FB6DF4FCD88B0AB0919AEAB3B45F6B * get_m_DeviceIdsCache_4() const { return ___m_DeviceIdsCache_4; }
inline List_1_t1F1C2C7D92FB6DF4FCD88B0AB0919AEAB3B45F6B ** get_address_of_m_DeviceIdsCache_4() { return &___m_DeviceIdsCache_4; }
inline void set_m_DeviceIdsCache_4(List_1_t1F1C2C7D92FB6DF4FCD88B0AB0919AEAB3B45F6B * value)
{
___m_DeviceIdsCache_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DeviceIdsCache_4), (void*)value);
}
};
// UnityEngine.XR.XRInputSubsystemDescriptor
struct XRInputSubsystemDescriptor_t98C4233948EC9169B71D2A58C2C6ED1AF6FDABC2 : public IntegratedSubsystemDescriptor_1_t7D61E241AA40ECC23A367A5FAF509A54B1F77EF2
{
public:
public:
};
// UnityEngine.XR.Management.XRLoader
struct XRLoader_tE37B92C6B9CDD944DDF7AFF5704E9EB342D62F6B : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
public:
};
// UnityEngine.XR.Management.XRManagerSettings
struct XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
// System.Boolean UnityEngine.XR.Management.XRManagerSettings::m_InitializationComplete
bool ___m_InitializationComplete_4;
// System.Boolean UnityEngine.XR.Management.XRManagerSettings::m_RequiresSettingsUpdate
bool ___m_RequiresSettingsUpdate_5;
// System.Boolean UnityEngine.XR.Management.XRManagerSettings::m_AutomaticLoading
bool ___m_AutomaticLoading_6;
// System.Boolean UnityEngine.XR.Management.XRManagerSettings::m_AutomaticRunning
bool ___m_AutomaticRunning_7;
// System.Collections.Generic.List`1<UnityEngine.XR.Management.XRLoader> UnityEngine.XR.Management.XRManagerSettings::m_Loaders
List_1_t6331523A19E51FB87CA899920C03B10A48A562B0 * ___m_Loaders_8;
// System.Collections.Generic.HashSet`1<UnityEngine.XR.Management.XRLoader> UnityEngine.XR.Management.XRManagerSettings::m_RegisteredLoaders
HashSet_1_t0BB7AD0707F32BD77A251670A64E2F9355AC13F6 * ___m_RegisteredLoaders_9;
// UnityEngine.XR.Management.XRLoader UnityEngine.XR.Management.XRManagerSettings::<activeLoader>k__BackingField
XRLoader_tE37B92C6B9CDD944DDF7AFF5704E9EB342D62F6B * ___U3CactiveLoaderU3Ek__BackingField_10;
public:
inline static int32_t get_offset_of_m_InitializationComplete_4() { return static_cast<int32_t>(offsetof(XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F, ___m_InitializationComplete_4)); }
inline bool get_m_InitializationComplete_4() const { return ___m_InitializationComplete_4; }
inline bool* get_address_of_m_InitializationComplete_4() { return &___m_InitializationComplete_4; }
inline void set_m_InitializationComplete_4(bool value)
{
___m_InitializationComplete_4 = value;
}
inline static int32_t get_offset_of_m_RequiresSettingsUpdate_5() { return static_cast<int32_t>(offsetof(XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F, ___m_RequiresSettingsUpdate_5)); }
inline bool get_m_RequiresSettingsUpdate_5() const { return ___m_RequiresSettingsUpdate_5; }
inline bool* get_address_of_m_RequiresSettingsUpdate_5() { return &___m_RequiresSettingsUpdate_5; }
inline void set_m_RequiresSettingsUpdate_5(bool value)
{
___m_RequiresSettingsUpdate_5 = value;
}
inline static int32_t get_offset_of_m_AutomaticLoading_6() { return static_cast<int32_t>(offsetof(XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F, ___m_AutomaticLoading_6)); }
inline bool get_m_AutomaticLoading_6() const { return ___m_AutomaticLoading_6; }
inline bool* get_address_of_m_AutomaticLoading_6() { return &___m_AutomaticLoading_6; }
inline void set_m_AutomaticLoading_6(bool value)
{
___m_AutomaticLoading_6 = value;
}
inline static int32_t get_offset_of_m_AutomaticRunning_7() { return static_cast<int32_t>(offsetof(XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F, ___m_AutomaticRunning_7)); }
inline bool get_m_AutomaticRunning_7() const { return ___m_AutomaticRunning_7; }
inline bool* get_address_of_m_AutomaticRunning_7() { return &___m_AutomaticRunning_7; }
inline void set_m_AutomaticRunning_7(bool value)
{
___m_AutomaticRunning_7 = value;
}
inline static int32_t get_offset_of_m_Loaders_8() { return static_cast<int32_t>(offsetof(XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F, ___m_Loaders_8)); }
inline List_1_t6331523A19E51FB87CA899920C03B10A48A562B0 * get_m_Loaders_8() const { return ___m_Loaders_8; }
inline List_1_t6331523A19E51FB87CA899920C03B10A48A562B0 ** get_address_of_m_Loaders_8() { return &___m_Loaders_8; }
inline void set_m_Loaders_8(List_1_t6331523A19E51FB87CA899920C03B10A48A562B0 * value)
{
___m_Loaders_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Loaders_8), (void*)value);
}
inline static int32_t get_offset_of_m_RegisteredLoaders_9() { return static_cast<int32_t>(offsetof(XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F, ___m_RegisteredLoaders_9)); }
inline HashSet_1_t0BB7AD0707F32BD77A251670A64E2F9355AC13F6 * get_m_RegisteredLoaders_9() const { return ___m_RegisteredLoaders_9; }
inline HashSet_1_t0BB7AD0707F32BD77A251670A64E2F9355AC13F6 ** get_address_of_m_RegisteredLoaders_9() { return &___m_RegisteredLoaders_9; }
inline void set_m_RegisteredLoaders_9(HashSet_1_t0BB7AD0707F32BD77A251670A64E2F9355AC13F6 * value)
{
___m_RegisteredLoaders_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RegisteredLoaders_9), (void*)value);
}
inline static int32_t get_offset_of_U3CactiveLoaderU3Ek__BackingField_10() { return static_cast<int32_t>(offsetof(XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F, ___U3CactiveLoaderU3Ek__BackingField_10)); }
inline XRLoader_tE37B92C6B9CDD944DDF7AFF5704E9EB342D62F6B * get_U3CactiveLoaderU3Ek__BackingField_10() const { return ___U3CactiveLoaderU3Ek__BackingField_10; }
inline XRLoader_tE37B92C6B9CDD944DDF7AFF5704E9EB342D62F6B ** get_address_of_U3CactiveLoaderU3Ek__BackingField_10() { return &___U3CactiveLoaderU3Ek__BackingField_10; }
inline void set_U3CactiveLoaderU3Ek__BackingField_10(XRLoader_tE37B92C6B9CDD944DDF7AFF5704E9EB342D62F6B * value)
{
___U3CactiveLoaderU3Ek__BackingField_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CactiveLoaderU3Ek__BackingField_10), (void*)value);
}
};
// UnityEngine.XR.XRMeshSubsystem
struct XRMeshSubsystem_t60BD977DF1B014CF5D48C8EBCC91DED767520D63 : public IntegratedSubsystem_1_t902A5B61CE879B3CD855E5CE6CAEEB1B9752E840
{
public:
public:
};
// UnityEngine.XR.XRMeshSubsystemDescriptor
struct XRMeshSubsystemDescriptor_t428853FE3628F349D46DFD6841B50058F09F5FCC : public IntegratedSubsystemDescriptor_1_t822E08B2CE1EC68FE74F71A682C9ECC6D52A6E89
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRPointCloudData
struct XRPointCloudData_t3AFE7A70A93C061F8C3B3B7AEDE07EDF6A86B177
{
public:
// Unity.Collections.NativeArray`1<UnityEngine.Vector3> UnityEngine.XR.ARSubsystems.XRPointCloudData::m_Positions
NativeArray_1_t2577BCA09CA248EFB78BD7FDA7F09D5C395DFF52 ___m_Positions_0;
// Unity.Collections.NativeArray`1<System.Single> UnityEngine.XR.ARSubsystems.XRPointCloudData::m_ConfidenceValues
NativeArray_1_t5F920DC5A531D604D161A0FAD3479B5BFE0D9232 ___m_ConfidenceValues_1;
// Unity.Collections.NativeArray`1<System.UInt64> UnityEngine.XR.ARSubsystems.XRPointCloudData::m_Identifiers
NativeArray_1_t9D118727A643E61710D0A4DF5B0C8CD1A918A40B ___m_Identifiers_2;
public:
inline static int32_t get_offset_of_m_Positions_0() { return static_cast<int32_t>(offsetof(XRPointCloudData_t3AFE7A70A93C061F8C3B3B7AEDE07EDF6A86B177, ___m_Positions_0)); }
inline NativeArray_1_t2577BCA09CA248EFB78BD7FDA7F09D5C395DFF52 get_m_Positions_0() const { return ___m_Positions_0; }
inline NativeArray_1_t2577BCA09CA248EFB78BD7FDA7F09D5C395DFF52 * get_address_of_m_Positions_0() { return &___m_Positions_0; }
inline void set_m_Positions_0(NativeArray_1_t2577BCA09CA248EFB78BD7FDA7F09D5C395DFF52 value)
{
___m_Positions_0 = value;
}
inline static int32_t get_offset_of_m_ConfidenceValues_1() { return static_cast<int32_t>(offsetof(XRPointCloudData_t3AFE7A70A93C061F8C3B3B7AEDE07EDF6A86B177, ___m_ConfidenceValues_1)); }
inline NativeArray_1_t5F920DC5A531D604D161A0FAD3479B5BFE0D9232 get_m_ConfidenceValues_1() const { return ___m_ConfidenceValues_1; }
inline NativeArray_1_t5F920DC5A531D604D161A0FAD3479B5BFE0D9232 * get_address_of_m_ConfidenceValues_1() { return &___m_ConfidenceValues_1; }
inline void set_m_ConfidenceValues_1(NativeArray_1_t5F920DC5A531D604D161A0FAD3479B5BFE0D9232 value)
{
___m_ConfidenceValues_1 = value;
}
inline static int32_t get_offset_of_m_Identifiers_2() { return static_cast<int32_t>(offsetof(XRPointCloudData_t3AFE7A70A93C061F8C3B3B7AEDE07EDF6A86B177, ___m_Identifiers_2)); }
inline NativeArray_1_t9D118727A643E61710D0A4DF5B0C8CD1A918A40B get_m_Identifiers_2() const { return ___m_Identifiers_2; }
inline NativeArray_1_t9D118727A643E61710D0A4DF5B0C8CD1A918A40B * get_address_of_m_Identifiers_2() { return &___m_Identifiers_2; }
inline void set_m_Identifiers_2(NativeArray_1_t9D118727A643E61710D0A4DF5B0C8CD1A918A40B value)
{
___m_Identifiers_2 = value;
}
};
// UnityEngine.XR.ARSubsystems.XRReferenceImageLibrary
struct XRReferenceImageLibrary_tC415743C1DDCE2331D5B0F159B2A1D72A70C44B2 : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
// System.UInt64 UnityEngine.XR.ARSubsystems.XRReferenceImageLibrary::m_GuidLow
uint64_t ___m_GuidLow_4;
// System.UInt64 UnityEngine.XR.ARSubsystems.XRReferenceImageLibrary::m_GuidHigh
uint64_t ___m_GuidHigh_5;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XRReferenceImage> UnityEngine.XR.ARSubsystems.XRReferenceImageLibrary::m_Images
List_1_tBFEC44C63782254A7C0F22D20FC51F72002482EC * ___m_Images_6;
public:
inline static int32_t get_offset_of_m_GuidLow_4() { return static_cast<int32_t>(offsetof(XRReferenceImageLibrary_tC415743C1DDCE2331D5B0F159B2A1D72A70C44B2, ___m_GuidLow_4)); }
inline uint64_t get_m_GuidLow_4() const { return ___m_GuidLow_4; }
inline uint64_t* get_address_of_m_GuidLow_4() { return &___m_GuidLow_4; }
inline void set_m_GuidLow_4(uint64_t value)
{
___m_GuidLow_4 = value;
}
inline static int32_t get_offset_of_m_GuidHigh_5() { return static_cast<int32_t>(offsetof(XRReferenceImageLibrary_tC415743C1DDCE2331D5B0F159B2A1D72A70C44B2, ___m_GuidHigh_5)); }
inline uint64_t get_m_GuidHigh_5() const { return ___m_GuidHigh_5; }
inline uint64_t* get_address_of_m_GuidHigh_5() { return &___m_GuidHigh_5; }
inline void set_m_GuidHigh_5(uint64_t value)
{
___m_GuidHigh_5 = value;
}
inline static int32_t get_offset_of_m_Images_6() { return static_cast<int32_t>(offsetof(XRReferenceImageLibrary_tC415743C1DDCE2331D5B0F159B2A1D72A70C44B2, ___m_Images_6)); }
inline List_1_tBFEC44C63782254A7C0F22D20FC51F72002482EC * get_m_Images_6() const { return ___m_Images_6; }
inline List_1_tBFEC44C63782254A7C0F22D20FC51F72002482EC ** get_address_of_m_Images_6() { return &___m_Images_6; }
inline void set_m_Images_6(List_1_tBFEC44C63782254A7C0F22D20FC51F72002482EC * value)
{
___m_Images_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Images_6), (void*)value);
}
};
// UnityEngine.XR.ARSubsystems.XRReferenceObjectEntry
struct XRReferenceObjectEntry_t873762C96E954D47B49C3B36CABD423408DC72D2 : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRReferenceObjectLibrary
struct XRReferenceObjectLibrary_t07704B2996E507F23EE3C99CFC3BB73A83C99A7C : public ScriptableObject_t4361E08CEBF052C650D3666C7CEC37EB31DE116A
{
public:
// System.UInt64 UnityEngine.XR.ARSubsystems.XRReferenceObjectLibrary::m_GuidLow
uint64_t ___m_GuidLow_4;
// System.UInt64 UnityEngine.XR.ARSubsystems.XRReferenceObjectLibrary::m_GuidHigh
uint64_t ___m_GuidHigh_5;
// System.Collections.Generic.List`1<UnityEngine.XR.ARSubsystems.XRReferenceObject> UnityEngine.XR.ARSubsystems.XRReferenceObjectLibrary::m_ReferenceObjects
List_1_t3A1F09045329A30B2867F24E69EC807BE36BEA9B * ___m_ReferenceObjects_6;
public:
inline static int32_t get_offset_of_m_GuidLow_4() { return static_cast<int32_t>(offsetof(XRReferenceObjectLibrary_t07704B2996E507F23EE3C99CFC3BB73A83C99A7C, ___m_GuidLow_4)); }
inline uint64_t get_m_GuidLow_4() const { return ___m_GuidLow_4; }
inline uint64_t* get_address_of_m_GuidLow_4() { return &___m_GuidLow_4; }
inline void set_m_GuidLow_4(uint64_t value)
{
___m_GuidLow_4 = value;
}
inline static int32_t get_offset_of_m_GuidHigh_5() { return static_cast<int32_t>(offsetof(XRReferenceObjectLibrary_t07704B2996E507F23EE3C99CFC3BB73A83C99A7C, ___m_GuidHigh_5)); }
inline uint64_t get_m_GuidHigh_5() const { return ___m_GuidHigh_5; }
inline uint64_t* get_address_of_m_GuidHigh_5() { return &___m_GuidHigh_5; }
inline void set_m_GuidHigh_5(uint64_t value)
{
___m_GuidHigh_5 = value;
}
inline static int32_t get_offset_of_m_ReferenceObjects_6() { return static_cast<int32_t>(offsetof(XRReferenceObjectLibrary_t07704B2996E507F23EE3C99CFC3BB73A83C99A7C, ___m_ReferenceObjects_6)); }
inline List_1_t3A1F09045329A30B2867F24E69EC807BE36BEA9B * get_m_ReferenceObjects_6() const { return ___m_ReferenceObjects_6; }
inline List_1_t3A1F09045329A30B2867F24E69EC807BE36BEA9B ** get_address_of_m_ReferenceObjects_6() { return &___m_ReferenceObjects_6; }
inline void set_m_ReferenceObjects_6(List_1_t3A1F09045329A30B2867F24E69EC807BE36BEA9B * value)
{
___m_ReferenceObjects_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ReferenceObjects_6), (void*)value);
}
};
// System.Xml.XmlException
struct XmlException_tBD65EFA0B5CA26D7D8F4906BEC7C83A76394C918 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
// System.String System.Xml.XmlException::res
String_t* ___res_17;
// System.String[] System.Xml.XmlException::args
StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* ___args_18;
// System.Int32 System.Xml.XmlException::lineNumber
int32_t ___lineNumber_19;
// System.Int32 System.Xml.XmlException::linePosition
int32_t ___linePosition_20;
// System.String System.Xml.XmlException::sourceUri
String_t* ___sourceUri_21;
// System.String System.Xml.XmlException::message
String_t* ___message_22;
public:
inline static int32_t get_offset_of_res_17() { return static_cast<int32_t>(offsetof(XmlException_tBD65EFA0B5CA26D7D8F4906BEC7C83A76394C918, ___res_17)); }
inline String_t* get_res_17() const { return ___res_17; }
inline String_t** get_address_of_res_17() { return &___res_17; }
inline void set_res_17(String_t* value)
{
___res_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___res_17), (void*)value);
}
inline static int32_t get_offset_of_args_18() { return static_cast<int32_t>(offsetof(XmlException_tBD65EFA0B5CA26D7D8F4906BEC7C83A76394C918, ___args_18)); }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* get_args_18() const { return ___args_18; }
inline StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A** get_address_of_args_18() { return &___args_18; }
inline void set_args_18(StringU5BU5D_tACEBFEDE350025B554CD507C9AE8FFE49359549A* value)
{
___args_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___args_18), (void*)value);
}
inline static int32_t get_offset_of_lineNumber_19() { return static_cast<int32_t>(offsetof(XmlException_tBD65EFA0B5CA26D7D8F4906BEC7C83A76394C918, ___lineNumber_19)); }
inline int32_t get_lineNumber_19() const { return ___lineNumber_19; }
inline int32_t* get_address_of_lineNumber_19() { return &___lineNumber_19; }
inline void set_lineNumber_19(int32_t value)
{
___lineNumber_19 = value;
}
inline static int32_t get_offset_of_linePosition_20() { return static_cast<int32_t>(offsetof(XmlException_tBD65EFA0B5CA26D7D8F4906BEC7C83A76394C918, ___linePosition_20)); }
inline int32_t get_linePosition_20() const { return ___linePosition_20; }
inline int32_t* get_address_of_linePosition_20() { return &___linePosition_20; }
inline void set_linePosition_20(int32_t value)
{
___linePosition_20 = value;
}
inline static int32_t get_offset_of_sourceUri_21() { return static_cast<int32_t>(offsetof(XmlException_tBD65EFA0B5CA26D7D8F4906BEC7C83A76394C918, ___sourceUri_21)); }
inline String_t* get_sourceUri_21() const { return ___sourceUri_21; }
inline String_t** get_address_of_sourceUri_21() { return &___sourceUri_21; }
inline void set_sourceUri_21(String_t* value)
{
___sourceUri_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___sourceUri_21), (void*)value);
}
inline static int32_t get_offset_of_message_22() { return static_cast<int32_t>(offsetof(XmlException_tBD65EFA0B5CA26D7D8F4906BEC7C83A76394C918, ___message_22)); }
inline String_t* get_message_22() const { return ___message_22; }
inline String_t** get_address_of_message_22() { return &___message_22; }
inline void set_message_22(String_t* value)
{
___message_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___message_22), (void*)value);
}
};
// System.Security.XmlSyntaxException
struct XmlSyntaxException_t489F970A3EFAFC917716B6838D03041A17C01A47 : public SystemException_tC551B4D6EE3772B5F32C71EE8C719F4B43ECCC62
{
public:
public:
};
// UnityEngine.XR.ARFoundation.ARPointCloudManager/PointCloudRaycastCollectResultsJob
struct PointCloudRaycastCollectResultsJob_t5BFBE359542CF027CBCCAA334BA76CF64F29627D
{
public:
// Unity.Collections.NativeSlice`1<UnityEngine.Vector3> UnityEngine.XR.ARFoundation.ARPointCloudManager/PointCloudRaycastCollectResultsJob::points
NativeSlice_1_tCD0AC77C2E3CDA052D42479FF29B6F9F6454B125 ___points_0;
// Unity.Collections.NativeArray`1<UnityEngine.XR.ARFoundation.ARPointCloudManager/PointCloudRaycastInfo> UnityEngine.XR.ARFoundation.ARPointCloudManager/PointCloudRaycastCollectResultsJob::infos
NativeArray_1_tB6E97581BF5878BBE04DA5C6C7173C33D56114DD ___infos_1;
// Unity.Collections.NativeArray`1<UnityEngine.XR.ARSubsystems.XRRaycastHit> UnityEngine.XR.ARFoundation.ARPointCloudManager/PointCloudRaycastCollectResultsJob::hits
NativeArray_1_t35F2E89DF840C06C68595E9289A07A26CBB07FCB ___hits_2;
// Unity.Collections.NativeArray`1<System.Int32> UnityEngine.XR.ARFoundation.ARPointCloudManager/PointCloudRaycastCollectResultsJob::count
NativeArray_1_tD60079F06B473C85CF6C2BB4F2D203F38191AE99 ___count_3;
// System.Single UnityEngine.XR.ARFoundation.ARPointCloudManager/PointCloudRaycastCollectResultsJob::cosineThreshold
float ___cosineThreshold_4;
// UnityEngine.Pose UnityEngine.XR.ARFoundation.ARPointCloudManager/PointCloudRaycastCollectResultsJob::pose
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A ___pose_5;
// UnityEngine.XR.ARSubsystems.TrackableId UnityEngine.XR.ARFoundation.ARPointCloudManager/PointCloudRaycastCollectResultsJob::trackableId
TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B ___trackableId_6;
public:
inline static int32_t get_offset_of_points_0() { return static_cast<int32_t>(offsetof(PointCloudRaycastCollectResultsJob_t5BFBE359542CF027CBCCAA334BA76CF64F29627D, ___points_0)); }
inline NativeSlice_1_tCD0AC77C2E3CDA052D42479FF29B6F9F6454B125 get_points_0() const { return ___points_0; }
inline NativeSlice_1_tCD0AC77C2E3CDA052D42479FF29B6F9F6454B125 * get_address_of_points_0() { return &___points_0; }
inline void set_points_0(NativeSlice_1_tCD0AC77C2E3CDA052D42479FF29B6F9F6454B125 value)
{
___points_0 = value;
}
inline static int32_t get_offset_of_infos_1() { return static_cast<int32_t>(offsetof(PointCloudRaycastCollectResultsJob_t5BFBE359542CF027CBCCAA334BA76CF64F29627D, ___infos_1)); }
inline NativeArray_1_tB6E97581BF5878BBE04DA5C6C7173C33D56114DD get_infos_1() const { return ___infos_1; }
inline NativeArray_1_tB6E97581BF5878BBE04DA5C6C7173C33D56114DD * get_address_of_infos_1() { return &___infos_1; }
inline void set_infos_1(NativeArray_1_tB6E97581BF5878BBE04DA5C6C7173C33D56114DD value)
{
___infos_1 = value;
}
inline static int32_t get_offset_of_hits_2() { return static_cast<int32_t>(offsetof(PointCloudRaycastCollectResultsJob_t5BFBE359542CF027CBCCAA334BA76CF64F29627D, ___hits_2)); }
inline NativeArray_1_t35F2E89DF840C06C68595E9289A07A26CBB07FCB get_hits_2() const { return ___hits_2; }
inline NativeArray_1_t35F2E89DF840C06C68595E9289A07A26CBB07FCB * get_address_of_hits_2() { return &___hits_2; }
inline void set_hits_2(NativeArray_1_t35F2E89DF840C06C68595E9289A07A26CBB07FCB value)
{
___hits_2 = value;
}
inline static int32_t get_offset_of_count_3() { return static_cast<int32_t>(offsetof(PointCloudRaycastCollectResultsJob_t5BFBE359542CF027CBCCAA334BA76CF64F29627D, ___count_3)); }
inline NativeArray_1_tD60079F06B473C85CF6C2BB4F2D203F38191AE99 get_count_3() const { return ___count_3; }
inline NativeArray_1_tD60079F06B473C85CF6C2BB4F2D203F38191AE99 * get_address_of_count_3() { return &___count_3; }
inline void set_count_3(NativeArray_1_tD60079F06B473C85CF6C2BB4F2D203F38191AE99 value)
{
___count_3 = value;
}
inline static int32_t get_offset_of_cosineThreshold_4() { return static_cast<int32_t>(offsetof(PointCloudRaycastCollectResultsJob_t5BFBE359542CF027CBCCAA334BA76CF64F29627D, ___cosineThreshold_4)); }
inline float get_cosineThreshold_4() const { return ___cosineThreshold_4; }
inline float* get_address_of_cosineThreshold_4() { return &___cosineThreshold_4; }
inline void set_cosineThreshold_4(float value)
{
___cosineThreshold_4 = value;
}
inline static int32_t get_offset_of_pose_5() { return static_cast<int32_t>(offsetof(PointCloudRaycastCollectResultsJob_t5BFBE359542CF027CBCCAA334BA76CF64F29627D, ___pose_5)); }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A get_pose_5() const { return ___pose_5; }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A * get_address_of_pose_5() { return &___pose_5; }
inline void set_pose_5(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A value)
{
___pose_5 = value;
}
inline static int32_t get_offset_of_trackableId_6() { return static_cast<int32_t>(offsetof(PointCloudRaycastCollectResultsJob_t5BFBE359542CF027CBCCAA334BA76CF64F29627D, ___trackableId_6)); }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B get_trackableId_6() const { return ___trackableId_6; }
inline TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B * get_address_of_trackableId_6() { return &___trackableId_6; }
inline void set_trackableId_6(TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B value)
{
___trackableId_6 = value;
}
};
// UnityEngine.XR.ARFoundation.ARPointCloudManager/PointCloudRaycastJob
struct PointCloudRaycastJob_t097E5071568968353900E36DD9110FEC04135270
{
public:
// Unity.Collections.NativeSlice`1<UnityEngine.Vector3> UnityEngine.XR.ARFoundation.ARPointCloudManager/PointCloudRaycastJob::points
NativeSlice_1_tCD0AC77C2E3CDA052D42479FF29B6F9F6454B125 ___points_0;
// Unity.Collections.NativeArray`1<UnityEngine.XR.ARFoundation.ARPointCloudManager/PointCloudRaycastInfo> UnityEngine.XR.ARFoundation.ARPointCloudManager/PointCloudRaycastJob::infoOut
NativeArray_1_tB6E97581BF5878BBE04DA5C6C7173C33D56114DD ___infoOut_1;
// UnityEngine.Ray UnityEngine.XR.ARFoundation.ARPointCloudManager/PointCloudRaycastJob::ray
Ray_t2E9E67CC8B03EE6ED2BBF3D2C9C96DDF70E1D5E6 ___ray_2;
public:
inline static int32_t get_offset_of_points_0() { return static_cast<int32_t>(offsetof(PointCloudRaycastJob_t097E5071568968353900E36DD9110FEC04135270, ___points_0)); }
inline NativeSlice_1_tCD0AC77C2E3CDA052D42479FF29B6F9F6454B125 get_points_0() const { return ___points_0; }
inline NativeSlice_1_tCD0AC77C2E3CDA052D42479FF29B6F9F6454B125 * get_address_of_points_0() { return &___points_0; }
inline void set_points_0(NativeSlice_1_tCD0AC77C2E3CDA052D42479FF29B6F9F6454B125 value)
{
___points_0 = value;
}
inline static int32_t get_offset_of_infoOut_1() { return static_cast<int32_t>(offsetof(PointCloudRaycastJob_t097E5071568968353900E36DD9110FEC04135270, ___infoOut_1)); }
inline NativeArray_1_tB6E97581BF5878BBE04DA5C6C7173C33D56114DD get_infoOut_1() const { return ___infoOut_1; }
inline NativeArray_1_tB6E97581BF5878BBE04DA5C6C7173C33D56114DD * get_address_of_infoOut_1() { return &___infoOut_1; }
inline void set_infoOut_1(NativeArray_1_tB6E97581BF5878BBE04DA5C6C7173C33D56114DD value)
{
___infoOut_1 = value;
}
inline static int32_t get_offset_of_ray_2() { return static_cast<int32_t>(offsetof(PointCloudRaycastJob_t097E5071568968353900E36DD9110FEC04135270, ___ray_2)); }
inline Ray_t2E9E67CC8B03EE6ED2BBF3D2C9C96DDF70E1D5E6 get_ray_2() const { return ___ray_2; }
inline Ray_t2E9E67CC8B03EE6ED2BBF3D2C9C96DDF70E1D5E6 * get_address_of_ray_2() { return &___ray_2; }
inline void set_ray_2(Ray_t2E9E67CC8B03EE6ED2BBF3D2C9C96DDF70E1D5E6 value)
{
___ray_2 = value;
}
};
// UnityEngine.AddressableAssets.AddressablesImpl/LoadResourceLocationKeyOp
struct LoadResourceLocationKeyOp_t15A519F4F32BF6AF0093DA713B8DF4C28462A527 : public AsyncOperationBase_1_tF0B78ADA86A71AB5A99C609AC1BC7FB1C767410B
{
public:
// System.Object UnityEngine.AddressableAssets.AddressablesImpl/LoadResourceLocationKeyOp::m_Keys
RuntimeObject * ___m_Keys_16;
// System.Collections.Generic.IList`1<UnityEngine.ResourceManagement.ResourceLocations.IResourceLocation> UnityEngine.AddressableAssets.AddressablesImpl/LoadResourceLocationKeyOp::m_locations
RuntimeObject* ___m_locations_17;
// UnityEngine.AddressableAssets.AddressablesImpl UnityEngine.AddressableAssets.AddressablesImpl/LoadResourceLocationKeyOp::m_Addressables
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * ___m_Addressables_18;
// System.Type UnityEngine.AddressableAssets.AddressablesImpl/LoadResourceLocationKeyOp::m_ResourceType
Type_t * ___m_ResourceType_19;
public:
inline static int32_t get_offset_of_m_Keys_16() { return static_cast<int32_t>(offsetof(LoadResourceLocationKeyOp_t15A519F4F32BF6AF0093DA713B8DF4C28462A527, ___m_Keys_16)); }
inline RuntimeObject * get_m_Keys_16() const { return ___m_Keys_16; }
inline RuntimeObject ** get_address_of_m_Keys_16() { return &___m_Keys_16; }
inline void set_m_Keys_16(RuntimeObject * value)
{
___m_Keys_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Keys_16), (void*)value);
}
inline static int32_t get_offset_of_m_locations_17() { return static_cast<int32_t>(offsetof(LoadResourceLocationKeyOp_t15A519F4F32BF6AF0093DA713B8DF4C28462A527, ___m_locations_17)); }
inline RuntimeObject* get_m_locations_17() const { return ___m_locations_17; }
inline RuntimeObject** get_address_of_m_locations_17() { return &___m_locations_17; }
inline void set_m_locations_17(RuntimeObject* value)
{
___m_locations_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_locations_17), (void*)value);
}
inline static int32_t get_offset_of_m_Addressables_18() { return static_cast<int32_t>(offsetof(LoadResourceLocationKeyOp_t15A519F4F32BF6AF0093DA713B8DF4C28462A527, ___m_Addressables_18)); }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * get_m_Addressables_18() const { return ___m_Addressables_18; }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 ** get_address_of_m_Addressables_18() { return &___m_Addressables_18; }
inline void set_m_Addressables_18(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * value)
{
___m_Addressables_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Addressables_18), (void*)value);
}
inline static int32_t get_offset_of_m_ResourceType_19() { return static_cast<int32_t>(offsetof(LoadResourceLocationKeyOp_t15A519F4F32BF6AF0093DA713B8DF4C28462A527, ___m_ResourceType_19)); }
inline Type_t * get_m_ResourceType_19() const { return ___m_ResourceType_19; }
inline Type_t ** get_address_of_m_ResourceType_19() { return &___m_ResourceType_19; }
inline void set_m_ResourceType_19(Type_t * value)
{
___m_ResourceType_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ResourceType_19), (void*)value);
}
};
// UnityEngine.AddressableAssets.AddressablesImpl/LoadResourceLocationKeysOp
struct LoadResourceLocationKeysOp_t510E506ACF12017F9551B48F4AA0BF429EEF319E : public AsyncOperationBase_1_tF0B78ADA86A71AB5A99C609AC1BC7FB1C767410B
{
public:
// System.Collections.IEnumerable UnityEngine.AddressableAssets.AddressablesImpl/LoadResourceLocationKeysOp::m_Key
RuntimeObject* ___m_Key_16;
// UnityEngine.AddressableAssets.Addressables/MergeMode UnityEngine.AddressableAssets.AddressablesImpl/LoadResourceLocationKeysOp::m_MergeMode
int32_t ___m_MergeMode_17;
// System.Collections.Generic.IList`1<UnityEngine.ResourceManagement.ResourceLocations.IResourceLocation> UnityEngine.AddressableAssets.AddressablesImpl/LoadResourceLocationKeysOp::m_locations
RuntimeObject* ___m_locations_18;
// UnityEngine.AddressableAssets.AddressablesImpl UnityEngine.AddressableAssets.AddressablesImpl/LoadResourceLocationKeysOp::m_Addressables
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * ___m_Addressables_19;
// System.Type UnityEngine.AddressableAssets.AddressablesImpl/LoadResourceLocationKeysOp::m_ResourceType
Type_t * ___m_ResourceType_20;
public:
inline static int32_t get_offset_of_m_Key_16() { return static_cast<int32_t>(offsetof(LoadResourceLocationKeysOp_t510E506ACF12017F9551B48F4AA0BF429EEF319E, ___m_Key_16)); }
inline RuntimeObject* get_m_Key_16() const { return ___m_Key_16; }
inline RuntimeObject** get_address_of_m_Key_16() { return &___m_Key_16; }
inline void set_m_Key_16(RuntimeObject* value)
{
___m_Key_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Key_16), (void*)value);
}
inline static int32_t get_offset_of_m_MergeMode_17() { return static_cast<int32_t>(offsetof(LoadResourceLocationKeysOp_t510E506ACF12017F9551B48F4AA0BF429EEF319E, ___m_MergeMode_17)); }
inline int32_t get_m_MergeMode_17() const { return ___m_MergeMode_17; }
inline int32_t* get_address_of_m_MergeMode_17() { return &___m_MergeMode_17; }
inline void set_m_MergeMode_17(int32_t value)
{
___m_MergeMode_17 = value;
}
inline static int32_t get_offset_of_m_locations_18() { return static_cast<int32_t>(offsetof(LoadResourceLocationKeysOp_t510E506ACF12017F9551B48F4AA0BF429EEF319E, ___m_locations_18)); }
inline RuntimeObject* get_m_locations_18() const { return ___m_locations_18; }
inline RuntimeObject** get_address_of_m_locations_18() { return &___m_locations_18; }
inline void set_m_locations_18(RuntimeObject* value)
{
___m_locations_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_locations_18), (void*)value);
}
inline static int32_t get_offset_of_m_Addressables_19() { return static_cast<int32_t>(offsetof(LoadResourceLocationKeysOp_t510E506ACF12017F9551B48F4AA0BF429EEF319E, ___m_Addressables_19)); }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * get_m_Addressables_19() const { return ___m_Addressables_19; }
inline AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 ** get_address_of_m_Addressables_19() { return &___m_Addressables_19; }
inline void set_m_Addressables_19(AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2 * value)
{
___m_Addressables_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Addressables_19), (void*)value);
}
inline static int32_t get_offset_of_m_ResourceType_20() { return static_cast<int32_t>(offsetof(LoadResourceLocationKeysOp_t510E506ACF12017F9551B48F4AA0BF429EEF319E, ___m_ResourceType_20)); }
inline Type_t * get_m_ResourceType_20() const { return ___m_ResourceType_20; }
inline Type_t ** get_address_of_m_ResourceType_20() { return &___m_ResourceType_20; }
inline void set_m_ResourceType_20(Type_t * value)
{
___m_ResourceType_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ResourceType_20), (void*)value);
}
};
// UnityEngine.AnimatorOverrideController/OnOverrideControllerDirtyCallback
struct OnOverrideControllerDirtyCallback_t9E38572D7CF06EEFF943EA68082DAC68AB40476C : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.Application/LogCallback
struct LogCallback_t8C3C9B1E0F185E2A25D09DE10DD8414898698BBD : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.Application/LowMemoryCallback
struct LowMemoryCallback_tF94AC614EDACA9AD4CEA3DE77FF8EFF5DA1E5240 : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.AudioClip/PCMReaderCallback
struct PCMReaderCallback_t9CA1437D36509A9FAC5EDD8FF2BC3259C24D0E0B : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.AudioClip/PCMSetPositionCallback
struct PCMSetPositionCallback_tBDD99E7C0697687F1E7B06CDD5DE444A3709CF4C : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.Experimental.Audio.AudioSampleProvider/SampleFramesHandler
struct SampleFramesHandler_tCF0215103F7BD1AD5397731D86079D6E68AC9487 : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.AudioSettings/AudioConfigurationChangeHandler
struct AudioConfigurationChangeHandler_t1A997C51DF7B553A94DAD358F8D968308994774A : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.Camera/CameraCallback
struct CameraCallback_tD9E7B69E561CE2EFDEEDB0E7F1406AC52247160D : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.Canvas/WillRenderCanvases
struct WillRenderCanvases_t459621B4F3FA2571DE0ED6B4DEF0752F2E9EE958 : public MulticastDelegate_t
{
public:
public:
};
// System.Console/InternalCancelHandler
struct InternalCancelHandler_t7F0E9BBFE542C3B0E62620118961AC10E0DFB000 : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.CullingGroup/StateChanged
struct StateChanged_tAE96F0A8860BFCD704179F6C1F376A6FAE3E25E0 : public MulticastDelegate_t
{
public:
public:
};
// System.DateTimeParse/MatchNumberDelegate
struct MatchNumberDelegate_t4EB7A242D7C0B4570F59DD93F38AB3422672B199 : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.Display/DisplaysUpdatedDelegate
struct DisplaysUpdatedDelegate_tC6A6AD44FAD98C9E28479FFF4BD3D9932458A6A1 : public MulticastDelegate_t
{
public:
public:
};
// System.Reflection.EventInfo/AddEventAdapter
struct AddEventAdapter_t6E27B946DE3E58DCAC2BF10DF7992922E7D8987F : public MulticastDelegate_t
{
public:
public:
};
// System.IO.FileStream/ReadDelegate
struct ReadDelegate_tB245FDB608C11A53AC71F333C1A6BE3D7CDB21BB : public MulticastDelegate_t
{
public:
public:
};
// System.IO.FileStream/WriteDelegate
struct WriteDelegate_tF68E6D874C089E69933FA2B9A0C1C6639929C4F6 : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.Font/FontTextureRebuildCallback
struct FontTextureRebuildCallback_tBF11A511EBD8D237A1C5885D460B42A45DDBB2DB : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.GUI/WindowFunction
struct WindowFunction_tFA5DBAB811627D7B0946C4AAD398D4CC154C174D : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.GUISkin/SkinChangedDelegate
struct SkinChangedDelegate_t8BECC691E2A259B07F4A51D8F1A639B83F055E1E : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.UI.InputField/OnValidateInput
struct OnValidateInput_t721D2C2A7710D113E4909B36D9893CC6B1C69B9F : public MulticastDelegate_t
{
public:
public:
};
// System.Runtime.Remoting.Lifetime.Lease/RenewalDelegate
struct RenewalDelegate_t6D40741FA8DD58E79285BF41736B152418747AB7 : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.Experimental.GlobalIllumination.Lightmapping/RequestLightsDelegate
struct RequestLightsDelegate_t48C36AFA6015405AE4069BB1F3623AF3BC51FDA0 : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.Localization.LocalizedString/ChangeHandler
struct ChangeHandler_tAD5E92C85BFECCF94E39998DE6EFD68D3F917F05 : public MulticastDelegate_t
{
public:
public:
};
// System.Reflection.MonoProperty/GetterAdapter
struct GetterAdapter_t4638094A6814F5738CB2D77994423EEBAB6F342A : public MulticastDelegate_t
{
public:
public:
};
// System.Threading.OSSpecificSynchronizationContext/InvocationEntryDelegate
struct InvocationEntryDelegate_t751DEAE9B64F61CCD4029B67E7916F00C823E61A : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.Localization.Metadata.PlatformOverride/PlatformOverrideData
struct PlatformOverrideData_tB7D2F019EF1B3D1C87CD4C9EB3D9F80170D68E79 : public RuntimeObject
{
public:
// UnityEngine.RuntimePlatform UnityEngine.Localization.Metadata.PlatformOverride/PlatformOverrideData::platform
int32_t ___platform_0;
// UnityEngine.Localization.Metadata.EntryOverrideType UnityEngine.Localization.Metadata.PlatformOverride/PlatformOverrideData::entryOverrideType
int32_t ___entryOverrideType_1;
// UnityEngine.Localization.Tables.TableReference UnityEngine.Localization.Metadata.PlatformOverride/PlatformOverrideData::tableReference
TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 ___tableReference_2;
// UnityEngine.Localization.Tables.TableEntryReference UnityEngine.Localization.Metadata.PlatformOverride/PlatformOverrideData::tableEntryReference
TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4 ___tableEntryReference_3;
public:
inline static int32_t get_offset_of_platform_0() { return static_cast<int32_t>(offsetof(PlatformOverrideData_tB7D2F019EF1B3D1C87CD4C9EB3D9F80170D68E79, ___platform_0)); }
inline int32_t get_platform_0() const { return ___platform_0; }
inline int32_t* get_address_of_platform_0() { return &___platform_0; }
inline void set_platform_0(int32_t value)
{
___platform_0 = value;
}
inline static int32_t get_offset_of_entryOverrideType_1() { return static_cast<int32_t>(offsetof(PlatformOverrideData_tB7D2F019EF1B3D1C87CD4C9EB3D9F80170D68E79, ___entryOverrideType_1)); }
inline int32_t get_entryOverrideType_1() const { return ___entryOverrideType_1; }
inline int32_t* get_address_of_entryOverrideType_1() { return &___entryOverrideType_1; }
inline void set_entryOverrideType_1(int32_t value)
{
___entryOverrideType_1 = value;
}
inline static int32_t get_offset_of_tableReference_2() { return static_cast<int32_t>(offsetof(PlatformOverrideData_tB7D2F019EF1B3D1C87CD4C9EB3D9F80170D68E79, ___tableReference_2)); }
inline TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 get_tableReference_2() const { return ___tableReference_2; }
inline TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 * get_address_of_tableReference_2() { return &___tableReference_2; }
inline void set_tableReference_2(TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 value)
{
___tableReference_2 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___tableReference_2))->___m_TableCollectionName_0), (void*)NULL);
}
inline static int32_t get_offset_of_tableEntryReference_3() { return static_cast<int32_t>(offsetof(PlatformOverrideData_tB7D2F019EF1B3D1C87CD4C9EB3D9F80170D68E79, ___tableEntryReference_3)); }
inline TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4 get_tableEntryReference_3() const { return ___tableEntryReference_3; }
inline TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4 * get_address_of_tableEntryReference_3() { return &___tableEntryReference_3; }
inline void set_tableEntryReference_3(TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4 value)
{
___tableEntryReference_3 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___tableEntryReference_3))->___m_Key_1), (void*)NULL);
}
};
// UnityEngine.Playables.PlayableBinding/CreateOutputMethod
struct CreateOutputMethod_t7A129D00E8823B50AEDD0C9B082C9CB3DF863876 : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.LowLevel.PlayerLoopSystem/UpdateFunction
struct UpdateFunction_tEDC2A88F61F179480CAA9443E6ADDA3F126B8AEA : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.Localization.SmartFormat.Utilities.PluralRules/PluralRuleDelegate
struct PluralRuleDelegate_tBF37E11170124F14732472B172498302121D22D7 : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.RectTransform/ReapplyDrivenProperties
struct ReapplyDrivenProperties_t1441259DADA8FE33A95334AC24C017DFA3DEB4CE : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.UI.ReflectionMethodsCache/GetRayIntersectionAllCallback
struct GetRayIntersectionAllCallback_t9D6C059892DE030746D2873EB8871415BAC79311 : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.UI.ReflectionMethodsCache/GetRayIntersectionAllNonAllocCallback
struct GetRayIntersectionAllNonAllocCallback_t6DAE64211C37E996B257BF2C54707DAD3474D69C : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.UI.ReflectionMethodsCache/GetRaycastNonAllocCallback
struct GetRaycastNonAllocCallback_tA4A6A2336A9B9FEE31F8F5344576B3BB0A7B3F34 : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.UI.ReflectionMethodsCache/Raycast2DCallback
struct Raycast2DCallback_t125C1CA6D0148380915E597AC8ADBB93EFB0EE29 : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.UI.ReflectionMethodsCache/Raycast3DCallback
struct Raycast3DCallback_t27A8B301052E9C6A4A7D38F95293CA129C39373F : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.UI.ReflectionMethodsCache/RaycastAllCallback
struct RaycastAllCallback_t48E12CFDCFDEA0CD7D83F9DDE1E341DBCC855005 : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.ResourceManagement.ResourceManager/InstanceOperation
struct InstanceOperation_t6489E738E7DA0B75363BC1485B864CADA0307FB6 : public AsyncOperationBase_1_t213118ED4E455A4FEFBAC69164C98C63EB4170E0
{
public:
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.GameObject> UnityEngine.ResourceManagement.ResourceManager/InstanceOperation::m_dependency
AsyncOperationHandle_1_t078BA5A18ABD417B92201D3373635923590AF298 ___m_dependency_16;
// UnityEngine.ResourceManagement.ResourceProviders.InstantiationParameters UnityEngine.ResourceManagement.ResourceManager/InstanceOperation::m_instantiationParams
InstantiationParameters_t059119899D621F0CC9B6B4BB2DF3E8336E1F1647 ___m_instantiationParams_17;
// UnityEngine.ResourceManagement.ResourceProviders.IInstanceProvider UnityEngine.ResourceManagement.ResourceManager/InstanceOperation::m_instanceProvider
RuntimeObject* ___m_instanceProvider_18;
// UnityEngine.GameObject UnityEngine.ResourceManagement.ResourceManager/InstanceOperation::m_instance
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_instance_19;
// UnityEngine.SceneManagement.Scene UnityEngine.ResourceManagement.ResourceManager/InstanceOperation::m_scene
Scene_t5495AD2FDC587DB2E94D9BDE2B85868BFB9A92EE ___m_scene_20;
public:
inline static int32_t get_offset_of_m_dependency_16() { return static_cast<int32_t>(offsetof(InstanceOperation_t6489E738E7DA0B75363BC1485B864CADA0307FB6, ___m_dependency_16)); }
inline AsyncOperationHandle_1_t078BA5A18ABD417B92201D3373635923590AF298 get_m_dependency_16() const { return ___m_dependency_16; }
inline AsyncOperationHandle_1_t078BA5A18ABD417B92201D3373635923590AF298 * get_address_of_m_dependency_16() { return &___m_dependency_16; }
inline void set_m_dependency_16(AsyncOperationHandle_1_t078BA5A18ABD417B92201D3373635923590AF298 value)
{
___m_dependency_16 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_dependency_16))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_dependency_16))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_instantiationParams_17() { return static_cast<int32_t>(offsetof(InstanceOperation_t6489E738E7DA0B75363BC1485B864CADA0307FB6, ___m_instantiationParams_17)); }
inline InstantiationParameters_t059119899D621F0CC9B6B4BB2DF3E8336E1F1647 get_m_instantiationParams_17() const { return ___m_instantiationParams_17; }
inline InstantiationParameters_t059119899D621F0CC9B6B4BB2DF3E8336E1F1647 * get_address_of_m_instantiationParams_17() { return &___m_instantiationParams_17; }
inline void set_m_instantiationParams_17(InstantiationParameters_t059119899D621F0CC9B6B4BB2DF3E8336E1F1647 value)
{
___m_instantiationParams_17 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_instantiationParams_17))->___m_Parent_2), (void*)NULL);
}
inline static int32_t get_offset_of_m_instanceProvider_18() { return static_cast<int32_t>(offsetof(InstanceOperation_t6489E738E7DA0B75363BC1485B864CADA0307FB6, ___m_instanceProvider_18)); }
inline RuntimeObject* get_m_instanceProvider_18() const { return ___m_instanceProvider_18; }
inline RuntimeObject** get_address_of_m_instanceProvider_18() { return &___m_instanceProvider_18; }
inline void set_m_instanceProvider_18(RuntimeObject* value)
{
___m_instanceProvider_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_instanceProvider_18), (void*)value);
}
inline static int32_t get_offset_of_m_instance_19() { return static_cast<int32_t>(offsetof(InstanceOperation_t6489E738E7DA0B75363BC1485B864CADA0307FB6, ___m_instance_19)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_m_instance_19() const { return ___m_instance_19; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_m_instance_19() { return &___m_instance_19; }
inline void set_m_instance_19(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___m_instance_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_instance_19), (void*)value);
}
inline static int32_t get_offset_of_m_scene_20() { return static_cast<int32_t>(offsetof(InstanceOperation_t6489E738E7DA0B75363BC1485B864CADA0307FB6, ___m_scene_20)); }
inline Scene_t5495AD2FDC587DB2E94D9BDE2B85868BFB9A92EE get_m_scene_20() const { return ___m_scene_20; }
inline Scene_t5495AD2FDC587DB2E94D9BDE2B85868BFB9A92EE * get_address_of_m_scene_20() { return &___m_scene_20; }
inline void set_m_scene_20(Scene_t5495AD2FDC587DB2E94D9BDE2B85868BFB9A92EE value)
{
___m_scene_20 = value;
}
};
// UnityEngine.ResourceManagement.ResourceProviders.ResourceProviderBase/BaseInitAsyncOp
struct BaseInitAsyncOp_t75D56805BF25185FE9DFB0A7BAB65F56BBE15AAC : public AsyncOperationBase_1_tDFA3FD5BE5B06161B2832AF342050591DB171B7C
{
public:
// System.Func`1<System.Boolean> UnityEngine.ResourceManagement.ResourceProviders.ResourceProviderBase/BaseInitAsyncOp::m_CallBack
Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F * ___m_CallBack_16;
public:
inline static int32_t get_offset_of_m_CallBack_16() { return static_cast<int32_t>(offsetof(BaseInitAsyncOp_t75D56805BF25185FE9DFB0A7BAB65F56BBE15AAC, ___m_CallBack_16)); }
inline Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F * get_m_CallBack_16() const { return ___m_CallBack_16; }
inline Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F ** get_address_of_m_CallBack_16() { return &___m_CallBack_16; }
inline void set_m_CallBack_16(Func_1_t76FCDA5C58178ED310C472967481FDE5F47DCF0F * value)
{
___m_CallBack_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CallBack_16), (void*)value);
}
};
// System.Threading.SemaphoreSlim/TaskNode
struct TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E : public Task_1_t9C1FE9F18F52F3409B9E970FA38801A443AE7849
{
public:
// System.Threading.SemaphoreSlim/TaskNode System.Threading.SemaphoreSlim/TaskNode::Prev
TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E * ___Prev_25;
// System.Threading.SemaphoreSlim/TaskNode System.Threading.SemaphoreSlim/TaskNode::Next
TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E * ___Next_26;
public:
inline static int32_t get_offset_of_Prev_25() { return static_cast<int32_t>(offsetof(TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E, ___Prev_25)); }
inline TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E * get_Prev_25() const { return ___Prev_25; }
inline TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E ** get_address_of_Prev_25() { return &___Prev_25; }
inline void set_Prev_25(TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E * value)
{
___Prev_25 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Prev_25), (void*)value);
}
inline static int32_t get_offset_of_Next_26() { return static_cast<int32_t>(offsetof(TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E, ___Next_26)); }
inline TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E * get_Next_26() const { return ___Next_26; }
inline TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E ** get_address_of_Next_26() { return &___Next_26; }
inline void set_Next_26(TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E * value)
{
___Next_26 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Next_26), (void*)value);
}
};
// System.IO.Stream/ReadWriteTask
struct ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974 : public Task_1_tEF253D967DB628A9F8A389A9F2E4516871FD3725
{
public:
// System.Boolean System.IO.Stream/ReadWriteTask::_isRead
bool ____isRead_25;
// System.IO.Stream System.IO.Stream/ReadWriteTask::_stream
Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * ____stream_26;
// System.Byte[] System.IO.Stream/ReadWriteTask::_buffer
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ____buffer_27;
// System.Int32 System.IO.Stream/ReadWriteTask::_offset
int32_t ____offset_28;
// System.Int32 System.IO.Stream/ReadWriteTask::_count
int32_t ____count_29;
// System.AsyncCallback System.IO.Stream/ReadWriteTask::_callback
AsyncCallback_tA7921BEF974919C46FF8F9D9867C567B200BB0EA * ____callback_30;
// System.Threading.ExecutionContext System.IO.Stream/ReadWriteTask::_context
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * ____context_31;
public:
inline static int32_t get_offset_of__isRead_25() { return static_cast<int32_t>(offsetof(ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974, ____isRead_25)); }
inline bool get__isRead_25() const { return ____isRead_25; }
inline bool* get_address_of__isRead_25() { return &____isRead_25; }
inline void set__isRead_25(bool value)
{
____isRead_25 = value;
}
inline static int32_t get_offset_of__stream_26() { return static_cast<int32_t>(offsetof(ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974, ____stream_26)); }
inline Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * get__stream_26() const { return ____stream_26; }
inline Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB ** get_address_of__stream_26() { return &____stream_26; }
inline void set__stream_26(Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB * value)
{
____stream_26 = value;
Il2CppCodeGenWriteBarrier((void**)(&____stream_26), (void*)value);
}
inline static int32_t get_offset_of__buffer_27() { return static_cast<int32_t>(offsetof(ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974, ____buffer_27)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get__buffer_27() const { return ____buffer_27; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of__buffer_27() { return &____buffer_27; }
inline void set__buffer_27(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
____buffer_27 = value;
Il2CppCodeGenWriteBarrier((void**)(&____buffer_27), (void*)value);
}
inline static int32_t get_offset_of__offset_28() { return static_cast<int32_t>(offsetof(ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974, ____offset_28)); }
inline int32_t get__offset_28() const { return ____offset_28; }
inline int32_t* get_address_of__offset_28() { return &____offset_28; }
inline void set__offset_28(int32_t value)
{
____offset_28 = value;
}
inline static int32_t get_offset_of__count_29() { return static_cast<int32_t>(offsetof(ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974, ____count_29)); }
inline int32_t get__count_29() const { return ____count_29; }
inline int32_t* get_address_of__count_29() { return &____count_29; }
inline void set__count_29(int32_t value)
{
____count_29 = value;
}
inline static int32_t get_offset_of__callback_30() { return static_cast<int32_t>(offsetof(ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974, ____callback_30)); }
inline AsyncCallback_tA7921BEF974919C46FF8F9D9867C567B200BB0EA * get__callback_30() const { return ____callback_30; }
inline AsyncCallback_tA7921BEF974919C46FF8F9D9867C567B200BB0EA ** get_address_of__callback_30() { return &____callback_30; }
inline void set__callback_30(AsyncCallback_tA7921BEF974919C46FF8F9D9867C567B200BB0EA * value)
{
____callback_30 = value;
Il2CppCodeGenWriteBarrier((void**)(&____callback_30), (void*)value);
}
inline static int32_t get_offset_of__context_31() { return static_cast<int32_t>(offsetof(ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974, ____context_31)); }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * get__context_31() const { return ____context_31; }
inline ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 ** get_address_of__context_31() { return &____context_31; }
inline void set__context_31(ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414 * value)
{
____context_31 = value;
Il2CppCodeGenWriteBarrier((void**)(&____context_31), (void*)value);
}
};
struct ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974_StaticFields
{
public:
// System.Threading.ContextCallback System.IO.Stream/ReadWriteTask::s_invokeAsyncCallback
ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * ___s_invokeAsyncCallback_32;
public:
inline static int32_t get_offset_of_s_invokeAsyncCallback_32() { return static_cast<int32_t>(offsetof(ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974_StaticFields, ___s_invokeAsyncCallback_32)); }
inline ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * get_s_invokeAsyncCallback_32() const { return ___s_invokeAsyncCallback_32; }
inline ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B ** get_address_of_s_invokeAsyncCallback_32() { return &___s_invokeAsyncCallback_32; }
inline void set_s_invokeAsyncCallback_32(ContextCallback_t93707E0430F4FF3E15E1FB5A4844BE89C657AE8B * value)
{
___s_invokeAsyncCallback_32 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_invokeAsyncCallback_32), (void*)value);
}
};
// TMPro.TMP_InputField/OnValidateInput
struct OnValidateInput_t669C9E4A5AA145BC2A45A711371835AECE5F66BA : public MulticastDelegate_t
{
public:
public:
};
// TMPro.TMP_SpriteAnimator/<DoSpriteAnimationInternal>d__7
struct U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F : public RuntimeObject
{
public:
// System.Int32 TMPro.TMP_SpriteAnimator/<DoSpriteAnimationInternal>d__7::<>1__state
int32_t ___U3CU3E1__state_0;
// System.Object TMPro.TMP_SpriteAnimator/<DoSpriteAnimationInternal>d__7::<>2__current
RuntimeObject * ___U3CU3E2__current_1;
// TMPro.TMP_SpriteAnimator TMPro.TMP_SpriteAnimator/<DoSpriteAnimationInternal>d__7::<>4__this
TMP_SpriteAnimator_t07C769A1F1F85B545DD32357826E08F569E3D902 * ___U3CU3E4__this_2;
// System.Int32 TMPro.TMP_SpriteAnimator/<DoSpriteAnimationInternal>d__7::start
int32_t ___start_3;
// System.Int32 TMPro.TMP_SpriteAnimator/<DoSpriteAnimationInternal>d__7::end
int32_t ___end_4;
// TMPro.TMP_SpriteAsset TMPro.TMP_SpriteAnimator/<DoSpriteAnimationInternal>d__7::spriteAsset
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * ___spriteAsset_5;
// System.Int32 TMPro.TMP_SpriteAnimator/<DoSpriteAnimationInternal>d__7::currentCharacter
int32_t ___currentCharacter_6;
// System.Int32 TMPro.TMP_SpriteAnimator/<DoSpriteAnimationInternal>d__7::framerate
int32_t ___framerate_7;
// System.Int32 TMPro.TMP_SpriteAnimator/<DoSpriteAnimationInternal>d__7::<currentFrame>5__2
int32_t ___U3CcurrentFrameU3E5__2_8;
// TMPro.TMP_CharacterInfo TMPro.TMP_SpriteAnimator/<DoSpriteAnimationInternal>d__7::<charInfo>5__3
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B ___U3CcharInfoU3E5__3_9;
// System.Int32 TMPro.TMP_SpriteAnimator/<DoSpriteAnimationInternal>d__7::<materialIndex>5__4
int32_t ___U3CmaterialIndexU3E5__4_10;
// System.Int32 TMPro.TMP_SpriteAnimator/<DoSpriteAnimationInternal>d__7::<vertexIndex>5__5
int32_t ___U3CvertexIndexU3E5__5_11;
// TMPro.TMP_MeshInfo TMPro.TMP_SpriteAnimator/<DoSpriteAnimationInternal>d__7::<meshInfo>5__6
TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176 ___U3CmeshInfoU3E5__6_12;
// System.Single TMPro.TMP_SpriteAnimator/<DoSpriteAnimationInternal>d__7::<baseSpriteScale>5__7
float ___U3CbaseSpriteScaleU3E5__7_13;
// System.Single TMPro.TMP_SpriteAnimator/<DoSpriteAnimationInternal>d__7::<elapsedTime>5__8
float ___U3CelapsedTimeU3E5__8_14;
// System.Single TMPro.TMP_SpriteAnimator/<DoSpriteAnimationInternal>d__7::<targetTime>5__9
float ___U3CtargetTimeU3E5__9_15;
public:
inline static int32_t get_offset_of_U3CU3E1__state_0() { return static_cast<int32_t>(offsetof(U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F, ___U3CU3E1__state_0)); }
inline int32_t get_U3CU3E1__state_0() const { return ___U3CU3E1__state_0; }
inline int32_t* get_address_of_U3CU3E1__state_0() { return &___U3CU3E1__state_0; }
inline void set_U3CU3E1__state_0(int32_t value)
{
___U3CU3E1__state_0 = value;
}
inline static int32_t get_offset_of_U3CU3E2__current_1() { return static_cast<int32_t>(offsetof(U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F, ___U3CU3E2__current_1)); }
inline RuntimeObject * get_U3CU3E2__current_1() const { return ___U3CU3E2__current_1; }
inline RuntimeObject ** get_address_of_U3CU3E2__current_1() { return &___U3CU3E2__current_1; }
inline void set_U3CU3E2__current_1(RuntimeObject * value)
{
___U3CU3E2__current_1 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E2__current_1), (void*)value);
}
inline static int32_t get_offset_of_U3CU3E4__this_2() { return static_cast<int32_t>(offsetof(U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F, ___U3CU3E4__this_2)); }
inline TMP_SpriteAnimator_t07C769A1F1F85B545DD32357826E08F569E3D902 * get_U3CU3E4__this_2() const { return ___U3CU3E4__this_2; }
inline TMP_SpriteAnimator_t07C769A1F1F85B545DD32357826E08F569E3D902 ** get_address_of_U3CU3E4__this_2() { return &___U3CU3E4__this_2; }
inline void set_U3CU3E4__this_2(TMP_SpriteAnimator_t07C769A1F1F85B545DD32357826E08F569E3D902 * value)
{
___U3CU3E4__this_2 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CU3E4__this_2), (void*)value);
}
inline static int32_t get_offset_of_start_3() { return static_cast<int32_t>(offsetof(U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F, ___start_3)); }
inline int32_t get_start_3() const { return ___start_3; }
inline int32_t* get_address_of_start_3() { return &___start_3; }
inline void set_start_3(int32_t value)
{
___start_3 = value;
}
inline static int32_t get_offset_of_end_4() { return static_cast<int32_t>(offsetof(U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F, ___end_4)); }
inline int32_t get_end_4() const { return ___end_4; }
inline int32_t* get_address_of_end_4() { return &___end_4; }
inline void set_end_4(int32_t value)
{
___end_4 = value;
}
inline static int32_t get_offset_of_spriteAsset_5() { return static_cast<int32_t>(offsetof(U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F, ___spriteAsset_5)); }
inline TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * get_spriteAsset_5() const { return ___spriteAsset_5; }
inline TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 ** get_address_of_spriteAsset_5() { return &___spriteAsset_5; }
inline void set_spriteAsset_5(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * value)
{
___spriteAsset_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___spriteAsset_5), (void*)value);
}
inline static int32_t get_offset_of_currentCharacter_6() { return static_cast<int32_t>(offsetof(U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F, ___currentCharacter_6)); }
inline int32_t get_currentCharacter_6() const { return ___currentCharacter_6; }
inline int32_t* get_address_of_currentCharacter_6() { return &___currentCharacter_6; }
inline void set_currentCharacter_6(int32_t value)
{
___currentCharacter_6 = value;
}
inline static int32_t get_offset_of_framerate_7() { return static_cast<int32_t>(offsetof(U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F, ___framerate_7)); }
inline int32_t get_framerate_7() const { return ___framerate_7; }
inline int32_t* get_address_of_framerate_7() { return &___framerate_7; }
inline void set_framerate_7(int32_t value)
{
___framerate_7 = value;
}
inline static int32_t get_offset_of_U3CcurrentFrameU3E5__2_8() { return static_cast<int32_t>(offsetof(U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F, ___U3CcurrentFrameU3E5__2_8)); }
inline int32_t get_U3CcurrentFrameU3E5__2_8() const { return ___U3CcurrentFrameU3E5__2_8; }
inline int32_t* get_address_of_U3CcurrentFrameU3E5__2_8() { return &___U3CcurrentFrameU3E5__2_8; }
inline void set_U3CcurrentFrameU3E5__2_8(int32_t value)
{
___U3CcurrentFrameU3E5__2_8 = value;
}
inline static int32_t get_offset_of_U3CcharInfoU3E5__3_9() { return static_cast<int32_t>(offsetof(U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F, ___U3CcharInfoU3E5__3_9)); }
inline TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B get_U3CcharInfoU3E5__3_9() const { return ___U3CcharInfoU3E5__3_9; }
inline TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B * get_address_of_U3CcharInfoU3E5__3_9() { return &___U3CcharInfoU3E5__3_9; }
inline void set_U3CcharInfoU3E5__3_9(TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B value)
{
___U3CcharInfoU3E5__3_9 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CcharInfoU3E5__3_9))->___textElement_4), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CcharInfoU3E5__3_9))->___fontAsset_5), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CcharInfoU3E5__3_9))->___spriteAsset_6), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CcharInfoU3E5__3_9))->___material_8), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_U3CmaterialIndexU3E5__4_10() { return static_cast<int32_t>(offsetof(U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F, ___U3CmaterialIndexU3E5__4_10)); }
inline int32_t get_U3CmaterialIndexU3E5__4_10() const { return ___U3CmaterialIndexU3E5__4_10; }
inline int32_t* get_address_of_U3CmaterialIndexU3E5__4_10() { return &___U3CmaterialIndexU3E5__4_10; }
inline void set_U3CmaterialIndexU3E5__4_10(int32_t value)
{
___U3CmaterialIndexU3E5__4_10 = value;
}
inline static int32_t get_offset_of_U3CvertexIndexU3E5__5_11() { return static_cast<int32_t>(offsetof(U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F, ___U3CvertexIndexU3E5__5_11)); }
inline int32_t get_U3CvertexIndexU3E5__5_11() const { return ___U3CvertexIndexU3E5__5_11; }
inline int32_t* get_address_of_U3CvertexIndexU3E5__5_11() { return &___U3CvertexIndexU3E5__5_11; }
inline void set_U3CvertexIndexU3E5__5_11(int32_t value)
{
___U3CvertexIndexU3E5__5_11 = value;
}
inline static int32_t get_offset_of_U3CmeshInfoU3E5__6_12() { return static_cast<int32_t>(offsetof(U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F, ___U3CmeshInfoU3E5__6_12)); }
inline TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176 get_U3CmeshInfoU3E5__6_12() const { return ___U3CmeshInfoU3E5__6_12; }
inline TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176 * get_address_of_U3CmeshInfoU3E5__6_12() { return &___U3CmeshInfoU3E5__6_12; }
inline void set_U3CmeshInfoU3E5__6_12(TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176 value)
{
___U3CmeshInfoU3E5__6_12 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CmeshInfoU3E5__6_12))->___mesh_4), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CmeshInfoU3E5__6_12))->___vertices_6), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CmeshInfoU3E5__6_12))->___normals_7), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CmeshInfoU3E5__6_12))->___tangents_8), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CmeshInfoU3E5__6_12))->___uvs0_9), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CmeshInfoU3E5__6_12))->___uvs2_10), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CmeshInfoU3E5__6_12))->___colors32_11), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CmeshInfoU3E5__6_12))->___triangles_12), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___U3CmeshInfoU3E5__6_12))->___material_13), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_U3CbaseSpriteScaleU3E5__7_13() { return static_cast<int32_t>(offsetof(U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F, ___U3CbaseSpriteScaleU3E5__7_13)); }
inline float get_U3CbaseSpriteScaleU3E5__7_13() const { return ___U3CbaseSpriteScaleU3E5__7_13; }
inline float* get_address_of_U3CbaseSpriteScaleU3E5__7_13() { return &___U3CbaseSpriteScaleU3E5__7_13; }
inline void set_U3CbaseSpriteScaleU3E5__7_13(float value)
{
___U3CbaseSpriteScaleU3E5__7_13 = value;
}
inline static int32_t get_offset_of_U3CelapsedTimeU3E5__8_14() { return static_cast<int32_t>(offsetof(U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F, ___U3CelapsedTimeU3E5__8_14)); }
inline float get_U3CelapsedTimeU3E5__8_14() const { return ___U3CelapsedTimeU3E5__8_14; }
inline float* get_address_of_U3CelapsedTimeU3E5__8_14() { return &___U3CelapsedTimeU3E5__8_14; }
inline void set_U3CelapsedTimeU3E5__8_14(float value)
{
___U3CelapsedTimeU3E5__8_14 = value;
}
inline static int32_t get_offset_of_U3CtargetTimeU3E5__9_15() { return static_cast<int32_t>(offsetof(U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F, ___U3CtargetTimeU3E5__9_15)); }
inline float get_U3CtargetTimeU3E5__9_15() const { return ___U3CtargetTimeU3E5__9_15; }
inline float* get_address_of_U3CtargetTimeU3E5__9_15() { return &___U3CtargetTimeU3E5__9_15; }
inline void set_U3CtargetTimeU3E5__9_15(float value)
{
___U3CtargetTimeU3E5__9_15 = value;
}
};
// System.Threading.Tasks.Task/DelayPromise
struct DelayPromise_t9761A33FC8F83592A4D61777C23985D6958E25D8 : public Task_1_t65FD5EE287B61746F015BBC8E90A97D38D258FB3
{
public:
// System.Threading.CancellationToken System.Threading.Tasks.Task/DelayPromise::Token
CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD ___Token_25;
// System.Threading.CancellationTokenRegistration System.Threading.Tasks.Task/DelayPromise::Registration
CancellationTokenRegistration_t407059AA0E00ABE74F43C533E7D035C4BA451F6A ___Registration_26;
// System.Threading.Timer System.Threading.Tasks.Task/DelayPromise::Timer
Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB * ___Timer_27;
public:
inline static int32_t get_offset_of_Token_25() { return static_cast<int32_t>(offsetof(DelayPromise_t9761A33FC8F83592A4D61777C23985D6958E25D8, ___Token_25)); }
inline CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD get_Token_25() const { return ___Token_25; }
inline CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD * get_address_of_Token_25() { return &___Token_25; }
inline void set_Token_25(CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD value)
{
___Token_25 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___Token_25))->___m_source_0), (void*)NULL);
}
inline static int32_t get_offset_of_Registration_26() { return static_cast<int32_t>(offsetof(DelayPromise_t9761A33FC8F83592A4D61777C23985D6958E25D8, ___Registration_26)); }
inline CancellationTokenRegistration_t407059AA0E00ABE74F43C533E7D035C4BA451F6A get_Registration_26() const { return ___Registration_26; }
inline CancellationTokenRegistration_t407059AA0E00ABE74F43C533E7D035C4BA451F6A * get_address_of_Registration_26() { return &___Registration_26; }
inline void set_Registration_26(CancellationTokenRegistration_t407059AA0E00ABE74F43C533E7D035C4BA451F6A value)
{
___Registration_26 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___Registration_26))->___m_callbackInfo_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___Registration_26))->___m_registrationInfo_1))->___m_source_0), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_Timer_27() { return static_cast<int32_t>(offsetof(DelayPromise_t9761A33FC8F83592A4D61777C23985D6958E25D8, ___Timer_27)); }
inline Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB * get_Timer_27() const { return ___Timer_27; }
inline Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB ** get_address_of_Timer_27() { return &___Timer_27; }
inline void set_Timer_27(Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB * value)
{
___Timer_27 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Timer_27), (void*)value);
}
};
// System.Threading.Tasks.TaskFactory/CompleteOnInvokePromise
struct CompleteOnInvokePromise_tCEBDCB9BD36D0EF373E5ACBC9262935A6EED4C18 : public Task_1_t24E932728D4BE67BFA41487F43AE4FAEBBAC7284
{
public:
// System.Collections.Generic.IList`1<System.Threading.Tasks.Task> System.Threading.Tasks.TaskFactory/CompleteOnInvokePromise::_tasks
RuntimeObject* ____tasks_25;
// System.Int32 System.Threading.Tasks.TaskFactory/CompleteOnInvokePromise::m_firstTaskAlreadyCompleted
int32_t ___m_firstTaskAlreadyCompleted_26;
public:
inline static int32_t get_offset_of__tasks_25() { return static_cast<int32_t>(offsetof(CompleteOnInvokePromise_tCEBDCB9BD36D0EF373E5ACBC9262935A6EED4C18, ____tasks_25)); }
inline RuntimeObject* get__tasks_25() const { return ____tasks_25; }
inline RuntimeObject** get_address_of__tasks_25() { return &____tasks_25; }
inline void set__tasks_25(RuntimeObject* value)
{
____tasks_25 = value;
Il2CppCodeGenWriteBarrier((void**)(&____tasks_25), (void*)value);
}
inline static int32_t get_offset_of_m_firstTaskAlreadyCompleted_26() { return static_cast<int32_t>(offsetof(CompleteOnInvokePromise_tCEBDCB9BD36D0EF373E5ACBC9262935A6EED4C18, ___m_firstTaskAlreadyCompleted_26)); }
inline int32_t get_m_firstTaskAlreadyCompleted_26() const { return ___m_firstTaskAlreadyCompleted_26; }
inline int32_t* get_address_of_m_firstTaskAlreadyCompleted_26() { return &___m_firstTaskAlreadyCompleted_26; }
inline void set_m_firstTaskAlreadyCompleted_26(int32_t value)
{
___m_firstTaskAlreadyCompleted_26 = value;
}
};
// System.TimeZoneInfo/AdjustmentRule
struct AdjustmentRule_t15EC10F91D4E8CC287CF8610D8D24BD636A23304 : public RuntimeObject
{
public:
// System.DateTime System.TimeZoneInfo/AdjustmentRule::m_dateStart
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 ___m_dateStart_0;
// System.DateTime System.TimeZoneInfo/AdjustmentRule::m_dateEnd
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 ___m_dateEnd_1;
// System.TimeSpan System.TimeZoneInfo/AdjustmentRule::m_daylightDelta
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ___m_daylightDelta_2;
// System.TimeZoneInfo/TransitionTime System.TimeZoneInfo/AdjustmentRule::m_daylightTransitionStart
TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A ___m_daylightTransitionStart_3;
// System.TimeZoneInfo/TransitionTime System.TimeZoneInfo/AdjustmentRule::m_daylightTransitionEnd
TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A ___m_daylightTransitionEnd_4;
// System.TimeSpan System.TimeZoneInfo/AdjustmentRule::m_baseUtcOffsetDelta
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ___m_baseUtcOffsetDelta_5;
public:
inline static int32_t get_offset_of_m_dateStart_0() { return static_cast<int32_t>(offsetof(AdjustmentRule_t15EC10F91D4E8CC287CF8610D8D24BD636A23304, ___m_dateStart_0)); }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 get_m_dateStart_0() const { return ___m_dateStart_0; }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 * get_address_of_m_dateStart_0() { return &___m_dateStart_0; }
inline void set_m_dateStart_0(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 value)
{
___m_dateStart_0 = value;
}
inline static int32_t get_offset_of_m_dateEnd_1() { return static_cast<int32_t>(offsetof(AdjustmentRule_t15EC10F91D4E8CC287CF8610D8D24BD636A23304, ___m_dateEnd_1)); }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 get_m_dateEnd_1() const { return ___m_dateEnd_1; }
inline DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 * get_address_of_m_dateEnd_1() { return &___m_dateEnd_1; }
inline void set_m_dateEnd_1(DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405 value)
{
___m_dateEnd_1 = value;
}
inline static int32_t get_offset_of_m_daylightDelta_2() { return static_cast<int32_t>(offsetof(AdjustmentRule_t15EC10F91D4E8CC287CF8610D8D24BD636A23304, ___m_daylightDelta_2)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get_m_daylightDelta_2() const { return ___m_daylightDelta_2; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of_m_daylightDelta_2() { return &___m_daylightDelta_2; }
inline void set_m_daylightDelta_2(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
___m_daylightDelta_2 = value;
}
inline static int32_t get_offset_of_m_daylightTransitionStart_3() { return static_cast<int32_t>(offsetof(AdjustmentRule_t15EC10F91D4E8CC287CF8610D8D24BD636A23304, ___m_daylightTransitionStart_3)); }
inline TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A get_m_daylightTransitionStart_3() const { return ___m_daylightTransitionStart_3; }
inline TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A * get_address_of_m_daylightTransitionStart_3() { return &___m_daylightTransitionStart_3; }
inline void set_m_daylightTransitionStart_3(TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A value)
{
___m_daylightTransitionStart_3 = value;
}
inline static int32_t get_offset_of_m_daylightTransitionEnd_4() { return static_cast<int32_t>(offsetof(AdjustmentRule_t15EC10F91D4E8CC287CF8610D8D24BD636A23304, ___m_daylightTransitionEnd_4)); }
inline TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A get_m_daylightTransitionEnd_4() const { return ___m_daylightTransitionEnd_4; }
inline TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A * get_address_of_m_daylightTransitionEnd_4() { return &___m_daylightTransitionEnd_4; }
inline void set_m_daylightTransitionEnd_4(TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A value)
{
___m_daylightTransitionEnd_4 = value;
}
inline static int32_t get_offset_of_m_baseUtcOffsetDelta_5() { return static_cast<int32_t>(offsetof(AdjustmentRule_t15EC10F91D4E8CC287CF8610D8D24BD636A23304, ___m_baseUtcOffsetDelta_5)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get_m_baseUtcOffsetDelta_5() const { return ___m_baseUtcOffsetDelta_5; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of_m_baseUtcOffsetDelta_5() { return &___m_baseUtcOffsetDelta_5; }
inline void set_m_baseUtcOffsetDelta_5(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
___m_baseUtcOffsetDelta_5 = value;
}
};
// System.UriParser/BuiltInUriParser
struct BuiltInUriParser_tD002C3439D3683127C216D09E22B0973AB9FDF26 : public UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A
{
public:
public:
};
// UnityEngine.Video.VideoPlayer/ErrorEventHandler
struct ErrorEventHandler_tD47781EBB7CF0CC4C111496024BD59B1D1A6A1F2 : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.Video.VideoPlayer/EventHandler
struct EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.Video.VideoPlayer/FrameReadyEventHandler
struct FrameReadyEventHandler_t9529BD5A34E9C8BE7D8A39D46A6C4ABC673374EC : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.Video.VideoPlayer/TimeEventHandler
struct TimeEventHandler_t7CA131EB85E0FFCBE8660E030698BD83D3994DD8 : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRCpuImage/AsyncConversion
struct AsyncConversion_t1B3B9B398D763F0F12781993336A2E048C86E787
{
public:
// UnityEngine.XR.ARSubsystems.XRCpuImage/Api UnityEngine.XR.ARSubsystems.XRCpuImage/AsyncConversion::m_Api
Api_t7C92F00C6416A2C636A44AAC833C3773C567DC3E * ___m_Api_0;
// System.Int32 UnityEngine.XR.ARSubsystems.XRCpuImage/AsyncConversion::m_RequestId
int32_t ___m_RequestId_1;
// UnityEngine.XR.ARSubsystems.XRCpuImage/ConversionParams UnityEngine.XR.ARSubsystems.XRCpuImage/AsyncConversion::<conversionParams>k__BackingField
ConversionParams_t3DDB9752BA823641A302D0783C14048D9B09B74A ___U3CconversionParamsU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_m_Api_0() { return static_cast<int32_t>(offsetof(AsyncConversion_t1B3B9B398D763F0F12781993336A2E048C86E787, ___m_Api_0)); }
inline Api_t7C92F00C6416A2C636A44AAC833C3773C567DC3E * get_m_Api_0() const { return ___m_Api_0; }
inline Api_t7C92F00C6416A2C636A44AAC833C3773C567DC3E ** get_address_of_m_Api_0() { return &___m_Api_0; }
inline void set_m_Api_0(Api_t7C92F00C6416A2C636A44AAC833C3773C567DC3E * value)
{
___m_Api_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Api_0), (void*)value);
}
inline static int32_t get_offset_of_m_RequestId_1() { return static_cast<int32_t>(offsetof(AsyncConversion_t1B3B9B398D763F0F12781993336A2E048C86E787, ___m_RequestId_1)); }
inline int32_t get_m_RequestId_1() const { return ___m_RequestId_1; }
inline int32_t* get_address_of_m_RequestId_1() { return &___m_RequestId_1; }
inline void set_m_RequestId_1(int32_t value)
{
___m_RequestId_1 = value;
}
inline static int32_t get_offset_of_U3CconversionParamsU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(AsyncConversion_t1B3B9B398D763F0F12781993336A2E048C86E787, ___U3CconversionParamsU3Ek__BackingField_2)); }
inline ConversionParams_t3DDB9752BA823641A302D0783C14048D9B09B74A get_U3CconversionParamsU3Ek__BackingField_2() const { return ___U3CconversionParamsU3Ek__BackingField_2; }
inline ConversionParams_t3DDB9752BA823641A302D0783C14048D9B09B74A * get_address_of_U3CconversionParamsU3Ek__BackingField_2() { return &___U3CconversionParamsU3Ek__BackingField_2; }
inline void set_U3CconversionParamsU3Ek__BackingField_2(ConversionParams_t3DDB9752BA823641A302D0783C14048D9B09B74A value)
{
___U3CconversionParamsU3Ek__BackingField_2 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.ARSubsystems.XRCpuImage/AsyncConversion
struct AsyncConversion_t1B3B9B398D763F0F12781993336A2E048C86E787_marshaled_pinvoke
{
Api_t7C92F00C6416A2C636A44AAC833C3773C567DC3E * ___m_Api_0;
int32_t ___m_RequestId_1;
ConversionParams_t3DDB9752BA823641A302D0783C14048D9B09B74A ___U3CconversionParamsU3Ek__BackingField_2;
};
// Native definition for COM marshalling of UnityEngine.XR.ARSubsystems.XRCpuImage/AsyncConversion
struct AsyncConversion_t1B3B9B398D763F0F12781993336A2E048C86E787_marshaled_com
{
Api_t7C92F00C6416A2C636A44AAC833C3773C567DC3E * ___m_Api_0;
int32_t ___m_RequestId_1;
ConversionParams_t3DDB9752BA823641A302D0783C14048D9B09B74A ___U3CconversionParamsU3Ek__BackingField_2;
};
// UnityEngine.XR.ARSubsystems.XRCpuImage/Plane
struct Plane_tF421A9F250A5E61AFEE38069538AC8ECB9D3E22D
{
public:
// System.Int32 UnityEngine.XR.ARSubsystems.XRCpuImage/Plane::<rowStride>k__BackingField
int32_t ___U3CrowStrideU3Ek__BackingField_0;
// System.Int32 UnityEngine.XR.ARSubsystems.XRCpuImage/Plane::<pixelStride>k__BackingField
int32_t ___U3CpixelStrideU3Ek__BackingField_1;
// Unity.Collections.NativeArray`1<System.Byte> UnityEngine.XR.ARSubsystems.XRCpuImage/Plane::<data>k__BackingField
NativeArray_1_t3C2855C5B238E8C6739D4C17833F244B95C0F785 ___U3CdataU3Ek__BackingField_2;
public:
inline static int32_t get_offset_of_U3CrowStrideU3Ek__BackingField_0() { return static_cast<int32_t>(offsetof(Plane_tF421A9F250A5E61AFEE38069538AC8ECB9D3E22D, ___U3CrowStrideU3Ek__BackingField_0)); }
inline int32_t get_U3CrowStrideU3Ek__BackingField_0() const { return ___U3CrowStrideU3Ek__BackingField_0; }
inline int32_t* get_address_of_U3CrowStrideU3Ek__BackingField_0() { return &___U3CrowStrideU3Ek__BackingField_0; }
inline void set_U3CrowStrideU3Ek__BackingField_0(int32_t value)
{
___U3CrowStrideU3Ek__BackingField_0 = value;
}
inline static int32_t get_offset_of_U3CpixelStrideU3Ek__BackingField_1() { return static_cast<int32_t>(offsetof(Plane_tF421A9F250A5E61AFEE38069538AC8ECB9D3E22D, ___U3CpixelStrideU3Ek__BackingField_1)); }
inline int32_t get_U3CpixelStrideU3Ek__BackingField_1() const { return ___U3CpixelStrideU3Ek__BackingField_1; }
inline int32_t* get_address_of_U3CpixelStrideU3Ek__BackingField_1() { return &___U3CpixelStrideU3Ek__BackingField_1; }
inline void set_U3CpixelStrideU3Ek__BackingField_1(int32_t value)
{
___U3CpixelStrideU3Ek__BackingField_1 = value;
}
inline static int32_t get_offset_of_U3CdataU3Ek__BackingField_2() { return static_cast<int32_t>(offsetof(Plane_tF421A9F250A5E61AFEE38069538AC8ECB9D3E22D, ___U3CdataU3Ek__BackingField_2)); }
inline NativeArray_1_t3C2855C5B238E8C6739D4C17833F244B95C0F785 get_U3CdataU3Ek__BackingField_2() const { return ___U3CdataU3Ek__BackingField_2; }
inline NativeArray_1_t3C2855C5B238E8C6739D4C17833F244B95C0F785 * get_address_of_U3CdataU3Ek__BackingField_2() { return &___U3CdataU3Ek__BackingField_2; }
inline void set_U3CdataU3Ek__BackingField_2(NativeArray_1_t3C2855C5B238E8C6739D4C17833F244B95C0F785 value)
{
___U3CdataU3Ek__BackingField_2 = value;
}
};
// UnityEngine.XR.XRDisplaySubsystem/XRRenderPass
struct XRRenderPass_tCB4A9F3B07C2C59889BD3EE40F44E9347A2BC9BB
{
public:
// System.IntPtr UnityEngine.XR.XRDisplaySubsystem/XRRenderPass::displaySubsystemInstance
intptr_t ___displaySubsystemInstance_0;
// System.Int32 UnityEngine.XR.XRDisplaySubsystem/XRRenderPass::renderPassIndex
int32_t ___renderPassIndex_1;
// UnityEngine.Rendering.RenderTargetIdentifier UnityEngine.XR.XRDisplaySubsystem/XRRenderPass::renderTarget
RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13 ___renderTarget_2;
// UnityEngine.RenderTextureDescriptor UnityEngine.XR.XRDisplaySubsystem/XRRenderPass::renderTargetDesc
RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47 ___renderTargetDesc_3;
// System.Boolean UnityEngine.XR.XRDisplaySubsystem/XRRenderPass::shouldFillOutDepth
bool ___shouldFillOutDepth_4;
// System.Int32 UnityEngine.XR.XRDisplaySubsystem/XRRenderPass::cullingPassIndex
int32_t ___cullingPassIndex_5;
public:
inline static int32_t get_offset_of_displaySubsystemInstance_0() { return static_cast<int32_t>(offsetof(XRRenderPass_tCB4A9F3B07C2C59889BD3EE40F44E9347A2BC9BB, ___displaySubsystemInstance_0)); }
inline intptr_t get_displaySubsystemInstance_0() const { return ___displaySubsystemInstance_0; }
inline intptr_t* get_address_of_displaySubsystemInstance_0() { return &___displaySubsystemInstance_0; }
inline void set_displaySubsystemInstance_0(intptr_t value)
{
___displaySubsystemInstance_0 = value;
}
inline static int32_t get_offset_of_renderPassIndex_1() { return static_cast<int32_t>(offsetof(XRRenderPass_tCB4A9F3B07C2C59889BD3EE40F44E9347A2BC9BB, ___renderPassIndex_1)); }
inline int32_t get_renderPassIndex_1() const { return ___renderPassIndex_1; }
inline int32_t* get_address_of_renderPassIndex_1() { return &___renderPassIndex_1; }
inline void set_renderPassIndex_1(int32_t value)
{
___renderPassIndex_1 = value;
}
inline static int32_t get_offset_of_renderTarget_2() { return static_cast<int32_t>(offsetof(XRRenderPass_tCB4A9F3B07C2C59889BD3EE40F44E9347A2BC9BB, ___renderTarget_2)); }
inline RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13 get_renderTarget_2() const { return ___renderTarget_2; }
inline RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13 * get_address_of_renderTarget_2() { return &___renderTarget_2; }
inline void set_renderTarget_2(RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13 value)
{
___renderTarget_2 = value;
}
inline static int32_t get_offset_of_renderTargetDesc_3() { return static_cast<int32_t>(offsetof(XRRenderPass_tCB4A9F3B07C2C59889BD3EE40F44E9347A2BC9BB, ___renderTargetDesc_3)); }
inline RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47 get_renderTargetDesc_3() const { return ___renderTargetDesc_3; }
inline RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47 * get_address_of_renderTargetDesc_3() { return &___renderTargetDesc_3; }
inline void set_renderTargetDesc_3(RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47 value)
{
___renderTargetDesc_3 = value;
}
inline static int32_t get_offset_of_shouldFillOutDepth_4() { return static_cast<int32_t>(offsetof(XRRenderPass_tCB4A9F3B07C2C59889BD3EE40F44E9347A2BC9BB, ___shouldFillOutDepth_4)); }
inline bool get_shouldFillOutDepth_4() const { return ___shouldFillOutDepth_4; }
inline bool* get_address_of_shouldFillOutDepth_4() { return &___shouldFillOutDepth_4; }
inline void set_shouldFillOutDepth_4(bool value)
{
___shouldFillOutDepth_4 = value;
}
inline static int32_t get_offset_of_cullingPassIndex_5() { return static_cast<int32_t>(offsetof(XRRenderPass_tCB4A9F3B07C2C59889BD3EE40F44E9347A2BC9BB, ___cullingPassIndex_5)); }
inline int32_t get_cullingPassIndex_5() const { return ___cullingPassIndex_5; }
inline int32_t* get_address_of_cullingPassIndex_5() { return &___cullingPassIndex_5; }
inline void set_cullingPassIndex_5(int32_t value)
{
___cullingPassIndex_5 = value;
}
};
// Native definition for P/Invoke marshalling of UnityEngine.XR.XRDisplaySubsystem/XRRenderPass
struct XRRenderPass_tCB4A9F3B07C2C59889BD3EE40F44E9347A2BC9BB_marshaled_pinvoke
{
intptr_t ___displaySubsystemInstance_0;
int32_t ___renderPassIndex_1;
RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13 ___renderTarget_2;
RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47 ___renderTargetDesc_3;
int32_t ___shouldFillOutDepth_4;
int32_t ___cullingPassIndex_5;
};
// Native definition for COM marshalling of UnityEngine.XR.XRDisplaySubsystem/XRRenderPass
struct XRRenderPass_tCB4A9F3B07C2C59889BD3EE40F44E9347A2BC9BB_marshaled_com
{
intptr_t ___displaySubsystemInstance_0;
int32_t ___renderPassIndex_1;
RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13 ___renderTarget_2;
RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47 ___renderTargetDesc_3;
int32_t ___shouldFillOutDepth_4;
int32_t ___cullingPassIndex_5;
};
// System.Console/WindowsConsole/WindowsCancelHandler
struct WindowsCancelHandler_tFD0F0B721F93ACA04D9CD9340DA39075A8FF2ACF : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRCpuImage/Api/OnImageRequestCompleteDelegate
struct OnImageRequestCompleteDelegate_t118FB01E93241BFD5BCA5BEF2A6FD082ACAAB4DD : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.Localization.Tables.DetailedLocalizationTable`1<UnityEngine.Localization.Tables.AssetTableEntry>
struct DetailedLocalizationTable_1_tC6FDB854BE5B57B50D9059DECF5BE4B0F150EEB1 : public LocalizationTable_t663E5614B59380B6CE76CFF2FD8500C82CF8F707
{
public:
// System.Collections.Generic.Dictionary`2<System.Int64,TEntry> UnityEngine.Localization.Tables.DetailedLocalizationTable`1::m_TableEntries
Dictionary_2_tC321F72C54A0FEA9C34B9C620B25195B0A1B0877 * ___m_TableEntries_8;
public:
inline static int32_t get_offset_of_m_TableEntries_8() { return static_cast<int32_t>(offsetof(DetailedLocalizationTable_1_tC6FDB854BE5B57B50D9059DECF5BE4B0F150EEB1, ___m_TableEntries_8)); }
inline Dictionary_2_tC321F72C54A0FEA9C34B9C620B25195B0A1B0877 * get_m_TableEntries_8() const { return ___m_TableEntries_8; }
inline Dictionary_2_tC321F72C54A0FEA9C34B9C620B25195B0A1B0877 ** get_address_of_m_TableEntries_8() { return &___m_TableEntries_8; }
inline void set_m_TableEntries_8(Dictionary_2_tC321F72C54A0FEA9C34B9C620B25195B0A1B0877 * value)
{
___m_TableEntries_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TableEntries_8), (void*)value);
}
};
// UnityEngine.Localization.Tables.DetailedLocalizationTable`1<UnityEngine.Localization.Tables.StringTableEntry>
struct DetailedLocalizationTable_1_t0757449D3608C8D061CB36FAC7C1DAA9C7A60015 : public LocalizationTable_t663E5614B59380B6CE76CFF2FD8500C82CF8F707
{
public:
// System.Collections.Generic.Dictionary`2<System.Int64,TEntry> UnityEngine.Localization.Tables.DetailedLocalizationTable`1::m_TableEntries
Dictionary_2_t1367A4ABA0EDD6B59DBFD2377F6EE940A55072C5 * ___m_TableEntries_8;
public:
inline static int32_t get_offset_of_m_TableEntries_8() { return static_cast<int32_t>(offsetof(DetailedLocalizationTable_1_t0757449D3608C8D061CB36FAC7C1DAA9C7A60015, ___m_TableEntries_8)); }
inline Dictionary_2_t1367A4ABA0EDD6B59DBFD2377F6EE940A55072C5 * get_m_TableEntries_8() const { return ___m_TableEntries_8; }
inline Dictionary_2_t1367A4ABA0EDD6B59DBFD2377F6EE940A55072C5 ** get_address_of_m_TableEntries_8() { return &___m_TableEntries_8; }
inline void set_m_TableEntries_8(Dictionary_2_t1367A4ABA0EDD6B59DBFD2377F6EE940A55072C5 * value)
{
___m_TableEntries_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TableEntries_8), (void*)value);
}
};
// UnityEngine.Localization.LocalizedAsset`1<UnityEngine.AudioClip>
struct LocalizedAsset_1_t3899747B1B270D1FD33D42CC97CC38F846E5F907 : public LocalizedReference_tE4351868059E6AD279BD3FF03A163E130BFAE960
{
public:
// UnityEngine.Localization.LocalizedAsset`1/ChangeHandler<TObject> UnityEngine.Localization.LocalizedAsset`1::m_ChangeHandler
ChangeHandler_tC28F99B8730EA17FE7B81FE5C3E816DD3415D1B1 * ___m_ChangeHandler_4;
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<TObject>> UnityEngine.Localization.LocalizedAsset`1::m_CurrentLoadingOperation
Nullable_1_t43C1886FE6D8B1F3940DC09FA414BB8F952AE449 ___m_CurrentLoadingOperation_5;
public:
inline static int32_t get_offset_of_m_ChangeHandler_4() { return static_cast<int32_t>(offsetof(LocalizedAsset_1_t3899747B1B270D1FD33D42CC97CC38F846E5F907, ___m_ChangeHandler_4)); }
inline ChangeHandler_tC28F99B8730EA17FE7B81FE5C3E816DD3415D1B1 * get_m_ChangeHandler_4() const { return ___m_ChangeHandler_4; }
inline ChangeHandler_tC28F99B8730EA17FE7B81FE5C3E816DD3415D1B1 ** get_address_of_m_ChangeHandler_4() { return &___m_ChangeHandler_4; }
inline void set_m_ChangeHandler_4(ChangeHandler_tC28F99B8730EA17FE7B81FE5C3E816DD3415D1B1 * value)
{
___m_ChangeHandler_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ChangeHandler_4), (void*)value);
}
inline static int32_t get_offset_of_m_CurrentLoadingOperation_5() { return static_cast<int32_t>(offsetof(LocalizedAsset_1_t3899747B1B270D1FD33D42CC97CC38F846E5F907, ___m_CurrentLoadingOperation_5)); }
inline Nullable_1_t43C1886FE6D8B1F3940DC09FA414BB8F952AE449 get_m_CurrentLoadingOperation_5() const { return ___m_CurrentLoadingOperation_5; }
inline Nullable_1_t43C1886FE6D8B1F3940DC09FA414BB8F952AE449 * get_address_of_m_CurrentLoadingOperation_5() { return &___m_CurrentLoadingOperation_5; }
inline void set_m_CurrentLoadingOperation_5(Nullable_1_t43C1886FE6D8B1F3940DC09FA414BB8F952AE449 value)
{
___m_CurrentLoadingOperation_5 = value;
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_CurrentLoadingOperation_5))->___value_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_CurrentLoadingOperation_5))->___value_0))->___m_LocationName_2), (void*)NULL);
#endif
}
};
// UnityEngine.Localization.LocalizedAsset`1<UnityEngine.GameObject>
struct LocalizedAsset_1_tC86E7D49CD4BA9AD0A919E5189D33CF2A2D19F2C : public LocalizedReference_tE4351868059E6AD279BD3FF03A163E130BFAE960
{
public:
// UnityEngine.Localization.LocalizedAsset`1/ChangeHandler<TObject> UnityEngine.Localization.LocalizedAsset`1::m_ChangeHandler
ChangeHandler_t4C4CBFE9C3944212638563090BB1FCFFE98F949F * ___m_ChangeHandler_4;
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<TObject>> UnityEngine.Localization.LocalizedAsset`1::m_CurrentLoadingOperation
Nullable_1_tDAA7DDD7BAED2636E489331E582512C31661FF5D ___m_CurrentLoadingOperation_5;
public:
inline static int32_t get_offset_of_m_ChangeHandler_4() { return static_cast<int32_t>(offsetof(LocalizedAsset_1_tC86E7D49CD4BA9AD0A919E5189D33CF2A2D19F2C, ___m_ChangeHandler_4)); }
inline ChangeHandler_t4C4CBFE9C3944212638563090BB1FCFFE98F949F * get_m_ChangeHandler_4() const { return ___m_ChangeHandler_4; }
inline ChangeHandler_t4C4CBFE9C3944212638563090BB1FCFFE98F949F ** get_address_of_m_ChangeHandler_4() { return &___m_ChangeHandler_4; }
inline void set_m_ChangeHandler_4(ChangeHandler_t4C4CBFE9C3944212638563090BB1FCFFE98F949F * value)
{
___m_ChangeHandler_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ChangeHandler_4), (void*)value);
}
inline static int32_t get_offset_of_m_CurrentLoadingOperation_5() { return static_cast<int32_t>(offsetof(LocalizedAsset_1_tC86E7D49CD4BA9AD0A919E5189D33CF2A2D19F2C, ___m_CurrentLoadingOperation_5)); }
inline Nullable_1_tDAA7DDD7BAED2636E489331E582512C31661FF5D get_m_CurrentLoadingOperation_5() const { return ___m_CurrentLoadingOperation_5; }
inline Nullable_1_tDAA7DDD7BAED2636E489331E582512C31661FF5D * get_address_of_m_CurrentLoadingOperation_5() { return &___m_CurrentLoadingOperation_5; }
inline void set_m_CurrentLoadingOperation_5(Nullable_1_tDAA7DDD7BAED2636E489331E582512C31661FF5D value)
{
___m_CurrentLoadingOperation_5 = value;
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_CurrentLoadingOperation_5))->___value_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_CurrentLoadingOperation_5))->___value_0))->___m_LocationName_2), (void*)NULL);
#endif
}
};
// UnityEngine.Localization.LocalizedAsset`1<UnityEngine.Material>
struct LocalizedAsset_1_t82A24A54CEF4A699BEEBACC7DA91AC5BEA9E571A : public LocalizedReference_tE4351868059E6AD279BD3FF03A163E130BFAE960
{
public:
// UnityEngine.Localization.LocalizedAsset`1/ChangeHandler<TObject> UnityEngine.Localization.LocalizedAsset`1::m_ChangeHandler
ChangeHandler_tAE9DCA2BE40B85D9CC9B017BAE160908A8B8E41B * ___m_ChangeHandler_4;
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<TObject>> UnityEngine.Localization.LocalizedAsset`1::m_CurrentLoadingOperation
Nullable_1_t1DB9D338CC9601147BCF2E44B4B5C4BCD1B9E60F ___m_CurrentLoadingOperation_5;
public:
inline static int32_t get_offset_of_m_ChangeHandler_4() { return static_cast<int32_t>(offsetof(LocalizedAsset_1_t82A24A54CEF4A699BEEBACC7DA91AC5BEA9E571A, ___m_ChangeHandler_4)); }
inline ChangeHandler_tAE9DCA2BE40B85D9CC9B017BAE160908A8B8E41B * get_m_ChangeHandler_4() const { return ___m_ChangeHandler_4; }
inline ChangeHandler_tAE9DCA2BE40B85D9CC9B017BAE160908A8B8E41B ** get_address_of_m_ChangeHandler_4() { return &___m_ChangeHandler_4; }
inline void set_m_ChangeHandler_4(ChangeHandler_tAE9DCA2BE40B85D9CC9B017BAE160908A8B8E41B * value)
{
___m_ChangeHandler_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ChangeHandler_4), (void*)value);
}
inline static int32_t get_offset_of_m_CurrentLoadingOperation_5() { return static_cast<int32_t>(offsetof(LocalizedAsset_1_t82A24A54CEF4A699BEEBACC7DA91AC5BEA9E571A, ___m_CurrentLoadingOperation_5)); }
inline Nullable_1_t1DB9D338CC9601147BCF2E44B4B5C4BCD1B9E60F get_m_CurrentLoadingOperation_5() const { return ___m_CurrentLoadingOperation_5; }
inline Nullable_1_t1DB9D338CC9601147BCF2E44B4B5C4BCD1B9E60F * get_address_of_m_CurrentLoadingOperation_5() { return &___m_CurrentLoadingOperation_5; }
inline void set_m_CurrentLoadingOperation_5(Nullable_1_t1DB9D338CC9601147BCF2E44B4B5C4BCD1B9E60F value)
{
___m_CurrentLoadingOperation_5 = value;
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_CurrentLoadingOperation_5))->___value_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_CurrentLoadingOperation_5))->___value_0))->___m_LocationName_2), (void*)NULL);
#endif
}
};
// UnityEngine.Localization.LocalizedAsset`1<UnityEngine.Sprite>
struct LocalizedAsset_1_tBCE06AA4CEA5423222ED975C7D3EAC54F37EDF61 : public LocalizedReference_tE4351868059E6AD279BD3FF03A163E130BFAE960
{
public:
// UnityEngine.Localization.LocalizedAsset`1/ChangeHandler<TObject> UnityEngine.Localization.LocalizedAsset`1::m_ChangeHandler
ChangeHandler_tD879076EC8C763FFAC7E8AE1C8AADB472B08E5E7 * ___m_ChangeHandler_4;
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<TObject>> UnityEngine.Localization.LocalizedAsset`1::m_CurrentLoadingOperation
Nullable_1_t890713A9EC88AE1516DA14B112AE9E1D5E8EA77C ___m_CurrentLoadingOperation_5;
public:
inline static int32_t get_offset_of_m_ChangeHandler_4() { return static_cast<int32_t>(offsetof(LocalizedAsset_1_tBCE06AA4CEA5423222ED975C7D3EAC54F37EDF61, ___m_ChangeHandler_4)); }
inline ChangeHandler_tD879076EC8C763FFAC7E8AE1C8AADB472B08E5E7 * get_m_ChangeHandler_4() const { return ___m_ChangeHandler_4; }
inline ChangeHandler_tD879076EC8C763FFAC7E8AE1C8AADB472B08E5E7 ** get_address_of_m_ChangeHandler_4() { return &___m_ChangeHandler_4; }
inline void set_m_ChangeHandler_4(ChangeHandler_tD879076EC8C763FFAC7E8AE1C8AADB472B08E5E7 * value)
{
___m_ChangeHandler_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ChangeHandler_4), (void*)value);
}
inline static int32_t get_offset_of_m_CurrentLoadingOperation_5() { return static_cast<int32_t>(offsetof(LocalizedAsset_1_tBCE06AA4CEA5423222ED975C7D3EAC54F37EDF61, ___m_CurrentLoadingOperation_5)); }
inline Nullable_1_t890713A9EC88AE1516DA14B112AE9E1D5E8EA77C get_m_CurrentLoadingOperation_5() const { return ___m_CurrentLoadingOperation_5; }
inline Nullable_1_t890713A9EC88AE1516DA14B112AE9E1D5E8EA77C * get_address_of_m_CurrentLoadingOperation_5() { return &___m_CurrentLoadingOperation_5; }
inline void set_m_CurrentLoadingOperation_5(Nullable_1_t890713A9EC88AE1516DA14B112AE9E1D5E8EA77C value)
{
___m_CurrentLoadingOperation_5 = value;
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_CurrentLoadingOperation_5))->___value_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_CurrentLoadingOperation_5))->___value_0))->___m_LocationName_2), (void*)NULL);
#endif
}
};
// UnityEngine.Localization.LocalizedAsset`1<UnityEngine.Texture>
struct LocalizedAsset_1_tFF3D6D7D795112F735BFDDD5A73B070961E3FCF4 : public LocalizedReference_tE4351868059E6AD279BD3FF03A163E130BFAE960
{
public:
// UnityEngine.Localization.LocalizedAsset`1/ChangeHandler<TObject> UnityEngine.Localization.LocalizedAsset`1::m_ChangeHandler
ChangeHandler_t9CC081E83DF8F1C130D4B3F99F93C884A0CEF454 * ___m_ChangeHandler_4;
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<TObject>> UnityEngine.Localization.LocalizedAsset`1::m_CurrentLoadingOperation
Nullable_1_t3B0A37C0BA633700D25AA192687DB3DCB38A3804 ___m_CurrentLoadingOperation_5;
public:
inline static int32_t get_offset_of_m_ChangeHandler_4() { return static_cast<int32_t>(offsetof(LocalizedAsset_1_tFF3D6D7D795112F735BFDDD5A73B070961E3FCF4, ___m_ChangeHandler_4)); }
inline ChangeHandler_t9CC081E83DF8F1C130D4B3F99F93C884A0CEF454 * get_m_ChangeHandler_4() const { return ___m_ChangeHandler_4; }
inline ChangeHandler_t9CC081E83DF8F1C130D4B3F99F93C884A0CEF454 ** get_address_of_m_ChangeHandler_4() { return &___m_ChangeHandler_4; }
inline void set_m_ChangeHandler_4(ChangeHandler_t9CC081E83DF8F1C130D4B3F99F93C884A0CEF454 * value)
{
___m_ChangeHandler_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ChangeHandler_4), (void*)value);
}
inline static int32_t get_offset_of_m_CurrentLoadingOperation_5() { return static_cast<int32_t>(offsetof(LocalizedAsset_1_tFF3D6D7D795112F735BFDDD5A73B070961E3FCF4, ___m_CurrentLoadingOperation_5)); }
inline Nullable_1_t3B0A37C0BA633700D25AA192687DB3DCB38A3804 get_m_CurrentLoadingOperation_5() const { return ___m_CurrentLoadingOperation_5; }
inline Nullable_1_t3B0A37C0BA633700D25AA192687DB3DCB38A3804 * get_address_of_m_CurrentLoadingOperation_5() { return &___m_CurrentLoadingOperation_5; }
inline void set_m_CurrentLoadingOperation_5(Nullable_1_t3B0A37C0BA633700D25AA192687DB3DCB38A3804 value)
{
___m_CurrentLoadingOperation_5 = value;
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_CurrentLoadingOperation_5))->___value_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_CurrentLoadingOperation_5))->___value_0))->___m_LocationName_2), (void*)NULL);
#endif
}
};
// System.Nullable`1<UnityEngine.XR.ARSubsystems.Configuration>
struct Nullable_1_t0FF36C2ABCA6430FFCD4ED32922F18F36382E494
{
public:
// T System.Nullable`1::value
Configuration_t29C11C7E576D64F717543048BDA1EBCEF0CF60C0 ___value_0;
// System.Boolean System.Nullable`1::has_value
bool ___has_value_1;
public:
inline static int32_t get_offset_of_value_0() { return static_cast<int32_t>(offsetof(Nullable_1_t0FF36C2ABCA6430FFCD4ED32922F18F36382E494, ___value_0)); }
inline Configuration_t29C11C7E576D64F717543048BDA1EBCEF0CF60C0 get_value_0() const { return ___value_0; }
inline Configuration_t29C11C7E576D64F717543048BDA1EBCEF0CF60C0 * get_address_of_value_0() { return &___value_0; }
inline void set_value_0(Configuration_t29C11C7E576D64F717543048BDA1EBCEF0CF60C0 value)
{
___value_0 = value;
}
inline static int32_t get_offset_of_has_value_1() { return static_cast<int32_t>(offsetof(Nullable_1_t0FF36C2ABCA6430FFCD4ED32922F18F36382E494, ___has_value_1)); }
inline bool get_has_value_1() const { return ___has_value_1; }
inline bool* get_address_of_has_value_1() { return &___has_value_1; }
inline void set_has_value_1(bool value)
{
___has_value_1 = value;
}
};
// TMPro.TMP_TextProcessingStack`1<TMPro.WordWrapState>
struct TMP_TextProcessingStack_1_t09C36897DBFF463BB173E0ED3612A8D49A8EE2D7
{
public:
// T[] TMPro.TMP_TextProcessingStack`1::itemStack
WordWrapStateU5BU5D_t4B20066E10D8FF621FB20C05F21B22167C90F548* ___itemStack_0;
// System.Int32 TMPro.TMP_TextProcessingStack`1::index
int32_t ___index_1;
// T TMPro.TMP_TextProcessingStack`1::m_DefaultItem
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 ___m_DefaultItem_2;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_Capacity
int32_t ___m_Capacity_3;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_RolloverSize
int32_t ___m_RolloverSize_4;
// System.Int32 TMPro.TMP_TextProcessingStack`1::m_Count
int32_t ___m_Count_5;
public:
inline static int32_t get_offset_of_itemStack_0() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t09C36897DBFF463BB173E0ED3612A8D49A8EE2D7, ___itemStack_0)); }
inline WordWrapStateU5BU5D_t4B20066E10D8FF621FB20C05F21B22167C90F548* get_itemStack_0() const { return ___itemStack_0; }
inline WordWrapStateU5BU5D_t4B20066E10D8FF621FB20C05F21B22167C90F548** get_address_of_itemStack_0() { return &___itemStack_0; }
inline void set_itemStack_0(WordWrapStateU5BU5D_t4B20066E10D8FF621FB20C05F21B22167C90F548* value)
{
___itemStack_0 = value;
Il2CppCodeGenWriteBarrier((void**)(&___itemStack_0), (void*)value);
}
inline static int32_t get_offset_of_index_1() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t09C36897DBFF463BB173E0ED3612A8D49A8EE2D7, ___index_1)); }
inline int32_t get_index_1() const { return ___index_1; }
inline int32_t* get_address_of_index_1() { return &___index_1; }
inline void set_index_1(int32_t value)
{
___index_1 = value;
}
inline static int32_t get_offset_of_m_DefaultItem_2() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t09C36897DBFF463BB173E0ED3612A8D49A8EE2D7, ___m_DefaultItem_2)); }
inline WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 get_m_DefaultItem_2() const { return ___m_DefaultItem_2; }
inline WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 * get_address_of_m_DefaultItem_2() { return &___m_DefaultItem_2; }
inline void set_m_DefaultItem_2(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 value)
{
___m_DefaultItem_2 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_DefaultItem_2))->___textInfo_35), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_DefaultItem_2))->___italicAngleStack_42))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_DefaultItem_2))->___colorStack_43))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_DefaultItem_2))->___underlineColorStack_44))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_DefaultItem_2))->___strikethroughColorStack_45))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_DefaultItem_2))->___highlightColorStack_46))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_DefaultItem_2))->___highlightStateStack_47))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_DefaultItem_2))->___colorGradientStack_48))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_DefaultItem_2))->___colorGradientStack_48))->___m_DefaultItem_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_DefaultItem_2))->___sizeStack_49))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_DefaultItem_2))->___indentStack_50))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_DefaultItem_2))->___fontWeightStack_51))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_DefaultItem_2))->___styleStack_52))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_DefaultItem_2))->___baselineStack_53))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_DefaultItem_2))->___actionStack_54))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_DefaultItem_2))->___materialReferenceStack_55))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_DefaultItem_2))->___materialReferenceStack_55))->___m_DefaultItem_2))->___fontAsset_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_DefaultItem_2))->___materialReferenceStack_55))->___m_DefaultItem_2))->___spriteAsset_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_DefaultItem_2))->___materialReferenceStack_55))->___m_DefaultItem_2))->___material_3), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_DefaultItem_2))->___materialReferenceStack_55))->___m_DefaultItem_2))->___fallbackMaterial_6), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_DefaultItem_2))->___lineJustificationStack_56))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_DefaultItem_2))->___currentFontAsset_58), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_DefaultItem_2))->___currentSpriteAsset_59), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_DefaultItem_2))->___currentMaterial_60), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_Capacity_3() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t09C36897DBFF463BB173E0ED3612A8D49A8EE2D7, ___m_Capacity_3)); }
inline int32_t get_m_Capacity_3() const { return ___m_Capacity_3; }
inline int32_t* get_address_of_m_Capacity_3() { return &___m_Capacity_3; }
inline void set_m_Capacity_3(int32_t value)
{
___m_Capacity_3 = value;
}
inline static int32_t get_offset_of_m_RolloverSize_4() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t09C36897DBFF463BB173E0ED3612A8D49A8EE2D7, ___m_RolloverSize_4)); }
inline int32_t get_m_RolloverSize_4() const { return ___m_RolloverSize_4; }
inline int32_t* get_address_of_m_RolloverSize_4() { return &___m_RolloverSize_4; }
inline void set_m_RolloverSize_4(int32_t value)
{
___m_RolloverSize_4 = value;
}
inline static int32_t get_offset_of_m_Count_5() { return static_cast<int32_t>(offsetof(TMP_TextProcessingStack_1_t09C36897DBFF463BB173E0ED3612A8D49A8EE2D7, ___m_Count_5)); }
inline int32_t get_m_Count_5() const { return ___m_Count_5; }
inline int32_t* get_address_of_m_Count_5() { return &___m_Count_5; }
inline void set_m_Count_5(int32_t value)
{
___m_Count_5 = value;
}
};
// UnityEngine.Animator
struct Animator_t9DD1D43680A61D65A3C98C6EFF559709DC9CE149 : public Behaviour_t1A3DDDCF73B4627928FBFE02ED52B7251777DBD9
{
public:
public:
};
// System.ArgumentNullException
struct ArgumentNullException_tFB5C4621957BC53A7D1B4FDD5C38B4D6E15DB8FB : public ArgumentException_t505FA8C11E883F2D96C797AD9D396490794DEE00
{
public:
public:
};
// System.ArgumentOutOfRangeException
struct ArgumentOutOfRangeException_tFAF23713820951D4A09ABBFE5CC091E445A6F3D8 : public ArgumentException_t505FA8C11E883F2D96C797AD9D396490794DEE00
{
public:
// System.Object System.ArgumentOutOfRangeException::m_actualValue
RuntimeObject * ___m_actualValue_19;
public:
inline static int32_t get_offset_of_m_actualValue_19() { return static_cast<int32_t>(offsetof(ArgumentOutOfRangeException_tFAF23713820951D4A09ABBFE5CC091E445A6F3D8, ___m_actualValue_19)); }
inline RuntimeObject * get_m_actualValue_19() const { return ___m_actualValue_19; }
inline RuntimeObject ** get_address_of_m_actualValue_19() { return &___m_actualValue_19; }
inline void set_m_actualValue_19(RuntimeObject * value)
{
___m_actualValue_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_actualValue_19), (void*)value);
}
};
struct ArgumentOutOfRangeException_tFAF23713820951D4A09ABBFE5CC091E445A6F3D8_StaticFields
{
public:
// System.String modreq(System.Runtime.CompilerServices.IsVolatile) System.ArgumentOutOfRangeException::_rangeMessage
String_t* ____rangeMessage_18;
public:
inline static int32_t get_offset_of__rangeMessage_18() { return static_cast<int32_t>(offsetof(ArgumentOutOfRangeException_tFAF23713820951D4A09ABBFE5CC091E445A6F3D8_StaticFields, ____rangeMessage_18)); }
inline String_t* get__rangeMessage_18() const { return ____rangeMessage_18; }
inline String_t** get_address_of__rangeMessage_18() { return &____rangeMessage_18; }
inline void set__rangeMessage_18(String_t* value)
{
____rangeMessage_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&____rangeMessage_18), (void*)value);
}
};
// UnityEngine.AudioBehaviour
struct AudioBehaviour_tB44966D47AD43C50C7294AEE9B57574E55AACA4A : public Behaviour_t1A3DDDCF73B4627928FBFE02ED52B7251777DBD9
{
public:
public:
};
// UnityEngine.BoxCollider
struct BoxCollider_tA530691AC1A3C9FE6428F68F98588FCB1BF9AAA5 : public Collider_t5E81E43C2ECA0209A7C4528E84A632712D192B02
{
public:
public:
};
// System.Runtime.InteropServices.COMException
struct COMException_t85EBB13764071A376ECA5BE9675860DAE79C768C : public ExternalException_tC18275DD0AEB2CDF9F85D94670C5A49A4DC3B783
{
public:
public:
};
// UnityEngine.Camera
struct Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C : public Behaviour_t1A3DDDCF73B4627928FBFE02ED52B7251777DBD9
{
public:
public:
};
struct Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C_StaticFields
{
public:
// UnityEngine.Camera/CameraCallback UnityEngine.Camera::onPreCull
CameraCallback_tD9E7B69E561CE2EFDEEDB0E7F1406AC52247160D * ___onPreCull_4;
// UnityEngine.Camera/CameraCallback UnityEngine.Camera::onPreRender
CameraCallback_tD9E7B69E561CE2EFDEEDB0E7F1406AC52247160D * ___onPreRender_5;
// UnityEngine.Camera/CameraCallback UnityEngine.Camera::onPostRender
CameraCallback_tD9E7B69E561CE2EFDEEDB0E7F1406AC52247160D * ___onPostRender_6;
public:
inline static int32_t get_offset_of_onPreCull_4() { return static_cast<int32_t>(offsetof(Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C_StaticFields, ___onPreCull_4)); }
inline CameraCallback_tD9E7B69E561CE2EFDEEDB0E7F1406AC52247160D * get_onPreCull_4() const { return ___onPreCull_4; }
inline CameraCallback_tD9E7B69E561CE2EFDEEDB0E7F1406AC52247160D ** get_address_of_onPreCull_4() { return &___onPreCull_4; }
inline void set_onPreCull_4(CameraCallback_tD9E7B69E561CE2EFDEEDB0E7F1406AC52247160D * value)
{
___onPreCull_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___onPreCull_4), (void*)value);
}
inline static int32_t get_offset_of_onPreRender_5() { return static_cast<int32_t>(offsetof(Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C_StaticFields, ___onPreRender_5)); }
inline CameraCallback_tD9E7B69E561CE2EFDEEDB0E7F1406AC52247160D * get_onPreRender_5() const { return ___onPreRender_5; }
inline CameraCallback_tD9E7B69E561CE2EFDEEDB0E7F1406AC52247160D ** get_address_of_onPreRender_5() { return &___onPreRender_5; }
inline void set_onPreRender_5(CameraCallback_tD9E7B69E561CE2EFDEEDB0E7F1406AC52247160D * value)
{
___onPreRender_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___onPreRender_5), (void*)value);
}
inline static int32_t get_offset_of_onPostRender_6() { return static_cast<int32_t>(offsetof(Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C_StaticFields, ___onPostRender_6)); }
inline CameraCallback_tD9E7B69E561CE2EFDEEDB0E7F1406AC52247160D * get_onPostRender_6() const { return ___onPostRender_6; }
inline CameraCallback_tD9E7B69E561CE2EFDEEDB0E7F1406AC52247160D ** get_address_of_onPostRender_6() { return &___onPostRender_6; }
inline void set_onPostRender_6(CameraCallback_tD9E7B69E561CE2EFDEEDB0E7F1406AC52247160D * value)
{
___onPostRender_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___onPostRender_6), (void*)value);
}
};
// UnityEngine.Canvas
struct Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA : public Behaviour_t1A3DDDCF73B4627928FBFE02ED52B7251777DBD9
{
public:
public:
};
struct Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA_StaticFields
{
public:
// UnityEngine.Canvas/WillRenderCanvases UnityEngine.Canvas::preWillRenderCanvases
WillRenderCanvases_t459621B4F3FA2571DE0ED6B4DEF0752F2E9EE958 * ___preWillRenderCanvases_4;
// UnityEngine.Canvas/WillRenderCanvases UnityEngine.Canvas::willRenderCanvases
WillRenderCanvases_t459621B4F3FA2571DE0ED6B4DEF0752F2E9EE958 * ___willRenderCanvases_5;
public:
inline static int32_t get_offset_of_preWillRenderCanvases_4() { return static_cast<int32_t>(offsetof(Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA_StaticFields, ___preWillRenderCanvases_4)); }
inline WillRenderCanvases_t459621B4F3FA2571DE0ED6B4DEF0752F2E9EE958 * get_preWillRenderCanvases_4() const { return ___preWillRenderCanvases_4; }
inline WillRenderCanvases_t459621B4F3FA2571DE0ED6B4DEF0752F2E9EE958 ** get_address_of_preWillRenderCanvases_4() { return &___preWillRenderCanvases_4; }
inline void set_preWillRenderCanvases_4(WillRenderCanvases_t459621B4F3FA2571DE0ED6B4DEF0752F2E9EE958 * value)
{
___preWillRenderCanvases_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___preWillRenderCanvases_4), (void*)value);
}
inline static int32_t get_offset_of_willRenderCanvases_5() { return static_cast<int32_t>(offsetof(Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA_StaticFields, ___willRenderCanvases_5)); }
inline WillRenderCanvases_t459621B4F3FA2571DE0ED6B4DEF0752F2E9EE958 * get_willRenderCanvases_5() const { return ___willRenderCanvases_5; }
inline WillRenderCanvases_t459621B4F3FA2571DE0ED6B4DEF0752F2E9EE958 ** get_address_of_willRenderCanvases_5() { return &___willRenderCanvases_5; }
inline void set_willRenderCanvases_5(WillRenderCanvases_t459621B4F3FA2571DE0ED6B4DEF0752F2E9EE958 * value)
{
___willRenderCanvases_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___willRenderCanvases_5), (void*)value);
}
};
// UnityEngine.CanvasGroup
struct CanvasGroup_t6912220105AB4A288A2FD882D163D7218EAA577F : public Behaviour_t1A3DDDCF73B4627928FBFE02ED52B7251777DBD9
{
public:
public:
};
// UnityEngine.CapsuleCollider
struct CapsuleCollider_t89745329298279F4827FE29C54CC2F8A28654635 : public Collider_t5E81E43C2ECA0209A7C4528E84A632712D192B02
{
public:
public:
};
// UnityEngine.CharacterController
struct CharacterController_tCCF68621C784CCB3391E0C66FE134F6F93DD6C2E : public Collider_t5E81E43C2ECA0209A7C4528E84A632712D192B02
{
public:
public:
};
// UnityEngine.Collider2D
struct Collider2D_tDDBF081328B83D21D0BA3B5036D77B32528BA722 : public Behaviour_t1A3DDDCF73B4627928FBFE02ED52B7251777DBD9
{
public:
public:
};
// System.Security.Cryptography.CryptographicUnexpectedOperationException
struct CryptographicUnexpectedOperationException_t1289958177EFEE0510EB526CD45F0E927C4293F5 : public CryptographicException_tFFE56EF733D1150A0F3738DDE2CC4DE1A61849D5
{
public:
public:
};
// System.Globalization.CultureNotFoundException
struct CultureNotFoundException_tF7A5916D7F7C5CC3780AF5C14DE18006B4DD161C : public ArgumentException_t505FA8C11E883F2D96C797AD9D396490794DEE00
{
public:
// System.String System.Globalization.CultureNotFoundException::m_invalidCultureName
String_t* ___m_invalidCultureName_18;
// System.Nullable`1<System.Int32> System.Globalization.CultureNotFoundException::m_invalidCultureId
Nullable_1_t864FD0051A05D37F91C857AB496BFCB3FE756103 ___m_invalidCultureId_19;
public:
inline static int32_t get_offset_of_m_invalidCultureName_18() { return static_cast<int32_t>(offsetof(CultureNotFoundException_tF7A5916D7F7C5CC3780AF5C14DE18006B4DD161C, ___m_invalidCultureName_18)); }
inline String_t* get_m_invalidCultureName_18() const { return ___m_invalidCultureName_18; }
inline String_t** get_address_of_m_invalidCultureName_18() { return &___m_invalidCultureName_18; }
inline void set_m_invalidCultureName_18(String_t* value)
{
___m_invalidCultureName_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_invalidCultureName_18), (void*)value);
}
inline static int32_t get_offset_of_m_invalidCultureId_19() { return static_cast<int32_t>(offsetof(CultureNotFoundException_tF7A5916D7F7C5CC3780AF5C14DE18006B4DD161C, ___m_invalidCultureId_19)); }
inline Nullable_1_t864FD0051A05D37F91C857AB496BFCB3FE756103 get_m_invalidCultureId_19() const { return ___m_invalidCultureId_19; }
inline Nullable_1_t864FD0051A05D37F91C857AB496BFCB3FE756103 * get_address_of_m_invalidCultureId_19() { return &___m_invalidCultureId_19; }
inline void set_m_invalidCultureId_19(Nullable_1_t864FD0051A05D37F91C857AB496BFCB3FE756103 value)
{
___m_invalidCultureId_19 = value;
}
};
// System.Reflection.CustomAttributeFormatException
struct CustomAttributeFormatException_t16E1DE57A580E900BEC449F6A8274949F610C095 : public FormatException_t119BB207B54B4B1BC28D9B1783C4625AE23D4759
{
public:
public:
};
// UnityEngine.CustomRenderTexture
struct CustomRenderTexture_tA015D655D4A2C76949A5C979403E5594F52DBFAC : public RenderTexture_t5FE7A5B47EF962A0E8D7BEBA05E9FC87D49A1849
{
public:
public:
};
// System.Text.DecoderFallbackException
struct DecoderFallbackException_t05B842E06AEA23EA108BAB05F0B96A77BCCD97DB : public ArgumentException_t505FA8C11E883F2D96C797AD9D396490794DEE00
{
public:
// System.Byte[] System.Text.DecoderFallbackException::bytesUnknown
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___bytesUnknown_18;
// System.Int32 System.Text.DecoderFallbackException::index
int32_t ___index_19;
public:
inline static int32_t get_offset_of_bytesUnknown_18() { return static_cast<int32_t>(offsetof(DecoderFallbackException_t05B842E06AEA23EA108BAB05F0B96A77BCCD97DB, ___bytesUnknown_18)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_bytesUnknown_18() const { return ___bytesUnknown_18; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_bytesUnknown_18() { return &___bytesUnknown_18; }
inline void set_bytesUnknown_18(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___bytesUnknown_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___bytesUnknown_18), (void*)value);
}
inline static int32_t get_offset_of_index_19() { return static_cast<int32_t>(offsetof(DecoderFallbackException_t05B842E06AEA23EA108BAB05F0B96A77BCCD97DB, ___index_19)); }
inline int32_t get_index_19() const { return ___index_19; }
inline int32_t* get_address_of_index_19() { return &___index_19; }
inline void set_index_19(int32_t value)
{
___index_19 = value;
}
};
// System.IO.DirectoryInfo
struct DirectoryInfo_t4EF3610F45F0D234800D01ADA8F3F476AE0CF5CD : public FileSystemInfo_t4479D65BB34DEAFCDA2A98F8B797D7C19EFDA246
{
public:
// System.String System.IO.DirectoryInfo::current
String_t* ___current_6;
// System.String System.IO.DirectoryInfo::parent
String_t* ___parent_7;
public:
inline static int32_t get_offset_of_current_6() { return static_cast<int32_t>(offsetof(DirectoryInfo_t4EF3610F45F0D234800D01ADA8F3F476AE0CF5CD, ___current_6)); }
inline String_t* get_current_6() const { return ___current_6; }
inline String_t** get_address_of_current_6() { return &___current_6; }
inline void set_current_6(String_t* value)
{
___current_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___current_6), (void*)value);
}
inline static int32_t get_offset_of_parent_7() { return static_cast<int32_t>(offsetof(DirectoryInfo_t4EF3610F45F0D234800D01ADA8F3F476AE0CF5CD, ___parent_7)); }
inline String_t* get_parent_7() const { return ___parent_7; }
inline String_t** get_address_of_parent_7() { return &___parent_7; }
inline void set_parent_7(String_t* value)
{
___parent_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___parent_7), (void*)value);
}
};
// System.IO.DirectoryNotFoundException
struct DirectoryNotFoundException_t93058944B1CA95F00EB4DE3BB70202CEB99CE07B : public IOException_t09E5C01DA4748C36D703728C4668C5CDF3882EBA
{
public:
public:
};
// System.DivideByZeroException
struct DivideByZeroException_tEAEB89F460AFC9F565DBB5CEDDF8BDF1888879E3 : public ArithmeticException_t8E5F44FABC7FAE0966CBA6DE9BFD545F2660ED47
{
public:
public:
};
// System.DllNotFoundException
struct DllNotFoundException_tD2224C1993151B8CCF9938FD62649816CF977596 : public TypeLoadException_t57F05DC978AA8B70B0CE1AB2EF99D7F97FE428E7
{
public:
public:
};
// System.IO.DriveNotFoundException
struct DriveNotFoundException_tAF30F7567FBD1CACEADAE08CE6ED87F44C83C0B6 : public IOException_t09E5C01DA4748C36D703728C4668C5CDF3882EBA
{
public:
public:
};
// System.Text.EncoderFallbackException
struct EncoderFallbackException_tB7D7CA748E82780F0427A7D4B2525185CD72A202 : public ArgumentException_t505FA8C11E883F2D96C797AD9D396490794DEE00
{
public:
// System.Char System.Text.EncoderFallbackException::charUnknown
Il2CppChar ___charUnknown_18;
// System.Char System.Text.EncoderFallbackException::charUnknownHigh
Il2CppChar ___charUnknownHigh_19;
// System.Char System.Text.EncoderFallbackException::charUnknownLow
Il2CppChar ___charUnknownLow_20;
// System.Int32 System.Text.EncoderFallbackException::index
int32_t ___index_21;
public:
inline static int32_t get_offset_of_charUnknown_18() { return static_cast<int32_t>(offsetof(EncoderFallbackException_tB7D7CA748E82780F0427A7D4B2525185CD72A202, ___charUnknown_18)); }
inline Il2CppChar get_charUnknown_18() const { return ___charUnknown_18; }
inline Il2CppChar* get_address_of_charUnknown_18() { return &___charUnknown_18; }
inline void set_charUnknown_18(Il2CppChar value)
{
___charUnknown_18 = value;
}
inline static int32_t get_offset_of_charUnknownHigh_19() { return static_cast<int32_t>(offsetof(EncoderFallbackException_tB7D7CA748E82780F0427A7D4B2525185CD72A202, ___charUnknownHigh_19)); }
inline Il2CppChar get_charUnknownHigh_19() const { return ___charUnknownHigh_19; }
inline Il2CppChar* get_address_of_charUnknownHigh_19() { return &___charUnknownHigh_19; }
inline void set_charUnknownHigh_19(Il2CppChar value)
{
___charUnknownHigh_19 = value;
}
inline static int32_t get_offset_of_charUnknownLow_20() { return static_cast<int32_t>(offsetof(EncoderFallbackException_tB7D7CA748E82780F0427A7D4B2525185CD72A202, ___charUnknownLow_20)); }
inline Il2CppChar get_charUnknownLow_20() const { return ___charUnknownLow_20; }
inline Il2CppChar* get_address_of_charUnknownLow_20() { return &___charUnknownLow_20; }
inline void set_charUnknownLow_20(Il2CppChar value)
{
___charUnknownLow_20 = value;
}
inline static int32_t get_offset_of_index_21() { return static_cast<int32_t>(offsetof(EncoderFallbackException_tB7D7CA748E82780F0427A7D4B2525185CD72A202, ___index_21)); }
inline int32_t get_index_21() const { return ___index_21; }
inline int32_t* get_address_of_index_21() { return &___index_21; }
inline void set_index_21(int32_t value)
{
___index_21 = value;
}
};
// System.IO.EndOfStreamException
struct EndOfStreamException_tDA8337E29A941EFB3E26721033B1826C1ACB0059 : public IOException_t09E5C01DA4748C36D703728C4668C5CDF3882EBA
{
public:
public:
};
// System.EntryPointNotFoundException
struct EntryPointNotFoundException_tD0666CDCBD81C969BAAC14899569BFED2E05F9DC : public TypeLoadException_t57F05DC978AA8B70B0CE1AB2EF99D7F97FE428E7
{
public:
public:
};
// System.Reflection.Emit.EnumBuilder
struct EnumBuilder_t7AF6828912E84E9BAC934B3EF5A7D2505D6F5CCB : public TypeInfo_tFFBAC0D7187BFD2D25CC801679BC9645020EC04F
{
public:
public:
};
// System.FieldAccessException
struct FieldAccessException_t88FFE38715CE4D411C1174EBBD26BC4BC583AD1D : public MemberAccessException_tD623E47056C7D98D56B63B4B954D4E5E128A30FC
{
public:
public:
};
// System.IO.FileLoadException
struct FileLoadException_tBC0C288BF22D1EC6368CA47EDC597624C7A804CC : public IOException_t09E5C01DA4748C36D703728C4668C5CDF3882EBA
{
public:
// System.String System.IO.FileLoadException::_fileName
String_t* ____fileName_18;
// System.String System.IO.FileLoadException::_fusionLog
String_t* ____fusionLog_19;
public:
inline static int32_t get_offset_of__fileName_18() { return static_cast<int32_t>(offsetof(FileLoadException_tBC0C288BF22D1EC6368CA47EDC597624C7A804CC, ____fileName_18)); }
inline String_t* get__fileName_18() const { return ____fileName_18; }
inline String_t** get_address_of__fileName_18() { return &____fileName_18; }
inline void set__fileName_18(String_t* value)
{
____fileName_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&____fileName_18), (void*)value);
}
inline static int32_t get_offset_of__fusionLog_19() { return static_cast<int32_t>(offsetof(FileLoadException_tBC0C288BF22D1EC6368CA47EDC597624C7A804CC, ____fusionLog_19)); }
inline String_t* get__fusionLog_19() const { return ____fusionLog_19; }
inline String_t** get_address_of__fusionLog_19() { return &____fusionLog_19; }
inline void set__fusionLog_19(String_t* value)
{
____fusionLog_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&____fusionLog_19), (void*)value);
}
};
// System.IO.FileNotFoundException
struct FileNotFoundException_tD3939F67D0DF6571BFEDB3656CF7A4EB5AC65AC8 : public IOException_t09E5C01DA4748C36D703728C4668C5CDF3882EBA
{
public:
// System.String System.IO.FileNotFoundException::_fileName
String_t* ____fileName_18;
// System.String System.IO.FileNotFoundException::_fusionLog
String_t* ____fusionLog_19;
public:
inline static int32_t get_offset_of__fileName_18() { return static_cast<int32_t>(offsetof(FileNotFoundException_tD3939F67D0DF6571BFEDB3656CF7A4EB5AC65AC8, ____fileName_18)); }
inline String_t* get__fileName_18() const { return ____fileName_18; }
inline String_t** get_address_of__fileName_18() { return &____fileName_18; }
inline void set__fileName_18(String_t* value)
{
____fileName_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&____fileName_18), (void*)value);
}
inline static int32_t get_offset_of__fusionLog_19() { return static_cast<int32_t>(offsetof(FileNotFoundException_tD3939F67D0DF6571BFEDB3656CF7A4EB5AC65AC8, ____fusionLog_19)); }
inline String_t* get__fusionLog_19() const { return ____fusionLog_19; }
inline String_t** get_address_of__fusionLog_19() { return &____fusionLog_19; }
inline void set__fusionLog_19(String_t* value)
{
____fusionLog_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&____fusionLog_19), (void*)value);
}
};
// System.Reflection.Emit.GenericTypeParameterBuilder
struct GenericTypeParameterBuilder_t73E72A436B6B39B503BDC7C23CDDE08E09781C38 : public TypeInfo_tFFBAC0D7187BFD2D25CC801679BC9645020EC04F
{
public:
public:
};
// UnityEngine.Localization.GetLocalizedStringOperation
struct GetLocalizedStringOperation_t365FC49C5336EDC26CF3E92336AE0CED46F0FFF9 : public WaitForCurrentOperationAsyncOperationBase_1_tCEC3EF9ADF1B443C1673F6958B02767E5E3B0733
{
public:
// UnityEngine.Localization.Settings.LocalizedStringDatabase UnityEngine.Localization.GetLocalizedStringOperation::m_Database
LocalizedStringDatabase_tF8BDBBC4A694A1B429F79AC8AB9E9A170726272D * ___m_Database_18;
// UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Localization.Settings.LocalizedDatabase`2/TableEntryResult<UnityEngine.Localization.Tables.StringTable,UnityEngine.Localization.Tables.StringTableEntry>> UnityEngine.Localization.GetLocalizedStringOperation::m_TableEntryOperation
AsyncOperationHandle_1_t9E7AAF51D5B57BA477EB906ACDBD045E41CBC1AF ___m_TableEntryOperation_19;
// UnityEngine.Localization.Tables.TableReference UnityEngine.Localization.GetLocalizedStringOperation::m_TableReference
TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 ___m_TableReference_20;
// UnityEngine.Localization.Tables.TableEntryReference UnityEngine.Localization.GetLocalizedStringOperation::m_TableEntryReference
TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4 ___m_TableEntryReference_21;
// UnityEngine.Localization.Locale UnityEngine.Localization.GetLocalizedStringOperation::m_SelectedLocale
Locale_tD8F38559A470AB424FCEE52608573679917924AA * ___m_SelectedLocale_22;
// System.Collections.Generic.IList`1<System.Object> UnityEngine.Localization.GetLocalizedStringOperation::m_Arguments
RuntimeObject* ___m_Arguments_23;
public:
inline static int32_t get_offset_of_m_Database_18() { return static_cast<int32_t>(offsetof(GetLocalizedStringOperation_t365FC49C5336EDC26CF3E92336AE0CED46F0FFF9, ___m_Database_18)); }
inline LocalizedStringDatabase_tF8BDBBC4A694A1B429F79AC8AB9E9A170726272D * get_m_Database_18() const { return ___m_Database_18; }
inline LocalizedStringDatabase_tF8BDBBC4A694A1B429F79AC8AB9E9A170726272D ** get_address_of_m_Database_18() { return &___m_Database_18; }
inline void set_m_Database_18(LocalizedStringDatabase_tF8BDBBC4A694A1B429F79AC8AB9E9A170726272D * value)
{
___m_Database_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Database_18), (void*)value);
}
inline static int32_t get_offset_of_m_TableEntryOperation_19() { return static_cast<int32_t>(offsetof(GetLocalizedStringOperation_t365FC49C5336EDC26CF3E92336AE0CED46F0FFF9, ___m_TableEntryOperation_19)); }
inline AsyncOperationHandle_1_t9E7AAF51D5B57BA477EB906ACDBD045E41CBC1AF get_m_TableEntryOperation_19() const { return ___m_TableEntryOperation_19; }
inline AsyncOperationHandle_1_t9E7AAF51D5B57BA477EB906ACDBD045E41CBC1AF * get_address_of_m_TableEntryOperation_19() { return &___m_TableEntryOperation_19; }
inline void set_m_TableEntryOperation_19(AsyncOperationHandle_1_t9E7AAF51D5B57BA477EB906ACDBD045E41CBC1AF value)
{
___m_TableEntryOperation_19 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_TableEntryOperation_19))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_TableEntryOperation_19))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_TableReference_20() { return static_cast<int32_t>(offsetof(GetLocalizedStringOperation_t365FC49C5336EDC26CF3E92336AE0CED46F0FFF9, ___m_TableReference_20)); }
inline TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 get_m_TableReference_20() const { return ___m_TableReference_20; }
inline TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 * get_address_of_m_TableReference_20() { return &___m_TableReference_20; }
inline void set_m_TableReference_20(TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4 value)
{
___m_TableReference_20 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_TableReference_20))->___m_TableCollectionName_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_TableEntryReference_21() { return static_cast<int32_t>(offsetof(GetLocalizedStringOperation_t365FC49C5336EDC26CF3E92336AE0CED46F0FFF9, ___m_TableEntryReference_21)); }
inline TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4 get_m_TableEntryReference_21() const { return ___m_TableEntryReference_21; }
inline TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4 * get_address_of_m_TableEntryReference_21() { return &___m_TableEntryReference_21; }
inline void set_m_TableEntryReference_21(TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4 value)
{
___m_TableEntryReference_21 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_TableEntryReference_21))->___m_Key_1), (void*)NULL);
}
inline static int32_t get_offset_of_m_SelectedLocale_22() { return static_cast<int32_t>(offsetof(GetLocalizedStringOperation_t365FC49C5336EDC26CF3E92336AE0CED46F0FFF9, ___m_SelectedLocale_22)); }
inline Locale_tD8F38559A470AB424FCEE52608573679917924AA * get_m_SelectedLocale_22() const { return ___m_SelectedLocale_22; }
inline Locale_tD8F38559A470AB424FCEE52608573679917924AA ** get_address_of_m_SelectedLocale_22() { return &___m_SelectedLocale_22; }
inline void set_m_SelectedLocale_22(Locale_tD8F38559A470AB424FCEE52608573679917924AA * value)
{
___m_SelectedLocale_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SelectedLocale_22), (void*)value);
}
inline static int32_t get_offset_of_m_Arguments_23() { return static_cast<int32_t>(offsetof(GetLocalizedStringOperation_t365FC49C5336EDC26CF3E92336AE0CED46F0FFF9, ___m_Arguments_23)); }
inline RuntimeObject* get_m_Arguments_23() const { return ___m_Arguments_23; }
inline RuntimeObject** get_address_of_m_Arguments_23() { return &___m_Arguments_23; }
inline void set_m_Arguments_23(RuntimeObject* value)
{
___m_Arguments_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Arguments_23), (void*)value);
}
};
// UnityEngine.GridLayout
struct GridLayout_t7BA9C388D3466CA1F18CAD50848F670F670D5D29 : public Behaviour_t1A3DDDCF73B4627928FBFE02ED52B7251777DBD9
{
public:
public:
};
// UnityEngine.Localization.InitializationOperation
struct InitializationOperation_t2B0AD354655F0D06A2907F236FF708AA8627318C : public WaitForCurrentOperationAsyncOperationBase_1_t9FF63EAD63E01C88493D73773F578A0B02E5F3AF
{
public:
// UnityEngine.Localization.Settings.LocalizationSettings UnityEngine.Localization.InitializationOperation::m_Settings
LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660 * ___m_Settings_18;
// System.Collections.Generic.List`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.Localization.InitializationOperation::m_LoadDatabasesOperations
List_1_t5442E20C5A292391C5A773F16A034AE18E414CB8 * ___m_LoadDatabasesOperations_19;
// System.Int32 UnityEngine.Localization.InitializationOperation::m_RemainingSteps
int32_t ___m_RemainingSteps_20;
public:
inline static int32_t get_offset_of_m_Settings_18() { return static_cast<int32_t>(offsetof(InitializationOperation_t2B0AD354655F0D06A2907F236FF708AA8627318C, ___m_Settings_18)); }
inline LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660 * get_m_Settings_18() const { return ___m_Settings_18; }
inline LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660 ** get_address_of_m_Settings_18() { return &___m_Settings_18; }
inline void set_m_Settings_18(LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660 * value)
{
___m_Settings_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Settings_18), (void*)value);
}
inline static int32_t get_offset_of_m_LoadDatabasesOperations_19() { return static_cast<int32_t>(offsetof(InitializationOperation_t2B0AD354655F0D06A2907F236FF708AA8627318C, ___m_LoadDatabasesOperations_19)); }
inline List_1_t5442E20C5A292391C5A773F16A034AE18E414CB8 * get_m_LoadDatabasesOperations_19() const { return ___m_LoadDatabasesOperations_19; }
inline List_1_t5442E20C5A292391C5A773F16A034AE18E414CB8 ** get_address_of_m_LoadDatabasesOperations_19() { return &___m_LoadDatabasesOperations_19; }
inline void set_m_LoadDatabasesOperations_19(List_1_t5442E20C5A292391C5A773F16A034AE18E414CB8 * value)
{
___m_LoadDatabasesOperations_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LoadDatabasesOperations_19), (void*)value);
}
inline static int32_t get_offset_of_m_RemainingSteps_20() { return static_cast<int32_t>(offsetof(InitializationOperation_t2B0AD354655F0D06A2907F236FF708AA8627318C, ___m_RemainingSteps_20)); }
inline int32_t get_m_RemainingSteps_20() const { return ___m_RemainingSteps_20; }
inline int32_t* get_address_of_m_RemainingSteps_20() { return &___m_RemainingSteps_20; }
inline void set_m_RemainingSteps_20(int32_t value)
{
___m_RemainingSteps_20 = value;
}
};
// UnityEngine.ResourceManagement.ResourceProviders.JsonAssetProvider
struct JsonAssetProvider_t91ED5F9C90361A026E0B2C4B494B1342E6A6A9DB : public TextDataProvider_t773E2DEFF6B16D17317529CFB75791ADDEA9B2E6
{
public:
public:
};
// UnityEngine.Light
struct Light_tA2F349FE839781469A0344CF6039B51512394275 : public Behaviour_t1A3DDDCF73B4627928FBFE02ED52B7251777DBD9
{
public:
// System.Int32 UnityEngine.Light::m_BakedIndex
int32_t ___m_BakedIndex_4;
public:
inline static int32_t get_offset_of_m_BakedIndex_4() { return static_cast<int32_t>(offsetof(Light_tA2F349FE839781469A0344CF6039B51512394275, ___m_BakedIndex_4)); }
inline int32_t get_m_BakedIndex_4() const { return ___m_BakedIndex_4; }
inline int32_t* get_address_of_m_BakedIndex_4() { return &___m_BakedIndex_4; }
inline void set_m_BakedIndex_4(int32_t value)
{
___m_BakedIndex_4 = value;
}
};
// UnityEngine.LineRenderer
struct LineRenderer_t237E878F3E77C127A540DE7AC4681B3706727967 : public Renderer_t58147AB5B00224FE1460FD47542DC0DA7EC9378C
{
public:
public:
};
// UnityEngine.Localization.Settings.LocalizedAssetDatabase
struct LocalizedAssetDatabase_tB8335F46EA5B7A81B58A935F6D45D06266BC0B38 : public LocalizedDatabase_2_tF70FB0669DC34BDF40ABB121590FEDCC410877E1
{
public:
public:
};
// UnityEngine.Localization.LocalizedAssetTable
struct LocalizedAssetTable_t456BA30983CF9832B8C29B3ED30E254FE1F39AA4 : public LocalizedTable_2_t0EF8BC38B60F608A2A42F09141B8DBAEC941E523
{
public:
public:
};
// UnityEngine.Localization.LocalizedString
struct LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F : public LocalizedReference_tE4351868059E6AD279BD3FF03A163E130BFAE960
{
public:
// UnityEngine.Localization.LocalizedString/ChangeHandler UnityEngine.Localization.LocalizedString::m_ChangeHandler
ChangeHandler_tAD5E92C85BFECCF94E39998DE6EFD68D3F917F05 * ___m_ChangeHandler_4;
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle`1<UnityEngine.Localization.Settings.LocalizedDatabase`2/TableEntryResult<UnityEngine.Localization.Tables.StringTable,UnityEngine.Localization.Tables.StringTableEntry>>> UnityEngine.Localization.LocalizedString::m_CurrentLoadingOperation
Nullable_1_t4CFED6F9601885C9339BDC6872EAEDF492816BA5 ___m_CurrentLoadingOperation_5;
// System.String UnityEngine.Localization.LocalizedString::m_CurrentStringChangedValue
String_t* ___m_CurrentStringChangedValue_6;
// System.Collections.Generic.List`1<UnityEngine.Localization.SmartFormat.GlobalVariables.IGlobalVariableValueChanged> UnityEngine.Localization.LocalizedString::m_LastUsedGlobalVariables
List_1_t91ED617532D9524BF9021795C9B9359F57AF3088 * ___m_LastUsedGlobalVariables_7;
// System.Action`1<UnityEngine.Localization.SmartFormat.GlobalVariables.IGlobalVariable> UnityEngine.Localization.LocalizedString::m_OnGlobalVariableChanged
Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E * ___m_OnGlobalVariableChanged_8;
// System.Collections.Generic.IList`1<System.Object> UnityEngine.Localization.LocalizedString::m_SmartArguments
RuntimeObject* ___m_SmartArguments_9;
// System.Boolean UnityEngine.Localization.LocalizedString::m_WaitingForGlobalVariablesEndUpdate
bool ___m_WaitingForGlobalVariablesEndUpdate_10;
public:
inline static int32_t get_offset_of_m_ChangeHandler_4() { return static_cast<int32_t>(offsetof(LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F, ___m_ChangeHandler_4)); }
inline ChangeHandler_tAD5E92C85BFECCF94E39998DE6EFD68D3F917F05 * get_m_ChangeHandler_4() const { return ___m_ChangeHandler_4; }
inline ChangeHandler_tAD5E92C85BFECCF94E39998DE6EFD68D3F917F05 ** get_address_of_m_ChangeHandler_4() { return &___m_ChangeHandler_4; }
inline void set_m_ChangeHandler_4(ChangeHandler_tAD5E92C85BFECCF94E39998DE6EFD68D3F917F05 * value)
{
___m_ChangeHandler_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ChangeHandler_4), (void*)value);
}
inline static int32_t get_offset_of_m_CurrentLoadingOperation_5() { return static_cast<int32_t>(offsetof(LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F, ___m_CurrentLoadingOperation_5)); }
inline Nullable_1_t4CFED6F9601885C9339BDC6872EAEDF492816BA5 get_m_CurrentLoadingOperation_5() const { return ___m_CurrentLoadingOperation_5; }
inline Nullable_1_t4CFED6F9601885C9339BDC6872EAEDF492816BA5 * get_address_of_m_CurrentLoadingOperation_5() { return &___m_CurrentLoadingOperation_5; }
inline void set_m_CurrentLoadingOperation_5(Nullable_1_t4CFED6F9601885C9339BDC6872EAEDF492816BA5 value)
{
___m_CurrentLoadingOperation_5 = value;
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_CurrentLoadingOperation_5))->___value_0))->___m_InternalOp_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_CurrentLoadingOperation_5))->___value_0))->___m_LocationName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_CurrentStringChangedValue_6() { return static_cast<int32_t>(offsetof(LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F, ___m_CurrentStringChangedValue_6)); }
inline String_t* get_m_CurrentStringChangedValue_6() const { return ___m_CurrentStringChangedValue_6; }
inline String_t** get_address_of_m_CurrentStringChangedValue_6() { return &___m_CurrentStringChangedValue_6; }
inline void set_m_CurrentStringChangedValue_6(String_t* value)
{
___m_CurrentStringChangedValue_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CurrentStringChangedValue_6), (void*)value);
}
inline static int32_t get_offset_of_m_LastUsedGlobalVariables_7() { return static_cast<int32_t>(offsetof(LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F, ___m_LastUsedGlobalVariables_7)); }
inline List_1_t91ED617532D9524BF9021795C9B9359F57AF3088 * get_m_LastUsedGlobalVariables_7() const { return ___m_LastUsedGlobalVariables_7; }
inline List_1_t91ED617532D9524BF9021795C9B9359F57AF3088 ** get_address_of_m_LastUsedGlobalVariables_7() { return &___m_LastUsedGlobalVariables_7; }
inline void set_m_LastUsedGlobalVariables_7(List_1_t91ED617532D9524BF9021795C9B9359F57AF3088 * value)
{
___m_LastUsedGlobalVariables_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LastUsedGlobalVariables_7), (void*)value);
}
inline static int32_t get_offset_of_m_OnGlobalVariableChanged_8() { return static_cast<int32_t>(offsetof(LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F, ___m_OnGlobalVariableChanged_8)); }
inline Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E * get_m_OnGlobalVariableChanged_8() const { return ___m_OnGlobalVariableChanged_8; }
inline Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E ** get_address_of_m_OnGlobalVariableChanged_8() { return &___m_OnGlobalVariableChanged_8; }
inline void set_m_OnGlobalVariableChanged_8(Action_1_t29D0DC3CF4650D08AFF380EEE6E5600E65FB791E * value)
{
___m_OnGlobalVariableChanged_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnGlobalVariableChanged_8), (void*)value);
}
inline static int32_t get_offset_of_m_SmartArguments_9() { return static_cast<int32_t>(offsetof(LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F, ___m_SmartArguments_9)); }
inline RuntimeObject* get_m_SmartArguments_9() const { return ___m_SmartArguments_9; }
inline RuntimeObject** get_address_of_m_SmartArguments_9() { return &___m_SmartArguments_9; }
inline void set_m_SmartArguments_9(RuntimeObject* value)
{
___m_SmartArguments_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SmartArguments_9), (void*)value);
}
inline static int32_t get_offset_of_m_WaitingForGlobalVariablesEndUpdate_10() { return static_cast<int32_t>(offsetof(LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F, ___m_WaitingForGlobalVariablesEndUpdate_10)); }
inline bool get_m_WaitingForGlobalVariablesEndUpdate_10() const { return ___m_WaitingForGlobalVariablesEndUpdate_10; }
inline bool* get_address_of_m_WaitingForGlobalVariablesEndUpdate_10() { return &___m_WaitingForGlobalVariablesEndUpdate_10; }
inline void set_m_WaitingForGlobalVariablesEndUpdate_10(bool value)
{
___m_WaitingForGlobalVariablesEndUpdate_10 = value;
}
};
// UnityEngine.Localization.Settings.LocalizedStringDatabase
struct LocalizedStringDatabase_tF8BDBBC4A694A1B429F79AC8AB9E9A170726272D : public LocalizedDatabase_2_tA4E371A906BA0D2E94DF53F3A7EAF6EE7C205907
{
public:
// UnityEngine.Localization.Settings.MissingTranslationBehavior UnityEngine.Localization.Settings.LocalizedStringDatabase::m_MissingTranslationState
int32_t ___m_MissingTranslationState_7;
// System.String UnityEngine.Localization.Settings.LocalizedStringDatabase::m_NoTranslationFoundMessage
String_t* ___m_NoTranslationFoundMessage_9;
// UnityEngine.Localization.SmartFormat.SmartFormatter UnityEngine.Localization.Settings.LocalizedStringDatabase::m_SmartFormat
SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 * ___m_SmartFormat_10;
// UnityEngine.Localization.Tables.StringTable UnityEngine.Localization.Settings.LocalizedStringDatabase::m_MissingTranslationTable
StringTable_t82895B0F560FEF1486B7B8DCF2FB6F2BF698BD59 * ___m_MissingTranslationTable_11;
public:
inline static int32_t get_offset_of_m_MissingTranslationState_7() { return static_cast<int32_t>(offsetof(LocalizedStringDatabase_tF8BDBBC4A694A1B429F79AC8AB9E9A170726272D, ___m_MissingTranslationState_7)); }
inline int32_t get_m_MissingTranslationState_7() const { return ___m_MissingTranslationState_7; }
inline int32_t* get_address_of_m_MissingTranslationState_7() { return &___m_MissingTranslationState_7; }
inline void set_m_MissingTranslationState_7(int32_t value)
{
___m_MissingTranslationState_7 = value;
}
inline static int32_t get_offset_of_m_NoTranslationFoundMessage_9() { return static_cast<int32_t>(offsetof(LocalizedStringDatabase_tF8BDBBC4A694A1B429F79AC8AB9E9A170726272D, ___m_NoTranslationFoundMessage_9)); }
inline String_t* get_m_NoTranslationFoundMessage_9() const { return ___m_NoTranslationFoundMessage_9; }
inline String_t** get_address_of_m_NoTranslationFoundMessage_9() { return &___m_NoTranslationFoundMessage_9; }
inline void set_m_NoTranslationFoundMessage_9(String_t* value)
{
___m_NoTranslationFoundMessage_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_NoTranslationFoundMessage_9), (void*)value);
}
inline static int32_t get_offset_of_m_SmartFormat_10() { return static_cast<int32_t>(offsetof(LocalizedStringDatabase_tF8BDBBC4A694A1B429F79AC8AB9E9A170726272D, ___m_SmartFormat_10)); }
inline SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 * get_m_SmartFormat_10() const { return ___m_SmartFormat_10; }
inline SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 ** get_address_of_m_SmartFormat_10() { return &___m_SmartFormat_10; }
inline void set_m_SmartFormat_10(SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858 * value)
{
___m_SmartFormat_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SmartFormat_10), (void*)value);
}
inline static int32_t get_offset_of_m_MissingTranslationTable_11() { return static_cast<int32_t>(offsetof(LocalizedStringDatabase_tF8BDBBC4A694A1B429F79AC8AB9E9A170726272D, ___m_MissingTranslationTable_11)); }
inline StringTable_t82895B0F560FEF1486B7B8DCF2FB6F2BF698BD59 * get_m_MissingTranslationTable_11() const { return ___m_MissingTranslationTable_11; }
inline StringTable_t82895B0F560FEF1486B7B8DCF2FB6F2BF698BD59 ** get_address_of_m_MissingTranslationTable_11() { return &___m_MissingTranslationTable_11; }
inline void set_m_MissingTranslationTable_11(StringTable_t82895B0F560FEF1486B7B8DCF2FB6F2BF698BD59 * value)
{
___m_MissingTranslationTable_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_MissingTranslationTable_11), (void*)value);
}
};
// UnityEngine.Localization.LocalizedStringTable
struct LocalizedStringTable_t7C220F8BC48CCC26F48FB3CF1C8922FF11E4076A : public LocalizedTable_2_tEDFBF9E94D474B52EF210D9E32D241B2A0427557
{
public:
public:
};
// UnityEngine.MeshCollider
struct MeshCollider_t1983F4E7E53D8C6B65FE21A8B4E2345A84D57E98 : public Collider_t5E81E43C2ECA0209A7C4528E84A632712D192B02
{
public:
public:
};
// UnityEngine.MeshRenderer
struct MeshRenderer_tCD983A2F635E12BCB0BAA2E635D96A318757908B : public Renderer_t58147AB5B00224FE1460FD47542DC0DA7EC9378C
{
public:
public:
};
// System.MethodAccessException
struct MethodAccessException_tA3EEE9A166E2EEC8FDFC4F139CF37204C16502B6 : public MemberAccessException_tD623E47056C7D98D56B63B4B954D4E5E128A30FC
{
public:
public:
};
// System.MissingMemberException
struct MissingMemberException_t890E7665FD7C812DAD826E4B5CF55F20F16CF639 : public MemberAccessException_tD623E47056C7D98D56B63B4B954D4E5E128A30FC
{
public:
// System.String System.MissingMemberException::ClassName
String_t* ___ClassName_17;
// System.String System.MissingMemberException::MemberName
String_t* ___MemberName_18;
// System.Byte[] System.MissingMemberException::Signature
ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* ___Signature_19;
public:
inline static int32_t get_offset_of_ClassName_17() { return static_cast<int32_t>(offsetof(MissingMemberException_t890E7665FD7C812DAD826E4B5CF55F20F16CF639, ___ClassName_17)); }
inline String_t* get_ClassName_17() const { return ___ClassName_17; }
inline String_t** get_address_of_ClassName_17() { return &___ClassName_17; }
inline void set_ClassName_17(String_t* value)
{
___ClassName_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ClassName_17), (void*)value);
}
inline static int32_t get_offset_of_MemberName_18() { return static_cast<int32_t>(offsetof(MissingMemberException_t890E7665FD7C812DAD826E4B5CF55F20F16CF639, ___MemberName_18)); }
inline String_t* get_MemberName_18() const { return ___MemberName_18; }
inline String_t** get_address_of_MemberName_18() { return &___MemberName_18; }
inline void set_MemberName_18(String_t* value)
{
___MemberName_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___MemberName_18), (void*)value);
}
inline static int32_t get_offset_of_Signature_19() { return static_cast<int32_t>(offsetof(MissingMemberException_t890E7665FD7C812DAD826E4B5CF55F20F16CF639, ___Signature_19)); }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* get_Signature_19() const { return ___Signature_19; }
inline ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726** get_address_of_Signature_19() { return &___Signature_19; }
inline void set_Signature_19(ByteU5BU5D_tDBBEB0E8362242FA7223000D978B0DD19D4B0726* value)
{
___Signature_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___Signature_19), (void*)value);
}
};
// UnityEngine.MonoBehaviour
struct MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A : public Behaviour_t1A3DDDCF73B4627928FBFE02ED52B7251777DBD9
{
public:
public:
};
// System.Reflection.MonoModule
struct MonoModule_t4CE18B439A2BCC815D76764DA099159E79DF7E1E : public RuntimeModule_t9E665EA4CBD2C45CACB248F3A99511929C35656A
{
public:
public:
};
// System.Reflection.MonoParameterInfo
struct MonoParameterInfo_tF3F69AF36EAE1C3AACFB76AC0945C7B387A6B16E : public RuntimeParameterInfo_tC859DD5E91FA8533CE17C5DD9667EF16389FD85B
{
public:
public:
};
// System.ObjectDisposedException
struct ObjectDisposedException_t29EF6F519F16BA477EC682F23E8344BB1E9A958A : public InvalidOperationException_t10D3EE59AD28EC641ACEE05BCA4271A527E5ECAB
{
public:
// System.String System.ObjectDisposedException::objectName
String_t* ___objectName_17;
public:
inline static int32_t get_offset_of_objectName_17() { return static_cast<int32_t>(offsetof(ObjectDisposedException_t29EF6F519F16BA477EC682F23E8344BB1E9A958A, ___objectName_17)); }
inline String_t* get_objectName_17() const { return ___objectName_17; }
inline String_t** get_address_of_objectName_17() { return &___objectName_17; }
inline void set_objectName_17(String_t* value)
{
___objectName_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___objectName_17), (void*)value);
}
};
// System.Linq.Expressions.OpAssignMethodConversionBinaryExpression
struct OpAssignMethodConversionBinaryExpression_tE5DC5C71207DE06782E16C2C5D9EE63E09D8B58C : public MethodBinaryExpression_t3119FE060545F8BBCA10624BD0A1D43AB150DF23
{
public:
// System.Linq.Expressions.LambdaExpression System.Linq.Expressions.OpAssignMethodConversionBinaryExpression::_conversion
LambdaExpression_t26BF905E97E6D94F81F17D60F4F4F47F8E93B474 * ____conversion_8;
public:
inline static int32_t get_offset_of__conversion_8() { return static_cast<int32_t>(offsetof(OpAssignMethodConversionBinaryExpression_tE5DC5C71207DE06782E16C2C5D9EE63E09D8B58C, ____conversion_8)); }
inline LambdaExpression_t26BF905E97E6D94F81F17D60F4F4F47F8E93B474 * get__conversion_8() const { return ____conversion_8; }
inline LambdaExpression_t26BF905E97E6D94F81F17D60F4F4F47F8E93B474 ** get_address_of__conversion_8() { return &____conversion_8; }
inline void set__conversion_8(LambdaExpression_t26BF905E97E6D94F81F17D60F4F4F47F8E93B474 * value)
{
____conversion_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&____conversion_8), (void*)value);
}
};
// System.OverflowException
struct OverflowException_tD1FBF4E54D81EC98EEF386B69344D336D1EC1AB9 : public ArithmeticException_t8E5F44FABC7FAE0966CBA6DE9BFD545F2660ED47
{
public:
public:
};
// UnityEngine.ParticleSystemRenderer
struct ParticleSystemRenderer_tD559F69F1B7EB14FD58CEB08E46657B6A54A6269 : public Renderer_t58147AB5B00224FE1460FD47542DC0DA7EC9378C
{
public:
public:
};
// System.IO.PathTooLongException
struct PathTooLongException_t117AA1F09A957F54EC7B0F100344E81E82AC71B7 : public IOException_t09E5C01DA4748C36D703728C4668C5CDF3882EBA
{
public:
public:
};
// System.PlatformNotSupportedException
struct PlatformNotSupportedException_t4F02BDC290520CA1A2452F51A8AC464F6D5E356E : public NotSupportedException_tB9D89F0E9470A2C423D239D7C68EE0CFD77F9339
{
public:
public:
};
// UnityEngine.Localization.Pseudo.PseudoLocale
struct PseudoLocale_t36650458CA58C2E100D8FF2A2EBB518A8B912E65 : public Locale_tD8F38559A470AB424FCEE52608573679917924AA
{
public:
// System.Collections.Generic.List`1<UnityEngine.Localization.Pseudo.IPseudoLocalizationMethod> UnityEngine.Localization.Pseudo.PseudoLocale::m_Methods
List_1_t1A3DA5BF41D8642F5E4EC63C51823F80CDF1F4BE * ___m_Methods_11;
public:
inline static int32_t get_offset_of_m_Methods_11() { return static_cast<int32_t>(offsetof(PseudoLocale_t36650458CA58C2E100D8FF2A2EBB518A8B912E65, ___m_Methods_11)); }
inline List_1_t1A3DA5BF41D8642F5E4EC63C51823F80CDF1F4BE * get_m_Methods_11() const { return ___m_Methods_11; }
inline List_1_t1A3DA5BF41D8642F5E4EC63C51823F80CDF1F4BE ** get_address_of_m_Methods_11() { return &___m_Methods_11; }
inline void set_m_Methods_11(List_1_t1A3DA5BF41D8642F5E4EC63C51823F80CDF1F4BE * value)
{
___m_Methods_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Methods_11), (void*)value);
}
};
// UnityEngine.RectTransform
struct RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 : public Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1
{
public:
public:
};
struct RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072_StaticFields
{
public:
// UnityEngine.RectTransform/ReapplyDrivenProperties UnityEngine.RectTransform::reapplyDrivenProperties
ReapplyDrivenProperties_t1441259DADA8FE33A95334AC24C017DFA3DEB4CE * ___reapplyDrivenProperties_4;
public:
inline static int32_t get_offset_of_reapplyDrivenProperties_4() { return static_cast<int32_t>(offsetof(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072_StaticFields, ___reapplyDrivenProperties_4)); }
inline ReapplyDrivenProperties_t1441259DADA8FE33A95334AC24C017DFA3DEB4CE * get_reapplyDrivenProperties_4() const { return ___reapplyDrivenProperties_4; }
inline ReapplyDrivenProperties_t1441259DADA8FE33A95334AC24C017DFA3DEB4CE ** get_address_of_reapplyDrivenProperties_4() { return &___reapplyDrivenProperties_4; }
inline void set_reapplyDrivenProperties_4(ReapplyDrivenProperties_t1441259DADA8FE33A95334AC24C017DFA3DEB4CE * value)
{
___reapplyDrivenProperties_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___reapplyDrivenProperties_4), (void*)value);
}
};
// UnityEngine.ReflectionProbe
struct ReflectionProbe_tE553CF027821D5B1CA7533A2DF24F8711642C1E3 : public Behaviour_t1A3DDDCF73B4627928FBFE02ED52B7251777DBD9
{
public:
public:
};
struct ReflectionProbe_tE553CF027821D5B1CA7533A2DF24F8711642C1E3_StaticFields
{
public:
// System.Action`2<UnityEngine.ReflectionProbe,UnityEngine.ReflectionProbe/ReflectionProbeEvent> UnityEngine.ReflectionProbe::reflectionProbeChanged
Action_2_t69EC34FAAA273FB9B19FE4B50F262C78DDD1A8B6 * ___reflectionProbeChanged_4;
// System.Action`1<UnityEngine.Cubemap> UnityEngine.ReflectionProbe::defaultReflectionSet
Action_1_tD65D7CEC04C4CCE3F87F3F32187FB019EA4FE0D7 * ___defaultReflectionSet_5;
public:
inline static int32_t get_offset_of_reflectionProbeChanged_4() { return static_cast<int32_t>(offsetof(ReflectionProbe_tE553CF027821D5B1CA7533A2DF24F8711642C1E3_StaticFields, ___reflectionProbeChanged_4)); }
inline Action_2_t69EC34FAAA273FB9B19FE4B50F262C78DDD1A8B6 * get_reflectionProbeChanged_4() const { return ___reflectionProbeChanged_4; }
inline Action_2_t69EC34FAAA273FB9B19FE4B50F262C78DDD1A8B6 ** get_address_of_reflectionProbeChanged_4() { return &___reflectionProbeChanged_4; }
inline void set_reflectionProbeChanged_4(Action_2_t69EC34FAAA273FB9B19FE4B50F262C78DDD1A8B6 * value)
{
___reflectionProbeChanged_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___reflectionProbeChanged_4), (void*)value);
}
inline static int32_t get_offset_of_defaultReflectionSet_5() { return static_cast<int32_t>(offsetof(ReflectionProbe_tE553CF027821D5B1CA7533A2DF24F8711642C1E3_StaticFields, ___defaultReflectionSet_5)); }
inline Action_1_tD65D7CEC04C4CCE3F87F3F32187FB019EA4FE0D7 * get_defaultReflectionSet_5() const { return ___defaultReflectionSet_5; }
inline Action_1_tD65D7CEC04C4CCE3F87F3F32187FB019EA4FE0D7 ** get_address_of_defaultReflectionSet_5() { return &___defaultReflectionSet_5; }
inline void set_defaultReflectionSet_5(Action_1_tD65D7CEC04C4CCE3F87F3F32187FB019EA4FE0D7 * value)
{
___defaultReflectionSet_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___defaultReflectionSet_5), (void*)value);
}
};
// System.Text.RegularExpressions.RegexMatchTimeoutException
struct RegexMatchTimeoutException_t8A80CA43E67CFD00C11CD0B4D65E08171577AB81 : public TimeoutException_tB5D0EEFAEC3FC79FFDEF23C55D1BDF4DE347C926
{
public:
// System.String System.Text.RegularExpressions.RegexMatchTimeoutException::regexInput
String_t* ___regexInput_17;
// System.String System.Text.RegularExpressions.RegexMatchTimeoutException::regexPattern
String_t* ___regexPattern_18;
// System.TimeSpan System.Text.RegularExpressions.RegexMatchTimeoutException::matchTimeout
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 ___matchTimeout_19;
public:
inline static int32_t get_offset_of_regexInput_17() { return static_cast<int32_t>(offsetof(RegexMatchTimeoutException_t8A80CA43E67CFD00C11CD0B4D65E08171577AB81, ___regexInput_17)); }
inline String_t* get_regexInput_17() const { return ___regexInput_17; }
inline String_t** get_address_of_regexInput_17() { return &___regexInput_17; }
inline void set_regexInput_17(String_t* value)
{
___regexInput_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___regexInput_17), (void*)value);
}
inline static int32_t get_offset_of_regexPattern_18() { return static_cast<int32_t>(offsetof(RegexMatchTimeoutException_t8A80CA43E67CFD00C11CD0B4D65E08171577AB81, ___regexPattern_18)); }
inline String_t* get_regexPattern_18() const { return ___regexPattern_18; }
inline String_t** get_address_of_regexPattern_18() { return &___regexPattern_18; }
inline void set_regexPattern_18(String_t* value)
{
___regexPattern_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___regexPattern_18), (void*)value);
}
inline static int32_t get_offset_of_matchTimeout_19() { return static_cast<int32_t>(offsetof(RegexMatchTimeoutException_t8A80CA43E67CFD00C11CD0B4D65E08171577AB81, ___matchTimeout_19)); }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 get_matchTimeout_19() const { return ___matchTimeout_19; }
inline TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 * get_address_of_matchTimeout_19() { return &___matchTimeout_19; }
inline void set_matchTimeout_19(TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203 value)
{
___matchTimeout_19 = value;
}
};
// UnityEngine.ResourceManagement.Exceptions.RemoteProviderException
struct RemoteProviderException_t60E2D2401F1AD05880963F3F12EB70850577BE63 : public ProviderException_t9B5A1D9ADC024E2800F5711E62104DEA4963BBE2
{
public:
// UnityEngine.ResourceManagement.Util.UnityWebRequestResult UnityEngine.ResourceManagement.Exceptions.RemoteProviderException::<WebRequestResult>k__BackingField
UnityWebRequestResult_t100F520A4720C5527F6534B751FACE43DBB20BA9 * ___U3CWebRequestResultU3Ek__BackingField_18;
public:
inline static int32_t get_offset_of_U3CWebRequestResultU3Ek__BackingField_18() { return static_cast<int32_t>(offsetof(RemoteProviderException_t60E2D2401F1AD05880963F3F12EB70850577BE63, ___U3CWebRequestResultU3Ek__BackingField_18)); }
inline UnityWebRequestResult_t100F520A4720C5527F6534B751FACE43DBB20BA9 * get_U3CWebRequestResultU3Ek__BackingField_18() const { return ___U3CWebRequestResultU3Ek__BackingField_18; }
inline UnityWebRequestResult_t100F520A4720C5527F6534B751FACE43DBB20BA9 ** get_address_of_U3CWebRequestResultU3Ek__BackingField_18() { return &___U3CWebRequestResultU3Ek__BackingField_18; }
inline void set_U3CWebRequestResultU3Ek__BackingField_18(UnityWebRequestResult_t100F520A4720C5527F6534B751FACE43DBB20BA9 * value)
{
___U3CWebRequestResultU3Ek__BackingField_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CWebRequestResultU3Ek__BackingField_18), (void*)value);
}
};
// System.RuntimeType
struct RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 : public TypeInfo_tFFBAC0D7187BFD2D25CC801679BC9645020EC04F
{
public:
// System.MonoTypeInfo System.RuntimeType::type_info
MonoTypeInfo_tD048FE6E8A79174435DD9BA986294B02C68DFC79 * ___type_info_26;
// System.Object System.RuntimeType::GenericCache
RuntimeObject * ___GenericCache_27;
// System.Reflection.RuntimeConstructorInfo System.RuntimeType::m_serializationCtor
RuntimeConstructorInfo_t9B65F4BAA154E6B8888A68FA9BA02993090876BB * ___m_serializationCtor_28;
public:
inline static int32_t get_offset_of_type_info_26() { return static_cast<int32_t>(offsetof(RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07, ___type_info_26)); }
inline MonoTypeInfo_tD048FE6E8A79174435DD9BA986294B02C68DFC79 * get_type_info_26() const { return ___type_info_26; }
inline MonoTypeInfo_tD048FE6E8A79174435DD9BA986294B02C68DFC79 ** get_address_of_type_info_26() { return &___type_info_26; }
inline void set_type_info_26(MonoTypeInfo_tD048FE6E8A79174435DD9BA986294B02C68DFC79 * value)
{
___type_info_26 = value;
Il2CppCodeGenWriteBarrier((void**)(&___type_info_26), (void*)value);
}
inline static int32_t get_offset_of_GenericCache_27() { return static_cast<int32_t>(offsetof(RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07, ___GenericCache_27)); }
inline RuntimeObject * get_GenericCache_27() const { return ___GenericCache_27; }
inline RuntimeObject ** get_address_of_GenericCache_27() { return &___GenericCache_27; }
inline void set_GenericCache_27(RuntimeObject * value)
{
___GenericCache_27 = value;
Il2CppCodeGenWriteBarrier((void**)(&___GenericCache_27), (void*)value);
}
inline static int32_t get_offset_of_m_serializationCtor_28() { return static_cast<int32_t>(offsetof(RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07, ___m_serializationCtor_28)); }
inline RuntimeConstructorInfo_t9B65F4BAA154E6B8888A68FA9BA02993090876BB * get_m_serializationCtor_28() const { return ___m_serializationCtor_28; }
inline RuntimeConstructorInfo_t9B65F4BAA154E6B8888A68FA9BA02993090876BB ** get_address_of_m_serializationCtor_28() { return &___m_serializationCtor_28; }
inline void set_m_serializationCtor_28(RuntimeConstructorInfo_t9B65F4BAA154E6B8888A68FA9BA02993090876BB * value)
{
___m_serializationCtor_28 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_serializationCtor_28), (void*)value);
}
};
struct RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07_StaticFields
{
public:
// System.RuntimeType System.RuntimeType::ValueType
RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * ___ValueType_10;
// System.RuntimeType System.RuntimeType::EnumType
RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * ___EnumType_11;
// System.RuntimeType System.RuntimeType::ObjectType
RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * ___ObjectType_12;
// System.RuntimeType System.RuntimeType::StringType
RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * ___StringType_13;
// System.RuntimeType System.RuntimeType::DelegateType
RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * ___DelegateType_14;
// System.Type[] System.RuntimeType::s_SICtorParamTypes
TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* ___s_SICtorParamTypes_15;
// System.RuntimeType System.RuntimeType::s_typedRef
RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * ___s_typedRef_25;
public:
inline static int32_t get_offset_of_ValueType_10() { return static_cast<int32_t>(offsetof(RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07_StaticFields, ___ValueType_10)); }
inline RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * get_ValueType_10() const { return ___ValueType_10; }
inline RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 ** get_address_of_ValueType_10() { return &___ValueType_10; }
inline void set_ValueType_10(RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * value)
{
___ValueType_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ValueType_10), (void*)value);
}
inline static int32_t get_offset_of_EnumType_11() { return static_cast<int32_t>(offsetof(RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07_StaticFields, ___EnumType_11)); }
inline RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * get_EnumType_11() const { return ___EnumType_11; }
inline RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 ** get_address_of_EnumType_11() { return &___EnumType_11; }
inline void set_EnumType_11(RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * value)
{
___EnumType_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___EnumType_11), (void*)value);
}
inline static int32_t get_offset_of_ObjectType_12() { return static_cast<int32_t>(offsetof(RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07_StaticFields, ___ObjectType_12)); }
inline RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * get_ObjectType_12() const { return ___ObjectType_12; }
inline RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 ** get_address_of_ObjectType_12() { return &___ObjectType_12; }
inline void set_ObjectType_12(RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * value)
{
___ObjectType_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___ObjectType_12), (void*)value);
}
inline static int32_t get_offset_of_StringType_13() { return static_cast<int32_t>(offsetof(RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07_StaticFields, ___StringType_13)); }
inline RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * get_StringType_13() const { return ___StringType_13; }
inline RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 ** get_address_of_StringType_13() { return &___StringType_13; }
inline void set_StringType_13(RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * value)
{
___StringType_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___StringType_13), (void*)value);
}
inline static int32_t get_offset_of_DelegateType_14() { return static_cast<int32_t>(offsetof(RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07_StaticFields, ___DelegateType_14)); }
inline RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * get_DelegateType_14() const { return ___DelegateType_14; }
inline RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 ** get_address_of_DelegateType_14() { return &___DelegateType_14; }
inline void set_DelegateType_14(RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * value)
{
___DelegateType_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___DelegateType_14), (void*)value);
}
inline static int32_t get_offset_of_s_SICtorParamTypes_15() { return static_cast<int32_t>(offsetof(RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07_StaticFields, ___s_SICtorParamTypes_15)); }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* get_s_SICtorParamTypes_15() const { return ___s_SICtorParamTypes_15; }
inline TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755** get_address_of_s_SICtorParamTypes_15() { return &___s_SICtorParamTypes_15; }
inline void set_s_SICtorParamTypes_15(TypeU5BU5D_t85B10489E46F06CEC7C4B1CCBD0E01FAB6649755* value)
{
___s_SICtorParamTypes_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SICtorParamTypes_15), (void*)value);
}
inline static int32_t get_offset_of_s_typedRef_25() { return static_cast<int32_t>(offsetof(RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07_StaticFields, ___s_typedRef_25)); }
inline RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * get_s_typedRef_25() const { return ___s_typedRef_25; }
inline RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 ** get_address_of_s_typedRef_25() { return &___s_typedRef_25; }
inline void set_s_typedRef_25(RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07 * value)
{
___s_typedRef_25 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_typedRef_25), (void*)value);
}
};
// UnityEngine.SphereCollider
struct SphereCollider_t51A338502EEE6FA563248E3C0BF38D333077DC3A : public Collider_t5E81E43C2ECA0209A7C4528E84A632712D192B02
{
public:
public:
};
// UnityEngine.SpriteRenderer
struct SpriteRenderer_t3F35AD5498243C170B46F5FFDB582AAEF78615EF : public Renderer_t58147AB5B00224FE1460FD47542DC0DA7EC9378C
{
public:
public:
};
// UnityEngine.U2D.SpriteShapeRenderer
struct SpriteShapeRenderer_tF2FAD8828E9AFF90ED83A305FD01A4572BA7A32A : public Renderer_t58147AB5B00224FE1460FD47542DC0DA7EC9378C
{
public:
public:
};
// TMPro.TMP_FontAsset
struct TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 : public TMP_Asset_tEE129B2B2FE167D4B860286167207DD3AD45B45E
{
public:
// System.String TMPro.TMP_FontAsset::m_Version
String_t* ___m_Version_8;
// System.String TMPro.TMP_FontAsset::m_SourceFontFileGUID
String_t* ___m_SourceFontFileGUID_9;
// UnityEngine.Font TMPro.TMP_FontAsset::m_SourceFontFile
Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9 * ___m_SourceFontFile_10;
// TMPro.AtlasPopulationMode TMPro.TMP_FontAsset::m_AtlasPopulationMode
int32_t ___m_AtlasPopulationMode_11;
// UnityEngine.TextCore.FaceInfo TMPro.TMP_FontAsset::m_FaceInfo
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979 ___m_FaceInfo_12;
// System.Collections.Generic.List`1<UnityEngine.TextCore.Glyph> TMPro.TMP_FontAsset::m_GlyphTable
List_1_tA740960861E81663EBF03A56DE52E25A9283E954 * ___m_GlyphTable_13;
// System.Collections.Generic.Dictionary`2<System.UInt32,UnityEngine.TextCore.Glyph> TMPro.TMP_FontAsset::m_GlyphLookupDictionary
Dictionary_2_tDA5C03A58B5E004C6D454EF31BF9C5307FE785BE * ___m_GlyphLookupDictionary_14;
// System.Collections.Generic.List`1<TMPro.TMP_Character> TMPro.TMP_FontAsset::m_CharacterTable
List_1_tE8F1656A7A5AF5AEE27ED7B656B56CACB417FEB8 * ___m_CharacterTable_15;
// System.Collections.Generic.Dictionary`2<System.UInt32,TMPro.TMP_Character> TMPro.TMP_FontAsset::m_CharacterLookupDictionary
Dictionary_2_t6BB43D0F158FE3B19E71F6F48A84283B5250E1B4 * ___m_CharacterLookupDictionary_16;
// UnityEngine.Texture2D TMPro.TMP_FontAsset::m_AtlasTexture
Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * ___m_AtlasTexture_17;
// UnityEngine.Texture2D[] TMPro.TMP_FontAsset::m_AtlasTextures
Texture2DU5BU5D_t0CBDCEA1648F6CBEA47C64E1E48F22B9692B3316* ___m_AtlasTextures_18;
// System.Int32 TMPro.TMP_FontAsset::m_AtlasTextureIndex
int32_t ___m_AtlasTextureIndex_19;
// System.Boolean TMPro.TMP_FontAsset::m_IsMultiAtlasTexturesEnabled
bool ___m_IsMultiAtlasTexturesEnabled_20;
// System.Boolean TMPro.TMP_FontAsset::m_ClearDynamicDataOnBuild
bool ___m_ClearDynamicDataOnBuild_21;
// System.Collections.Generic.List`1<UnityEngine.TextCore.GlyphRect> TMPro.TMP_FontAsset::m_UsedGlyphRects
List_1_tE870449A6BC21548542BC92F18B284004FA8668A * ___m_UsedGlyphRects_22;
// System.Collections.Generic.List`1<UnityEngine.TextCore.GlyphRect> TMPro.TMP_FontAsset::m_FreeGlyphRects
List_1_tE870449A6BC21548542BC92F18B284004FA8668A * ___m_FreeGlyphRects_23;
// TMPro.FaceInfo_Legacy TMPro.TMP_FontAsset::m_fontInfo
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F * ___m_fontInfo_24;
// UnityEngine.Texture2D TMPro.TMP_FontAsset::atlas
Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * ___atlas_25;
// System.Int32 TMPro.TMP_FontAsset::m_AtlasWidth
int32_t ___m_AtlasWidth_26;
// System.Int32 TMPro.TMP_FontAsset::m_AtlasHeight
int32_t ___m_AtlasHeight_27;
// System.Int32 TMPro.TMP_FontAsset::m_AtlasPadding
int32_t ___m_AtlasPadding_28;
// UnityEngine.TextCore.LowLevel.GlyphRenderMode TMPro.TMP_FontAsset::m_AtlasRenderMode
int32_t ___m_AtlasRenderMode_29;
// System.Collections.Generic.List`1<TMPro.TMP_Glyph> TMPro.TMP_FontAsset::m_glyphInfoList
List_1_t3F387498A6DE374D972293A68DB91FDF1A530E2E * ___m_glyphInfoList_30;
// TMPro.KerningTable TMPro.TMP_FontAsset::m_KerningTable
KerningTable_t820628F74178B0781DBFFB55BF1277247047617D * ___m_KerningTable_31;
// TMPro.TMP_FontFeatureTable TMPro.TMP_FontAsset::m_FontFeatureTable
TMP_FontFeatureTable_t4A06C31656BB8CB686657DC85E0179FA3D15E2F1 * ___m_FontFeatureTable_32;
// System.Collections.Generic.List`1<TMPro.TMP_FontAsset> TMPro.TMP_FontAsset::fallbackFontAssets
List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD * ___fallbackFontAssets_33;
// System.Collections.Generic.List`1<TMPro.TMP_FontAsset> TMPro.TMP_FontAsset::m_FallbackFontAssetTable
List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD * ___m_FallbackFontAssetTable_34;
// TMPro.FontAssetCreationSettings TMPro.TMP_FontAsset::m_CreationSettings
FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1 ___m_CreationSettings_35;
// TMPro.TMP_FontWeightPair[] TMPro.TMP_FontAsset::m_FontWeightTable
TMP_FontWeightPairU5BU5D_t537F746E35AD2938424D897D937D0F26B0EC45BC* ___m_FontWeightTable_36;
// TMPro.TMP_FontWeightPair[] TMPro.TMP_FontAsset::fontWeights
TMP_FontWeightPairU5BU5D_t537F746E35AD2938424D897D937D0F26B0EC45BC* ___fontWeights_37;
// System.Single TMPro.TMP_FontAsset::normalStyle
float ___normalStyle_38;
// System.Single TMPro.TMP_FontAsset::normalSpacingOffset
float ___normalSpacingOffset_39;
// System.Single TMPro.TMP_FontAsset::boldStyle
float ___boldStyle_40;
// System.Single TMPro.TMP_FontAsset::boldSpacing
float ___boldSpacing_41;
// System.Byte TMPro.TMP_FontAsset::italicStyle
uint8_t ___italicStyle_42;
// System.Byte TMPro.TMP_FontAsset::tabSize
uint8_t ___tabSize_43;
// System.Boolean TMPro.TMP_FontAsset::IsFontAssetLookupTablesDirty
bool ___IsFontAssetLookupTablesDirty_44;
// System.Collections.Generic.HashSet`1<System.Int32> TMPro.TMP_FontAsset::FallbackSearchQueryLookup
HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * ___FallbackSearchQueryLookup_53;
// System.Collections.Generic.List`1<UnityEngine.TextCore.Glyph> TMPro.TMP_FontAsset::m_GlyphsToRender
List_1_tA740960861E81663EBF03A56DE52E25A9283E954 * ___m_GlyphsToRender_59;
// System.Collections.Generic.List`1<UnityEngine.TextCore.Glyph> TMPro.TMP_FontAsset::m_GlyphsRendered
List_1_tA740960861E81663EBF03A56DE52E25A9283E954 * ___m_GlyphsRendered_60;
// System.Collections.Generic.List`1<System.UInt32> TMPro.TMP_FontAsset::m_GlyphIndexList
List_1_t023026A8F0D0D113E2B62213C8C74717BF7F4731 * ___m_GlyphIndexList_61;
// System.Collections.Generic.List`1<System.UInt32> TMPro.TMP_FontAsset::m_GlyphIndexListNewlyAdded
List_1_t023026A8F0D0D113E2B62213C8C74717BF7F4731 * ___m_GlyphIndexListNewlyAdded_62;
// System.Collections.Generic.List`1<System.UInt32> TMPro.TMP_FontAsset::m_GlyphsToAdd
List_1_t023026A8F0D0D113E2B62213C8C74717BF7F4731 * ___m_GlyphsToAdd_63;
// System.Collections.Generic.HashSet`1<System.UInt32> TMPro.TMP_FontAsset::m_GlyphsToAddLookup
HashSet_1_tE1C51BB41CBDB9CD639DE8689780E3494FDE999B * ___m_GlyphsToAddLookup_64;
// System.Collections.Generic.List`1<TMPro.TMP_Character> TMPro.TMP_FontAsset::m_CharactersToAdd
List_1_tE8F1656A7A5AF5AEE27ED7B656B56CACB417FEB8 * ___m_CharactersToAdd_65;
// System.Collections.Generic.HashSet`1<System.UInt32> TMPro.TMP_FontAsset::m_CharactersToAddLookup
HashSet_1_tE1C51BB41CBDB9CD639DE8689780E3494FDE999B * ___m_CharactersToAddLookup_66;
// System.Collections.Generic.List`1<System.UInt32> TMPro.TMP_FontAsset::s_MissingCharacterList
List_1_t023026A8F0D0D113E2B62213C8C74717BF7F4731 * ___s_MissingCharacterList_67;
// System.Collections.Generic.HashSet`1<System.UInt32> TMPro.TMP_FontAsset::m_MissingUnicodesFromFontFile
HashSet_1_tE1C51BB41CBDB9CD639DE8689780E3494FDE999B * ___m_MissingUnicodesFromFontFile_68;
public:
inline static int32_t get_offset_of_m_Version_8() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_Version_8)); }
inline String_t* get_m_Version_8() const { return ___m_Version_8; }
inline String_t** get_address_of_m_Version_8() { return &___m_Version_8; }
inline void set_m_Version_8(String_t* value)
{
___m_Version_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Version_8), (void*)value);
}
inline static int32_t get_offset_of_m_SourceFontFileGUID_9() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_SourceFontFileGUID_9)); }
inline String_t* get_m_SourceFontFileGUID_9() const { return ___m_SourceFontFileGUID_9; }
inline String_t** get_address_of_m_SourceFontFileGUID_9() { return &___m_SourceFontFileGUID_9; }
inline void set_m_SourceFontFileGUID_9(String_t* value)
{
___m_SourceFontFileGUID_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SourceFontFileGUID_9), (void*)value);
}
inline static int32_t get_offset_of_m_SourceFontFile_10() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_SourceFontFile_10)); }
inline Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9 * get_m_SourceFontFile_10() const { return ___m_SourceFontFile_10; }
inline Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9 ** get_address_of_m_SourceFontFile_10() { return &___m_SourceFontFile_10; }
inline void set_m_SourceFontFile_10(Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9 * value)
{
___m_SourceFontFile_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SourceFontFile_10), (void*)value);
}
inline static int32_t get_offset_of_m_AtlasPopulationMode_11() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_AtlasPopulationMode_11)); }
inline int32_t get_m_AtlasPopulationMode_11() const { return ___m_AtlasPopulationMode_11; }
inline int32_t* get_address_of_m_AtlasPopulationMode_11() { return &___m_AtlasPopulationMode_11; }
inline void set_m_AtlasPopulationMode_11(int32_t value)
{
___m_AtlasPopulationMode_11 = value;
}
inline static int32_t get_offset_of_m_FaceInfo_12() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_FaceInfo_12)); }
inline FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979 get_m_FaceInfo_12() const { return ___m_FaceInfo_12; }
inline FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979 * get_address_of_m_FaceInfo_12() { return &___m_FaceInfo_12; }
inline void set_m_FaceInfo_12(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979 value)
{
___m_FaceInfo_12 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_FaceInfo_12))->___m_FamilyName_1), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_FaceInfo_12))->___m_StyleName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_GlyphTable_13() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_GlyphTable_13)); }
inline List_1_tA740960861E81663EBF03A56DE52E25A9283E954 * get_m_GlyphTable_13() const { return ___m_GlyphTable_13; }
inline List_1_tA740960861E81663EBF03A56DE52E25A9283E954 ** get_address_of_m_GlyphTable_13() { return &___m_GlyphTable_13; }
inline void set_m_GlyphTable_13(List_1_tA740960861E81663EBF03A56DE52E25A9283E954 * value)
{
___m_GlyphTable_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GlyphTable_13), (void*)value);
}
inline static int32_t get_offset_of_m_GlyphLookupDictionary_14() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_GlyphLookupDictionary_14)); }
inline Dictionary_2_tDA5C03A58B5E004C6D454EF31BF9C5307FE785BE * get_m_GlyphLookupDictionary_14() const { return ___m_GlyphLookupDictionary_14; }
inline Dictionary_2_tDA5C03A58B5E004C6D454EF31BF9C5307FE785BE ** get_address_of_m_GlyphLookupDictionary_14() { return &___m_GlyphLookupDictionary_14; }
inline void set_m_GlyphLookupDictionary_14(Dictionary_2_tDA5C03A58B5E004C6D454EF31BF9C5307FE785BE * value)
{
___m_GlyphLookupDictionary_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GlyphLookupDictionary_14), (void*)value);
}
inline static int32_t get_offset_of_m_CharacterTable_15() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_CharacterTable_15)); }
inline List_1_tE8F1656A7A5AF5AEE27ED7B656B56CACB417FEB8 * get_m_CharacterTable_15() const { return ___m_CharacterTable_15; }
inline List_1_tE8F1656A7A5AF5AEE27ED7B656B56CACB417FEB8 ** get_address_of_m_CharacterTable_15() { return &___m_CharacterTable_15; }
inline void set_m_CharacterTable_15(List_1_tE8F1656A7A5AF5AEE27ED7B656B56CACB417FEB8 * value)
{
___m_CharacterTable_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CharacterTable_15), (void*)value);
}
inline static int32_t get_offset_of_m_CharacterLookupDictionary_16() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_CharacterLookupDictionary_16)); }
inline Dictionary_2_t6BB43D0F158FE3B19E71F6F48A84283B5250E1B4 * get_m_CharacterLookupDictionary_16() const { return ___m_CharacterLookupDictionary_16; }
inline Dictionary_2_t6BB43D0F158FE3B19E71F6F48A84283B5250E1B4 ** get_address_of_m_CharacterLookupDictionary_16() { return &___m_CharacterLookupDictionary_16; }
inline void set_m_CharacterLookupDictionary_16(Dictionary_2_t6BB43D0F158FE3B19E71F6F48A84283B5250E1B4 * value)
{
___m_CharacterLookupDictionary_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CharacterLookupDictionary_16), (void*)value);
}
inline static int32_t get_offset_of_m_AtlasTexture_17() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_AtlasTexture_17)); }
inline Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * get_m_AtlasTexture_17() const { return ___m_AtlasTexture_17; }
inline Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF ** get_address_of_m_AtlasTexture_17() { return &___m_AtlasTexture_17; }
inline void set_m_AtlasTexture_17(Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * value)
{
___m_AtlasTexture_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_AtlasTexture_17), (void*)value);
}
inline static int32_t get_offset_of_m_AtlasTextures_18() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_AtlasTextures_18)); }
inline Texture2DU5BU5D_t0CBDCEA1648F6CBEA47C64E1E48F22B9692B3316* get_m_AtlasTextures_18() const { return ___m_AtlasTextures_18; }
inline Texture2DU5BU5D_t0CBDCEA1648F6CBEA47C64E1E48F22B9692B3316** get_address_of_m_AtlasTextures_18() { return &___m_AtlasTextures_18; }
inline void set_m_AtlasTextures_18(Texture2DU5BU5D_t0CBDCEA1648F6CBEA47C64E1E48F22B9692B3316* value)
{
___m_AtlasTextures_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_AtlasTextures_18), (void*)value);
}
inline static int32_t get_offset_of_m_AtlasTextureIndex_19() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_AtlasTextureIndex_19)); }
inline int32_t get_m_AtlasTextureIndex_19() const { return ___m_AtlasTextureIndex_19; }
inline int32_t* get_address_of_m_AtlasTextureIndex_19() { return &___m_AtlasTextureIndex_19; }
inline void set_m_AtlasTextureIndex_19(int32_t value)
{
___m_AtlasTextureIndex_19 = value;
}
inline static int32_t get_offset_of_m_IsMultiAtlasTexturesEnabled_20() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_IsMultiAtlasTexturesEnabled_20)); }
inline bool get_m_IsMultiAtlasTexturesEnabled_20() const { return ___m_IsMultiAtlasTexturesEnabled_20; }
inline bool* get_address_of_m_IsMultiAtlasTexturesEnabled_20() { return &___m_IsMultiAtlasTexturesEnabled_20; }
inline void set_m_IsMultiAtlasTexturesEnabled_20(bool value)
{
___m_IsMultiAtlasTexturesEnabled_20 = value;
}
inline static int32_t get_offset_of_m_ClearDynamicDataOnBuild_21() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_ClearDynamicDataOnBuild_21)); }
inline bool get_m_ClearDynamicDataOnBuild_21() const { return ___m_ClearDynamicDataOnBuild_21; }
inline bool* get_address_of_m_ClearDynamicDataOnBuild_21() { return &___m_ClearDynamicDataOnBuild_21; }
inline void set_m_ClearDynamicDataOnBuild_21(bool value)
{
___m_ClearDynamicDataOnBuild_21 = value;
}
inline static int32_t get_offset_of_m_UsedGlyphRects_22() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_UsedGlyphRects_22)); }
inline List_1_tE870449A6BC21548542BC92F18B284004FA8668A * get_m_UsedGlyphRects_22() const { return ___m_UsedGlyphRects_22; }
inline List_1_tE870449A6BC21548542BC92F18B284004FA8668A ** get_address_of_m_UsedGlyphRects_22() { return &___m_UsedGlyphRects_22; }
inline void set_m_UsedGlyphRects_22(List_1_tE870449A6BC21548542BC92F18B284004FA8668A * value)
{
___m_UsedGlyphRects_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UsedGlyphRects_22), (void*)value);
}
inline static int32_t get_offset_of_m_FreeGlyphRects_23() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_FreeGlyphRects_23)); }
inline List_1_tE870449A6BC21548542BC92F18B284004FA8668A * get_m_FreeGlyphRects_23() const { return ___m_FreeGlyphRects_23; }
inline List_1_tE870449A6BC21548542BC92F18B284004FA8668A ** get_address_of_m_FreeGlyphRects_23() { return &___m_FreeGlyphRects_23; }
inline void set_m_FreeGlyphRects_23(List_1_tE870449A6BC21548542BC92F18B284004FA8668A * value)
{
___m_FreeGlyphRects_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_FreeGlyphRects_23), (void*)value);
}
inline static int32_t get_offset_of_m_fontInfo_24() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_fontInfo_24)); }
inline FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F * get_m_fontInfo_24() const { return ___m_fontInfo_24; }
inline FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F ** get_address_of_m_fontInfo_24() { return &___m_fontInfo_24; }
inline void set_m_fontInfo_24(FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F * value)
{
___m_fontInfo_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fontInfo_24), (void*)value);
}
inline static int32_t get_offset_of_atlas_25() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___atlas_25)); }
inline Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * get_atlas_25() const { return ___atlas_25; }
inline Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF ** get_address_of_atlas_25() { return &___atlas_25; }
inline void set_atlas_25(Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * value)
{
___atlas_25 = value;
Il2CppCodeGenWriteBarrier((void**)(&___atlas_25), (void*)value);
}
inline static int32_t get_offset_of_m_AtlasWidth_26() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_AtlasWidth_26)); }
inline int32_t get_m_AtlasWidth_26() const { return ___m_AtlasWidth_26; }
inline int32_t* get_address_of_m_AtlasWidth_26() { return &___m_AtlasWidth_26; }
inline void set_m_AtlasWidth_26(int32_t value)
{
___m_AtlasWidth_26 = value;
}
inline static int32_t get_offset_of_m_AtlasHeight_27() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_AtlasHeight_27)); }
inline int32_t get_m_AtlasHeight_27() const { return ___m_AtlasHeight_27; }
inline int32_t* get_address_of_m_AtlasHeight_27() { return &___m_AtlasHeight_27; }
inline void set_m_AtlasHeight_27(int32_t value)
{
___m_AtlasHeight_27 = value;
}
inline static int32_t get_offset_of_m_AtlasPadding_28() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_AtlasPadding_28)); }
inline int32_t get_m_AtlasPadding_28() const { return ___m_AtlasPadding_28; }
inline int32_t* get_address_of_m_AtlasPadding_28() { return &___m_AtlasPadding_28; }
inline void set_m_AtlasPadding_28(int32_t value)
{
___m_AtlasPadding_28 = value;
}
inline static int32_t get_offset_of_m_AtlasRenderMode_29() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_AtlasRenderMode_29)); }
inline int32_t get_m_AtlasRenderMode_29() const { return ___m_AtlasRenderMode_29; }
inline int32_t* get_address_of_m_AtlasRenderMode_29() { return &___m_AtlasRenderMode_29; }
inline void set_m_AtlasRenderMode_29(int32_t value)
{
___m_AtlasRenderMode_29 = value;
}
inline static int32_t get_offset_of_m_glyphInfoList_30() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_glyphInfoList_30)); }
inline List_1_t3F387498A6DE374D972293A68DB91FDF1A530E2E * get_m_glyphInfoList_30() const { return ___m_glyphInfoList_30; }
inline List_1_t3F387498A6DE374D972293A68DB91FDF1A530E2E ** get_address_of_m_glyphInfoList_30() { return &___m_glyphInfoList_30; }
inline void set_m_glyphInfoList_30(List_1_t3F387498A6DE374D972293A68DB91FDF1A530E2E * value)
{
___m_glyphInfoList_30 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_glyphInfoList_30), (void*)value);
}
inline static int32_t get_offset_of_m_KerningTable_31() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_KerningTable_31)); }
inline KerningTable_t820628F74178B0781DBFFB55BF1277247047617D * get_m_KerningTable_31() const { return ___m_KerningTable_31; }
inline KerningTable_t820628F74178B0781DBFFB55BF1277247047617D ** get_address_of_m_KerningTable_31() { return &___m_KerningTable_31; }
inline void set_m_KerningTable_31(KerningTable_t820628F74178B0781DBFFB55BF1277247047617D * value)
{
___m_KerningTable_31 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_KerningTable_31), (void*)value);
}
inline static int32_t get_offset_of_m_FontFeatureTable_32() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_FontFeatureTable_32)); }
inline TMP_FontFeatureTable_t4A06C31656BB8CB686657DC85E0179FA3D15E2F1 * get_m_FontFeatureTable_32() const { return ___m_FontFeatureTable_32; }
inline TMP_FontFeatureTable_t4A06C31656BB8CB686657DC85E0179FA3D15E2F1 ** get_address_of_m_FontFeatureTable_32() { return &___m_FontFeatureTable_32; }
inline void set_m_FontFeatureTable_32(TMP_FontFeatureTable_t4A06C31656BB8CB686657DC85E0179FA3D15E2F1 * value)
{
___m_FontFeatureTable_32 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_FontFeatureTable_32), (void*)value);
}
inline static int32_t get_offset_of_fallbackFontAssets_33() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___fallbackFontAssets_33)); }
inline List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD * get_fallbackFontAssets_33() const { return ___fallbackFontAssets_33; }
inline List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD ** get_address_of_fallbackFontAssets_33() { return &___fallbackFontAssets_33; }
inline void set_fallbackFontAssets_33(List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD * value)
{
___fallbackFontAssets_33 = value;
Il2CppCodeGenWriteBarrier((void**)(&___fallbackFontAssets_33), (void*)value);
}
inline static int32_t get_offset_of_m_FallbackFontAssetTable_34() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_FallbackFontAssetTable_34)); }
inline List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD * get_m_FallbackFontAssetTable_34() const { return ___m_FallbackFontAssetTable_34; }
inline List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD ** get_address_of_m_FallbackFontAssetTable_34() { return &___m_FallbackFontAssetTable_34; }
inline void set_m_FallbackFontAssetTable_34(List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD * value)
{
___m_FallbackFontAssetTable_34 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_FallbackFontAssetTable_34), (void*)value);
}
inline static int32_t get_offset_of_m_CreationSettings_35() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_CreationSettings_35)); }
inline FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1 get_m_CreationSettings_35() const { return ___m_CreationSettings_35; }
inline FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1 * get_address_of_m_CreationSettings_35() { return &___m_CreationSettings_35; }
inline void set_m_CreationSettings_35(FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1 value)
{
___m_CreationSettings_35 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_CreationSettings_35))->___sourceFontFileName_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_CreationSettings_35))->___sourceFontFileGUID_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_CreationSettings_35))->___characterSequence_9), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_CreationSettings_35))->___referencedFontAssetGUID_10), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_CreationSettings_35))->___referencedTextAssetGUID_11), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_FontWeightTable_36() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_FontWeightTable_36)); }
inline TMP_FontWeightPairU5BU5D_t537F746E35AD2938424D897D937D0F26B0EC45BC* get_m_FontWeightTable_36() const { return ___m_FontWeightTable_36; }
inline TMP_FontWeightPairU5BU5D_t537F746E35AD2938424D897D937D0F26B0EC45BC** get_address_of_m_FontWeightTable_36() { return &___m_FontWeightTable_36; }
inline void set_m_FontWeightTable_36(TMP_FontWeightPairU5BU5D_t537F746E35AD2938424D897D937D0F26B0EC45BC* value)
{
___m_FontWeightTable_36 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_FontWeightTable_36), (void*)value);
}
inline static int32_t get_offset_of_fontWeights_37() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___fontWeights_37)); }
inline TMP_FontWeightPairU5BU5D_t537F746E35AD2938424D897D937D0F26B0EC45BC* get_fontWeights_37() const { return ___fontWeights_37; }
inline TMP_FontWeightPairU5BU5D_t537F746E35AD2938424D897D937D0F26B0EC45BC** get_address_of_fontWeights_37() { return &___fontWeights_37; }
inline void set_fontWeights_37(TMP_FontWeightPairU5BU5D_t537F746E35AD2938424D897D937D0F26B0EC45BC* value)
{
___fontWeights_37 = value;
Il2CppCodeGenWriteBarrier((void**)(&___fontWeights_37), (void*)value);
}
inline static int32_t get_offset_of_normalStyle_38() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___normalStyle_38)); }
inline float get_normalStyle_38() const { return ___normalStyle_38; }
inline float* get_address_of_normalStyle_38() { return &___normalStyle_38; }
inline void set_normalStyle_38(float value)
{
___normalStyle_38 = value;
}
inline static int32_t get_offset_of_normalSpacingOffset_39() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___normalSpacingOffset_39)); }
inline float get_normalSpacingOffset_39() const { return ___normalSpacingOffset_39; }
inline float* get_address_of_normalSpacingOffset_39() { return &___normalSpacingOffset_39; }
inline void set_normalSpacingOffset_39(float value)
{
___normalSpacingOffset_39 = value;
}
inline static int32_t get_offset_of_boldStyle_40() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___boldStyle_40)); }
inline float get_boldStyle_40() const { return ___boldStyle_40; }
inline float* get_address_of_boldStyle_40() { return &___boldStyle_40; }
inline void set_boldStyle_40(float value)
{
___boldStyle_40 = value;
}
inline static int32_t get_offset_of_boldSpacing_41() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___boldSpacing_41)); }
inline float get_boldSpacing_41() const { return ___boldSpacing_41; }
inline float* get_address_of_boldSpacing_41() { return &___boldSpacing_41; }
inline void set_boldSpacing_41(float value)
{
___boldSpacing_41 = value;
}
inline static int32_t get_offset_of_italicStyle_42() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___italicStyle_42)); }
inline uint8_t get_italicStyle_42() const { return ___italicStyle_42; }
inline uint8_t* get_address_of_italicStyle_42() { return &___italicStyle_42; }
inline void set_italicStyle_42(uint8_t value)
{
___italicStyle_42 = value;
}
inline static int32_t get_offset_of_tabSize_43() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___tabSize_43)); }
inline uint8_t get_tabSize_43() const { return ___tabSize_43; }
inline uint8_t* get_address_of_tabSize_43() { return &___tabSize_43; }
inline void set_tabSize_43(uint8_t value)
{
___tabSize_43 = value;
}
inline static int32_t get_offset_of_IsFontAssetLookupTablesDirty_44() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___IsFontAssetLookupTablesDirty_44)); }
inline bool get_IsFontAssetLookupTablesDirty_44() const { return ___IsFontAssetLookupTablesDirty_44; }
inline bool* get_address_of_IsFontAssetLookupTablesDirty_44() { return &___IsFontAssetLookupTablesDirty_44; }
inline void set_IsFontAssetLookupTablesDirty_44(bool value)
{
___IsFontAssetLookupTablesDirty_44 = value;
}
inline static int32_t get_offset_of_FallbackSearchQueryLookup_53() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___FallbackSearchQueryLookup_53)); }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * get_FallbackSearchQueryLookup_53() const { return ___FallbackSearchQueryLookup_53; }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 ** get_address_of_FallbackSearchQueryLookup_53() { return &___FallbackSearchQueryLookup_53; }
inline void set_FallbackSearchQueryLookup_53(HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * value)
{
___FallbackSearchQueryLookup_53 = value;
Il2CppCodeGenWriteBarrier((void**)(&___FallbackSearchQueryLookup_53), (void*)value);
}
inline static int32_t get_offset_of_m_GlyphsToRender_59() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_GlyphsToRender_59)); }
inline List_1_tA740960861E81663EBF03A56DE52E25A9283E954 * get_m_GlyphsToRender_59() const { return ___m_GlyphsToRender_59; }
inline List_1_tA740960861E81663EBF03A56DE52E25A9283E954 ** get_address_of_m_GlyphsToRender_59() { return &___m_GlyphsToRender_59; }
inline void set_m_GlyphsToRender_59(List_1_tA740960861E81663EBF03A56DE52E25A9283E954 * value)
{
___m_GlyphsToRender_59 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GlyphsToRender_59), (void*)value);
}
inline static int32_t get_offset_of_m_GlyphsRendered_60() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_GlyphsRendered_60)); }
inline List_1_tA740960861E81663EBF03A56DE52E25A9283E954 * get_m_GlyphsRendered_60() const { return ___m_GlyphsRendered_60; }
inline List_1_tA740960861E81663EBF03A56DE52E25A9283E954 ** get_address_of_m_GlyphsRendered_60() { return &___m_GlyphsRendered_60; }
inline void set_m_GlyphsRendered_60(List_1_tA740960861E81663EBF03A56DE52E25A9283E954 * value)
{
___m_GlyphsRendered_60 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GlyphsRendered_60), (void*)value);
}
inline static int32_t get_offset_of_m_GlyphIndexList_61() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_GlyphIndexList_61)); }
inline List_1_t023026A8F0D0D113E2B62213C8C74717BF7F4731 * get_m_GlyphIndexList_61() const { return ___m_GlyphIndexList_61; }
inline List_1_t023026A8F0D0D113E2B62213C8C74717BF7F4731 ** get_address_of_m_GlyphIndexList_61() { return &___m_GlyphIndexList_61; }
inline void set_m_GlyphIndexList_61(List_1_t023026A8F0D0D113E2B62213C8C74717BF7F4731 * value)
{
___m_GlyphIndexList_61 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GlyphIndexList_61), (void*)value);
}
inline static int32_t get_offset_of_m_GlyphIndexListNewlyAdded_62() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_GlyphIndexListNewlyAdded_62)); }
inline List_1_t023026A8F0D0D113E2B62213C8C74717BF7F4731 * get_m_GlyphIndexListNewlyAdded_62() const { return ___m_GlyphIndexListNewlyAdded_62; }
inline List_1_t023026A8F0D0D113E2B62213C8C74717BF7F4731 ** get_address_of_m_GlyphIndexListNewlyAdded_62() { return &___m_GlyphIndexListNewlyAdded_62; }
inline void set_m_GlyphIndexListNewlyAdded_62(List_1_t023026A8F0D0D113E2B62213C8C74717BF7F4731 * value)
{
___m_GlyphIndexListNewlyAdded_62 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GlyphIndexListNewlyAdded_62), (void*)value);
}
inline static int32_t get_offset_of_m_GlyphsToAdd_63() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_GlyphsToAdd_63)); }
inline List_1_t023026A8F0D0D113E2B62213C8C74717BF7F4731 * get_m_GlyphsToAdd_63() const { return ___m_GlyphsToAdd_63; }
inline List_1_t023026A8F0D0D113E2B62213C8C74717BF7F4731 ** get_address_of_m_GlyphsToAdd_63() { return &___m_GlyphsToAdd_63; }
inline void set_m_GlyphsToAdd_63(List_1_t023026A8F0D0D113E2B62213C8C74717BF7F4731 * value)
{
___m_GlyphsToAdd_63 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GlyphsToAdd_63), (void*)value);
}
inline static int32_t get_offset_of_m_GlyphsToAddLookup_64() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_GlyphsToAddLookup_64)); }
inline HashSet_1_tE1C51BB41CBDB9CD639DE8689780E3494FDE999B * get_m_GlyphsToAddLookup_64() const { return ___m_GlyphsToAddLookup_64; }
inline HashSet_1_tE1C51BB41CBDB9CD639DE8689780E3494FDE999B ** get_address_of_m_GlyphsToAddLookup_64() { return &___m_GlyphsToAddLookup_64; }
inline void set_m_GlyphsToAddLookup_64(HashSet_1_tE1C51BB41CBDB9CD639DE8689780E3494FDE999B * value)
{
___m_GlyphsToAddLookup_64 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GlyphsToAddLookup_64), (void*)value);
}
inline static int32_t get_offset_of_m_CharactersToAdd_65() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_CharactersToAdd_65)); }
inline List_1_tE8F1656A7A5AF5AEE27ED7B656B56CACB417FEB8 * get_m_CharactersToAdd_65() const { return ___m_CharactersToAdd_65; }
inline List_1_tE8F1656A7A5AF5AEE27ED7B656B56CACB417FEB8 ** get_address_of_m_CharactersToAdd_65() { return &___m_CharactersToAdd_65; }
inline void set_m_CharactersToAdd_65(List_1_tE8F1656A7A5AF5AEE27ED7B656B56CACB417FEB8 * value)
{
___m_CharactersToAdd_65 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CharactersToAdd_65), (void*)value);
}
inline static int32_t get_offset_of_m_CharactersToAddLookup_66() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_CharactersToAddLookup_66)); }
inline HashSet_1_tE1C51BB41CBDB9CD639DE8689780E3494FDE999B * get_m_CharactersToAddLookup_66() const { return ___m_CharactersToAddLookup_66; }
inline HashSet_1_tE1C51BB41CBDB9CD639DE8689780E3494FDE999B ** get_address_of_m_CharactersToAddLookup_66() { return &___m_CharactersToAddLookup_66; }
inline void set_m_CharactersToAddLookup_66(HashSet_1_tE1C51BB41CBDB9CD639DE8689780E3494FDE999B * value)
{
___m_CharactersToAddLookup_66 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CharactersToAddLookup_66), (void*)value);
}
inline static int32_t get_offset_of_s_MissingCharacterList_67() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___s_MissingCharacterList_67)); }
inline List_1_t023026A8F0D0D113E2B62213C8C74717BF7F4731 * get_s_MissingCharacterList_67() const { return ___s_MissingCharacterList_67; }
inline List_1_t023026A8F0D0D113E2B62213C8C74717BF7F4731 ** get_address_of_s_MissingCharacterList_67() { return &___s_MissingCharacterList_67; }
inline void set_s_MissingCharacterList_67(List_1_t023026A8F0D0D113E2B62213C8C74717BF7F4731 * value)
{
___s_MissingCharacterList_67 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_MissingCharacterList_67), (void*)value);
}
inline static int32_t get_offset_of_m_MissingUnicodesFromFontFile_68() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2, ___m_MissingUnicodesFromFontFile_68)); }
inline HashSet_1_tE1C51BB41CBDB9CD639DE8689780E3494FDE999B * get_m_MissingUnicodesFromFontFile_68() const { return ___m_MissingUnicodesFromFontFile_68; }
inline HashSet_1_tE1C51BB41CBDB9CD639DE8689780E3494FDE999B ** get_address_of_m_MissingUnicodesFromFontFile_68() { return &___m_MissingUnicodesFromFontFile_68; }
inline void set_m_MissingUnicodesFromFontFile_68(HashSet_1_tE1C51BB41CBDB9CD639DE8689780E3494FDE999B * value)
{
___m_MissingUnicodesFromFontFile_68 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_MissingUnicodesFromFontFile_68), (void*)value);
}
};
struct TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields
{
public:
// Unity.Profiling.ProfilerMarker TMPro.TMP_FontAsset::k_ReadFontAssetDefinitionMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_ReadFontAssetDefinitionMarker_45;
// Unity.Profiling.ProfilerMarker TMPro.TMP_FontAsset::k_AddSynthesizedCharactersMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_AddSynthesizedCharactersMarker_46;
// Unity.Profiling.ProfilerMarker TMPro.TMP_FontAsset::k_TryAddCharacterMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_TryAddCharacterMarker_47;
// Unity.Profiling.ProfilerMarker TMPro.TMP_FontAsset::k_TryAddCharactersMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_TryAddCharactersMarker_48;
// Unity.Profiling.ProfilerMarker TMPro.TMP_FontAsset::k_UpdateGlyphAdjustmentRecordsMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_UpdateGlyphAdjustmentRecordsMarker_49;
// Unity.Profiling.ProfilerMarker TMPro.TMP_FontAsset::k_ClearFontAssetDataMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_ClearFontAssetDataMarker_50;
// Unity.Profiling.ProfilerMarker TMPro.TMP_FontAsset::k_UpdateFontAssetDataMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_UpdateFontAssetDataMarker_51;
// System.String TMPro.TMP_FontAsset::s_DefaultMaterialSuffix
String_t* ___s_DefaultMaterialSuffix_52;
// System.Collections.Generic.HashSet`1<System.Int32> TMPro.TMP_FontAsset::k_SearchedFontAssetLookup
HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * ___k_SearchedFontAssetLookup_54;
// System.Collections.Generic.List`1<TMPro.TMP_FontAsset> TMPro.TMP_FontAsset::k_FontAssets_FontFeaturesUpdateQueue
List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD * ___k_FontAssets_FontFeaturesUpdateQueue_55;
// System.Collections.Generic.HashSet`1<System.Int32> TMPro.TMP_FontAsset::k_FontAssets_FontFeaturesUpdateQueueLookup
HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * ___k_FontAssets_FontFeaturesUpdateQueueLookup_56;
// System.Collections.Generic.List`1<TMPro.TMP_FontAsset> TMPro.TMP_FontAsset::k_FontAssets_AtlasTexturesUpdateQueue
List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD * ___k_FontAssets_AtlasTexturesUpdateQueue_57;
// System.Collections.Generic.HashSet`1<System.Int32> TMPro.TMP_FontAsset::k_FontAssets_AtlasTexturesUpdateQueueLookup
HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * ___k_FontAssets_AtlasTexturesUpdateQueueLookup_58;
// System.UInt32[] TMPro.TMP_FontAsset::k_GlyphIndexArray
UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* ___k_GlyphIndexArray_69;
public:
inline static int32_t get_offset_of_k_ReadFontAssetDefinitionMarker_45() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields, ___k_ReadFontAssetDefinitionMarker_45)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_ReadFontAssetDefinitionMarker_45() const { return ___k_ReadFontAssetDefinitionMarker_45; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_ReadFontAssetDefinitionMarker_45() { return &___k_ReadFontAssetDefinitionMarker_45; }
inline void set_k_ReadFontAssetDefinitionMarker_45(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_ReadFontAssetDefinitionMarker_45 = value;
}
inline static int32_t get_offset_of_k_AddSynthesizedCharactersMarker_46() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields, ___k_AddSynthesizedCharactersMarker_46)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_AddSynthesizedCharactersMarker_46() const { return ___k_AddSynthesizedCharactersMarker_46; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_AddSynthesizedCharactersMarker_46() { return &___k_AddSynthesizedCharactersMarker_46; }
inline void set_k_AddSynthesizedCharactersMarker_46(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_AddSynthesizedCharactersMarker_46 = value;
}
inline static int32_t get_offset_of_k_TryAddCharacterMarker_47() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields, ___k_TryAddCharacterMarker_47)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_TryAddCharacterMarker_47() const { return ___k_TryAddCharacterMarker_47; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_TryAddCharacterMarker_47() { return &___k_TryAddCharacterMarker_47; }
inline void set_k_TryAddCharacterMarker_47(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_TryAddCharacterMarker_47 = value;
}
inline static int32_t get_offset_of_k_TryAddCharactersMarker_48() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields, ___k_TryAddCharactersMarker_48)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_TryAddCharactersMarker_48() const { return ___k_TryAddCharactersMarker_48; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_TryAddCharactersMarker_48() { return &___k_TryAddCharactersMarker_48; }
inline void set_k_TryAddCharactersMarker_48(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_TryAddCharactersMarker_48 = value;
}
inline static int32_t get_offset_of_k_UpdateGlyphAdjustmentRecordsMarker_49() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields, ___k_UpdateGlyphAdjustmentRecordsMarker_49)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_UpdateGlyphAdjustmentRecordsMarker_49() const { return ___k_UpdateGlyphAdjustmentRecordsMarker_49; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_UpdateGlyphAdjustmentRecordsMarker_49() { return &___k_UpdateGlyphAdjustmentRecordsMarker_49; }
inline void set_k_UpdateGlyphAdjustmentRecordsMarker_49(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_UpdateGlyphAdjustmentRecordsMarker_49 = value;
}
inline static int32_t get_offset_of_k_ClearFontAssetDataMarker_50() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields, ___k_ClearFontAssetDataMarker_50)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_ClearFontAssetDataMarker_50() const { return ___k_ClearFontAssetDataMarker_50; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_ClearFontAssetDataMarker_50() { return &___k_ClearFontAssetDataMarker_50; }
inline void set_k_ClearFontAssetDataMarker_50(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_ClearFontAssetDataMarker_50 = value;
}
inline static int32_t get_offset_of_k_UpdateFontAssetDataMarker_51() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields, ___k_UpdateFontAssetDataMarker_51)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_UpdateFontAssetDataMarker_51() const { return ___k_UpdateFontAssetDataMarker_51; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_UpdateFontAssetDataMarker_51() { return &___k_UpdateFontAssetDataMarker_51; }
inline void set_k_UpdateFontAssetDataMarker_51(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_UpdateFontAssetDataMarker_51 = value;
}
inline static int32_t get_offset_of_s_DefaultMaterialSuffix_52() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields, ___s_DefaultMaterialSuffix_52)); }
inline String_t* get_s_DefaultMaterialSuffix_52() const { return ___s_DefaultMaterialSuffix_52; }
inline String_t** get_address_of_s_DefaultMaterialSuffix_52() { return &___s_DefaultMaterialSuffix_52; }
inline void set_s_DefaultMaterialSuffix_52(String_t* value)
{
___s_DefaultMaterialSuffix_52 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_DefaultMaterialSuffix_52), (void*)value);
}
inline static int32_t get_offset_of_k_SearchedFontAssetLookup_54() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields, ___k_SearchedFontAssetLookup_54)); }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * get_k_SearchedFontAssetLookup_54() const { return ___k_SearchedFontAssetLookup_54; }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 ** get_address_of_k_SearchedFontAssetLookup_54() { return &___k_SearchedFontAssetLookup_54; }
inline void set_k_SearchedFontAssetLookup_54(HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * value)
{
___k_SearchedFontAssetLookup_54 = value;
Il2CppCodeGenWriteBarrier((void**)(&___k_SearchedFontAssetLookup_54), (void*)value);
}
inline static int32_t get_offset_of_k_FontAssets_FontFeaturesUpdateQueue_55() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields, ___k_FontAssets_FontFeaturesUpdateQueue_55)); }
inline List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD * get_k_FontAssets_FontFeaturesUpdateQueue_55() const { return ___k_FontAssets_FontFeaturesUpdateQueue_55; }
inline List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD ** get_address_of_k_FontAssets_FontFeaturesUpdateQueue_55() { return &___k_FontAssets_FontFeaturesUpdateQueue_55; }
inline void set_k_FontAssets_FontFeaturesUpdateQueue_55(List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD * value)
{
___k_FontAssets_FontFeaturesUpdateQueue_55 = value;
Il2CppCodeGenWriteBarrier((void**)(&___k_FontAssets_FontFeaturesUpdateQueue_55), (void*)value);
}
inline static int32_t get_offset_of_k_FontAssets_FontFeaturesUpdateQueueLookup_56() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields, ___k_FontAssets_FontFeaturesUpdateQueueLookup_56)); }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * get_k_FontAssets_FontFeaturesUpdateQueueLookup_56() const { return ___k_FontAssets_FontFeaturesUpdateQueueLookup_56; }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 ** get_address_of_k_FontAssets_FontFeaturesUpdateQueueLookup_56() { return &___k_FontAssets_FontFeaturesUpdateQueueLookup_56; }
inline void set_k_FontAssets_FontFeaturesUpdateQueueLookup_56(HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * value)
{
___k_FontAssets_FontFeaturesUpdateQueueLookup_56 = value;
Il2CppCodeGenWriteBarrier((void**)(&___k_FontAssets_FontFeaturesUpdateQueueLookup_56), (void*)value);
}
inline static int32_t get_offset_of_k_FontAssets_AtlasTexturesUpdateQueue_57() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields, ___k_FontAssets_AtlasTexturesUpdateQueue_57)); }
inline List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD * get_k_FontAssets_AtlasTexturesUpdateQueue_57() const { return ___k_FontAssets_AtlasTexturesUpdateQueue_57; }
inline List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD ** get_address_of_k_FontAssets_AtlasTexturesUpdateQueue_57() { return &___k_FontAssets_AtlasTexturesUpdateQueue_57; }
inline void set_k_FontAssets_AtlasTexturesUpdateQueue_57(List_1_tBE22F0B6C1EBDB760862FAD201AFE75E3DEBBBFD * value)
{
___k_FontAssets_AtlasTexturesUpdateQueue_57 = value;
Il2CppCodeGenWriteBarrier((void**)(&___k_FontAssets_AtlasTexturesUpdateQueue_57), (void*)value);
}
inline static int32_t get_offset_of_k_FontAssets_AtlasTexturesUpdateQueueLookup_58() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields, ___k_FontAssets_AtlasTexturesUpdateQueueLookup_58)); }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * get_k_FontAssets_AtlasTexturesUpdateQueueLookup_58() const { return ___k_FontAssets_AtlasTexturesUpdateQueueLookup_58; }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 ** get_address_of_k_FontAssets_AtlasTexturesUpdateQueueLookup_58() { return &___k_FontAssets_AtlasTexturesUpdateQueueLookup_58; }
inline void set_k_FontAssets_AtlasTexturesUpdateQueueLookup_58(HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * value)
{
___k_FontAssets_AtlasTexturesUpdateQueueLookup_58 = value;
Il2CppCodeGenWriteBarrier((void**)(&___k_FontAssets_AtlasTexturesUpdateQueueLookup_58), (void*)value);
}
inline static int32_t get_offset_of_k_GlyphIndexArray_69() { return static_cast<int32_t>(offsetof(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields, ___k_GlyphIndexArray_69)); }
inline UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* get_k_GlyphIndexArray_69() const { return ___k_GlyphIndexArray_69; }
inline UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF** get_address_of_k_GlyphIndexArray_69() { return &___k_GlyphIndexArray_69; }
inline void set_k_GlyphIndexArray_69(UInt32U5BU5D_tCF06F1E9E72E0302C762578FF5358CC523F2A2CF* value)
{
___k_GlyphIndexArray_69 = value;
Il2CppCodeGenWriteBarrier((void**)(&___k_GlyphIndexArray_69), (void*)value);
}
};
// TMPro.TMP_SpriteAsset
struct TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 : public TMP_Asset_tEE129B2B2FE167D4B860286167207DD3AD45B45E
{
public:
// System.Collections.Generic.Dictionary`2<System.Int32,System.Int32> TMPro.TMP_SpriteAsset::m_NameLookup
Dictionary_2_t49CB072CAA9184D326107FA696BB354C43EB5E08 * ___m_NameLookup_8;
// System.Collections.Generic.Dictionary`2<System.UInt32,System.Int32> TMPro.TMP_SpriteAsset::m_GlyphIndexLookup
Dictionary_2_t613970F5DB840DE525998C9C40E993772B7B7F60 * ___m_GlyphIndexLookup_9;
// System.String TMPro.TMP_SpriteAsset::m_Version
String_t* ___m_Version_10;
// UnityEngine.TextCore.FaceInfo TMPro.TMP_SpriteAsset::m_FaceInfo
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979 ___m_FaceInfo_11;
// UnityEngine.Texture TMPro.TMP_SpriteAsset::spriteSheet
Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * ___spriteSheet_12;
// System.Collections.Generic.List`1<TMPro.TMP_SpriteCharacter> TMPro.TMP_SpriteAsset::m_SpriteCharacterTable
List_1_t7850FCF22796079854614A9268CE558E34108A02 * ___m_SpriteCharacterTable_13;
// System.Collections.Generic.Dictionary`2<System.UInt32,TMPro.TMP_SpriteCharacter> TMPro.TMP_SpriteAsset::m_SpriteCharacterLookup
Dictionary_2_tEC101901EE680E17704967FA8AF17B1E6CD618B8 * ___m_SpriteCharacterLookup_14;
// System.Collections.Generic.List`1<TMPro.TMP_SpriteGlyph> TMPro.TMP_SpriteAsset::m_SpriteGlyphTable
List_1_tF7848685CB961B42606831D4C30E1C31069D91C8 * ___m_SpriteGlyphTable_15;
// System.Collections.Generic.Dictionary`2<System.UInt32,TMPro.TMP_SpriteGlyph> TMPro.TMP_SpriteAsset::m_SpriteGlyphLookup
Dictionary_2_tF17132A004B24571E82B3F37E944651A0E72799F * ___m_SpriteGlyphLookup_16;
// System.Collections.Generic.List`1<TMPro.TMP_Sprite> TMPro.TMP_SpriteAsset::spriteInfoList
List_1_tF6EAF0B1BB91EA856A5893AC3A160A3B76E5BB67 * ___spriteInfoList_17;
// System.Collections.Generic.List`1<TMPro.TMP_SpriteAsset> TMPro.TMP_SpriteAsset::fallbackSpriteAssets
List_1_tD057592B5C6E2EF6CBE5ADC501E5D58919E8B364 * ___fallbackSpriteAssets_18;
// System.Boolean TMPro.TMP_SpriteAsset::m_IsSpriteAssetLookupTablesDirty
bool ___m_IsSpriteAssetLookupTablesDirty_19;
public:
inline static int32_t get_offset_of_m_NameLookup_8() { return static_cast<int32_t>(offsetof(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714, ___m_NameLookup_8)); }
inline Dictionary_2_t49CB072CAA9184D326107FA696BB354C43EB5E08 * get_m_NameLookup_8() const { return ___m_NameLookup_8; }
inline Dictionary_2_t49CB072CAA9184D326107FA696BB354C43EB5E08 ** get_address_of_m_NameLookup_8() { return &___m_NameLookup_8; }
inline void set_m_NameLookup_8(Dictionary_2_t49CB072CAA9184D326107FA696BB354C43EB5E08 * value)
{
___m_NameLookup_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_NameLookup_8), (void*)value);
}
inline static int32_t get_offset_of_m_GlyphIndexLookup_9() { return static_cast<int32_t>(offsetof(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714, ___m_GlyphIndexLookup_9)); }
inline Dictionary_2_t613970F5DB840DE525998C9C40E993772B7B7F60 * get_m_GlyphIndexLookup_9() const { return ___m_GlyphIndexLookup_9; }
inline Dictionary_2_t613970F5DB840DE525998C9C40E993772B7B7F60 ** get_address_of_m_GlyphIndexLookup_9() { return &___m_GlyphIndexLookup_9; }
inline void set_m_GlyphIndexLookup_9(Dictionary_2_t613970F5DB840DE525998C9C40E993772B7B7F60 * value)
{
___m_GlyphIndexLookup_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GlyphIndexLookup_9), (void*)value);
}
inline static int32_t get_offset_of_m_Version_10() { return static_cast<int32_t>(offsetof(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714, ___m_Version_10)); }
inline String_t* get_m_Version_10() const { return ___m_Version_10; }
inline String_t** get_address_of_m_Version_10() { return &___m_Version_10; }
inline void set_m_Version_10(String_t* value)
{
___m_Version_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Version_10), (void*)value);
}
inline static int32_t get_offset_of_m_FaceInfo_11() { return static_cast<int32_t>(offsetof(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714, ___m_FaceInfo_11)); }
inline FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979 get_m_FaceInfo_11() const { return ___m_FaceInfo_11; }
inline FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979 * get_address_of_m_FaceInfo_11() { return &___m_FaceInfo_11; }
inline void set_m_FaceInfo_11(FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979 value)
{
___m_FaceInfo_11 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_FaceInfo_11))->___m_FamilyName_1), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_FaceInfo_11))->___m_StyleName_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_spriteSheet_12() { return static_cast<int32_t>(offsetof(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714, ___spriteSheet_12)); }
inline Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * get_spriteSheet_12() const { return ___spriteSheet_12; }
inline Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE ** get_address_of_spriteSheet_12() { return &___spriteSheet_12; }
inline void set_spriteSheet_12(Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * value)
{
___spriteSheet_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___spriteSheet_12), (void*)value);
}
inline static int32_t get_offset_of_m_SpriteCharacterTable_13() { return static_cast<int32_t>(offsetof(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714, ___m_SpriteCharacterTable_13)); }
inline List_1_t7850FCF22796079854614A9268CE558E34108A02 * get_m_SpriteCharacterTable_13() const { return ___m_SpriteCharacterTable_13; }
inline List_1_t7850FCF22796079854614A9268CE558E34108A02 ** get_address_of_m_SpriteCharacterTable_13() { return &___m_SpriteCharacterTable_13; }
inline void set_m_SpriteCharacterTable_13(List_1_t7850FCF22796079854614A9268CE558E34108A02 * value)
{
___m_SpriteCharacterTable_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SpriteCharacterTable_13), (void*)value);
}
inline static int32_t get_offset_of_m_SpriteCharacterLookup_14() { return static_cast<int32_t>(offsetof(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714, ___m_SpriteCharacterLookup_14)); }
inline Dictionary_2_tEC101901EE680E17704967FA8AF17B1E6CD618B8 * get_m_SpriteCharacterLookup_14() const { return ___m_SpriteCharacterLookup_14; }
inline Dictionary_2_tEC101901EE680E17704967FA8AF17B1E6CD618B8 ** get_address_of_m_SpriteCharacterLookup_14() { return &___m_SpriteCharacterLookup_14; }
inline void set_m_SpriteCharacterLookup_14(Dictionary_2_tEC101901EE680E17704967FA8AF17B1E6CD618B8 * value)
{
___m_SpriteCharacterLookup_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SpriteCharacterLookup_14), (void*)value);
}
inline static int32_t get_offset_of_m_SpriteGlyphTable_15() { return static_cast<int32_t>(offsetof(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714, ___m_SpriteGlyphTable_15)); }
inline List_1_tF7848685CB961B42606831D4C30E1C31069D91C8 * get_m_SpriteGlyphTable_15() const { return ___m_SpriteGlyphTable_15; }
inline List_1_tF7848685CB961B42606831D4C30E1C31069D91C8 ** get_address_of_m_SpriteGlyphTable_15() { return &___m_SpriteGlyphTable_15; }
inline void set_m_SpriteGlyphTable_15(List_1_tF7848685CB961B42606831D4C30E1C31069D91C8 * value)
{
___m_SpriteGlyphTable_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SpriteGlyphTable_15), (void*)value);
}
inline static int32_t get_offset_of_m_SpriteGlyphLookup_16() { return static_cast<int32_t>(offsetof(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714, ___m_SpriteGlyphLookup_16)); }
inline Dictionary_2_tF17132A004B24571E82B3F37E944651A0E72799F * get_m_SpriteGlyphLookup_16() const { return ___m_SpriteGlyphLookup_16; }
inline Dictionary_2_tF17132A004B24571E82B3F37E944651A0E72799F ** get_address_of_m_SpriteGlyphLookup_16() { return &___m_SpriteGlyphLookup_16; }
inline void set_m_SpriteGlyphLookup_16(Dictionary_2_tF17132A004B24571E82B3F37E944651A0E72799F * value)
{
___m_SpriteGlyphLookup_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SpriteGlyphLookup_16), (void*)value);
}
inline static int32_t get_offset_of_spriteInfoList_17() { return static_cast<int32_t>(offsetof(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714, ___spriteInfoList_17)); }
inline List_1_tF6EAF0B1BB91EA856A5893AC3A160A3B76E5BB67 * get_spriteInfoList_17() const { return ___spriteInfoList_17; }
inline List_1_tF6EAF0B1BB91EA856A5893AC3A160A3B76E5BB67 ** get_address_of_spriteInfoList_17() { return &___spriteInfoList_17; }
inline void set_spriteInfoList_17(List_1_tF6EAF0B1BB91EA856A5893AC3A160A3B76E5BB67 * value)
{
___spriteInfoList_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___spriteInfoList_17), (void*)value);
}
inline static int32_t get_offset_of_fallbackSpriteAssets_18() { return static_cast<int32_t>(offsetof(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714, ___fallbackSpriteAssets_18)); }
inline List_1_tD057592B5C6E2EF6CBE5ADC501E5D58919E8B364 * get_fallbackSpriteAssets_18() const { return ___fallbackSpriteAssets_18; }
inline List_1_tD057592B5C6E2EF6CBE5ADC501E5D58919E8B364 ** get_address_of_fallbackSpriteAssets_18() { return &___fallbackSpriteAssets_18; }
inline void set_fallbackSpriteAssets_18(List_1_tD057592B5C6E2EF6CBE5ADC501E5D58919E8B364 * value)
{
___fallbackSpriteAssets_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___fallbackSpriteAssets_18), (void*)value);
}
inline static int32_t get_offset_of_m_IsSpriteAssetLookupTablesDirty_19() { return static_cast<int32_t>(offsetof(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714, ___m_IsSpriteAssetLookupTablesDirty_19)); }
inline bool get_m_IsSpriteAssetLookupTablesDirty_19() const { return ___m_IsSpriteAssetLookupTablesDirty_19; }
inline bool* get_address_of_m_IsSpriteAssetLookupTablesDirty_19() { return &___m_IsSpriteAssetLookupTablesDirty_19; }
inline void set_m_IsSpriteAssetLookupTablesDirty_19(bool value)
{
___m_IsSpriteAssetLookupTablesDirty_19 = value;
}
};
struct TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714_StaticFields
{
public:
// System.Collections.Generic.HashSet`1<System.Int32> TMPro.TMP_SpriteAsset::k_searchedSpriteAssets
HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * ___k_searchedSpriteAssets_20;
public:
inline static int32_t get_offset_of_k_searchedSpriteAssets_20() { return static_cast<int32_t>(offsetof(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714_StaticFields, ___k_searchedSpriteAssets_20)); }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * get_k_searchedSpriteAssets_20() const { return ___k_searchedSpriteAssets_20; }
inline HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 ** get_address_of_k_searchedSpriteAssets_20() { return &___k_searchedSpriteAssets_20; }
inline void set_k_searchedSpriteAssets_20(HashSet_1_tF187707BD5564B6808CE30721FBC083F00B385E5 * value)
{
___k_searchedSpriteAssets_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___k_searchedSpriteAssets_20), (void*)value);
}
};
// System.Threading.Tasks.TaskCanceledException
struct TaskCanceledException_t8C4641920752790DEE40C9F907D7E10F90DE072B : public OperationCanceledException_tA90317406FAE39FB4E2C6AA84E12135E1D56B6FB
{
public:
// System.Threading.Tasks.Task System.Threading.Tasks.TaskCanceledException::m_canceledTask
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * ___m_canceledTask_18;
public:
inline static int32_t get_offset_of_m_canceledTask_18() { return static_cast<int32_t>(offsetof(TaskCanceledException_t8C4641920752790DEE40C9F907D7E10F90DE072B, ___m_canceledTask_18)); }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * get_m_canceledTask_18() const { return ___m_canceledTask_18; }
inline Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 ** get_address_of_m_canceledTask_18() { return &___m_canceledTask_18; }
inline void set_m_canceledTask_18(Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60 * value)
{
___m_canceledTask_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_canceledTask_18), (void*)value);
}
};
// UnityEngine.Tilemaps.TilemapRenderer
struct TilemapRenderer_t8E3D220C1B3617980570642AB943280E4B1B6BC8 : public Renderer_t58147AB5B00224FE1460FD47542DC0DA7EC9378C
{
public:
public:
};
// System.Reflection.Emit.TypeBuilder
struct TypeBuilder_t75A6CE1BBD04AB7D5428E168ECEDF52A97D410E3 : public TypeInfo_tFFBAC0D7187BFD2D25CC801679BC9645020EC04F
{
public:
public:
};
// System.Reflection.Emit.TypeBuilderInstantiation
struct TypeBuilderInstantiation_t836C8E91880849CBCC1B0B23CA0F4F72CF4A7BA9 : public TypeInfo_tFFBAC0D7187BFD2D25CC801679BC9645020EC04F
{
public:
public:
};
// System.UriFormatException
struct UriFormatException_tAA45C6D2264E9E74935A066FC3DF8DF68B37B61D : public FormatException_t119BB207B54B4B1BC28D9B1783C4625AE23D4759
{
public:
public:
};
// UnityEngine.Video.VideoPlayer
struct VideoPlayer_t47DCC396CBA28512CF97C6CC4F55878E8D62FE86 : public Behaviour_t1A3DDDCF73B4627928FBFE02ED52B7251777DBD9
{
public:
// UnityEngine.Video.VideoPlayer/EventHandler UnityEngine.Video.VideoPlayer::prepareCompleted
EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD * ___prepareCompleted_4;
// UnityEngine.Video.VideoPlayer/EventHandler UnityEngine.Video.VideoPlayer::loopPointReached
EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD * ___loopPointReached_5;
// UnityEngine.Video.VideoPlayer/EventHandler UnityEngine.Video.VideoPlayer::started
EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD * ___started_6;
// UnityEngine.Video.VideoPlayer/EventHandler UnityEngine.Video.VideoPlayer::frameDropped
EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD * ___frameDropped_7;
// UnityEngine.Video.VideoPlayer/ErrorEventHandler UnityEngine.Video.VideoPlayer::errorReceived
ErrorEventHandler_tD47781EBB7CF0CC4C111496024BD59B1D1A6A1F2 * ___errorReceived_8;
// UnityEngine.Video.VideoPlayer/EventHandler UnityEngine.Video.VideoPlayer::seekCompleted
EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD * ___seekCompleted_9;
// UnityEngine.Video.VideoPlayer/TimeEventHandler UnityEngine.Video.VideoPlayer::clockResyncOccurred
TimeEventHandler_t7CA131EB85E0FFCBE8660E030698BD83D3994DD8 * ___clockResyncOccurred_10;
// UnityEngine.Video.VideoPlayer/FrameReadyEventHandler UnityEngine.Video.VideoPlayer::frameReady
FrameReadyEventHandler_t9529BD5A34E9C8BE7D8A39D46A6C4ABC673374EC * ___frameReady_11;
public:
inline static int32_t get_offset_of_prepareCompleted_4() { return static_cast<int32_t>(offsetof(VideoPlayer_t47DCC396CBA28512CF97C6CC4F55878E8D62FE86, ___prepareCompleted_4)); }
inline EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD * get_prepareCompleted_4() const { return ___prepareCompleted_4; }
inline EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD ** get_address_of_prepareCompleted_4() { return &___prepareCompleted_4; }
inline void set_prepareCompleted_4(EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD * value)
{
___prepareCompleted_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___prepareCompleted_4), (void*)value);
}
inline static int32_t get_offset_of_loopPointReached_5() { return static_cast<int32_t>(offsetof(VideoPlayer_t47DCC396CBA28512CF97C6CC4F55878E8D62FE86, ___loopPointReached_5)); }
inline EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD * get_loopPointReached_5() const { return ___loopPointReached_5; }
inline EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD ** get_address_of_loopPointReached_5() { return &___loopPointReached_5; }
inline void set_loopPointReached_5(EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD * value)
{
___loopPointReached_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___loopPointReached_5), (void*)value);
}
inline static int32_t get_offset_of_started_6() { return static_cast<int32_t>(offsetof(VideoPlayer_t47DCC396CBA28512CF97C6CC4F55878E8D62FE86, ___started_6)); }
inline EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD * get_started_6() const { return ___started_6; }
inline EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD ** get_address_of_started_6() { return &___started_6; }
inline void set_started_6(EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD * value)
{
___started_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___started_6), (void*)value);
}
inline static int32_t get_offset_of_frameDropped_7() { return static_cast<int32_t>(offsetof(VideoPlayer_t47DCC396CBA28512CF97C6CC4F55878E8D62FE86, ___frameDropped_7)); }
inline EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD * get_frameDropped_7() const { return ___frameDropped_7; }
inline EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD ** get_address_of_frameDropped_7() { return &___frameDropped_7; }
inline void set_frameDropped_7(EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD * value)
{
___frameDropped_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___frameDropped_7), (void*)value);
}
inline static int32_t get_offset_of_errorReceived_8() { return static_cast<int32_t>(offsetof(VideoPlayer_t47DCC396CBA28512CF97C6CC4F55878E8D62FE86, ___errorReceived_8)); }
inline ErrorEventHandler_tD47781EBB7CF0CC4C111496024BD59B1D1A6A1F2 * get_errorReceived_8() const { return ___errorReceived_8; }
inline ErrorEventHandler_tD47781EBB7CF0CC4C111496024BD59B1D1A6A1F2 ** get_address_of_errorReceived_8() { return &___errorReceived_8; }
inline void set_errorReceived_8(ErrorEventHandler_tD47781EBB7CF0CC4C111496024BD59B1D1A6A1F2 * value)
{
___errorReceived_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___errorReceived_8), (void*)value);
}
inline static int32_t get_offset_of_seekCompleted_9() { return static_cast<int32_t>(offsetof(VideoPlayer_t47DCC396CBA28512CF97C6CC4F55878E8D62FE86, ___seekCompleted_9)); }
inline EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD * get_seekCompleted_9() const { return ___seekCompleted_9; }
inline EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD ** get_address_of_seekCompleted_9() { return &___seekCompleted_9; }
inline void set_seekCompleted_9(EventHandler_t99288A74FAB288C0033E28A5CD3DABE77B109BFD * value)
{
___seekCompleted_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___seekCompleted_9), (void*)value);
}
inline static int32_t get_offset_of_clockResyncOccurred_10() { return static_cast<int32_t>(offsetof(VideoPlayer_t47DCC396CBA28512CF97C6CC4F55878E8D62FE86, ___clockResyncOccurred_10)); }
inline TimeEventHandler_t7CA131EB85E0FFCBE8660E030698BD83D3994DD8 * get_clockResyncOccurred_10() const { return ___clockResyncOccurred_10; }
inline TimeEventHandler_t7CA131EB85E0FFCBE8660E030698BD83D3994DD8 ** get_address_of_clockResyncOccurred_10() { return &___clockResyncOccurred_10; }
inline void set_clockResyncOccurred_10(TimeEventHandler_t7CA131EB85E0FFCBE8660E030698BD83D3994DD8 * value)
{
___clockResyncOccurred_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___clockResyncOccurred_10), (void*)value);
}
inline static int32_t get_offset_of_frameReady_11() { return static_cast<int32_t>(offsetof(VideoPlayer_t47DCC396CBA28512CF97C6CC4F55878E8D62FE86, ___frameReady_11)); }
inline FrameReadyEventHandler_t9529BD5A34E9C8BE7D8A39D46A6C4ABC673374EC * get_frameReady_11() const { return ___frameReady_11; }
inline FrameReadyEventHandler_t9529BD5A34E9C8BE7D8A39D46A6C4ABC673374EC ** get_address_of_frameReady_11() { return &___frameReady_11; }
inline void set_frameReady_11(FrameReadyEventHandler_t9529BD5A34E9C8BE7D8A39D46A6C4ABC673374EC * value)
{
___frameReady_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___frameReady_11), (void*)value);
}
};
// System.ComponentModel.Win32Exception
struct Win32Exception_t4B7A329153AA0E88CA08533EFB6DB2F2A8E90950 : public ExternalException_tC18275DD0AEB2CDF9F85D94670C5A49A4DC3B783
{
public:
// System.Int32 System.ComponentModel.Win32Exception::nativeErrorCode
int32_t ___nativeErrorCode_17;
public:
inline static int32_t get_offset_of_nativeErrorCode_17() { return static_cast<int32_t>(offsetof(Win32Exception_t4B7A329153AA0E88CA08533EFB6DB2F2A8E90950, ___nativeErrorCode_17)); }
inline int32_t get_nativeErrorCode_17() const { return ___nativeErrorCode_17; }
inline int32_t* get_address_of_nativeErrorCode_17() { return &___nativeErrorCode_17; }
inline void set_nativeErrorCode_17(int32_t value)
{
___nativeErrorCode_17 = value;
}
};
struct Win32Exception_t4B7A329153AA0E88CA08533EFB6DB2F2A8E90950_StaticFields
{
public:
// System.Boolean System.ComponentModel.Win32Exception::s_ErrorMessagesInitialized
bool ___s_ErrorMessagesInitialized_18;
// System.Collections.Generic.Dictionary`2<System.Int32,System.String> System.ComponentModel.Win32Exception::s_ErrorMessage
Dictionary_2_t0ACB62D0885C7AB376463C70665400A39808C5FB * ___s_ErrorMessage_19;
public:
inline static int32_t get_offset_of_s_ErrorMessagesInitialized_18() { return static_cast<int32_t>(offsetof(Win32Exception_t4B7A329153AA0E88CA08533EFB6DB2F2A8E90950_StaticFields, ___s_ErrorMessagesInitialized_18)); }
inline bool get_s_ErrorMessagesInitialized_18() const { return ___s_ErrorMessagesInitialized_18; }
inline bool* get_address_of_s_ErrorMessagesInitialized_18() { return &___s_ErrorMessagesInitialized_18; }
inline void set_s_ErrorMessagesInitialized_18(bool value)
{
___s_ErrorMessagesInitialized_18 = value;
}
inline static int32_t get_offset_of_s_ErrorMessage_19() { return static_cast<int32_t>(offsetof(Win32Exception_t4B7A329153AA0E88CA08533EFB6DB2F2A8E90950_StaticFields, ___s_ErrorMessage_19)); }
inline Dictionary_2_t0ACB62D0885C7AB376463C70665400A39808C5FB * get_s_ErrorMessage_19() const { return ___s_ErrorMessage_19; }
inline Dictionary_2_t0ACB62D0885C7AB376463C70665400A39808C5FB ** get_address_of_s_ErrorMessage_19() { return &___s_ErrorMessage_19; }
inline void set_s_ErrorMessage_19(Dictionary_2_t0ACB62D0885C7AB376463C70665400A39808C5FB * value)
{
___s_ErrorMessage_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_ErrorMessage_19), (void*)value);
}
};
// UnityEngine.XR.Management.XRLoaderHelper
struct XRLoaderHelper_t37A55C343AC31D25BB3EBD203DABFA357F51C013 : public XRLoader_tE37B92C6B9CDD944DDF7AFF5704E9EB342D62F6B
{
public:
// System.Collections.Generic.Dictionary`2<System.Type,UnityEngine.ISubsystem> UnityEngine.XR.Management.XRLoaderHelper::m_SubsystemInstanceMap
Dictionary_2_t4F3B5B526335E16355EDBC766052AEAB07B1777B * ___m_SubsystemInstanceMap_4;
public:
inline static int32_t get_offset_of_m_SubsystemInstanceMap_4() { return static_cast<int32_t>(offsetof(XRLoaderHelper_t37A55C343AC31D25BB3EBD203DABFA357F51C013, ___m_SubsystemInstanceMap_4)); }
inline Dictionary_2_t4F3B5B526335E16355EDBC766052AEAB07B1777B * get_m_SubsystemInstanceMap_4() const { return ___m_SubsystemInstanceMap_4; }
inline Dictionary_2_t4F3B5B526335E16355EDBC766052AEAB07B1777B ** get_address_of_m_SubsystemInstanceMap_4() { return &___m_SubsystemInstanceMap_4; }
inline void set_m_SubsystemInstanceMap_4(Dictionary_2_t4F3B5B526335E16355EDBC766052AEAB07B1777B * value)
{
___m_SubsystemInstanceMap_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SubsystemInstanceMap_4), (void*)value);
}
};
// UnityEngine.Rendering.BatchRendererGroup/OnPerformCulling
struct OnPerformCulling_t44E5FE326B88CD7B1F07F3DDD2433D2D70161AEB : public MulticastDelegate_t
{
public:
public:
};
// UnityEngine.ResourceManagement.Util.ComponentSingleton`1<UnityEngine.ResourceManagement.Diagnostics.DiagnosticEventCollectorSingleton>
struct ComponentSingleton_1_t92EDB36B0FA5AA0B70397A521441CEBB6DB77307 : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
public:
};
struct ComponentSingleton_1_t92EDB36B0FA5AA0B70397A521441CEBB6DB77307_StaticFields
{
public:
// T UnityEngine.ResourceManagement.Util.ComponentSingleton`1::s_Instance
DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365 * ___s_Instance_4;
public:
inline static int32_t get_offset_of_s_Instance_4() { return static_cast<int32_t>(offsetof(ComponentSingleton_1_t92EDB36B0FA5AA0B70397A521441CEBB6DB77307_StaticFields, ___s_Instance_4)); }
inline DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365 * get_s_Instance_4() const { return ___s_Instance_4; }
inline DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365 ** get_address_of_s_Instance_4() { return &___s_Instance_4; }
inline void set_s_Instance_4(DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365 * value)
{
___s_Instance_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Instance_4), (void*)value);
}
};
// UnityEngine.ResourceManagement.Util.ComponentSingleton`1<MonoBehaviourCallbackHooks>
struct ComponentSingleton_1_t082B7ED06463DBC14D52929B9599DCDD334C723B : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
public:
};
struct ComponentSingleton_1_t082B7ED06463DBC14D52929B9599DCDD334C723B_StaticFields
{
public:
// T UnityEngine.ResourceManagement.Util.ComponentSingleton`1::s_Instance
MonoBehaviourCallbackHooks_tE91E611EBE4F93FA75B7047A0D29F1E933304F73 * ___s_Instance_4;
public:
inline static int32_t get_offset_of_s_Instance_4() { return static_cast<int32_t>(offsetof(ComponentSingleton_1_t082B7ED06463DBC14D52929B9599DCDD334C723B_StaticFields, ___s_Instance_4)); }
inline MonoBehaviourCallbackHooks_tE91E611EBE4F93FA75B7047A0D29F1E933304F73 * get_s_Instance_4() const { return ___s_Instance_4; }
inline MonoBehaviourCallbackHooks_tE91E611EBE4F93FA75B7047A0D29F1E933304F73 ** get_address_of_s_Instance_4() { return &___s_Instance_4; }
inline void set_s_Instance_4(MonoBehaviourCallbackHooks_tE91E611EBE4F93FA75B7047A0D29F1E933304F73 * value)
{
___s_Instance_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Instance_4), (void*)value);
}
};
// UnityEngine.ResourceManagement.Util.ComponentSingleton`1<UnityEngine.Localization.OperationHandleDeferedRelease>
struct ComponentSingleton_1_t46DB527A297AD59CC79BC4CF765BB15F46B75E9E : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
public:
};
struct ComponentSingleton_1_t46DB527A297AD59CC79BC4CF765BB15F46B75E9E_StaticFields
{
public:
// T UnityEngine.ResourceManagement.Util.ComponentSingleton`1::s_Instance
OperationHandleDeferedRelease_t3CB8447B82D250E89F6635FD4BC3B44470843EC3 * ___s_Instance_4;
public:
inline static int32_t get_offset_of_s_Instance_4() { return static_cast<int32_t>(offsetof(ComponentSingleton_1_t46DB527A297AD59CC79BC4CF765BB15F46B75E9E_StaticFields, ___s_Instance_4)); }
inline OperationHandleDeferedRelease_t3CB8447B82D250E89F6635FD4BC3B44470843EC3 * get_s_Instance_4() const { return ___s_Instance_4; }
inline OperationHandleDeferedRelease_t3CB8447B82D250E89F6635FD4BC3B44470843EC3 ** get_address_of_s_Instance_4() { return &___s_Instance_4; }
inline void set_s_Instance_4(OperationHandleDeferedRelease_t3CB8447B82D250E89F6635FD4BC3B44470843EC3 * value)
{
___s_Instance_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Instance_4), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3<UnityEngine.XR.ARSubsystems.XRAnchorSubsystem,UnityEngine.XR.ARSubsystems.XRAnchorSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRAnchorSubsystem/Provider>
struct SubsystemLifecycleManager_3_tA7DFD00C75E7891CE13E16A789857D4DA563A9A3 : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// TSubsystem UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::<subsystem>k__BackingField
XRAnchorSubsystem_t625D9B76C590AB601CF85525DB9396BE84425AA7 * ___U3CsubsystemU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CsubsystemU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_tA7DFD00C75E7891CE13E16A789857D4DA563A9A3, ___U3CsubsystemU3Ek__BackingField_4)); }
inline XRAnchorSubsystem_t625D9B76C590AB601CF85525DB9396BE84425AA7 * get_U3CsubsystemU3Ek__BackingField_4() const { return ___U3CsubsystemU3Ek__BackingField_4; }
inline XRAnchorSubsystem_t625D9B76C590AB601CF85525DB9396BE84425AA7 ** get_address_of_U3CsubsystemU3Ek__BackingField_4() { return &___U3CsubsystemU3Ek__BackingField_4; }
inline void set_U3CsubsystemU3Ek__BackingField_4(XRAnchorSubsystem_t625D9B76C590AB601CF85525DB9396BE84425AA7 * value)
{
___U3CsubsystemU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemU3Ek__BackingField_4), (void*)value);
}
};
struct SubsystemLifecycleManager_3_tA7DFD00C75E7891CE13E16A789857D4DA563A9A3_StaticFields
{
public:
// System.Collections.Generic.List`1<TSubsystemDescriptor> UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::s_SubsystemDescriptors
List_1_tDED98C236097B36F9015B396398179A6F8A62E50 * ___s_SubsystemDescriptors_5;
// System.Collections.Generic.List`1<TSubsystem> UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::s_SubsystemInstances
List_1_tFFEC9D401CE39D3C812C896B17B35D57DDF6E440 * ___s_SubsystemInstances_6;
public:
inline static int32_t get_offset_of_s_SubsystemDescriptors_5() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_tA7DFD00C75E7891CE13E16A789857D4DA563A9A3_StaticFields, ___s_SubsystemDescriptors_5)); }
inline List_1_tDED98C236097B36F9015B396398179A6F8A62E50 * get_s_SubsystemDescriptors_5() const { return ___s_SubsystemDescriptors_5; }
inline List_1_tDED98C236097B36F9015B396398179A6F8A62E50 ** get_address_of_s_SubsystemDescriptors_5() { return &___s_SubsystemDescriptors_5; }
inline void set_s_SubsystemDescriptors_5(List_1_tDED98C236097B36F9015B396398179A6F8A62E50 * value)
{
___s_SubsystemDescriptors_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubsystemDescriptors_5), (void*)value);
}
inline static int32_t get_offset_of_s_SubsystemInstances_6() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_tA7DFD00C75E7891CE13E16A789857D4DA563A9A3_StaticFields, ___s_SubsystemInstances_6)); }
inline List_1_tFFEC9D401CE39D3C812C896B17B35D57DDF6E440 * get_s_SubsystemInstances_6() const { return ___s_SubsystemInstances_6; }
inline List_1_tFFEC9D401CE39D3C812C896B17B35D57DDF6E440 ** get_address_of_s_SubsystemInstances_6() { return &___s_SubsystemInstances_6; }
inline void set_s_SubsystemInstances_6(List_1_tFFEC9D401CE39D3C812C896B17B35D57DDF6E440 * value)
{
___s_SubsystemInstances_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubsystemInstances_6), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3<UnityEngine.XR.ARSubsystems.XRCameraSubsystem,UnityEngine.XR.ARSubsystems.XRCameraSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRCameraSubsystem/Provider>
struct SubsystemLifecycleManager_3_tC083C76968A3985FEAC936C1BBC3D5F306890A2C : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// TSubsystem UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::<subsystem>k__BackingField
XRCameraSubsystem_t3B32F6EA8A2E4D23AF240B5D21C34759D2613AC9 * ___U3CsubsystemU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CsubsystemU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_tC083C76968A3985FEAC936C1BBC3D5F306890A2C, ___U3CsubsystemU3Ek__BackingField_4)); }
inline XRCameraSubsystem_t3B32F6EA8A2E4D23AF240B5D21C34759D2613AC9 * get_U3CsubsystemU3Ek__BackingField_4() const { return ___U3CsubsystemU3Ek__BackingField_4; }
inline XRCameraSubsystem_t3B32F6EA8A2E4D23AF240B5D21C34759D2613AC9 ** get_address_of_U3CsubsystemU3Ek__BackingField_4() { return &___U3CsubsystemU3Ek__BackingField_4; }
inline void set_U3CsubsystemU3Ek__BackingField_4(XRCameraSubsystem_t3B32F6EA8A2E4D23AF240B5D21C34759D2613AC9 * value)
{
___U3CsubsystemU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemU3Ek__BackingField_4), (void*)value);
}
};
struct SubsystemLifecycleManager_3_tC083C76968A3985FEAC936C1BBC3D5F306890A2C_StaticFields
{
public:
// System.Collections.Generic.List`1<TSubsystemDescriptor> UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::s_SubsystemDescriptors
List_1_t5ACA7E75885D8B9D7B85548B84BF43976A5038DC * ___s_SubsystemDescriptors_5;
// System.Collections.Generic.List`1<TSubsystem> UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::s_SubsystemInstances
List_1_t69444E6E06FA6776283024710ADC0302F2700BFD * ___s_SubsystemInstances_6;
public:
inline static int32_t get_offset_of_s_SubsystemDescriptors_5() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_tC083C76968A3985FEAC936C1BBC3D5F306890A2C_StaticFields, ___s_SubsystemDescriptors_5)); }
inline List_1_t5ACA7E75885D8B9D7B85548B84BF43976A5038DC * get_s_SubsystemDescriptors_5() const { return ___s_SubsystemDescriptors_5; }
inline List_1_t5ACA7E75885D8B9D7B85548B84BF43976A5038DC ** get_address_of_s_SubsystemDescriptors_5() { return &___s_SubsystemDescriptors_5; }
inline void set_s_SubsystemDescriptors_5(List_1_t5ACA7E75885D8B9D7B85548B84BF43976A5038DC * value)
{
___s_SubsystemDescriptors_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubsystemDescriptors_5), (void*)value);
}
inline static int32_t get_offset_of_s_SubsystemInstances_6() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_tC083C76968A3985FEAC936C1BBC3D5F306890A2C_StaticFields, ___s_SubsystemInstances_6)); }
inline List_1_t69444E6E06FA6776283024710ADC0302F2700BFD * get_s_SubsystemInstances_6() const { return ___s_SubsystemInstances_6; }
inline List_1_t69444E6E06FA6776283024710ADC0302F2700BFD ** get_address_of_s_SubsystemInstances_6() { return &___s_SubsystemInstances_6; }
inline void set_s_SubsystemInstances_6(List_1_t69444E6E06FA6776283024710ADC0302F2700BFD * value)
{
___s_SubsystemInstances_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubsystemInstances_6), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3<UnityEngine.XR.ARSubsystems.XRDepthSubsystem,UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRDepthSubsystem/Provider>
struct SubsystemLifecycleManager_3_t27DFAD23EFA764A282400F7AC57165D81CBE2EB9 : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// TSubsystem UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::<subsystem>k__BackingField
XRDepthSubsystem_t808E21F0192095B08FA03AC535314FB5EF3B7E28 * ___U3CsubsystemU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CsubsystemU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_t27DFAD23EFA764A282400F7AC57165D81CBE2EB9, ___U3CsubsystemU3Ek__BackingField_4)); }
inline XRDepthSubsystem_t808E21F0192095B08FA03AC535314FB5EF3B7E28 * get_U3CsubsystemU3Ek__BackingField_4() const { return ___U3CsubsystemU3Ek__BackingField_4; }
inline XRDepthSubsystem_t808E21F0192095B08FA03AC535314FB5EF3B7E28 ** get_address_of_U3CsubsystemU3Ek__BackingField_4() { return &___U3CsubsystemU3Ek__BackingField_4; }
inline void set_U3CsubsystemU3Ek__BackingField_4(XRDepthSubsystem_t808E21F0192095B08FA03AC535314FB5EF3B7E28 * value)
{
___U3CsubsystemU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemU3Ek__BackingField_4), (void*)value);
}
};
struct SubsystemLifecycleManager_3_t27DFAD23EFA764A282400F7AC57165D81CBE2EB9_StaticFields
{
public:
// System.Collections.Generic.List`1<TSubsystemDescriptor> UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::s_SubsystemDescriptors
List_1_t449C61AAF5F71828F78F12D50C77AE776AF0E330 * ___s_SubsystemDescriptors_5;
// System.Collections.Generic.List`1<TSubsystem> UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::s_SubsystemInstances
List_1_t34DDB7DDF41637C33DA5E0999A4ACCAE9919B2ED * ___s_SubsystemInstances_6;
public:
inline static int32_t get_offset_of_s_SubsystemDescriptors_5() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_t27DFAD23EFA764A282400F7AC57165D81CBE2EB9_StaticFields, ___s_SubsystemDescriptors_5)); }
inline List_1_t449C61AAF5F71828F78F12D50C77AE776AF0E330 * get_s_SubsystemDescriptors_5() const { return ___s_SubsystemDescriptors_5; }
inline List_1_t449C61AAF5F71828F78F12D50C77AE776AF0E330 ** get_address_of_s_SubsystemDescriptors_5() { return &___s_SubsystemDescriptors_5; }
inline void set_s_SubsystemDescriptors_5(List_1_t449C61AAF5F71828F78F12D50C77AE776AF0E330 * value)
{
___s_SubsystemDescriptors_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubsystemDescriptors_5), (void*)value);
}
inline static int32_t get_offset_of_s_SubsystemInstances_6() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_t27DFAD23EFA764A282400F7AC57165D81CBE2EB9_StaticFields, ___s_SubsystemInstances_6)); }
inline List_1_t34DDB7DDF41637C33DA5E0999A4ACCAE9919B2ED * get_s_SubsystemInstances_6() const { return ___s_SubsystemInstances_6; }
inline List_1_t34DDB7DDF41637C33DA5E0999A4ACCAE9919B2ED ** get_address_of_s_SubsystemInstances_6() { return &___s_SubsystemInstances_6; }
inline void set_s_SubsystemInstances_6(List_1_t34DDB7DDF41637C33DA5E0999A4ACCAE9919B2ED * value)
{
___s_SubsystemInstances_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubsystemInstances_6), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3<UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystem,UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystem/Provider>
struct SubsystemLifecycleManager_3_tC89CFB6E517BFABFB35171D2CCB2C3313BA56B12 : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// TSubsystem UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::<subsystem>k__BackingField
XREnvironmentProbeSubsystem_t0C60258F565400E7C5AF0E0B7FA933F2BCF83CB6 * ___U3CsubsystemU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CsubsystemU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_tC89CFB6E517BFABFB35171D2CCB2C3313BA56B12, ___U3CsubsystemU3Ek__BackingField_4)); }
inline XREnvironmentProbeSubsystem_t0C60258F565400E7C5AF0E0B7FA933F2BCF83CB6 * get_U3CsubsystemU3Ek__BackingField_4() const { return ___U3CsubsystemU3Ek__BackingField_4; }
inline XREnvironmentProbeSubsystem_t0C60258F565400E7C5AF0E0B7FA933F2BCF83CB6 ** get_address_of_U3CsubsystemU3Ek__BackingField_4() { return &___U3CsubsystemU3Ek__BackingField_4; }
inline void set_U3CsubsystemU3Ek__BackingField_4(XREnvironmentProbeSubsystem_t0C60258F565400E7C5AF0E0B7FA933F2BCF83CB6 * value)
{
___U3CsubsystemU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemU3Ek__BackingField_4), (void*)value);
}
};
struct SubsystemLifecycleManager_3_tC89CFB6E517BFABFB35171D2CCB2C3313BA56B12_StaticFields
{
public:
// System.Collections.Generic.List`1<TSubsystemDescriptor> UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::s_SubsystemDescriptors
List_1_tCD8BCD5191A621FA7E8E3F2D67BA5D2BCE0FC04F * ___s_SubsystemDescriptors_5;
// System.Collections.Generic.List`1<TSubsystem> UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::s_SubsystemInstances
List_1_t32BFE7DDDF32F821D88BEF6B0A7D7B2F1AA8C602 * ___s_SubsystemInstances_6;
public:
inline static int32_t get_offset_of_s_SubsystemDescriptors_5() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_tC89CFB6E517BFABFB35171D2CCB2C3313BA56B12_StaticFields, ___s_SubsystemDescriptors_5)); }
inline List_1_tCD8BCD5191A621FA7E8E3F2D67BA5D2BCE0FC04F * get_s_SubsystemDescriptors_5() const { return ___s_SubsystemDescriptors_5; }
inline List_1_tCD8BCD5191A621FA7E8E3F2D67BA5D2BCE0FC04F ** get_address_of_s_SubsystemDescriptors_5() { return &___s_SubsystemDescriptors_5; }
inline void set_s_SubsystemDescriptors_5(List_1_tCD8BCD5191A621FA7E8E3F2D67BA5D2BCE0FC04F * value)
{
___s_SubsystemDescriptors_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubsystemDescriptors_5), (void*)value);
}
inline static int32_t get_offset_of_s_SubsystemInstances_6() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_tC89CFB6E517BFABFB35171D2CCB2C3313BA56B12_StaticFields, ___s_SubsystemInstances_6)); }
inline List_1_t32BFE7DDDF32F821D88BEF6B0A7D7B2F1AA8C602 * get_s_SubsystemInstances_6() const { return ___s_SubsystemInstances_6; }
inline List_1_t32BFE7DDDF32F821D88BEF6B0A7D7B2F1AA8C602 ** get_address_of_s_SubsystemInstances_6() { return &___s_SubsystemInstances_6; }
inline void set_s_SubsystemInstances_6(List_1_t32BFE7DDDF32F821D88BEF6B0A7D7B2F1AA8C602 * value)
{
___s_SubsystemInstances_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubsystemInstances_6), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3<UnityEngine.XR.ARSubsystems.XRFaceSubsystem,UnityEngine.XR.ARSubsystems.XRFaceSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRFaceSubsystem/Provider>
struct SubsystemLifecycleManager_3_t31868EF81C3959769807272A0587016EC6C3B61D : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// TSubsystem UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::<subsystem>k__BackingField
XRFaceSubsystem_tBC42015E8BB4ED0A5428E01DBB7BE769A6B140FD * ___U3CsubsystemU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CsubsystemU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_t31868EF81C3959769807272A0587016EC6C3B61D, ___U3CsubsystemU3Ek__BackingField_4)); }
inline XRFaceSubsystem_tBC42015E8BB4ED0A5428E01DBB7BE769A6B140FD * get_U3CsubsystemU3Ek__BackingField_4() const { return ___U3CsubsystemU3Ek__BackingField_4; }
inline XRFaceSubsystem_tBC42015E8BB4ED0A5428E01DBB7BE769A6B140FD ** get_address_of_U3CsubsystemU3Ek__BackingField_4() { return &___U3CsubsystemU3Ek__BackingField_4; }
inline void set_U3CsubsystemU3Ek__BackingField_4(XRFaceSubsystem_tBC42015E8BB4ED0A5428E01DBB7BE769A6B140FD * value)
{
___U3CsubsystemU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemU3Ek__BackingField_4), (void*)value);
}
};
struct SubsystemLifecycleManager_3_t31868EF81C3959769807272A0587016EC6C3B61D_StaticFields
{
public:
// System.Collections.Generic.List`1<TSubsystemDescriptor> UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::s_SubsystemDescriptors
List_1_tA1D273638689FBC5ED4F3CAF82F64C158000481E * ___s_SubsystemDescriptors_5;
// System.Collections.Generic.List`1<TSubsystem> UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::s_SubsystemInstances
List_1_t36FA58641B294DA0D36ACCCC6F25BAEAD794CD22 * ___s_SubsystemInstances_6;
public:
inline static int32_t get_offset_of_s_SubsystemDescriptors_5() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_t31868EF81C3959769807272A0587016EC6C3B61D_StaticFields, ___s_SubsystemDescriptors_5)); }
inline List_1_tA1D273638689FBC5ED4F3CAF82F64C158000481E * get_s_SubsystemDescriptors_5() const { return ___s_SubsystemDescriptors_5; }
inline List_1_tA1D273638689FBC5ED4F3CAF82F64C158000481E ** get_address_of_s_SubsystemDescriptors_5() { return &___s_SubsystemDescriptors_5; }
inline void set_s_SubsystemDescriptors_5(List_1_tA1D273638689FBC5ED4F3CAF82F64C158000481E * value)
{
___s_SubsystemDescriptors_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubsystemDescriptors_5), (void*)value);
}
inline static int32_t get_offset_of_s_SubsystemInstances_6() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_t31868EF81C3959769807272A0587016EC6C3B61D_StaticFields, ___s_SubsystemInstances_6)); }
inline List_1_t36FA58641B294DA0D36ACCCC6F25BAEAD794CD22 * get_s_SubsystemInstances_6() const { return ___s_SubsystemInstances_6; }
inline List_1_t36FA58641B294DA0D36ACCCC6F25BAEAD794CD22 ** get_address_of_s_SubsystemInstances_6() { return &___s_SubsystemInstances_6; }
inline void set_s_SubsystemInstances_6(List_1_t36FA58641B294DA0D36ACCCC6F25BAEAD794CD22 * value)
{
___s_SubsystemInstances_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubsystemInstances_6), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3<UnityEngine.XR.ARSubsystems.XRHumanBodySubsystem,UnityEngine.XR.ARSubsystems.XRHumanBodySubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRHumanBodySubsystem/Provider>
struct SubsystemLifecycleManager_3_tFD8C4FEF1CAD89AF6B0223AF63BA0FFF0F7939AA : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// TSubsystem UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::<subsystem>k__BackingField
XRHumanBodySubsystem_t71FBF94503DCE781657FA4F362464EA389CD9F2B * ___U3CsubsystemU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CsubsystemU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_tFD8C4FEF1CAD89AF6B0223AF63BA0FFF0F7939AA, ___U3CsubsystemU3Ek__BackingField_4)); }
inline XRHumanBodySubsystem_t71FBF94503DCE781657FA4F362464EA389CD9F2B * get_U3CsubsystemU3Ek__BackingField_4() const { return ___U3CsubsystemU3Ek__BackingField_4; }
inline XRHumanBodySubsystem_t71FBF94503DCE781657FA4F362464EA389CD9F2B ** get_address_of_U3CsubsystemU3Ek__BackingField_4() { return &___U3CsubsystemU3Ek__BackingField_4; }
inline void set_U3CsubsystemU3Ek__BackingField_4(XRHumanBodySubsystem_t71FBF94503DCE781657FA4F362464EA389CD9F2B * value)
{
___U3CsubsystemU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemU3Ek__BackingField_4), (void*)value);
}
};
struct SubsystemLifecycleManager_3_tFD8C4FEF1CAD89AF6B0223AF63BA0FFF0F7939AA_StaticFields
{
public:
// System.Collections.Generic.List`1<TSubsystemDescriptor> UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::s_SubsystemDescriptors
List_1_tB23F14817387B6E0CF6BC3F698BE74D4321CBBD4 * ___s_SubsystemDescriptors_5;
// System.Collections.Generic.List`1<TSubsystem> UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::s_SubsystemInstances
List_1_tF313C639A10A550C756E883EFADA75B9D6D2D936 * ___s_SubsystemInstances_6;
public:
inline static int32_t get_offset_of_s_SubsystemDescriptors_5() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_tFD8C4FEF1CAD89AF6B0223AF63BA0FFF0F7939AA_StaticFields, ___s_SubsystemDescriptors_5)); }
inline List_1_tB23F14817387B6E0CF6BC3F698BE74D4321CBBD4 * get_s_SubsystemDescriptors_5() const { return ___s_SubsystemDescriptors_5; }
inline List_1_tB23F14817387B6E0CF6BC3F698BE74D4321CBBD4 ** get_address_of_s_SubsystemDescriptors_5() { return &___s_SubsystemDescriptors_5; }
inline void set_s_SubsystemDescriptors_5(List_1_tB23F14817387B6E0CF6BC3F698BE74D4321CBBD4 * value)
{
___s_SubsystemDescriptors_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubsystemDescriptors_5), (void*)value);
}
inline static int32_t get_offset_of_s_SubsystemInstances_6() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_tFD8C4FEF1CAD89AF6B0223AF63BA0FFF0F7939AA_StaticFields, ___s_SubsystemInstances_6)); }
inline List_1_tF313C639A10A550C756E883EFADA75B9D6D2D936 * get_s_SubsystemInstances_6() const { return ___s_SubsystemInstances_6; }
inline List_1_tF313C639A10A550C756E883EFADA75B9D6D2D936 ** get_address_of_s_SubsystemInstances_6() { return &___s_SubsystemInstances_6; }
inline void set_s_SubsystemInstances_6(List_1_tF313C639A10A550C756E883EFADA75B9D6D2D936 * value)
{
___s_SubsystemInstances_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubsystemInstances_6), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3<UnityEngine.XR.ARSubsystems.XROcclusionSubsystem,UnityEngine.XR.ARSubsystems.XROcclusionSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XROcclusionSubsystem/Provider>
struct SubsystemLifecycleManager_3_t49E8B92C416A7F3333143F6C5FC5293713978225 : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// TSubsystem UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::<subsystem>k__BackingField
XROcclusionSubsystem_t7546B929F9B5B6EB13B975FE4DB1F4099EE533B8 * ___U3CsubsystemU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CsubsystemU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_t49E8B92C416A7F3333143F6C5FC5293713978225, ___U3CsubsystemU3Ek__BackingField_4)); }
inline XROcclusionSubsystem_t7546B929F9B5B6EB13B975FE4DB1F4099EE533B8 * get_U3CsubsystemU3Ek__BackingField_4() const { return ___U3CsubsystemU3Ek__BackingField_4; }
inline XROcclusionSubsystem_t7546B929F9B5B6EB13B975FE4DB1F4099EE533B8 ** get_address_of_U3CsubsystemU3Ek__BackingField_4() { return &___U3CsubsystemU3Ek__BackingField_4; }
inline void set_U3CsubsystemU3Ek__BackingField_4(XROcclusionSubsystem_t7546B929F9B5B6EB13B975FE4DB1F4099EE533B8 * value)
{
___U3CsubsystemU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemU3Ek__BackingField_4), (void*)value);
}
};
struct SubsystemLifecycleManager_3_t49E8B92C416A7F3333143F6C5FC5293713978225_StaticFields
{
public:
// System.Collections.Generic.List`1<TSubsystemDescriptor> UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::s_SubsystemDescriptors
List_1_t9AA280C4698A976F6616D552D829D1609D4A65BC * ___s_SubsystemDescriptors_5;
// System.Collections.Generic.List`1<TSubsystem> UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::s_SubsystemInstances
List_1_t621666FA9D6DB88D1803D2508DF110FF02508B72 * ___s_SubsystemInstances_6;
public:
inline static int32_t get_offset_of_s_SubsystemDescriptors_5() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_t49E8B92C416A7F3333143F6C5FC5293713978225_StaticFields, ___s_SubsystemDescriptors_5)); }
inline List_1_t9AA280C4698A976F6616D552D829D1609D4A65BC * get_s_SubsystemDescriptors_5() const { return ___s_SubsystemDescriptors_5; }
inline List_1_t9AA280C4698A976F6616D552D829D1609D4A65BC ** get_address_of_s_SubsystemDescriptors_5() { return &___s_SubsystemDescriptors_5; }
inline void set_s_SubsystemDescriptors_5(List_1_t9AA280C4698A976F6616D552D829D1609D4A65BC * value)
{
___s_SubsystemDescriptors_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubsystemDescriptors_5), (void*)value);
}
inline static int32_t get_offset_of_s_SubsystemInstances_6() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_t49E8B92C416A7F3333143F6C5FC5293713978225_StaticFields, ___s_SubsystemInstances_6)); }
inline List_1_t621666FA9D6DB88D1803D2508DF110FF02508B72 * get_s_SubsystemInstances_6() const { return ___s_SubsystemInstances_6; }
inline List_1_t621666FA9D6DB88D1803D2508DF110FF02508B72 ** get_address_of_s_SubsystemInstances_6() { return &___s_SubsystemInstances_6; }
inline void set_s_SubsystemInstances_6(List_1_t621666FA9D6DB88D1803D2508DF110FF02508B72 * value)
{
___s_SubsystemInstances_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubsystemInstances_6), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3<UnityEngine.XR.ARSubsystems.XRParticipantSubsystem,UnityEngine.XR.ARSubsystems.XRParticipantSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRParticipantSubsystem/Provider>
struct SubsystemLifecycleManager_3_t145478DED4EA4508697B212C74D484DE5E294F73 : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// TSubsystem UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::<subsystem>k__BackingField
XRParticipantSubsystem_t7F710E46FC5A17967E7CAE126DE9443C752C36FC * ___U3CsubsystemU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CsubsystemU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_t145478DED4EA4508697B212C74D484DE5E294F73, ___U3CsubsystemU3Ek__BackingField_4)); }
inline XRParticipantSubsystem_t7F710E46FC5A17967E7CAE126DE9443C752C36FC * get_U3CsubsystemU3Ek__BackingField_4() const { return ___U3CsubsystemU3Ek__BackingField_4; }
inline XRParticipantSubsystem_t7F710E46FC5A17967E7CAE126DE9443C752C36FC ** get_address_of_U3CsubsystemU3Ek__BackingField_4() { return &___U3CsubsystemU3Ek__BackingField_4; }
inline void set_U3CsubsystemU3Ek__BackingField_4(XRParticipantSubsystem_t7F710E46FC5A17967E7CAE126DE9443C752C36FC * value)
{
___U3CsubsystemU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemU3Ek__BackingField_4), (void*)value);
}
};
struct SubsystemLifecycleManager_3_t145478DED4EA4508697B212C74D484DE5E294F73_StaticFields
{
public:
// System.Collections.Generic.List`1<TSubsystemDescriptor> UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::s_SubsystemDescriptors
List_1_tA457BDB78534FD0C67280F0D299F21C6BB7C23BF * ___s_SubsystemDescriptors_5;
// System.Collections.Generic.List`1<TSubsystem> UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::s_SubsystemInstances
List_1_tF6E7F0DD3D4A0E8996F087CFF766D4E780F4447D * ___s_SubsystemInstances_6;
public:
inline static int32_t get_offset_of_s_SubsystemDescriptors_5() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_t145478DED4EA4508697B212C74D484DE5E294F73_StaticFields, ___s_SubsystemDescriptors_5)); }
inline List_1_tA457BDB78534FD0C67280F0D299F21C6BB7C23BF * get_s_SubsystemDescriptors_5() const { return ___s_SubsystemDescriptors_5; }
inline List_1_tA457BDB78534FD0C67280F0D299F21C6BB7C23BF ** get_address_of_s_SubsystemDescriptors_5() { return &___s_SubsystemDescriptors_5; }
inline void set_s_SubsystemDescriptors_5(List_1_tA457BDB78534FD0C67280F0D299F21C6BB7C23BF * value)
{
___s_SubsystemDescriptors_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubsystemDescriptors_5), (void*)value);
}
inline static int32_t get_offset_of_s_SubsystemInstances_6() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_t145478DED4EA4508697B212C74D484DE5E294F73_StaticFields, ___s_SubsystemInstances_6)); }
inline List_1_tF6E7F0DD3D4A0E8996F087CFF766D4E780F4447D * get_s_SubsystemInstances_6() const { return ___s_SubsystemInstances_6; }
inline List_1_tF6E7F0DD3D4A0E8996F087CFF766D4E780F4447D ** get_address_of_s_SubsystemInstances_6() { return &___s_SubsystemInstances_6; }
inline void set_s_SubsystemInstances_6(List_1_tF6E7F0DD3D4A0E8996F087CFF766D4E780F4447D * value)
{
___s_SubsystemInstances_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubsystemInstances_6), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3<UnityEngine.XR.ARSubsystems.XRPlaneSubsystem,UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRPlaneSubsystem/Provider>
struct SubsystemLifecycleManager_3_t0E334FAE91D54B85E9314C55C4CDCB207ED1BCC5 : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// TSubsystem UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::<subsystem>k__BackingField
XRPlaneSubsystem_t7C76F9D2C993B0DC38F0A7CDCE745EA7C12417EE * ___U3CsubsystemU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CsubsystemU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_t0E334FAE91D54B85E9314C55C4CDCB207ED1BCC5, ___U3CsubsystemU3Ek__BackingField_4)); }
inline XRPlaneSubsystem_t7C76F9D2C993B0DC38F0A7CDCE745EA7C12417EE * get_U3CsubsystemU3Ek__BackingField_4() const { return ___U3CsubsystemU3Ek__BackingField_4; }
inline XRPlaneSubsystem_t7C76F9D2C993B0DC38F0A7CDCE745EA7C12417EE ** get_address_of_U3CsubsystemU3Ek__BackingField_4() { return &___U3CsubsystemU3Ek__BackingField_4; }
inline void set_U3CsubsystemU3Ek__BackingField_4(XRPlaneSubsystem_t7C76F9D2C993B0DC38F0A7CDCE745EA7C12417EE * value)
{
___U3CsubsystemU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemU3Ek__BackingField_4), (void*)value);
}
};
struct SubsystemLifecycleManager_3_t0E334FAE91D54B85E9314C55C4CDCB207ED1BCC5_StaticFields
{
public:
// System.Collections.Generic.List`1<TSubsystemDescriptor> UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::s_SubsystemDescriptors
List_1_t6D435690E62CDB3645DB1A76F3B7B8B6069BDB4F * ___s_SubsystemDescriptors_5;
// System.Collections.Generic.List`1<TSubsystem> UnityEngine.XR.ARFoundation.SubsystemLifecycleManager`3::s_SubsystemInstances
List_1_t42260E8F78DDBD1A6947677665395B70FA8816C1 * ___s_SubsystemInstances_6;
public:
inline static int32_t get_offset_of_s_SubsystemDescriptors_5() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_t0E334FAE91D54B85E9314C55C4CDCB207ED1BCC5_StaticFields, ___s_SubsystemDescriptors_5)); }
inline List_1_t6D435690E62CDB3645DB1A76F3B7B8B6069BDB4F * get_s_SubsystemDescriptors_5() const { return ___s_SubsystemDescriptors_5; }
inline List_1_t6D435690E62CDB3645DB1A76F3B7B8B6069BDB4F ** get_address_of_s_SubsystemDescriptors_5() { return &___s_SubsystemDescriptors_5; }
inline void set_s_SubsystemDescriptors_5(List_1_t6D435690E62CDB3645DB1A76F3B7B8B6069BDB4F * value)
{
___s_SubsystemDescriptors_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubsystemDescriptors_5), (void*)value);
}
inline static int32_t get_offset_of_s_SubsystemInstances_6() { return static_cast<int32_t>(offsetof(SubsystemLifecycleManager_3_t0E334FAE91D54B85E9314C55C4CDCB207ED1BCC5_StaticFields, ___s_SubsystemInstances_6)); }
inline List_1_t42260E8F78DDBD1A6947677665395B70FA8816C1 * get_s_SubsystemInstances_6() const { return ___s_SubsystemInstances_6; }
inline List_1_t42260E8F78DDBD1A6947677665395B70FA8816C1 ** get_address_of_s_SubsystemInstances_6() { return &___s_SubsystemInstances_6; }
inline void set_s_SubsystemInstances_6(List_1_t42260E8F78DDBD1A6947677665395B70FA8816C1 * value)
{
___s_SubsystemInstances_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubsystemInstances_6), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARCameraBackground
struct ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84 : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// UnityEngine.Camera UnityEngine.XR.ARFoundation.ARCameraBackground::m_Camera
Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C * ___m_Camera_10;
// UnityEngine.XR.ARFoundation.ARCameraManager UnityEngine.XR.ARFoundation.ARCameraBackground::m_CameraManager
ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874 * ___m_CameraManager_11;
// UnityEngine.XR.ARFoundation.AROcclusionManager UnityEngine.XR.ARFoundation.ARCameraBackground::m_OcclusionManager
AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48 * ___m_OcclusionManager_12;
// UnityEngine.Rendering.CommandBuffer UnityEngine.XR.ARFoundation.ARCameraBackground::m_CommandBuffer
CommandBuffer_t25CD231BD3E822660339DB7D0E8F8ED6B7DBEA29 * ___m_CommandBuffer_13;
// System.Boolean UnityEngine.XR.ARFoundation.ARCameraBackground::m_UseCustomMaterial
bool ___m_UseCustomMaterial_14;
// UnityEngine.Material UnityEngine.XR.ARFoundation.ARCameraBackground::m_CustomMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___m_CustomMaterial_15;
// UnityEngine.Material UnityEngine.XR.ARFoundation.ARCameraBackground::m_DefaultMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___m_DefaultMaterial_16;
// System.Nullable`1<UnityEngine.CameraClearFlags> UnityEngine.XR.ARFoundation.ARCameraBackground::m_PreviousCameraClearFlags
Nullable_1_t9F0E3D30423323307F09384F465C3E740846492D ___m_PreviousCameraClearFlags_17;
// System.Nullable`1<System.Single> UnityEngine.XR.ARFoundation.ARCameraBackground::m_PreviousCameraFieldOfView
Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A ___m_PreviousCameraFieldOfView_18;
// System.Boolean UnityEngine.XR.ARFoundation.ARCameraBackground::m_BackgroundRenderingEnabled
bool ___m_BackgroundRenderingEnabled_19;
// System.Boolean UnityEngine.XR.ARFoundation.ARCameraBackground::m_CommandBufferCullingState
bool ___m_CommandBufferCullingState_20;
public:
inline static int32_t get_offset_of_m_Camera_10() { return static_cast<int32_t>(offsetof(ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84, ___m_Camera_10)); }
inline Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C * get_m_Camera_10() const { return ___m_Camera_10; }
inline Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C ** get_address_of_m_Camera_10() { return &___m_Camera_10; }
inline void set_m_Camera_10(Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C * value)
{
___m_Camera_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Camera_10), (void*)value);
}
inline static int32_t get_offset_of_m_CameraManager_11() { return static_cast<int32_t>(offsetof(ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84, ___m_CameraManager_11)); }
inline ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874 * get_m_CameraManager_11() const { return ___m_CameraManager_11; }
inline ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874 ** get_address_of_m_CameraManager_11() { return &___m_CameraManager_11; }
inline void set_m_CameraManager_11(ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874 * value)
{
___m_CameraManager_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CameraManager_11), (void*)value);
}
inline static int32_t get_offset_of_m_OcclusionManager_12() { return static_cast<int32_t>(offsetof(ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84, ___m_OcclusionManager_12)); }
inline AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48 * get_m_OcclusionManager_12() const { return ___m_OcclusionManager_12; }
inline AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48 ** get_address_of_m_OcclusionManager_12() { return &___m_OcclusionManager_12; }
inline void set_m_OcclusionManager_12(AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48 * value)
{
___m_OcclusionManager_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OcclusionManager_12), (void*)value);
}
inline static int32_t get_offset_of_m_CommandBuffer_13() { return static_cast<int32_t>(offsetof(ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84, ___m_CommandBuffer_13)); }
inline CommandBuffer_t25CD231BD3E822660339DB7D0E8F8ED6B7DBEA29 * get_m_CommandBuffer_13() const { return ___m_CommandBuffer_13; }
inline CommandBuffer_t25CD231BD3E822660339DB7D0E8F8ED6B7DBEA29 ** get_address_of_m_CommandBuffer_13() { return &___m_CommandBuffer_13; }
inline void set_m_CommandBuffer_13(CommandBuffer_t25CD231BD3E822660339DB7D0E8F8ED6B7DBEA29 * value)
{
___m_CommandBuffer_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CommandBuffer_13), (void*)value);
}
inline static int32_t get_offset_of_m_UseCustomMaterial_14() { return static_cast<int32_t>(offsetof(ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84, ___m_UseCustomMaterial_14)); }
inline bool get_m_UseCustomMaterial_14() const { return ___m_UseCustomMaterial_14; }
inline bool* get_address_of_m_UseCustomMaterial_14() { return &___m_UseCustomMaterial_14; }
inline void set_m_UseCustomMaterial_14(bool value)
{
___m_UseCustomMaterial_14 = value;
}
inline static int32_t get_offset_of_m_CustomMaterial_15() { return static_cast<int32_t>(offsetof(ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84, ___m_CustomMaterial_15)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_m_CustomMaterial_15() const { return ___m_CustomMaterial_15; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_m_CustomMaterial_15() { return &___m_CustomMaterial_15; }
inline void set_m_CustomMaterial_15(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___m_CustomMaterial_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CustomMaterial_15), (void*)value);
}
inline static int32_t get_offset_of_m_DefaultMaterial_16() { return static_cast<int32_t>(offsetof(ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84, ___m_DefaultMaterial_16)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_m_DefaultMaterial_16() const { return ___m_DefaultMaterial_16; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_m_DefaultMaterial_16() { return &___m_DefaultMaterial_16; }
inline void set_m_DefaultMaterial_16(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___m_DefaultMaterial_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DefaultMaterial_16), (void*)value);
}
inline static int32_t get_offset_of_m_PreviousCameraClearFlags_17() { return static_cast<int32_t>(offsetof(ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84, ___m_PreviousCameraClearFlags_17)); }
inline Nullable_1_t9F0E3D30423323307F09384F465C3E740846492D get_m_PreviousCameraClearFlags_17() const { return ___m_PreviousCameraClearFlags_17; }
inline Nullable_1_t9F0E3D30423323307F09384F465C3E740846492D * get_address_of_m_PreviousCameraClearFlags_17() { return &___m_PreviousCameraClearFlags_17; }
inline void set_m_PreviousCameraClearFlags_17(Nullable_1_t9F0E3D30423323307F09384F465C3E740846492D value)
{
___m_PreviousCameraClearFlags_17 = value;
}
inline static int32_t get_offset_of_m_PreviousCameraFieldOfView_18() { return static_cast<int32_t>(offsetof(ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84, ___m_PreviousCameraFieldOfView_18)); }
inline Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A get_m_PreviousCameraFieldOfView_18() const { return ___m_PreviousCameraFieldOfView_18; }
inline Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A * get_address_of_m_PreviousCameraFieldOfView_18() { return &___m_PreviousCameraFieldOfView_18; }
inline void set_m_PreviousCameraFieldOfView_18(Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A value)
{
___m_PreviousCameraFieldOfView_18 = value;
}
inline static int32_t get_offset_of_m_BackgroundRenderingEnabled_19() { return static_cast<int32_t>(offsetof(ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84, ___m_BackgroundRenderingEnabled_19)); }
inline bool get_m_BackgroundRenderingEnabled_19() const { return ___m_BackgroundRenderingEnabled_19; }
inline bool* get_address_of_m_BackgroundRenderingEnabled_19() { return &___m_BackgroundRenderingEnabled_19; }
inline void set_m_BackgroundRenderingEnabled_19(bool value)
{
___m_BackgroundRenderingEnabled_19 = value;
}
inline static int32_t get_offset_of_m_CommandBufferCullingState_20() { return static_cast<int32_t>(offsetof(ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84, ___m_CommandBufferCullingState_20)); }
inline bool get_m_CommandBufferCullingState_20() const { return ___m_CommandBufferCullingState_20; }
inline bool* get_address_of_m_CommandBufferCullingState_20() { return &___m_CommandBufferCullingState_20; }
inline void set_m_CommandBufferCullingState_20(bool value)
{
___m_CommandBufferCullingState_20 = value;
}
};
struct ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84_StaticFields
{
public:
// System.Int32 UnityEngine.XR.ARFoundation.ARCameraBackground::k_MainTexId
int32_t ___k_MainTexId_7;
// System.Int32 UnityEngine.XR.ARFoundation.ARCameraBackground::k_DisplayTransformId
int32_t ___k_DisplayTransformId_8;
// System.Int32 UnityEngine.XR.ARFoundation.ARCameraBackground::k_CameraForwardScaleId
int32_t ___k_CameraForwardScaleId_9;
// System.Action`1<System.Int32> UnityEngine.XR.ARFoundation.ARCameraBackground::s_BeforeBackgroundRenderHandler
Action_1_t080BA8EFA9616A494EBB4DD352BFEF943792E05B * ___s_BeforeBackgroundRenderHandler_21;
// System.IntPtr UnityEngine.XR.ARFoundation.ARCameraBackground::s_BeforeBackgroundRenderHandlerFuncPtr
intptr_t ___s_BeforeBackgroundRenderHandlerFuncPtr_22;
// UnityEngine.XR.ARSubsystems.XRCameraSubsystem UnityEngine.XR.ARFoundation.ARCameraBackground::s_CameraSubsystem
XRCameraSubsystem_t3B32F6EA8A2E4D23AF240B5D21C34759D2613AC9 * ___s_CameraSubsystem_23;
// UnityEngine.Rendering.CameraEvent[] UnityEngine.XR.ARFoundation.ARCameraBackground::s_DefaultCameraEvents
CameraEventU5BU5D_t1A45D6F41C599CA75F8AFD8EBC2ECC159554FB2E* ___s_DefaultCameraEvents_24;
public:
inline static int32_t get_offset_of_k_MainTexId_7() { return static_cast<int32_t>(offsetof(ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84_StaticFields, ___k_MainTexId_7)); }
inline int32_t get_k_MainTexId_7() const { return ___k_MainTexId_7; }
inline int32_t* get_address_of_k_MainTexId_7() { return &___k_MainTexId_7; }
inline void set_k_MainTexId_7(int32_t value)
{
___k_MainTexId_7 = value;
}
inline static int32_t get_offset_of_k_DisplayTransformId_8() { return static_cast<int32_t>(offsetof(ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84_StaticFields, ___k_DisplayTransformId_8)); }
inline int32_t get_k_DisplayTransformId_8() const { return ___k_DisplayTransformId_8; }
inline int32_t* get_address_of_k_DisplayTransformId_8() { return &___k_DisplayTransformId_8; }
inline void set_k_DisplayTransformId_8(int32_t value)
{
___k_DisplayTransformId_8 = value;
}
inline static int32_t get_offset_of_k_CameraForwardScaleId_9() { return static_cast<int32_t>(offsetof(ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84_StaticFields, ___k_CameraForwardScaleId_9)); }
inline int32_t get_k_CameraForwardScaleId_9() const { return ___k_CameraForwardScaleId_9; }
inline int32_t* get_address_of_k_CameraForwardScaleId_9() { return &___k_CameraForwardScaleId_9; }
inline void set_k_CameraForwardScaleId_9(int32_t value)
{
___k_CameraForwardScaleId_9 = value;
}
inline static int32_t get_offset_of_s_BeforeBackgroundRenderHandler_21() { return static_cast<int32_t>(offsetof(ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84_StaticFields, ___s_BeforeBackgroundRenderHandler_21)); }
inline Action_1_t080BA8EFA9616A494EBB4DD352BFEF943792E05B * get_s_BeforeBackgroundRenderHandler_21() const { return ___s_BeforeBackgroundRenderHandler_21; }
inline Action_1_t080BA8EFA9616A494EBB4DD352BFEF943792E05B ** get_address_of_s_BeforeBackgroundRenderHandler_21() { return &___s_BeforeBackgroundRenderHandler_21; }
inline void set_s_BeforeBackgroundRenderHandler_21(Action_1_t080BA8EFA9616A494EBB4DD352BFEF943792E05B * value)
{
___s_BeforeBackgroundRenderHandler_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_BeforeBackgroundRenderHandler_21), (void*)value);
}
inline static int32_t get_offset_of_s_BeforeBackgroundRenderHandlerFuncPtr_22() { return static_cast<int32_t>(offsetof(ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84_StaticFields, ___s_BeforeBackgroundRenderHandlerFuncPtr_22)); }
inline intptr_t get_s_BeforeBackgroundRenderHandlerFuncPtr_22() const { return ___s_BeforeBackgroundRenderHandlerFuncPtr_22; }
inline intptr_t* get_address_of_s_BeforeBackgroundRenderHandlerFuncPtr_22() { return &___s_BeforeBackgroundRenderHandlerFuncPtr_22; }
inline void set_s_BeforeBackgroundRenderHandlerFuncPtr_22(intptr_t value)
{
___s_BeforeBackgroundRenderHandlerFuncPtr_22 = value;
}
inline static int32_t get_offset_of_s_CameraSubsystem_23() { return static_cast<int32_t>(offsetof(ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84_StaticFields, ___s_CameraSubsystem_23)); }
inline XRCameraSubsystem_t3B32F6EA8A2E4D23AF240B5D21C34759D2613AC9 * get_s_CameraSubsystem_23() const { return ___s_CameraSubsystem_23; }
inline XRCameraSubsystem_t3B32F6EA8A2E4D23AF240B5D21C34759D2613AC9 ** get_address_of_s_CameraSubsystem_23() { return &___s_CameraSubsystem_23; }
inline void set_s_CameraSubsystem_23(XRCameraSubsystem_t3B32F6EA8A2E4D23AF240B5D21C34759D2613AC9 * value)
{
___s_CameraSubsystem_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_CameraSubsystem_23), (void*)value);
}
inline static int32_t get_offset_of_s_DefaultCameraEvents_24() { return static_cast<int32_t>(offsetof(ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84_StaticFields, ___s_DefaultCameraEvents_24)); }
inline CameraEventU5BU5D_t1A45D6F41C599CA75F8AFD8EBC2ECC159554FB2E* get_s_DefaultCameraEvents_24() const { return ___s_DefaultCameraEvents_24; }
inline CameraEventU5BU5D_t1A45D6F41C599CA75F8AFD8EBC2ECC159554FB2E** get_address_of_s_DefaultCameraEvents_24() { return &___s_DefaultCameraEvents_24; }
inline void set_s_DefaultCameraEvents_24(CameraEventU5BU5D_t1A45D6F41C599CA75F8AFD8EBC2ECC159554FB2E* value)
{
___s_DefaultCameraEvents_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_DefaultCameraEvents_24), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARFaceMeshVisualizer
struct ARFaceMeshVisualizer_tAB37DE7C3787FD37DCDAA4C769A5813D7F8963B1 : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// UnityEngine.Mesh UnityEngine.XR.ARFoundation.ARFaceMeshVisualizer::<mesh>k__BackingField
Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * ___U3CmeshU3Ek__BackingField_4;
// UnityEngine.XR.ARFoundation.ARFace UnityEngine.XR.ARFoundation.ARFaceMeshVisualizer::m_Face
ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1 * ___m_Face_5;
// UnityEngine.MeshRenderer UnityEngine.XR.ARFoundation.ARFaceMeshVisualizer::m_MeshRenderer
MeshRenderer_tCD983A2F635E12BCB0BAA2E635D96A318757908B * ___m_MeshRenderer_6;
// System.Boolean UnityEngine.XR.ARFoundation.ARFaceMeshVisualizer::m_TopologyUpdatedThisFrame
bool ___m_TopologyUpdatedThisFrame_7;
public:
inline static int32_t get_offset_of_U3CmeshU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(ARFaceMeshVisualizer_tAB37DE7C3787FD37DCDAA4C769A5813D7F8963B1, ___U3CmeshU3Ek__BackingField_4)); }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * get_U3CmeshU3Ek__BackingField_4() const { return ___U3CmeshU3Ek__BackingField_4; }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 ** get_address_of_U3CmeshU3Ek__BackingField_4() { return &___U3CmeshU3Ek__BackingField_4; }
inline void set_U3CmeshU3Ek__BackingField_4(Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * value)
{
___U3CmeshU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CmeshU3Ek__BackingField_4), (void*)value);
}
inline static int32_t get_offset_of_m_Face_5() { return static_cast<int32_t>(offsetof(ARFaceMeshVisualizer_tAB37DE7C3787FD37DCDAA4C769A5813D7F8963B1, ___m_Face_5)); }
inline ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1 * get_m_Face_5() const { return ___m_Face_5; }
inline ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1 ** get_address_of_m_Face_5() { return &___m_Face_5; }
inline void set_m_Face_5(ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1 * value)
{
___m_Face_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Face_5), (void*)value);
}
inline static int32_t get_offset_of_m_MeshRenderer_6() { return static_cast<int32_t>(offsetof(ARFaceMeshVisualizer_tAB37DE7C3787FD37DCDAA4C769A5813D7F8963B1, ___m_MeshRenderer_6)); }
inline MeshRenderer_tCD983A2F635E12BCB0BAA2E635D96A318757908B * get_m_MeshRenderer_6() const { return ___m_MeshRenderer_6; }
inline MeshRenderer_tCD983A2F635E12BCB0BAA2E635D96A318757908B ** get_address_of_m_MeshRenderer_6() { return &___m_MeshRenderer_6; }
inline void set_m_MeshRenderer_6(MeshRenderer_tCD983A2F635E12BCB0BAA2E635D96A318757908B * value)
{
___m_MeshRenderer_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_MeshRenderer_6), (void*)value);
}
inline static int32_t get_offset_of_m_TopologyUpdatedThisFrame_7() { return static_cast<int32_t>(offsetof(ARFaceMeshVisualizer_tAB37DE7C3787FD37DCDAA4C769A5813D7F8963B1, ___m_TopologyUpdatedThisFrame_7)); }
inline bool get_m_TopologyUpdatedThisFrame_7() const { return ___m_TopologyUpdatedThisFrame_7; }
inline bool* get_address_of_m_TopologyUpdatedThisFrame_7() { return &___m_TopologyUpdatedThisFrame_7; }
inline void set_m_TopologyUpdatedThisFrame_7(bool value)
{
___m_TopologyUpdatedThisFrame_7 = value;
}
};
// UnityEngine.XR.ARFoundation.ARInputManager
struct ARInputManager_tEBA4F07AD44EC2C0FAE6216583A42EE567E74A1A : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// UnityEngine.XR.XRInputSubsystem UnityEngine.XR.ARFoundation.ARInputManager::<subsystem>k__BackingField
XRInputSubsystem_t74B79E3971C396F02CD32F74AE73A5DFB2A0EC09 * ___U3CsubsystemU3Ek__BackingField_4;
public:
inline static int32_t get_offset_of_U3CsubsystemU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(ARInputManager_tEBA4F07AD44EC2C0FAE6216583A42EE567E74A1A, ___U3CsubsystemU3Ek__BackingField_4)); }
inline XRInputSubsystem_t74B79E3971C396F02CD32F74AE73A5DFB2A0EC09 * get_U3CsubsystemU3Ek__BackingField_4() const { return ___U3CsubsystemU3Ek__BackingField_4; }
inline XRInputSubsystem_t74B79E3971C396F02CD32F74AE73A5DFB2A0EC09 ** get_address_of_U3CsubsystemU3Ek__BackingField_4() { return &___U3CsubsystemU3Ek__BackingField_4; }
inline void set_U3CsubsystemU3Ek__BackingField_4(XRInputSubsystem_t74B79E3971C396F02CD32F74AE73A5DFB2A0EC09 * value)
{
___U3CsubsystemU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsystemU3Ek__BackingField_4), (void*)value);
}
};
struct ARInputManager_tEBA4F07AD44EC2C0FAE6216583A42EE567E74A1A_StaticFields
{
public:
// System.Collections.Generic.List`1<UnityEngine.XR.XRInputSubsystemDescriptor> UnityEngine.XR.ARFoundation.ARInputManager::s_SubsystemDescriptors
List_1_t885BD663DFFEB6C32E74934BE1CE00D566657BA0 * ___s_SubsystemDescriptors_5;
public:
inline static int32_t get_offset_of_s_SubsystemDescriptors_5() { return static_cast<int32_t>(offsetof(ARInputManager_tEBA4F07AD44EC2C0FAE6216583A42EE567E74A1A_StaticFields, ___s_SubsystemDescriptors_5)); }
inline List_1_t885BD663DFFEB6C32E74934BE1CE00D566657BA0 * get_s_SubsystemDescriptors_5() const { return ___s_SubsystemDescriptors_5; }
inline List_1_t885BD663DFFEB6C32E74934BE1CE00D566657BA0 ** get_address_of_s_SubsystemDescriptors_5() { return &___s_SubsystemDescriptors_5; }
inline void set_s_SubsystemDescriptors_5(List_1_t885BD663DFFEB6C32E74934BE1CE00D566657BA0 * value)
{
___s_SubsystemDescriptors_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubsystemDescriptors_5), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARMeshManager
struct ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// UnityEngine.MeshFilter UnityEngine.XR.ARFoundation.ARMeshManager::m_MeshPrefab
MeshFilter_t763BB2BBF3881176AD25E4570E6DD215BA0AA51A * ___m_MeshPrefab_4;
// System.Single UnityEngine.XR.ARFoundation.ARMeshManager::m_Density
float ___m_Density_5;
// System.Boolean UnityEngine.XR.ARFoundation.ARMeshManager::m_Normals
bool ___m_Normals_6;
// System.Boolean UnityEngine.XR.ARFoundation.ARMeshManager::m_Tangents
bool ___m_Tangents_7;
// System.Boolean UnityEngine.XR.ARFoundation.ARMeshManager::m_TextureCoordinates
bool ___m_TextureCoordinates_8;
// System.Boolean UnityEngine.XR.ARFoundation.ARMeshManager::m_Colors
bool ___m_Colors_9;
// System.Int32 UnityEngine.XR.ARFoundation.ARMeshManager::m_ConcurrentQueueSize
int32_t ___m_ConcurrentQueueSize_10;
// System.Action`1<UnityEngine.XR.ARFoundation.ARMeshesChangedEventArgs> UnityEngine.XR.ARFoundation.ARMeshManager::meshesChanged
Action_1_t2A1E681C80BCB5D638A50943506CDB3B2D178D5F * ___meshesChanged_11;
// System.Collections.Generic.List`1<UnityEngine.MeshFilter> UnityEngine.XR.ARFoundation.ARMeshManager::m_Added
List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * ___m_Added_12;
// System.Collections.Generic.List`1<UnityEngine.MeshFilter> UnityEngine.XR.ARFoundation.ARMeshManager::m_Updated
List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * ___m_Updated_13;
// System.Collections.Generic.List`1<UnityEngine.MeshFilter> UnityEngine.XR.ARFoundation.ARMeshManager::m_Removed
List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * ___m_Removed_14;
// UnityEngine.XR.ARFoundation.MeshQueue UnityEngine.XR.ARFoundation.ARMeshManager::m_Pending
MeshQueue_t72ED2403F046196E4A4F7F443F3AA3EB67EA9334 * ___m_Pending_15;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.MeshId,UnityEngine.XR.MeshInfo> UnityEngine.XR.ARFoundation.ARMeshManager::m_Generating
Dictionary_2_t2B5C2948D35C014478CA4F20AAD1D04720D764DA * ___m_Generating_16;
// System.Collections.Generic.SortedList`2<UnityEngine.XR.ARSubsystems.TrackableId,UnityEngine.MeshFilter> UnityEngine.XR.ARFoundation.ARMeshManager::m_Meshes
SortedList_2_t1FD6B0D4332E5BDBE8C8077AA243148E1D026E74 * ___m_Meshes_17;
// System.Action`1<UnityEngine.XR.MeshGenerationResult> UnityEngine.XR.ARFoundation.ARMeshManager::m_OnMeshGeneratedDelegate
Action_1_tB125CDA27D619FDBF92F767804A14CF83EA85A3C * ___m_OnMeshGeneratedDelegate_18;
// UnityEngine.XR.XRMeshSubsystem UnityEngine.XR.ARFoundation.ARMeshManager::m_Subsystem
XRMeshSubsystem_t60BD977DF1B014CF5D48C8EBCC91DED767520D63 * ___m_Subsystem_19;
public:
inline static int32_t get_offset_of_m_MeshPrefab_4() { return static_cast<int32_t>(offsetof(ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E, ___m_MeshPrefab_4)); }
inline MeshFilter_t763BB2BBF3881176AD25E4570E6DD215BA0AA51A * get_m_MeshPrefab_4() const { return ___m_MeshPrefab_4; }
inline MeshFilter_t763BB2BBF3881176AD25E4570E6DD215BA0AA51A ** get_address_of_m_MeshPrefab_4() { return &___m_MeshPrefab_4; }
inline void set_m_MeshPrefab_4(MeshFilter_t763BB2BBF3881176AD25E4570E6DD215BA0AA51A * value)
{
___m_MeshPrefab_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_MeshPrefab_4), (void*)value);
}
inline static int32_t get_offset_of_m_Density_5() { return static_cast<int32_t>(offsetof(ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E, ___m_Density_5)); }
inline float get_m_Density_5() const { return ___m_Density_5; }
inline float* get_address_of_m_Density_5() { return &___m_Density_5; }
inline void set_m_Density_5(float value)
{
___m_Density_5 = value;
}
inline static int32_t get_offset_of_m_Normals_6() { return static_cast<int32_t>(offsetof(ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E, ___m_Normals_6)); }
inline bool get_m_Normals_6() const { return ___m_Normals_6; }
inline bool* get_address_of_m_Normals_6() { return &___m_Normals_6; }
inline void set_m_Normals_6(bool value)
{
___m_Normals_6 = value;
}
inline static int32_t get_offset_of_m_Tangents_7() { return static_cast<int32_t>(offsetof(ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E, ___m_Tangents_7)); }
inline bool get_m_Tangents_7() const { return ___m_Tangents_7; }
inline bool* get_address_of_m_Tangents_7() { return &___m_Tangents_7; }
inline void set_m_Tangents_7(bool value)
{
___m_Tangents_7 = value;
}
inline static int32_t get_offset_of_m_TextureCoordinates_8() { return static_cast<int32_t>(offsetof(ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E, ___m_TextureCoordinates_8)); }
inline bool get_m_TextureCoordinates_8() const { return ___m_TextureCoordinates_8; }
inline bool* get_address_of_m_TextureCoordinates_8() { return &___m_TextureCoordinates_8; }
inline void set_m_TextureCoordinates_8(bool value)
{
___m_TextureCoordinates_8 = value;
}
inline static int32_t get_offset_of_m_Colors_9() { return static_cast<int32_t>(offsetof(ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E, ___m_Colors_9)); }
inline bool get_m_Colors_9() const { return ___m_Colors_9; }
inline bool* get_address_of_m_Colors_9() { return &___m_Colors_9; }
inline void set_m_Colors_9(bool value)
{
___m_Colors_9 = value;
}
inline static int32_t get_offset_of_m_ConcurrentQueueSize_10() { return static_cast<int32_t>(offsetof(ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E, ___m_ConcurrentQueueSize_10)); }
inline int32_t get_m_ConcurrentQueueSize_10() const { return ___m_ConcurrentQueueSize_10; }
inline int32_t* get_address_of_m_ConcurrentQueueSize_10() { return &___m_ConcurrentQueueSize_10; }
inline void set_m_ConcurrentQueueSize_10(int32_t value)
{
___m_ConcurrentQueueSize_10 = value;
}
inline static int32_t get_offset_of_meshesChanged_11() { return static_cast<int32_t>(offsetof(ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E, ___meshesChanged_11)); }
inline Action_1_t2A1E681C80BCB5D638A50943506CDB3B2D178D5F * get_meshesChanged_11() const { return ___meshesChanged_11; }
inline Action_1_t2A1E681C80BCB5D638A50943506CDB3B2D178D5F ** get_address_of_meshesChanged_11() { return &___meshesChanged_11; }
inline void set_meshesChanged_11(Action_1_t2A1E681C80BCB5D638A50943506CDB3B2D178D5F * value)
{
___meshesChanged_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___meshesChanged_11), (void*)value);
}
inline static int32_t get_offset_of_m_Added_12() { return static_cast<int32_t>(offsetof(ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E, ___m_Added_12)); }
inline List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * get_m_Added_12() const { return ___m_Added_12; }
inline List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E ** get_address_of_m_Added_12() { return &___m_Added_12; }
inline void set_m_Added_12(List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * value)
{
___m_Added_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Added_12), (void*)value);
}
inline static int32_t get_offset_of_m_Updated_13() { return static_cast<int32_t>(offsetof(ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E, ___m_Updated_13)); }
inline List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * get_m_Updated_13() const { return ___m_Updated_13; }
inline List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E ** get_address_of_m_Updated_13() { return &___m_Updated_13; }
inline void set_m_Updated_13(List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * value)
{
___m_Updated_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Updated_13), (void*)value);
}
inline static int32_t get_offset_of_m_Removed_14() { return static_cast<int32_t>(offsetof(ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E, ___m_Removed_14)); }
inline List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * get_m_Removed_14() const { return ___m_Removed_14; }
inline List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E ** get_address_of_m_Removed_14() { return &___m_Removed_14; }
inline void set_m_Removed_14(List_1_tF4FF55D8DD6EFED1BBCBF60B3D5905B0C1CA6C8E * value)
{
___m_Removed_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Removed_14), (void*)value);
}
inline static int32_t get_offset_of_m_Pending_15() { return static_cast<int32_t>(offsetof(ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E, ___m_Pending_15)); }
inline MeshQueue_t72ED2403F046196E4A4F7F443F3AA3EB67EA9334 * get_m_Pending_15() const { return ___m_Pending_15; }
inline MeshQueue_t72ED2403F046196E4A4F7F443F3AA3EB67EA9334 ** get_address_of_m_Pending_15() { return &___m_Pending_15; }
inline void set_m_Pending_15(MeshQueue_t72ED2403F046196E4A4F7F443F3AA3EB67EA9334 * value)
{
___m_Pending_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Pending_15), (void*)value);
}
inline static int32_t get_offset_of_m_Generating_16() { return static_cast<int32_t>(offsetof(ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E, ___m_Generating_16)); }
inline Dictionary_2_t2B5C2948D35C014478CA4F20AAD1D04720D764DA * get_m_Generating_16() const { return ___m_Generating_16; }
inline Dictionary_2_t2B5C2948D35C014478CA4F20AAD1D04720D764DA ** get_address_of_m_Generating_16() { return &___m_Generating_16; }
inline void set_m_Generating_16(Dictionary_2_t2B5C2948D35C014478CA4F20AAD1D04720D764DA * value)
{
___m_Generating_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Generating_16), (void*)value);
}
inline static int32_t get_offset_of_m_Meshes_17() { return static_cast<int32_t>(offsetof(ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E, ___m_Meshes_17)); }
inline SortedList_2_t1FD6B0D4332E5BDBE8C8077AA243148E1D026E74 * get_m_Meshes_17() const { return ___m_Meshes_17; }
inline SortedList_2_t1FD6B0D4332E5BDBE8C8077AA243148E1D026E74 ** get_address_of_m_Meshes_17() { return &___m_Meshes_17; }
inline void set_m_Meshes_17(SortedList_2_t1FD6B0D4332E5BDBE8C8077AA243148E1D026E74 * value)
{
___m_Meshes_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Meshes_17), (void*)value);
}
inline static int32_t get_offset_of_m_OnMeshGeneratedDelegate_18() { return static_cast<int32_t>(offsetof(ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E, ___m_OnMeshGeneratedDelegate_18)); }
inline Action_1_tB125CDA27D619FDBF92F767804A14CF83EA85A3C * get_m_OnMeshGeneratedDelegate_18() const { return ___m_OnMeshGeneratedDelegate_18; }
inline Action_1_tB125CDA27D619FDBF92F767804A14CF83EA85A3C ** get_address_of_m_OnMeshGeneratedDelegate_18() { return &___m_OnMeshGeneratedDelegate_18; }
inline void set_m_OnMeshGeneratedDelegate_18(Action_1_tB125CDA27D619FDBF92F767804A14CF83EA85A3C * value)
{
___m_OnMeshGeneratedDelegate_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnMeshGeneratedDelegate_18), (void*)value);
}
inline static int32_t get_offset_of_m_Subsystem_19() { return static_cast<int32_t>(offsetof(ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E, ___m_Subsystem_19)); }
inline XRMeshSubsystem_t60BD977DF1B014CF5D48C8EBCC91DED767520D63 * get_m_Subsystem_19() const { return ___m_Subsystem_19; }
inline XRMeshSubsystem_t60BD977DF1B014CF5D48C8EBCC91DED767520D63 ** get_address_of_m_Subsystem_19() { return &___m_Subsystem_19; }
inline void set_m_Subsystem_19(XRMeshSubsystem_t60BD977DF1B014CF5D48C8EBCC91DED767520D63 * value)
{
___m_Subsystem_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Subsystem_19), (void*)value);
}
};
struct ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E_StaticFields
{
public:
// UnityEngine.XR.ARFoundation.ARMeshManager/TrackableIdComparer UnityEngine.XR.ARFoundation.ARMeshManager::s_TrackableIdComparer
TrackableIdComparer_tCD1A65D85AA496BEA82722E9EE819158EE0DC0CB * ___s_TrackableIdComparer_20;
// System.Collections.Generic.List`1<UnityEngine.XR.MeshInfo> UnityEngine.XR.ARFoundation.ARMeshManager::s_MeshInfos
List_1_t053E82C4FE1FEB4EF0149CCADF601193CE96CB4D * ___s_MeshInfos_21;
// System.Collections.Generic.List`1<UnityEngine.XR.XRMeshSubsystemDescriptor> UnityEngine.XR.ARFoundation.ARMeshManager::s_SubsystemDescriptors
List_1_tA4CB3CC063D44B52D336C5DDA258EF7CE9B98A94 * ___s_SubsystemDescriptors_22;
public:
inline static int32_t get_offset_of_s_TrackableIdComparer_20() { return static_cast<int32_t>(offsetof(ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E_StaticFields, ___s_TrackableIdComparer_20)); }
inline TrackableIdComparer_tCD1A65D85AA496BEA82722E9EE819158EE0DC0CB * get_s_TrackableIdComparer_20() const { return ___s_TrackableIdComparer_20; }
inline TrackableIdComparer_tCD1A65D85AA496BEA82722E9EE819158EE0DC0CB ** get_address_of_s_TrackableIdComparer_20() { return &___s_TrackableIdComparer_20; }
inline void set_s_TrackableIdComparer_20(TrackableIdComparer_tCD1A65D85AA496BEA82722E9EE819158EE0DC0CB * value)
{
___s_TrackableIdComparer_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_TrackableIdComparer_20), (void*)value);
}
inline static int32_t get_offset_of_s_MeshInfos_21() { return static_cast<int32_t>(offsetof(ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E_StaticFields, ___s_MeshInfos_21)); }
inline List_1_t053E82C4FE1FEB4EF0149CCADF601193CE96CB4D * get_s_MeshInfos_21() const { return ___s_MeshInfos_21; }
inline List_1_t053E82C4FE1FEB4EF0149CCADF601193CE96CB4D ** get_address_of_s_MeshInfos_21() { return &___s_MeshInfos_21; }
inline void set_s_MeshInfos_21(List_1_t053E82C4FE1FEB4EF0149CCADF601193CE96CB4D * value)
{
___s_MeshInfos_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_MeshInfos_21), (void*)value);
}
inline static int32_t get_offset_of_s_SubsystemDescriptors_22() { return static_cast<int32_t>(offsetof(ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E_StaticFields, ___s_SubsystemDescriptors_22)); }
inline List_1_tA4CB3CC063D44B52D336C5DDA258EF7CE9B98A94 * get_s_SubsystemDescriptors_22() const { return ___s_SubsystemDescriptors_22; }
inline List_1_tA4CB3CC063D44B52D336C5DDA258EF7CE9B98A94 ** get_address_of_s_SubsystemDescriptors_22() { return &___s_SubsystemDescriptors_22; }
inline void set_s_SubsystemDescriptors_22(List_1_tA4CB3CC063D44B52D336C5DDA258EF7CE9B98A94 * value)
{
___s_SubsystemDescriptors_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SubsystemDescriptors_22), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARPlaneMeshVisualizer
struct ARPlaneMeshVisualizer_t4C981AECE943267AD0363C57F2F3D32273E932F2 : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// UnityEngine.Mesh UnityEngine.XR.ARFoundation.ARPlaneMeshVisualizer::<mesh>k__BackingField
Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * ___U3CmeshU3Ek__BackingField_4;
// System.Nullable`1<System.Single> UnityEngine.XR.ARFoundation.ARPlaneMeshVisualizer::m_InitialLineWidthMultiplier
Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A ___m_InitialLineWidthMultiplier_5;
// UnityEngine.XR.ARFoundation.ARPlane UnityEngine.XR.ARFoundation.ARPlaneMeshVisualizer::m_Plane
ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891 * ___m_Plane_6;
public:
inline static int32_t get_offset_of_U3CmeshU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(ARPlaneMeshVisualizer_t4C981AECE943267AD0363C57F2F3D32273E932F2, ___U3CmeshU3Ek__BackingField_4)); }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * get_U3CmeshU3Ek__BackingField_4() const { return ___U3CmeshU3Ek__BackingField_4; }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 ** get_address_of_U3CmeshU3Ek__BackingField_4() { return &___U3CmeshU3Ek__BackingField_4; }
inline void set_U3CmeshU3Ek__BackingField_4(Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * value)
{
___U3CmeshU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CmeshU3Ek__BackingField_4), (void*)value);
}
inline static int32_t get_offset_of_m_InitialLineWidthMultiplier_5() { return static_cast<int32_t>(offsetof(ARPlaneMeshVisualizer_t4C981AECE943267AD0363C57F2F3D32273E932F2, ___m_InitialLineWidthMultiplier_5)); }
inline Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A get_m_InitialLineWidthMultiplier_5() const { return ___m_InitialLineWidthMultiplier_5; }
inline Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A * get_address_of_m_InitialLineWidthMultiplier_5() { return &___m_InitialLineWidthMultiplier_5; }
inline void set_m_InitialLineWidthMultiplier_5(Nullable_1_t0C4AC2E457C437FA106160547FD9BA5B50B1888A value)
{
___m_InitialLineWidthMultiplier_5 = value;
}
inline static int32_t get_offset_of_m_Plane_6() { return static_cast<int32_t>(offsetof(ARPlaneMeshVisualizer_t4C981AECE943267AD0363C57F2F3D32273E932F2, ___m_Plane_6)); }
inline ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891 * get_m_Plane_6() const { return ___m_Plane_6; }
inline ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891 ** get_address_of_m_Plane_6() { return &___m_Plane_6; }
inline void set_m_Plane_6(ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891 * value)
{
___m_Plane_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Plane_6), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARPointCloudMeshVisualizer
struct ARPointCloudMeshVisualizer_tDCAC90D67DB95B1F42B9D60D7166A05D7B30FE6C : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// UnityEngine.Mesh UnityEngine.XR.ARFoundation.ARPointCloudMeshVisualizer::<mesh>k__BackingField
Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * ___U3CmeshU3Ek__BackingField_4;
// UnityEngine.XR.ARFoundation.ARPointCloud UnityEngine.XR.ARFoundation.ARPointCloudMeshVisualizer::m_PointCloud
ARPointCloud_t7801A20C710FCBFDF1A589FA3ED53C7C9DF9222A * ___m_PointCloud_5;
public:
inline static int32_t get_offset_of_U3CmeshU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(ARPointCloudMeshVisualizer_tDCAC90D67DB95B1F42B9D60D7166A05D7B30FE6C, ___U3CmeshU3Ek__BackingField_4)); }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * get_U3CmeshU3Ek__BackingField_4() const { return ___U3CmeshU3Ek__BackingField_4; }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 ** get_address_of_U3CmeshU3Ek__BackingField_4() { return &___U3CmeshU3Ek__BackingField_4; }
inline void set_U3CmeshU3Ek__BackingField_4(Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * value)
{
___U3CmeshU3Ek__BackingField_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CmeshU3Ek__BackingField_4), (void*)value);
}
inline static int32_t get_offset_of_m_PointCloud_5() { return static_cast<int32_t>(offsetof(ARPointCloudMeshVisualizer_tDCAC90D67DB95B1F42B9D60D7166A05D7B30FE6C, ___m_PointCloud_5)); }
inline ARPointCloud_t7801A20C710FCBFDF1A589FA3ED53C7C9DF9222A * get_m_PointCloud_5() const { return ___m_PointCloud_5; }
inline ARPointCloud_t7801A20C710FCBFDF1A589FA3ED53C7C9DF9222A ** get_address_of_m_PointCloud_5() { return &___m_PointCloud_5; }
inline void set_m_PointCloud_5(ARPointCloud_t7801A20C710FCBFDF1A589FA3ED53C7C9DF9222A * value)
{
___m_PointCloud_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PointCloud_5), (void*)value);
}
};
struct ARPointCloudMeshVisualizer_tDCAC90D67DB95B1F42B9D60D7166A05D7B30FE6C_StaticFields
{
public:
// System.Collections.Generic.List`1<UnityEngine.Vector3> UnityEngine.XR.ARFoundation.ARPointCloudMeshVisualizer::s_Vertices
List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181 * ___s_Vertices_6;
public:
inline static int32_t get_offset_of_s_Vertices_6() { return static_cast<int32_t>(offsetof(ARPointCloudMeshVisualizer_tDCAC90D67DB95B1F42B9D60D7166A05D7B30FE6C_StaticFields, ___s_Vertices_6)); }
inline List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181 * get_s_Vertices_6() const { return ___s_Vertices_6; }
inline List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181 ** get_address_of_s_Vertices_6() { return &___s_Vertices_6; }
inline void set_s_Vertices_6(List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181 * value)
{
___s_Vertices_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Vertices_6), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARPointCloudParticleVisualizer
struct ARPointCloudParticleVisualizer_tD36EB0704B08FAE9C25319F49973E4062E7B6ADD : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// UnityEngine.XR.ARFoundation.ARPointCloud UnityEngine.XR.ARFoundation.ARPointCloudParticleVisualizer::m_PointCloud
ARPointCloud_t7801A20C710FCBFDF1A589FA3ED53C7C9DF9222A * ___m_PointCloud_4;
// UnityEngine.ParticleSystem UnityEngine.XR.ARFoundation.ARPointCloudParticleVisualizer::m_ParticleSystem
ParticleSystem_t2F526CCDBD3512879B3FCBE04BCAB20D7B4F391E * ___m_ParticleSystem_5;
// UnityEngine.ParticleSystem/Particle[] UnityEngine.XR.ARFoundation.ARPointCloudParticleVisualizer::m_Particles
ParticleU5BU5D_tF02F4854575E99F3004B58B6CC6BB2373BAEB04C* ___m_Particles_6;
// System.Int32 UnityEngine.XR.ARFoundation.ARPointCloudParticleVisualizer::m_NumParticles
int32_t ___m_NumParticles_7;
public:
inline static int32_t get_offset_of_m_PointCloud_4() { return static_cast<int32_t>(offsetof(ARPointCloudParticleVisualizer_tD36EB0704B08FAE9C25319F49973E4062E7B6ADD, ___m_PointCloud_4)); }
inline ARPointCloud_t7801A20C710FCBFDF1A589FA3ED53C7C9DF9222A * get_m_PointCloud_4() const { return ___m_PointCloud_4; }
inline ARPointCloud_t7801A20C710FCBFDF1A589FA3ED53C7C9DF9222A ** get_address_of_m_PointCloud_4() { return &___m_PointCloud_4; }
inline void set_m_PointCloud_4(ARPointCloud_t7801A20C710FCBFDF1A589FA3ED53C7C9DF9222A * value)
{
___m_PointCloud_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PointCloud_4), (void*)value);
}
inline static int32_t get_offset_of_m_ParticleSystem_5() { return static_cast<int32_t>(offsetof(ARPointCloudParticleVisualizer_tD36EB0704B08FAE9C25319F49973E4062E7B6ADD, ___m_ParticleSystem_5)); }
inline ParticleSystem_t2F526CCDBD3512879B3FCBE04BCAB20D7B4F391E * get_m_ParticleSystem_5() const { return ___m_ParticleSystem_5; }
inline ParticleSystem_t2F526CCDBD3512879B3FCBE04BCAB20D7B4F391E ** get_address_of_m_ParticleSystem_5() { return &___m_ParticleSystem_5; }
inline void set_m_ParticleSystem_5(ParticleSystem_t2F526CCDBD3512879B3FCBE04BCAB20D7B4F391E * value)
{
___m_ParticleSystem_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ParticleSystem_5), (void*)value);
}
inline static int32_t get_offset_of_m_Particles_6() { return static_cast<int32_t>(offsetof(ARPointCloudParticleVisualizer_tD36EB0704B08FAE9C25319F49973E4062E7B6ADD, ___m_Particles_6)); }
inline ParticleU5BU5D_tF02F4854575E99F3004B58B6CC6BB2373BAEB04C* get_m_Particles_6() const { return ___m_Particles_6; }
inline ParticleU5BU5D_tF02F4854575E99F3004B58B6CC6BB2373BAEB04C** get_address_of_m_Particles_6() { return &___m_Particles_6; }
inline void set_m_Particles_6(ParticleU5BU5D_tF02F4854575E99F3004B58B6CC6BB2373BAEB04C* value)
{
___m_Particles_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Particles_6), (void*)value);
}
inline static int32_t get_offset_of_m_NumParticles_7() { return static_cast<int32_t>(offsetof(ARPointCloudParticleVisualizer_tD36EB0704B08FAE9C25319F49973E4062E7B6ADD, ___m_NumParticles_7)); }
inline int32_t get_m_NumParticles_7() const { return ___m_NumParticles_7; }
inline int32_t* get_address_of_m_NumParticles_7() { return &___m_NumParticles_7; }
inline void set_m_NumParticles_7(int32_t value)
{
___m_NumParticles_7 = value;
}
};
struct ARPointCloudParticleVisualizer_tD36EB0704B08FAE9C25319F49973E4062E7B6ADD_StaticFields
{
public:
// System.Collections.Generic.List`1<UnityEngine.Vector3> UnityEngine.XR.ARFoundation.ARPointCloudParticleVisualizer::s_Vertices
List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181 * ___s_Vertices_8;
public:
inline static int32_t get_offset_of_s_Vertices_8() { return static_cast<int32_t>(offsetof(ARPointCloudParticleVisualizer_tD36EB0704B08FAE9C25319F49973E4062E7B6ADD_StaticFields, ___s_Vertices_8)); }
inline List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181 * get_s_Vertices_8() const { return ___s_Vertices_8; }
inline List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181 ** get_address_of_s_Vertices_8() { return &___s_Vertices_8; }
inline void set_s_Vertices_8(List_1_t577D28CFF6DFE3F6A8D4409F7A21CBF513C04181 * value)
{
___s_Vertices_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Vertices_8), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARTrackable
struct ARTrackable_tE630E6237048700E730F3E3C2799F6CA07029DB3 : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
public:
};
// UnityEngine.Localization.Tables.AssetTable
struct AssetTable_t448913BBFEE5CDE56FD8C52CA7D1FA0BF2D1D3A7 : public DetailedLocalizationTable_1_tC6FDB854BE5B57B50D9059DECF5BE4B0F150EEB1
{
public:
// System.Nullable`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.Localization.Tables.AssetTable::m_PreloadOperationHandle
Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C ___m_PreloadOperationHandle_9;
public:
inline static int32_t get_offset_of_m_PreloadOperationHandle_9() { return static_cast<int32_t>(offsetof(AssetTable_t448913BBFEE5CDE56FD8C52CA7D1FA0BF2D1D3A7, ___m_PreloadOperationHandle_9)); }
inline Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C get_m_PreloadOperationHandle_9() const { return ___m_PreloadOperationHandle_9; }
inline Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C * get_address_of_m_PreloadOperationHandle_9() { return &___m_PreloadOperationHandle_9; }
inline void set_m_PreloadOperationHandle_9(Nullable_1_tD98106C1091EA5365FFF1D8C9602FC5C97EDF94C value)
{
___m_PreloadOperationHandle_9 = value;
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_PreloadOperationHandle_9))->___value_0))->___m_InternalOp_1), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_PreloadOperationHandle_9))->___value_0))->___m_LocationName_3), (void*)NULL);
#endif
}
};
// UnityEngine.AudioListener
struct AudioListener_t03B51B434A263F9AFD07AC8AA5CB4FE6402252A3 : public AudioBehaviour_tB44966D47AD43C50C7294AEE9B57574E55AACA4A
{
public:
public:
};
// UnityEngine.Experimental.XR.Interaction.BasePoseProvider
struct BasePoseProvider_t04EB173A7CC01D10EF789D54577ACAEBFAD5B04E : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
public:
};
// UnityEngine.EventSystems.EventTrigger
struct EventTrigger_tA136EB086A23F8BBDC2D547223F1AA9CBA9A2563 : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// System.Collections.Generic.List`1<UnityEngine.EventSystems.EventTrigger/Entry> UnityEngine.EventSystems.EventTrigger::m_Delegates
List_1_t88A4BE98895C19A1F134BA69882646898AC2BD70 * ___m_Delegates_4;
public:
inline static int32_t get_offset_of_m_Delegates_4() { return static_cast<int32_t>(offsetof(EventTrigger_tA136EB086A23F8BBDC2D547223F1AA9CBA9A2563, ___m_Delegates_4)); }
inline List_1_t88A4BE98895C19A1F134BA69882646898AC2BD70 * get_m_Delegates_4() const { return ___m_Delegates_4; }
inline List_1_t88A4BE98895C19A1F134BA69882646898AC2BD70 ** get_address_of_m_Delegates_4() { return &___m_Delegates_4; }
inline void set_m_Delegates_4(List_1_t88A4BE98895C19A1F134BA69882646898AC2BD70 * value)
{
___m_Delegates_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Delegates_4), (void*)value);
}
};
// UnityEngine.Localization.LocalizedAudioClip
struct LocalizedAudioClip_t0C6B84DF6F2A59049E7A06589AE849226790093A : public LocalizedAsset_1_t3899747B1B270D1FD33D42CC97CC38F846E5F907
{
public:
public:
};
// UnityEngine.Localization.LocalizedGameObject
struct LocalizedGameObject_t05C99E0CA69EFDA311C899ED2D570FE22EF8809E : public LocalizedAsset_1_tC86E7D49CD4BA9AD0A919E5189D33CF2A2D19F2C
{
public:
public:
};
// UnityEngine.Localization.LocalizedMaterial
struct LocalizedMaterial_t04D75BD3B87ED002B786C8B7D5D25958093DDCD2 : public LocalizedAsset_1_t82A24A54CEF4A699BEEBACC7DA91AC5BEA9E571A
{
public:
public:
};
// UnityEngine.Localization.Components.LocalizedMonoBehaviour
struct LocalizedMonoBehaviour_t86320BD4638977AAA24BBF2C2D5C5142C13F0B0B : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
public:
};
// UnityEngine.Localization.LocalizedSprite
struct LocalizedSprite_t0A9A0499DFBD6872058EC290C6B928036A4B4BAA : public LocalizedAsset_1_tBCE06AA4CEA5423222ED975C7D3EAC54F37EDF61
{
public:
public:
};
// UnityEngine.Localization.LocalizedTexture
struct LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F : public LocalizedAsset_1_tFF3D6D7D795112F735BFDDD5A73B070961E3FCF4
{
public:
public:
};
// System.MissingFieldException
struct MissingFieldException_t608CFBD864BEF9A5608F5E4EE1AFF009769E835A : public MissingMemberException_t890E7665FD7C812DAD826E4B5CF55F20F16CF639
{
public:
public:
};
// System.MissingMethodException
struct MissingMethodException_t84403BAD115335684834149401CDDFF3BDD42B41 : public MissingMemberException_t890E7665FD7C812DAD826E4B5CF55F20F16CF639
{
public:
// System.String System.MissingMethodException::signature
String_t* ___signature_20;
public:
inline static int32_t get_offset_of_signature_20() { return static_cast<int32_t>(offsetof(MissingMethodException_t84403BAD115335684834149401CDDFF3BDD42B41, ___signature_20)); }
inline String_t* get_signature_20() const { return ___signature_20; }
inline String_t** get_address_of_signature_20() { return &___signature_20; }
inline void set_signature_20(String_t* value)
{
___signature_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___signature_20), (void*)value);
}
};
// System.MonoType
struct MonoType_t : public RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07
{
public:
public:
};
// System.ReflectionOnlyType
struct ReflectionOnlyType_t1EF43BEB5E0AD43FB262489E6493EB1A444B0F06 : public RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07
{
public:
public:
};
// System.Net.Sockets.SocketException
struct SocketException_tB04D4347A4A41DC1A8583BBAE5A7C990F78C1E88 : public Win32Exception_t4B7A329153AA0E88CA08533EFB6DB2F2A8E90950
{
public:
// System.Net.EndPoint System.Net.Sockets.SocketException::m_EndPoint
EndPoint_t18D4AE8D03090A2B262136E59F95CE61418C34DA * ___m_EndPoint_20;
public:
inline static int32_t get_offset_of_m_EndPoint_20() { return static_cast<int32_t>(offsetof(SocketException_tB04D4347A4A41DC1A8583BBAE5A7C990F78C1E88, ___m_EndPoint_20)); }
inline EndPoint_t18D4AE8D03090A2B262136E59F95CE61418C34DA * get_m_EndPoint_20() const { return ___m_EndPoint_20; }
inline EndPoint_t18D4AE8D03090A2B262136E59F95CE61418C34DA ** get_address_of_m_EndPoint_20() { return &___m_EndPoint_20; }
inline void set_m_EndPoint_20(EndPoint_t18D4AE8D03090A2B262136E59F95CE61418C34DA * value)
{
___m_EndPoint_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_EndPoint_20), (void*)value);
}
};
// UnityEngine.Localization.Tables.StringTable
struct StringTable_t82895B0F560FEF1486B7B8DCF2FB6F2BF698BD59 : public DetailedLocalizationTable_1_t0757449D3608C8D061CB36FAC7C1DAA9C7A60015
{
public:
public:
};
// TMPro.TMP_ScrollbarEventHandler
struct TMP_ScrollbarEventHandler_t7F929E74769BB2B34B1292F2872125C7A18E93ED : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// System.Boolean TMPro.TMP_ScrollbarEventHandler::isSelected
bool ___isSelected_4;
public:
inline static int32_t get_offset_of_isSelected_4() { return static_cast<int32_t>(offsetof(TMP_ScrollbarEventHandler_t7F929E74769BB2B34B1292F2872125C7A18E93ED, ___isSelected_4)); }
inline bool get_isSelected_4() const { return ___isSelected_4; }
inline bool* get_address_of_isSelected_4() { return &___isSelected_4; }
inline void set_isSelected_4(bool value)
{
___isSelected_4 = value;
}
};
// TMPro.TMP_SpriteAnimator
struct TMP_SpriteAnimator_t07C769A1F1F85B545DD32357826E08F569E3D902 : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// System.Collections.Generic.Dictionary`2<System.Int32,System.Boolean> TMPro.TMP_SpriteAnimator::m_animations
Dictionary_2_t446D8FCE66ED404E00855B46A520AB382A69EFF1 * ___m_animations_4;
// TMPro.TMP_Text TMPro.TMP_SpriteAnimator::m_TextComponent
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * ___m_TextComponent_5;
public:
inline static int32_t get_offset_of_m_animations_4() { return static_cast<int32_t>(offsetof(TMP_SpriteAnimator_t07C769A1F1F85B545DD32357826E08F569E3D902, ___m_animations_4)); }
inline Dictionary_2_t446D8FCE66ED404E00855B46A520AB382A69EFF1 * get_m_animations_4() const { return ___m_animations_4; }
inline Dictionary_2_t446D8FCE66ED404E00855B46A520AB382A69EFF1 ** get_address_of_m_animations_4() { return &___m_animations_4; }
inline void set_m_animations_4(Dictionary_2_t446D8FCE66ED404E00855B46A520AB382A69EFF1 * value)
{
___m_animations_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_animations_4), (void*)value);
}
inline static int32_t get_offset_of_m_TextComponent_5() { return static_cast<int32_t>(offsetof(TMP_SpriteAnimator_t07C769A1F1F85B545DD32357826E08F569E3D902, ___m_TextComponent_5)); }
inline TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * get_m_TextComponent_5() const { return ___m_TextComponent_5; }
inline TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 ** get_address_of_m_TextComponent_5() { return &___m_TextComponent_5; }
inline void set_m_TextComponent_5(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * value)
{
___m_TextComponent_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TextComponent_5), (void*)value);
}
};
// TMPro.TMP_SubMesh
struct TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8 : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// TMPro.TMP_FontAsset TMPro.TMP_SubMesh::m_fontAsset
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___m_fontAsset_4;
// TMPro.TMP_SpriteAsset TMPro.TMP_SubMesh::m_spriteAsset
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * ___m_spriteAsset_5;
// UnityEngine.Material TMPro.TMP_SubMesh::m_material
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___m_material_6;
// UnityEngine.Material TMPro.TMP_SubMesh::m_sharedMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___m_sharedMaterial_7;
// UnityEngine.Material TMPro.TMP_SubMesh::m_fallbackMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___m_fallbackMaterial_8;
// UnityEngine.Material TMPro.TMP_SubMesh::m_fallbackSourceMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___m_fallbackSourceMaterial_9;
// System.Boolean TMPro.TMP_SubMesh::m_isDefaultMaterial
bool ___m_isDefaultMaterial_10;
// System.Single TMPro.TMP_SubMesh::m_padding
float ___m_padding_11;
// UnityEngine.Renderer TMPro.TMP_SubMesh::m_renderer
Renderer_t58147AB5B00224FE1460FD47542DC0DA7EC9378C * ___m_renderer_12;
// UnityEngine.MeshFilter TMPro.TMP_SubMesh::m_meshFilter
MeshFilter_t763BB2BBF3881176AD25E4570E6DD215BA0AA51A * ___m_meshFilter_13;
// UnityEngine.Mesh TMPro.TMP_SubMesh::m_mesh
Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * ___m_mesh_14;
// TMPro.TextMeshPro TMPro.TMP_SubMesh::m_TextComponent
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4 * ___m_TextComponent_15;
// System.Boolean TMPro.TMP_SubMesh::m_isRegisteredForEvents
bool ___m_isRegisteredForEvents_16;
public:
inline static int32_t get_offset_of_m_fontAsset_4() { return static_cast<int32_t>(offsetof(TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8, ___m_fontAsset_4)); }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * get_m_fontAsset_4() const { return ___m_fontAsset_4; }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 ** get_address_of_m_fontAsset_4() { return &___m_fontAsset_4; }
inline void set_m_fontAsset_4(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * value)
{
___m_fontAsset_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fontAsset_4), (void*)value);
}
inline static int32_t get_offset_of_m_spriteAsset_5() { return static_cast<int32_t>(offsetof(TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8, ___m_spriteAsset_5)); }
inline TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * get_m_spriteAsset_5() const { return ___m_spriteAsset_5; }
inline TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 ** get_address_of_m_spriteAsset_5() { return &___m_spriteAsset_5; }
inline void set_m_spriteAsset_5(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * value)
{
___m_spriteAsset_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_spriteAsset_5), (void*)value);
}
inline static int32_t get_offset_of_m_material_6() { return static_cast<int32_t>(offsetof(TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8, ___m_material_6)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_m_material_6() const { return ___m_material_6; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_m_material_6() { return &___m_material_6; }
inline void set_m_material_6(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___m_material_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_material_6), (void*)value);
}
inline static int32_t get_offset_of_m_sharedMaterial_7() { return static_cast<int32_t>(offsetof(TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8, ___m_sharedMaterial_7)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_m_sharedMaterial_7() const { return ___m_sharedMaterial_7; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_m_sharedMaterial_7() { return &___m_sharedMaterial_7; }
inline void set_m_sharedMaterial_7(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___m_sharedMaterial_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_sharedMaterial_7), (void*)value);
}
inline static int32_t get_offset_of_m_fallbackMaterial_8() { return static_cast<int32_t>(offsetof(TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8, ___m_fallbackMaterial_8)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_m_fallbackMaterial_8() const { return ___m_fallbackMaterial_8; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_m_fallbackMaterial_8() { return &___m_fallbackMaterial_8; }
inline void set_m_fallbackMaterial_8(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___m_fallbackMaterial_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fallbackMaterial_8), (void*)value);
}
inline static int32_t get_offset_of_m_fallbackSourceMaterial_9() { return static_cast<int32_t>(offsetof(TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8, ___m_fallbackSourceMaterial_9)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_m_fallbackSourceMaterial_9() const { return ___m_fallbackSourceMaterial_9; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_m_fallbackSourceMaterial_9() { return &___m_fallbackSourceMaterial_9; }
inline void set_m_fallbackSourceMaterial_9(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___m_fallbackSourceMaterial_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fallbackSourceMaterial_9), (void*)value);
}
inline static int32_t get_offset_of_m_isDefaultMaterial_10() { return static_cast<int32_t>(offsetof(TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8, ___m_isDefaultMaterial_10)); }
inline bool get_m_isDefaultMaterial_10() const { return ___m_isDefaultMaterial_10; }
inline bool* get_address_of_m_isDefaultMaterial_10() { return &___m_isDefaultMaterial_10; }
inline void set_m_isDefaultMaterial_10(bool value)
{
___m_isDefaultMaterial_10 = value;
}
inline static int32_t get_offset_of_m_padding_11() { return static_cast<int32_t>(offsetof(TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8, ___m_padding_11)); }
inline float get_m_padding_11() const { return ___m_padding_11; }
inline float* get_address_of_m_padding_11() { return &___m_padding_11; }
inline void set_m_padding_11(float value)
{
___m_padding_11 = value;
}
inline static int32_t get_offset_of_m_renderer_12() { return static_cast<int32_t>(offsetof(TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8, ___m_renderer_12)); }
inline Renderer_t58147AB5B00224FE1460FD47542DC0DA7EC9378C * get_m_renderer_12() const { return ___m_renderer_12; }
inline Renderer_t58147AB5B00224FE1460FD47542DC0DA7EC9378C ** get_address_of_m_renderer_12() { return &___m_renderer_12; }
inline void set_m_renderer_12(Renderer_t58147AB5B00224FE1460FD47542DC0DA7EC9378C * value)
{
___m_renderer_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_renderer_12), (void*)value);
}
inline static int32_t get_offset_of_m_meshFilter_13() { return static_cast<int32_t>(offsetof(TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8, ___m_meshFilter_13)); }
inline MeshFilter_t763BB2BBF3881176AD25E4570E6DD215BA0AA51A * get_m_meshFilter_13() const { return ___m_meshFilter_13; }
inline MeshFilter_t763BB2BBF3881176AD25E4570E6DD215BA0AA51A ** get_address_of_m_meshFilter_13() { return &___m_meshFilter_13; }
inline void set_m_meshFilter_13(MeshFilter_t763BB2BBF3881176AD25E4570E6DD215BA0AA51A * value)
{
___m_meshFilter_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_meshFilter_13), (void*)value);
}
inline static int32_t get_offset_of_m_mesh_14() { return static_cast<int32_t>(offsetof(TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8, ___m_mesh_14)); }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * get_m_mesh_14() const { return ___m_mesh_14; }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 ** get_address_of_m_mesh_14() { return &___m_mesh_14; }
inline void set_m_mesh_14(Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * value)
{
___m_mesh_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_mesh_14), (void*)value);
}
inline static int32_t get_offset_of_m_TextComponent_15() { return static_cast<int32_t>(offsetof(TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8, ___m_TextComponent_15)); }
inline TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4 * get_m_TextComponent_15() const { return ___m_TextComponent_15; }
inline TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4 ** get_address_of_m_TextComponent_15() { return &___m_TextComponent_15; }
inline void set_m_TextComponent_15(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4 * value)
{
___m_TextComponent_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TextComponent_15), (void*)value);
}
inline static int32_t get_offset_of_m_isRegisteredForEvents_16() { return static_cast<int32_t>(offsetof(TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8, ___m_isRegisteredForEvents_16)); }
inline bool get_m_isRegisteredForEvents_16() const { return ___m_isRegisteredForEvents_16; }
inline bool* get_address_of_m_isRegisteredForEvents_16() { return &___m_isRegisteredForEvents_16; }
inline void set_m_isRegisteredForEvents_16(bool value)
{
___m_isRegisteredForEvents_16 = value;
}
};
// Unity.ThrowStub
struct ThrowStub_t5906D1D52FCD7EAE2537FC295143AFA9D7C05F67 : public ObjectDisposedException_t29EF6F519F16BA477EC682F23E8344BB1E9A958A
{
public:
public:
};
// Unity.ThrowStub
struct ThrowStub_tFA2AE2FC1E743D20FD5269E7EC315E4B45595608 : public ObjectDisposedException_t29EF6F519F16BA477EC682F23E8344BB1E9A958A
{
public:
public:
};
// Unity.ThrowStub
struct ThrowStub_t21447C6AE98553DD7B5605550AE707DD0C25D42D : public ObjectDisposedException_t29EF6F519F16BA477EC682F23E8344BB1E9A958A
{
public:
public:
};
// Unity.ThrowStub
struct ThrowStub_t0243BF83C6DC8911C3DE1D3F1C924D0C6BEF2098 : public ObjectDisposedException_t29EF6F519F16BA477EC682F23E8344BB1E9A958A
{
public:
public:
};
// UnityEngine.Tilemaps.Tilemap
struct Tilemap_t0A1D80C1C0EDF8BDB0A2E274DC0826EF03642F31 : public GridLayout_t7BA9C388D3466CA1F18CAD50848F670F670D5D29
{
public:
public:
};
// UnityEngine.SpatialTracking.TrackedPoseDriver
struct TrackedPoseDriver_t76FFA7BA9FCABF9DA0A77CA1D1B387E63BE3EDE8 : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// UnityEngine.SpatialTracking.TrackedPoseDriver/DeviceType UnityEngine.SpatialTracking.TrackedPoseDriver::m_Device
int32_t ___m_Device_4;
// UnityEngine.SpatialTracking.TrackedPoseDriver/TrackedPose UnityEngine.SpatialTracking.TrackedPoseDriver::m_PoseSource
int32_t ___m_PoseSource_5;
// UnityEngine.Experimental.XR.Interaction.BasePoseProvider UnityEngine.SpatialTracking.TrackedPoseDriver::m_PoseProviderComponent
BasePoseProvider_t04EB173A7CC01D10EF789D54577ACAEBFAD5B04E * ___m_PoseProviderComponent_6;
// UnityEngine.SpatialTracking.TrackedPoseDriver/TrackingType UnityEngine.SpatialTracking.TrackedPoseDriver::m_TrackingType
int32_t ___m_TrackingType_7;
// UnityEngine.SpatialTracking.TrackedPoseDriver/UpdateType UnityEngine.SpatialTracking.TrackedPoseDriver::m_UpdateType
int32_t ___m_UpdateType_8;
// System.Boolean UnityEngine.SpatialTracking.TrackedPoseDriver::m_UseRelativeTransform
bool ___m_UseRelativeTransform_9;
// UnityEngine.Pose UnityEngine.SpatialTracking.TrackedPoseDriver::m_OriginPose
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A ___m_OriginPose_10;
public:
inline static int32_t get_offset_of_m_Device_4() { return static_cast<int32_t>(offsetof(TrackedPoseDriver_t76FFA7BA9FCABF9DA0A77CA1D1B387E63BE3EDE8, ___m_Device_4)); }
inline int32_t get_m_Device_4() const { return ___m_Device_4; }
inline int32_t* get_address_of_m_Device_4() { return &___m_Device_4; }
inline void set_m_Device_4(int32_t value)
{
___m_Device_4 = value;
}
inline static int32_t get_offset_of_m_PoseSource_5() { return static_cast<int32_t>(offsetof(TrackedPoseDriver_t76FFA7BA9FCABF9DA0A77CA1D1B387E63BE3EDE8, ___m_PoseSource_5)); }
inline int32_t get_m_PoseSource_5() const { return ___m_PoseSource_5; }
inline int32_t* get_address_of_m_PoseSource_5() { return &___m_PoseSource_5; }
inline void set_m_PoseSource_5(int32_t value)
{
___m_PoseSource_5 = value;
}
inline static int32_t get_offset_of_m_PoseProviderComponent_6() { return static_cast<int32_t>(offsetof(TrackedPoseDriver_t76FFA7BA9FCABF9DA0A77CA1D1B387E63BE3EDE8, ___m_PoseProviderComponent_6)); }
inline BasePoseProvider_t04EB173A7CC01D10EF789D54577ACAEBFAD5B04E * get_m_PoseProviderComponent_6() const { return ___m_PoseProviderComponent_6; }
inline BasePoseProvider_t04EB173A7CC01D10EF789D54577ACAEBFAD5B04E ** get_address_of_m_PoseProviderComponent_6() { return &___m_PoseProviderComponent_6; }
inline void set_m_PoseProviderComponent_6(BasePoseProvider_t04EB173A7CC01D10EF789D54577ACAEBFAD5B04E * value)
{
___m_PoseProviderComponent_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PoseProviderComponent_6), (void*)value);
}
inline static int32_t get_offset_of_m_TrackingType_7() { return static_cast<int32_t>(offsetof(TrackedPoseDriver_t76FFA7BA9FCABF9DA0A77CA1D1B387E63BE3EDE8, ___m_TrackingType_7)); }
inline int32_t get_m_TrackingType_7() const { return ___m_TrackingType_7; }
inline int32_t* get_address_of_m_TrackingType_7() { return &___m_TrackingType_7; }
inline void set_m_TrackingType_7(int32_t value)
{
___m_TrackingType_7 = value;
}
inline static int32_t get_offset_of_m_UpdateType_8() { return static_cast<int32_t>(offsetof(TrackedPoseDriver_t76FFA7BA9FCABF9DA0A77CA1D1B387E63BE3EDE8, ___m_UpdateType_8)); }
inline int32_t get_m_UpdateType_8() const { return ___m_UpdateType_8; }
inline int32_t* get_address_of_m_UpdateType_8() { return &___m_UpdateType_8; }
inline void set_m_UpdateType_8(int32_t value)
{
___m_UpdateType_8 = value;
}
inline static int32_t get_offset_of_m_UseRelativeTransform_9() { return static_cast<int32_t>(offsetof(TrackedPoseDriver_t76FFA7BA9FCABF9DA0A77CA1D1B387E63BE3EDE8, ___m_UseRelativeTransform_9)); }
inline bool get_m_UseRelativeTransform_9() const { return ___m_UseRelativeTransform_9; }
inline bool* get_address_of_m_UseRelativeTransform_9() { return &___m_UseRelativeTransform_9; }
inline void set_m_UseRelativeTransform_9(bool value)
{
___m_UseRelativeTransform_9 = value;
}
inline static int32_t get_offset_of_m_OriginPose_10() { return static_cast<int32_t>(offsetof(TrackedPoseDriver_t76FFA7BA9FCABF9DA0A77CA1D1B387E63BE3EDE8, ___m_OriginPose_10)); }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A get_m_OriginPose_10() const { return ___m_OriginPose_10; }
inline Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A * get_address_of_m_OriginPose_10() { return &___m_OriginPose_10; }
inline void set_m_OriginPose_10(Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A value)
{
___m_OriginPose_10 = value;
}
};
// UnityEngine.EventSystems.UIBehaviour
struct UIBehaviour_tD1C6E2D542222546D68510ECE74036EFBC3C3B0E : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
public:
};
// UnityEngine.XR.ARSubsystems.XRSessionSubsystem
struct XRSessionSubsystem_t8AD3C01568AA19BF038D23A6031FF9814CAF93CD : public SubsystemWithProvider_3_t646DFCE31181130FB557E4AFA37198CF3170977F
{
public:
// System.Nullable`1<UnityEngine.XR.ARSubsystems.Configuration> UnityEngine.XR.ARSubsystems.XRSessionSubsystem::<currentConfiguration>k__BackingField
Nullable_1_t0FF36C2ABCA6430FFCD4ED32922F18F36382E494 ___U3CcurrentConfigurationU3Ek__BackingField_4;
// UnityEngine.XR.ARSubsystems.ConfigurationChooser UnityEngine.XR.ARSubsystems.XRSessionSubsystem::m_DefaultConfigurationChooser
ConfigurationChooser_t0CCF856A226297A702F306A2217CF17D652E72C4 * ___m_DefaultConfigurationChooser_5;
// UnityEngine.XR.ARSubsystems.ConfigurationChooser UnityEngine.XR.ARSubsystems.XRSessionSubsystem::m_ConfigurationChooser
ConfigurationChooser_t0CCF856A226297A702F306A2217CF17D652E72C4 * ___m_ConfigurationChooser_6;
public:
inline static int32_t get_offset_of_U3CcurrentConfigurationU3Ek__BackingField_4() { return static_cast<int32_t>(offsetof(XRSessionSubsystem_t8AD3C01568AA19BF038D23A6031FF9814CAF93CD, ___U3CcurrentConfigurationU3Ek__BackingField_4)); }
inline Nullable_1_t0FF36C2ABCA6430FFCD4ED32922F18F36382E494 get_U3CcurrentConfigurationU3Ek__BackingField_4() const { return ___U3CcurrentConfigurationU3Ek__BackingField_4; }
inline Nullable_1_t0FF36C2ABCA6430FFCD4ED32922F18F36382E494 * get_address_of_U3CcurrentConfigurationU3Ek__BackingField_4() { return &___U3CcurrentConfigurationU3Ek__BackingField_4; }
inline void set_U3CcurrentConfigurationU3Ek__BackingField_4(Nullable_1_t0FF36C2ABCA6430FFCD4ED32922F18F36382E494 value)
{
___U3CcurrentConfigurationU3Ek__BackingField_4 = value;
}
inline static int32_t get_offset_of_m_DefaultConfigurationChooser_5() { return static_cast<int32_t>(offsetof(XRSessionSubsystem_t8AD3C01568AA19BF038D23A6031FF9814CAF93CD, ___m_DefaultConfigurationChooser_5)); }
inline ConfigurationChooser_t0CCF856A226297A702F306A2217CF17D652E72C4 * get_m_DefaultConfigurationChooser_5() const { return ___m_DefaultConfigurationChooser_5; }
inline ConfigurationChooser_t0CCF856A226297A702F306A2217CF17D652E72C4 ** get_address_of_m_DefaultConfigurationChooser_5() { return &___m_DefaultConfigurationChooser_5; }
inline void set_m_DefaultConfigurationChooser_5(ConfigurationChooser_t0CCF856A226297A702F306A2217CF17D652E72C4 * value)
{
___m_DefaultConfigurationChooser_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DefaultConfigurationChooser_5), (void*)value);
}
inline static int32_t get_offset_of_m_ConfigurationChooser_6() { return static_cast<int32_t>(offsetof(XRSessionSubsystem_t8AD3C01568AA19BF038D23A6031FF9814CAF93CD, ___m_ConfigurationChooser_6)); }
inline ConfigurationChooser_t0CCF856A226297A702F306A2217CF17D652E72C4 * get_m_ConfigurationChooser_6() const { return ___m_ConfigurationChooser_6; }
inline ConfigurationChooser_t0CCF856A226297A702F306A2217CF17D652E72C4 ** get_address_of_m_ConfigurationChooser_6() { return &___m_ConfigurationChooser_6; }
inline void set_m_ConfigurationChooser_6(ConfigurationChooser_t0CCF856A226297A702F306A2217CF17D652E72C4 * value)
{
___m_ConfigurationChooser_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ConfigurationChooser_6), (void*)value);
}
};
// UnityEngine.UI.Dropdown/DropdownItem
struct DropdownItem_t4D0754A7D4953D1DDC5663E6877182138BF8DEEB : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// UnityEngine.UI.Text UnityEngine.UI.Dropdown/DropdownItem::m_Text
Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1 * ___m_Text_4;
// UnityEngine.UI.Image UnityEngine.UI.Dropdown/DropdownItem::m_Image
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * ___m_Image_5;
// UnityEngine.RectTransform UnityEngine.UI.Dropdown/DropdownItem::m_RectTransform
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_RectTransform_6;
// UnityEngine.UI.Toggle UnityEngine.UI.Dropdown/DropdownItem::m_Toggle
Toggle_t68F5A84CDD2BBAEA866F42EB4E0C9F2B431D612E * ___m_Toggle_7;
public:
inline static int32_t get_offset_of_m_Text_4() { return static_cast<int32_t>(offsetof(DropdownItem_t4D0754A7D4953D1DDC5663E6877182138BF8DEEB, ___m_Text_4)); }
inline Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1 * get_m_Text_4() const { return ___m_Text_4; }
inline Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1 ** get_address_of_m_Text_4() { return &___m_Text_4; }
inline void set_m_Text_4(Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1 * value)
{
___m_Text_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Text_4), (void*)value);
}
inline static int32_t get_offset_of_m_Image_5() { return static_cast<int32_t>(offsetof(DropdownItem_t4D0754A7D4953D1DDC5663E6877182138BF8DEEB, ___m_Image_5)); }
inline Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * get_m_Image_5() const { return ___m_Image_5; }
inline Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C ** get_address_of_m_Image_5() { return &___m_Image_5; }
inline void set_m_Image_5(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * value)
{
___m_Image_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Image_5), (void*)value);
}
inline static int32_t get_offset_of_m_RectTransform_6() { return static_cast<int32_t>(offsetof(DropdownItem_t4D0754A7D4953D1DDC5663E6877182138BF8DEEB, ___m_RectTransform_6)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_RectTransform_6() const { return ___m_RectTransform_6; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_RectTransform_6() { return &___m_RectTransform_6; }
inline void set_m_RectTransform_6(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_RectTransform_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RectTransform_6), (void*)value);
}
inline static int32_t get_offset_of_m_Toggle_7() { return static_cast<int32_t>(offsetof(DropdownItem_t4D0754A7D4953D1DDC5663E6877182138BF8DEEB, ___m_Toggle_7)); }
inline Toggle_t68F5A84CDD2BBAEA866F42EB4E0C9F2B431D612E * get_m_Toggle_7() const { return ___m_Toggle_7; }
inline Toggle_t68F5A84CDD2BBAEA866F42EB4E0C9F2B431D612E ** get_address_of_m_Toggle_7() { return &___m_Toggle_7; }
inline void set_m_Toggle_7(Toggle_t68F5A84CDD2BBAEA866F42EB4E0C9F2B431D612E * value)
{
___m_Toggle_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Toggle_7), (void*)value);
}
};
// TMPro.TMP_Dropdown/DropdownItem
struct DropdownItem_t1D4B22605EB395783BA669C9ECBE4773C3CA3898 : public MonoBehaviour_t37A501200D970A8257124B0EAE00A0FF3DDC354A
{
public:
// TMPro.TMP_Text TMPro.TMP_Dropdown/DropdownItem::m_Text
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * ___m_Text_4;
// UnityEngine.UI.Image TMPro.TMP_Dropdown/DropdownItem::m_Image
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * ___m_Image_5;
// UnityEngine.RectTransform TMPro.TMP_Dropdown/DropdownItem::m_RectTransform
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_RectTransform_6;
// UnityEngine.UI.Toggle TMPro.TMP_Dropdown/DropdownItem::m_Toggle
Toggle_t68F5A84CDD2BBAEA866F42EB4E0C9F2B431D612E * ___m_Toggle_7;
public:
inline static int32_t get_offset_of_m_Text_4() { return static_cast<int32_t>(offsetof(DropdownItem_t1D4B22605EB395783BA669C9ECBE4773C3CA3898, ___m_Text_4)); }
inline TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * get_m_Text_4() const { return ___m_Text_4; }
inline TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 ** get_address_of_m_Text_4() { return &___m_Text_4; }
inline void set_m_Text_4(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * value)
{
___m_Text_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Text_4), (void*)value);
}
inline static int32_t get_offset_of_m_Image_5() { return static_cast<int32_t>(offsetof(DropdownItem_t1D4B22605EB395783BA669C9ECBE4773C3CA3898, ___m_Image_5)); }
inline Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * get_m_Image_5() const { return ___m_Image_5; }
inline Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C ** get_address_of_m_Image_5() { return &___m_Image_5; }
inline void set_m_Image_5(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * value)
{
___m_Image_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Image_5), (void*)value);
}
inline static int32_t get_offset_of_m_RectTransform_6() { return static_cast<int32_t>(offsetof(DropdownItem_t1D4B22605EB395783BA669C9ECBE4773C3CA3898, ___m_RectTransform_6)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_RectTransform_6() const { return ___m_RectTransform_6; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_RectTransform_6() { return &___m_RectTransform_6; }
inline void set_m_RectTransform_6(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_RectTransform_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RectTransform_6), (void*)value);
}
inline static int32_t get_offset_of_m_Toggle_7() { return static_cast<int32_t>(offsetof(DropdownItem_t1D4B22605EB395783BA669C9ECBE4773C3CA3898, ___m_Toggle_7)); }
inline Toggle_t68F5A84CDD2BBAEA866F42EB4E0C9F2B431D612E * get_m_Toggle_7() const { return ___m_Toggle_7; }
inline Toggle_t68F5A84CDD2BBAEA866F42EB4E0C9F2B431D612E ** get_address_of_m_Toggle_7() { return &___m_Toggle_7; }
inline void set_m_Toggle_7(Toggle_t68F5A84CDD2BBAEA866F42EB4E0C9F2B431D612E * value)
{
___m_Toggle_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Toggle_7), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARTrackableManager`5<UnityEngine.XR.ARSubsystems.XRAnchorSubsystem,UnityEngine.XR.ARSubsystems.XRAnchorSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRAnchorSubsystem/Provider,UnityEngine.XR.ARSubsystems.XRAnchor,UnityEngine.XR.ARFoundation.ARAnchor>
struct ARTrackableManager_5_tF58ECFC7F6A90AF84C72F45AEED8FF0190D59C1C : public SubsystemLifecycleManager_3_tA7DFD00C75E7891CE13E16A789857D4DA563A9A3
{
public:
// UnityEngine.XR.ARFoundation.ARSessionOrigin UnityEngine.XR.ARFoundation.ARTrackableManager`5::<sessionOrigin>k__BackingField
ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * ___U3CsessionOriginU3Ek__BackingField_8;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::m_Trackables
Dictionary_2_t31868ABD2D8EA88442789687465039D339583446 * ___m_Trackables_9;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::m_PendingAdds
Dictionary_2_t31868ABD2D8EA88442789687465039D339583446 * ___m_PendingAdds_10;
public:
inline static int32_t get_offset_of_U3CsessionOriginU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tF58ECFC7F6A90AF84C72F45AEED8FF0190D59C1C, ___U3CsessionOriginU3Ek__BackingField_8)); }
inline ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * get_U3CsessionOriginU3Ek__BackingField_8() const { return ___U3CsessionOriginU3Ek__BackingField_8; }
inline ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 ** get_address_of_U3CsessionOriginU3Ek__BackingField_8() { return &___U3CsessionOriginU3Ek__BackingField_8; }
inline void set_U3CsessionOriginU3Ek__BackingField_8(ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * value)
{
___U3CsessionOriginU3Ek__BackingField_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsessionOriginU3Ek__BackingField_8), (void*)value);
}
inline static int32_t get_offset_of_m_Trackables_9() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tF58ECFC7F6A90AF84C72F45AEED8FF0190D59C1C, ___m_Trackables_9)); }
inline Dictionary_2_t31868ABD2D8EA88442789687465039D339583446 * get_m_Trackables_9() const { return ___m_Trackables_9; }
inline Dictionary_2_t31868ABD2D8EA88442789687465039D339583446 ** get_address_of_m_Trackables_9() { return &___m_Trackables_9; }
inline void set_m_Trackables_9(Dictionary_2_t31868ABD2D8EA88442789687465039D339583446 * value)
{
___m_Trackables_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Trackables_9), (void*)value);
}
inline static int32_t get_offset_of_m_PendingAdds_10() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tF58ECFC7F6A90AF84C72F45AEED8FF0190D59C1C, ___m_PendingAdds_10)); }
inline Dictionary_2_t31868ABD2D8EA88442789687465039D339583446 * get_m_PendingAdds_10() const { return ___m_PendingAdds_10; }
inline Dictionary_2_t31868ABD2D8EA88442789687465039D339583446 ** get_address_of_m_PendingAdds_10() { return &___m_PendingAdds_10; }
inline void set_m_PendingAdds_10(Dictionary_2_t31868ABD2D8EA88442789687465039D339583446 * value)
{
___m_PendingAdds_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PendingAdds_10), (void*)value);
}
};
struct ARTrackableManager_5_tF58ECFC7F6A90AF84C72F45AEED8FF0190D59C1C_StaticFields
{
public:
// UnityEngine.XR.ARFoundation.ARTrackableManager`5<TSubsystem,TSubsystemDescriptor,TProvider,TSessionRelativeData,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::<instance>k__BackingField
ARTrackableManager_5_tF58ECFC7F6A90AF84C72F45AEED8FF0190D59C1C * ___U3CinstanceU3Ek__BackingField_7;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Added
List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * ___s_Added_11;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Updated
List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * ___s_Updated_12;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Removed
List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * ___s_Removed_13;
public:
inline static int32_t get_offset_of_U3CinstanceU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tF58ECFC7F6A90AF84C72F45AEED8FF0190D59C1C_StaticFields, ___U3CinstanceU3Ek__BackingField_7)); }
inline ARTrackableManager_5_tF58ECFC7F6A90AF84C72F45AEED8FF0190D59C1C * get_U3CinstanceU3Ek__BackingField_7() const { return ___U3CinstanceU3Ek__BackingField_7; }
inline ARTrackableManager_5_tF58ECFC7F6A90AF84C72F45AEED8FF0190D59C1C ** get_address_of_U3CinstanceU3Ek__BackingField_7() { return &___U3CinstanceU3Ek__BackingField_7; }
inline void set_U3CinstanceU3Ek__BackingField_7(ARTrackableManager_5_tF58ECFC7F6A90AF84C72F45AEED8FF0190D59C1C * value)
{
___U3CinstanceU3Ek__BackingField_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CinstanceU3Ek__BackingField_7), (void*)value);
}
inline static int32_t get_offset_of_s_Added_11() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tF58ECFC7F6A90AF84C72F45AEED8FF0190D59C1C_StaticFields, ___s_Added_11)); }
inline List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * get_s_Added_11() const { return ___s_Added_11; }
inline List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 ** get_address_of_s_Added_11() { return &___s_Added_11; }
inline void set_s_Added_11(List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * value)
{
___s_Added_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Added_11), (void*)value);
}
inline static int32_t get_offset_of_s_Updated_12() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tF58ECFC7F6A90AF84C72F45AEED8FF0190D59C1C_StaticFields, ___s_Updated_12)); }
inline List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * get_s_Updated_12() const { return ___s_Updated_12; }
inline List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 ** get_address_of_s_Updated_12() { return &___s_Updated_12; }
inline void set_s_Updated_12(List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * value)
{
___s_Updated_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Updated_12), (void*)value);
}
inline static int32_t get_offset_of_s_Removed_13() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tF58ECFC7F6A90AF84C72F45AEED8FF0190D59C1C_StaticFields, ___s_Removed_13)); }
inline List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * get_s_Removed_13() const { return ___s_Removed_13; }
inline List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 ** get_address_of_s_Removed_13() { return &___s_Removed_13; }
inline void set_s_Removed_13(List_1_tCA9691E8D81D5FDD37C8E6462236E3D4ADB638B9 * value)
{
___s_Removed_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Removed_13), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARTrackableManager`5<UnityEngine.XR.ARSubsystems.XRDepthSubsystem,UnityEngine.XR.ARSubsystems.XRDepthSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRDepthSubsystem/Provider,UnityEngine.XR.ARSubsystems.XRPointCloud,UnityEngine.XR.ARFoundation.ARPointCloud>
struct ARTrackableManager_5_tFD60DE25052211543AD43E526CF5430F87352B8E : public SubsystemLifecycleManager_3_t27DFAD23EFA764A282400F7AC57165D81CBE2EB9
{
public:
// UnityEngine.XR.ARFoundation.ARSessionOrigin UnityEngine.XR.ARFoundation.ARTrackableManager`5::<sessionOrigin>k__BackingField
ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * ___U3CsessionOriginU3Ek__BackingField_8;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::m_Trackables
Dictionary_2_t863B883EC109BDD6930ABBE82F742033C522422C * ___m_Trackables_9;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::m_PendingAdds
Dictionary_2_t863B883EC109BDD6930ABBE82F742033C522422C * ___m_PendingAdds_10;
public:
inline static int32_t get_offset_of_U3CsessionOriginU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tFD60DE25052211543AD43E526CF5430F87352B8E, ___U3CsessionOriginU3Ek__BackingField_8)); }
inline ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * get_U3CsessionOriginU3Ek__BackingField_8() const { return ___U3CsessionOriginU3Ek__BackingField_8; }
inline ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 ** get_address_of_U3CsessionOriginU3Ek__BackingField_8() { return &___U3CsessionOriginU3Ek__BackingField_8; }
inline void set_U3CsessionOriginU3Ek__BackingField_8(ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * value)
{
___U3CsessionOriginU3Ek__BackingField_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsessionOriginU3Ek__BackingField_8), (void*)value);
}
inline static int32_t get_offset_of_m_Trackables_9() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tFD60DE25052211543AD43E526CF5430F87352B8E, ___m_Trackables_9)); }
inline Dictionary_2_t863B883EC109BDD6930ABBE82F742033C522422C * get_m_Trackables_9() const { return ___m_Trackables_9; }
inline Dictionary_2_t863B883EC109BDD6930ABBE82F742033C522422C ** get_address_of_m_Trackables_9() { return &___m_Trackables_9; }
inline void set_m_Trackables_9(Dictionary_2_t863B883EC109BDD6930ABBE82F742033C522422C * value)
{
___m_Trackables_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Trackables_9), (void*)value);
}
inline static int32_t get_offset_of_m_PendingAdds_10() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tFD60DE25052211543AD43E526CF5430F87352B8E, ___m_PendingAdds_10)); }
inline Dictionary_2_t863B883EC109BDD6930ABBE82F742033C522422C * get_m_PendingAdds_10() const { return ___m_PendingAdds_10; }
inline Dictionary_2_t863B883EC109BDD6930ABBE82F742033C522422C ** get_address_of_m_PendingAdds_10() { return &___m_PendingAdds_10; }
inline void set_m_PendingAdds_10(Dictionary_2_t863B883EC109BDD6930ABBE82F742033C522422C * value)
{
___m_PendingAdds_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PendingAdds_10), (void*)value);
}
};
struct ARTrackableManager_5_tFD60DE25052211543AD43E526CF5430F87352B8E_StaticFields
{
public:
// UnityEngine.XR.ARFoundation.ARTrackableManager`5<TSubsystem,TSubsystemDescriptor,TProvider,TSessionRelativeData,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::<instance>k__BackingField
ARTrackableManager_5_tFD60DE25052211543AD43E526CF5430F87352B8E * ___U3CinstanceU3Ek__BackingField_7;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Added
List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * ___s_Added_11;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Updated
List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * ___s_Updated_12;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Removed
List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * ___s_Removed_13;
public:
inline static int32_t get_offset_of_U3CinstanceU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tFD60DE25052211543AD43E526CF5430F87352B8E_StaticFields, ___U3CinstanceU3Ek__BackingField_7)); }
inline ARTrackableManager_5_tFD60DE25052211543AD43E526CF5430F87352B8E * get_U3CinstanceU3Ek__BackingField_7() const { return ___U3CinstanceU3Ek__BackingField_7; }
inline ARTrackableManager_5_tFD60DE25052211543AD43E526CF5430F87352B8E ** get_address_of_U3CinstanceU3Ek__BackingField_7() { return &___U3CinstanceU3Ek__BackingField_7; }
inline void set_U3CinstanceU3Ek__BackingField_7(ARTrackableManager_5_tFD60DE25052211543AD43E526CF5430F87352B8E * value)
{
___U3CinstanceU3Ek__BackingField_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CinstanceU3Ek__BackingField_7), (void*)value);
}
inline static int32_t get_offset_of_s_Added_11() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tFD60DE25052211543AD43E526CF5430F87352B8E_StaticFields, ___s_Added_11)); }
inline List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * get_s_Added_11() const { return ___s_Added_11; }
inline List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 ** get_address_of_s_Added_11() { return &___s_Added_11; }
inline void set_s_Added_11(List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * value)
{
___s_Added_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Added_11), (void*)value);
}
inline static int32_t get_offset_of_s_Updated_12() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tFD60DE25052211543AD43E526CF5430F87352B8E_StaticFields, ___s_Updated_12)); }
inline List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * get_s_Updated_12() const { return ___s_Updated_12; }
inline List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 ** get_address_of_s_Updated_12() { return &___s_Updated_12; }
inline void set_s_Updated_12(List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * value)
{
___s_Updated_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Updated_12), (void*)value);
}
inline static int32_t get_offset_of_s_Removed_13() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tFD60DE25052211543AD43E526CF5430F87352B8E_StaticFields, ___s_Removed_13)); }
inline List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * get_s_Removed_13() const { return ___s_Removed_13; }
inline List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 ** get_address_of_s_Removed_13() { return &___s_Removed_13; }
inline void set_s_Removed_13(List_1_t6D705A102D7F7119862AD33F40C607B62E3B0249 * value)
{
___s_Removed_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Removed_13), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARTrackableManager`5<UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystem,UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XREnvironmentProbeSubsystem/Provider,UnityEngine.XR.ARSubsystems.XREnvironmentProbe,UnityEngine.XR.ARFoundation.AREnvironmentProbe>
struct ARTrackableManager_5_tE758A0A4FECB4EBD33FD70F0CAECBD3F749E014C : public SubsystemLifecycleManager_3_tC89CFB6E517BFABFB35171D2CCB2C3313BA56B12
{
public:
// UnityEngine.XR.ARFoundation.ARSessionOrigin UnityEngine.XR.ARFoundation.ARTrackableManager`5::<sessionOrigin>k__BackingField
ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * ___U3CsessionOriginU3Ek__BackingField_8;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::m_Trackables
Dictionary_2_tCB9C3E25F25C473A6F08397342006CAFC3A34464 * ___m_Trackables_9;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::m_PendingAdds
Dictionary_2_tCB9C3E25F25C473A6F08397342006CAFC3A34464 * ___m_PendingAdds_10;
public:
inline static int32_t get_offset_of_U3CsessionOriginU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tE758A0A4FECB4EBD33FD70F0CAECBD3F749E014C, ___U3CsessionOriginU3Ek__BackingField_8)); }
inline ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * get_U3CsessionOriginU3Ek__BackingField_8() const { return ___U3CsessionOriginU3Ek__BackingField_8; }
inline ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 ** get_address_of_U3CsessionOriginU3Ek__BackingField_8() { return &___U3CsessionOriginU3Ek__BackingField_8; }
inline void set_U3CsessionOriginU3Ek__BackingField_8(ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * value)
{
___U3CsessionOriginU3Ek__BackingField_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsessionOriginU3Ek__BackingField_8), (void*)value);
}
inline static int32_t get_offset_of_m_Trackables_9() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tE758A0A4FECB4EBD33FD70F0CAECBD3F749E014C, ___m_Trackables_9)); }
inline Dictionary_2_tCB9C3E25F25C473A6F08397342006CAFC3A34464 * get_m_Trackables_9() const { return ___m_Trackables_9; }
inline Dictionary_2_tCB9C3E25F25C473A6F08397342006CAFC3A34464 ** get_address_of_m_Trackables_9() { return &___m_Trackables_9; }
inline void set_m_Trackables_9(Dictionary_2_tCB9C3E25F25C473A6F08397342006CAFC3A34464 * value)
{
___m_Trackables_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Trackables_9), (void*)value);
}
inline static int32_t get_offset_of_m_PendingAdds_10() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tE758A0A4FECB4EBD33FD70F0CAECBD3F749E014C, ___m_PendingAdds_10)); }
inline Dictionary_2_tCB9C3E25F25C473A6F08397342006CAFC3A34464 * get_m_PendingAdds_10() const { return ___m_PendingAdds_10; }
inline Dictionary_2_tCB9C3E25F25C473A6F08397342006CAFC3A34464 ** get_address_of_m_PendingAdds_10() { return &___m_PendingAdds_10; }
inline void set_m_PendingAdds_10(Dictionary_2_tCB9C3E25F25C473A6F08397342006CAFC3A34464 * value)
{
___m_PendingAdds_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PendingAdds_10), (void*)value);
}
};
struct ARTrackableManager_5_tE758A0A4FECB4EBD33FD70F0CAECBD3F749E014C_StaticFields
{
public:
// UnityEngine.XR.ARFoundation.ARTrackableManager`5<TSubsystem,TSubsystemDescriptor,TProvider,TSessionRelativeData,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::<instance>k__BackingField
ARTrackableManager_5_tE758A0A4FECB4EBD33FD70F0CAECBD3F749E014C * ___U3CinstanceU3Ek__BackingField_7;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Added
List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * ___s_Added_11;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Updated
List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * ___s_Updated_12;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Removed
List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * ___s_Removed_13;
public:
inline static int32_t get_offset_of_U3CinstanceU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tE758A0A4FECB4EBD33FD70F0CAECBD3F749E014C_StaticFields, ___U3CinstanceU3Ek__BackingField_7)); }
inline ARTrackableManager_5_tE758A0A4FECB4EBD33FD70F0CAECBD3F749E014C * get_U3CinstanceU3Ek__BackingField_7() const { return ___U3CinstanceU3Ek__BackingField_7; }
inline ARTrackableManager_5_tE758A0A4FECB4EBD33FD70F0CAECBD3F749E014C ** get_address_of_U3CinstanceU3Ek__BackingField_7() { return &___U3CinstanceU3Ek__BackingField_7; }
inline void set_U3CinstanceU3Ek__BackingField_7(ARTrackableManager_5_tE758A0A4FECB4EBD33FD70F0CAECBD3F749E014C * value)
{
___U3CinstanceU3Ek__BackingField_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CinstanceU3Ek__BackingField_7), (void*)value);
}
inline static int32_t get_offset_of_s_Added_11() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tE758A0A4FECB4EBD33FD70F0CAECBD3F749E014C_StaticFields, ___s_Added_11)); }
inline List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * get_s_Added_11() const { return ___s_Added_11; }
inline List_1_t12C13F0345055042C3FFD538C739C927D17FC617 ** get_address_of_s_Added_11() { return &___s_Added_11; }
inline void set_s_Added_11(List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * value)
{
___s_Added_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Added_11), (void*)value);
}
inline static int32_t get_offset_of_s_Updated_12() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tE758A0A4FECB4EBD33FD70F0CAECBD3F749E014C_StaticFields, ___s_Updated_12)); }
inline List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * get_s_Updated_12() const { return ___s_Updated_12; }
inline List_1_t12C13F0345055042C3FFD538C739C927D17FC617 ** get_address_of_s_Updated_12() { return &___s_Updated_12; }
inline void set_s_Updated_12(List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * value)
{
___s_Updated_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Updated_12), (void*)value);
}
inline static int32_t get_offset_of_s_Removed_13() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tE758A0A4FECB4EBD33FD70F0CAECBD3F749E014C_StaticFields, ___s_Removed_13)); }
inline List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * get_s_Removed_13() const { return ___s_Removed_13; }
inline List_1_t12C13F0345055042C3FFD538C739C927D17FC617 ** get_address_of_s_Removed_13() { return &___s_Removed_13; }
inline void set_s_Removed_13(List_1_t12C13F0345055042C3FFD538C739C927D17FC617 * value)
{
___s_Removed_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Removed_13), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARTrackableManager`5<UnityEngine.XR.ARSubsystems.XRFaceSubsystem,UnityEngine.XR.ARSubsystems.XRFaceSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRFaceSubsystem/Provider,UnityEngine.XR.ARSubsystems.XRFace,UnityEngine.XR.ARFoundation.ARFace>
struct ARTrackableManager_5_tA11D83781E6860F7F8F040BF2AEC32E98C703909 : public SubsystemLifecycleManager_3_t31868EF81C3959769807272A0587016EC6C3B61D
{
public:
// UnityEngine.XR.ARFoundation.ARSessionOrigin UnityEngine.XR.ARFoundation.ARTrackableManager`5::<sessionOrigin>k__BackingField
ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * ___U3CsessionOriginU3Ek__BackingField_8;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::m_Trackables
Dictionary_2_tF07FB2CCA54ADAB1549E54E2E9614059B7B21F74 * ___m_Trackables_9;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::m_PendingAdds
Dictionary_2_tF07FB2CCA54ADAB1549E54E2E9614059B7B21F74 * ___m_PendingAdds_10;
public:
inline static int32_t get_offset_of_U3CsessionOriginU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tA11D83781E6860F7F8F040BF2AEC32E98C703909, ___U3CsessionOriginU3Ek__BackingField_8)); }
inline ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * get_U3CsessionOriginU3Ek__BackingField_8() const { return ___U3CsessionOriginU3Ek__BackingField_8; }
inline ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 ** get_address_of_U3CsessionOriginU3Ek__BackingField_8() { return &___U3CsessionOriginU3Ek__BackingField_8; }
inline void set_U3CsessionOriginU3Ek__BackingField_8(ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * value)
{
___U3CsessionOriginU3Ek__BackingField_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsessionOriginU3Ek__BackingField_8), (void*)value);
}
inline static int32_t get_offset_of_m_Trackables_9() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tA11D83781E6860F7F8F040BF2AEC32E98C703909, ___m_Trackables_9)); }
inline Dictionary_2_tF07FB2CCA54ADAB1549E54E2E9614059B7B21F74 * get_m_Trackables_9() const { return ___m_Trackables_9; }
inline Dictionary_2_tF07FB2CCA54ADAB1549E54E2E9614059B7B21F74 ** get_address_of_m_Trackables_9() { return &___m_Trackables_9; }
inline void set_m_Trackables_9(Dictionary_2_tF07FB2CCA54ADAB1549E54E2E9614059B7B21F74 * value)
{
___m_Trackables_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Trackables_9), (void*)value);
}
inline static int32_t get_offset_of_m_PendingAdds_10() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tA11D83781E6860F7F8F040BF2AEC32E98C703909, ___m_PendingAdds_10)); }
inline Dictionary_2_tF07FB2CCA54ADAB1549E54E2E9614059B7B21F74 * get_m_PendingAdds_10() const { return ___m_PendingAdds_10; }
inline Dictionary_2_tF07FB2CCA54ADAB1549E54E2E9614059B7B21F74 ** get_address_of_m_PendingAdds_10() { return &___m_PendingAdds_10; }
inline void set_m_PendingAdds_10(Dictionary_2_tF07FB2CCA54ADAB1549E54E2E9614059B7B21F74 * value)
{
___m_PendingAdds_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PendingAdds_10), (void*)value);
}
};
struct ARTrackableManager_5_tA11D83781E6860F7F8F040BF2AEC32E98C703909_StaticFields
{
public:
// UnityEngine.XR.ARFoundation.ARTrackableManager`5<TSubsystem,TSubsystemDescriptor,TProvider,TSessionRelativeData,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::<instance>k__BackingField
ARTrackableManager_5_tA11D83781E6860F7F8F040BF2AEC32E98C703909 * ___U3CinstanceU3Ek__BackingField_7;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Added
List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * ___s_Added_11;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Updated
List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * ___s_Updated_12;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Removed
List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * ___s_Removed_13;
public:
inline static int32_t get_offset_of_U3CinstanceU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tA11D83781E6860F7F8F040BF2AEC32E98C703909_StaticFields, ___U3CinstanceU3Ek__BackingField_7)); }
inline ARTrackableManager_5_tA11D83781E6860F7F8F040BF2AEC32E98C703909 * get_U3CinstanceU3Ek__BackingField_7() const { return ___U3CinstanceU3Ek__BackingField_7; }
inline ARTrackableManager_5_tA11D83781E6860F7F8F040BF2AEC32E98C703909 ** get_address_of_U3CinstanceU3Ek__BackingField_7() { return &___U3CinstanceU3Ek__BackingField_7; }
inline void set_U3CinstanceU3Ek__BackingField_7(ARTrackableManager_5_tA11D83781E6860F7F8F040BF2AEC32E98C703909 * value)
{
___U3CinstanceU3Ek__BackingField_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CinstanceU3Ek__BackingField_7), (void*)value);
}
inline static int32_t get_offset_of_s_Added_11() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tA11D83781E6860F7F8F040BF2AEC32E98C703909_StaticFields, ___s_Added_11)); }
inline List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * get_s_Added_11() const { return ___s_Added_11; }
inline List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 ** get_address_of_s_Added_11() { return &___s_Added_11; }
inline void set_s_Added_11(List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * value)
{
___s_Added_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Added_11), (void*)value);
}
inline static int32_t get_offset_of_s_Updated_12() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tA11D83781E6860F7F8F040BF2AEC32E98C703909_StaticFields, ___s_Updated_12)); }
inline List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * get_s_Updated_12() const { return ___s_Updated_12; }
inline List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 ** get_address_of_s_Updated_12() { return &___s_Updated_12; }
inline void set_s_Updated_12(List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * value)
{
___s_Updated_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Updated_12), (void*)value);
}
inline static int32_t get_offset_of_s_Removed_13() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tA11D83781E6860F7F8F040BF2AEC32E98C703909_StaticFields, ___s_Removed_13)); }
inline List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * get_s_Removed_13() const { return ___s_Removed_13; }
inline List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 ** get_address_of_s_Removed_13() { return &___s_Removed_13; }
inline void set_s_Removed_13(List_1_t7981E5CB7CEFE6DC59F88165EEE60A2FCA0B2E21 * value)
{
___s_Removed_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Removed_13), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARTrackableManager`5<UnityEngine.XR.ARSubsystems.XRHumanBodySubsystem,UnityEngine.XR.ARSubsystems.XRHumanBodySubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRHumanBodySubsystem/Provider,UnityEngine.XR.ARSubsystems.XRHumanBody,UnityEngine.XR.ARFoundation.ARHumanBody>
struct ARTrackableManager_5_tBF03E2FD1615218DA910F13396AC5FBC8895A950 : public SubsystemLifecycleManager_3_tFD8C4FEF1CAD89AF6B0223AF63BA0FFF0F7939AA
{
public:
// UnityEngine.XR.ARFoundation.ARSessionOrigin UnityEngine.XR.ARFoundation.ARTrackableManager`5::<sessionOrigin>k__BackingField
ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * ___U3CsessionOriginU3Ek__BackingField_8;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::m_Trackables
Dictionary_2_t875E70525C711130925F3854722CF17DC974E6D7 * ___m_Trackables_9;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::m_PendingAdds
Dictionary_2_t875E70525C711130925F3854722CF17DC974E6D7 * ___m_PendingAdds_10;
public:
inline static int32_t get_offset_of_U3CsessionOriginU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tBF03E2FD1615218DA910F13396AC5FBC8895A950, ___U3CsessionOriginU3Ek__BackingField_8)); }
inline ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * get_U3CsessionOriginU3Ek__BackingField_8() const { return ___U3CsessionOriginU3Ek__BackingField_8; }
inline ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 ** get_address_of_U3CsessionOriginU3Ek__BackingField_8() { return &___U3CsessionOriginU3Ek__BackingField_8; }
inline void set_U3CsessionOriginU3Ek__BackingField_8(ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * value)
{
___U3CsessionOriginU3Ek__BackingField_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsessionOriginU3Ek__BackingField_8), (void*)value);
}
inline static int32_t get_offset_of_m_Trackables_9() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tBF03E2FD1615218DA910F13396AC5FBC8895A950, ___m_Trackables_9)); }
inline Dictionary_2_t875E70525C711130925F3854722CF17DC974E6D7 * get_m_Trackables_9() const { return ___m_Trackables_9; }
inline Dictionary_2_t875E70525C711130925F3854722CF17DC974E6D7 ** get_address_of_m_Trackables_9() { return &___m_Trackables_9; }
inline void set_m_Trackables_9(Dictionary_2_t875E70525C711130925F3854722CF17DC974E6D7 * value)
{
___m_Trackables_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Trackables_9), (void*)value);
}
inline static int32_t get_offset_of_m_PendingAdds_10() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tBF03E2FD1615218DA910F13396AC5FBC8895A950, ___m_PendingAdds_10)); }
inline Dictionary_2_t875E70525C711130925F3854722CF17DC974E6D7 * get_m_PendingAdds_10() const { return ___m_PendingAdds_10; }
inline Dictionary_2_t875E70525C711130925F3854722CF17DC974E6D7 ** get_address_of_m_PendingAdds_10() { return &___m_PendingAdds_10; }
inline void set_m_PendingAdds_10(Dictionary_2_t875E70525C711130925F3854722CF17DC974E6D7 * value)
{
___m_PendingAdds_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PendingAdds_10), (void*)value);
}
};
struct ARTrackableManager_5_tBF03E2FD1615218DA910F13396AC5FBC8895A950_StaticFields
{
public:
// UnityEngine.XR.ARFoundation.ARTrackableManager`5<TSubsystem,TSubsystemDescriptor,TProvider,TSessionRelativeData,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::<instance>k__BackingField
ARTrackableManager_5_tBF03E2FD1615218DA910F13396AC5FBC8895A950 * ___U3CinstanceU3Ek__BackingField_7;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Added
List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * ___s_Added_11;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Updated
List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * ___s_Updated_12;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Removed
List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * ___s_Removed_13;
public:
inline static int32_t get_offset_of_U3CinstanceU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tBF03E2FD1615218DA910F13396AC5FBC8895A950_StaticFields, ___U3CinstanceU3Ek__BackingField_7)); }
inline ARTrackableManager_5_tBF03E2FD1615218DA910F13396AC5FBC8895A950 * get_U3CinstanceU3Ek__BackingField_7() const { return ___U3CinstanceU3Ek__BackingField_7; }
inline ARTrackableManager_5_tBF03E2FD1615218DA910F13396AC5FBC8895A950 ** get_address_of_U3CinstanceU3Ek__BackingField_7() { return &___U3CinstanceU3Ek__BackingField_7; }
inline void set_U3CinstanceU3Ek__BackingField_7(ARTrackableManager_5_tBF03E2FD1615218DA910F13396AC5FBC8895A950 * value)
{
___U3CinstanceU3Ek__BackingField_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CinstanceU3Ek__BackingField_7), (void*)value);
}
inline static int32_t get_offset_of_s_Added_11() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tBF03E2FD1615218DA910F13396AC5FBC8895A950_StaticFields, ___s_Added_11)); }
inline List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * get_s_Added_11() const { return ___s_Added_11; }
inline List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 ** get_address_of_s_Added_11() { return &___s_Added_11; }
inline void set_s_Added_11(List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * value)
{
___s_Added_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Added_11), (void*)value);
}
inline static int32_t get_offset_of_s_Updated_12() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tBF03E2FD1615218DA910F13396AC5FBC8895A950_StaticFields, ___s_Updated_12)); }
inline List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * get_s_Updated_12() const { return ___s_Updated_12; }
inline List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 ** get_address_of_s_Updated_12() { return &___s_Updated_12; }
inline void set_s_Updated_12(List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * value)
{
___s_Updated_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Updated_12), (void*)value);
}
inline static int32_t get_offset_of_s_Removed_13() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tBF03E2FD1615218DA910F13396AC5FBC8895A950_StaticFields, ___s_Removed_13)); }
inline List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * get_s_Removed_13() const { return ___s_Removed_13; }
inline List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 ** get_address_of_s_Removed_13() { return &___s_Removed_13; }
inline void set_s_Removed_13(List_1_t0CB5626D7B42C5C0BA5B62055343527A406CAA64 * value)
{
___s_Removed_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Removed_13), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARTrackableManager`5<UnityEngine.XR.ARSubsystems.XRParticipantSubsystem,UnityEngine.XR.ARSubsystems.XRParticipantSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRParticipantSubsystem/Provider,UnityEngine.XR.ARSubsystems.XRParticipant,UnityEngine.XR.ARFoundation.ARParticipant>
struct ARTrackableManager_5_t78A6DD5FE9A24B574A305BD4B14D380CBBC4621F : public SubsystemLifecycleManager_3_t145478DED4EA4508697B212C74D484DE5E294F73
{
public:
// UnityEngine.XR.ARFoundation.ARSessionOrigin UnityEngine.XR.ARFoundation.ARTrackableManager`5::<sessionOrigin>k__BackingField
ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * ___U3CsessionOriginU3Ek__BackingField_8;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::m_Trackables
Dictionary_2_t66C688A394A0A7E4D050F02E7256395ECB64AE2E * ___m_Trackables_9;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::m_PendingAdds
Dictionary_2_t66C688A394A0A7E4D050F02E7256395ECB64AE2E * ___m_PendingAdds_10;
public:
inline static int32_t get_offset_of_U3CsessionOriginU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_t78A6DD5FE9A24B574A305BD4B14D380CBBC4621F, ___U3CsessionOriginU3Ek__BackingField_8)); }
inline ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * get_U3CsessionOriginU3Ek__BackingField_8() const { return ___U3CsessionOriginU3Ek__BackingField_8; }
inline ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 ** get_address_of_U3CsessionOriginU3Ek__BackingField_8() { return &___U3CsessionOriginU3Ek__BackingField_8; }
inline void set_U3CsessionOriginU3Ek__BackingField_8(ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * value)
{
___U3CsessionOriginU3Ek__BackingField_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsessionOriginU3Ek__BackingField_8), (void*)value);
}
inline static int32_t get_offset_of_m_Trackables_9() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_t78A6DD5FE9A24B574A305BD4B14D380CBBC4621F, ___m_Trackables_9)); }
inline Dictionary_2_t66C688A394A0A7E4D050F02E7256395ECB64AE2E * get_m_Trackables_9() const { return ___m_Trackables_9; }
inline Dictionary_2_t66C688A394A0A7E4D050F02E7256395ECB64AE2E ** get_address_of_m_Trackables_9() { return &___m_Trackables_9; }
inline void set_m_Trackables_9(Dictionary_2_t66C688A394A0A7E4D050F02E7256395ECB64AE2E * value)
{
___m_Trackables_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Trackables_9), (void*)value);
}
inline static int32_t get_offset_of_m_PendingAdds_10() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_t78A6DD5FE9A24B574A305BD4B14D380CBBC4621F, ___m_PendingAdds_10)); }
inline Dictionary_2_t66C688A394A0A7E4D050F02E7256395ECB64AE2E * get_m_PendingAdds_10() const { return ___m_PendingAdds_10; }
inline Dictionary_2_t66C688A394A0A7E4D050F02E7256395ECB64AE2E ** get_address_of_m_PendingAdds_10() { return &___m_PendingAdds_10; }
inline void set_m_PendingAdds_10(Dictionary_2_t66C688A394A0A7E4D050F02E7256395ECB64AE2E * value)
{
___m_PendingAdds_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PendingAdds_10), (void*)value);
}
};
struct ARTrackableManager_5_t78A6DD5FE9A24B574A305BD4B14D380CBBC4621F_StaticFields
{
public:
// UnityEngine.XR.ARFoundation.ARTrackableManager`5<TSubsystem,TSubsystemDescriptor,TProvider,TSessionRelativeData,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::<instance>k__BackingField
ARTrackableManager_5_t78A6DD5FE9A24B574A305BD4B14D380CBBC4621F * ___U3CinstanceU3Ek__BackingField_7;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Added
List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * ___s_Added_11;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Updated
List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * ___s_Updated_12;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Removed
List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * ___s_Removed_13;
public:
inline static int32_t get_offset_of_U3CinstanceU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_t78A6DD5FE9A24B574A305BD4B14D380CBBC4621F_StaticFields, ___U3CinstanceU3Ek__BackingField_7)); }
inline ARTrackableManager_5_t78A6DD5FE9A24B574A305BD4B14D380CBBC4621F * get_U3CinstanceU3Ek__BackingField_7() const { return ___U3CinstanceU3Ek__BackingField_7; }
inline ARTrackableManager_5_t78A6DD5FE9A24B574A305BD4B14D380CBBC4621F ** get_address_of_U3CinstanceU3Ek__BackingField_7() { return &___U3CinstanceU3Ek__BackingField_7; }
inline void set_U3CinstanceU3Ek__BackingField_7(ARTrackableManager_5_t78A6DD5FE9A24B574A305BD4B14D380CBBC4621F * value)
{
___U3CinstanceU3Ek__BackingField_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CinstanceU3Ek__BackingField_7), (void*)value);
}
inline static int32_t get_offset_of_s_Added_11() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_t78A6DD5FE9A24B574A305BD4B14D380CBBC4621F_StaticFields, ___s_Added_11)); }
inline List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * get_s_Added_11() const { return ___s_Added_11; }
inline List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E ** get_address_of_s_Added_11() { return &___s_Added_11; }
inline void set_s_Added_11(List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * value)
{
___s_Added_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Added_11), (void*)value);
}
inline static int32_t get_offset_of_s_Updated_12() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_t78A6DD5FE9A24B574A305BD4B14D380CBBC4621F_StaticFields, ___s_Updated_12)); }
inline List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * get_s_Updated_12() const { return ___s_Updated_12; }
inline List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E ** get_address_of_s_Updated_12() { return &___s_Updated_12; }
inline void set_s_Updated_12(List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * value)
{
___s_Updated_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Updated_12), (void*)value);
}
inline static int32_t get_offset_of_s_Removed_13() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_t78A6DD5FE9A24B574A305BD4B14D380CBBC4621F_StaticFields, ___s_Removed_13)); }
inline List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * get_s_Removed_13() const { return ___s_Removed_13; }
inline List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E ** get_address_of_s_Removed_13() { return &___s_Removed_13; }
inline void set_s_Removed_13(List_1_t120E7B82AA742B21A2A9DD2F48AFF3B6B0F9883E * value)
{
___s_Removed_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Removed_13), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARTrackableManager`5<UnityEngine.XR.ARSubsystems.XRPlaneSubsystem,UnityEngine.XR.ARSubsystems.XRPlaneSubsystemDescriptor,UnityEngine.XR.ARSubsystems.XRPlaneSubsystem/Provider,UnityEngine.XR.ARSubsystems.BoundedPlane,UnityEngine.XR.ARFoundation.ARPlane>
struct ARTrackableManager_5_tB03CF7F1B5B39FA73203E7F2342207BD4FF540B7 : public SubsystemLifecycleManager_3_t0E334FAE91D54B85E9314C55C4CDCB207ED1BCC5
{
public:
// UnityEngine.XR.ARFoundation.ARSessionOrigin UnityEngine.XR.ARFoundation.ARTrackableManager`5::<sessionOrigin>k__BackingField
ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * ___U3CsessionOriginU3Ek__BackingField_8;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::m_Trackables
Dictionary_2_t712D6B074B6A493ABA07777BD08F1A62D9DE2534 * ___m_Trackables_9;
// System.Collections.Generic.Dictionary`2<UnityEngine.XR.ARSubsystems.TrackableId,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::m_PendingAdds
Dictionary_2_t712D6B074B6A493ABA07777BD08F1A62D9DE2534 * ___m_PendingAdds_10;
public:
inline static int32_t get_offset_of_U3CsessionOriginU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tB03CF7F1B5B39FA73203E7F2342207BD4FF540B7, ___U3CsessionOriginU3Ek__BackingField_8)); }
inline ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * get_U3CsessionOriginU3Ek__BackingField_8() const { return ___U3CsessionOriginU3Ek__BackingField_8; }
inline ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 ** get_address_of_U3CsessionOriginU3Ek__BackingField_8() { return &___U3CsessionOriginU3Ek__BackingField_8; }
inline void set_U3CsessionOriginU3Ek__BackingField_8(ARSessionOrigin_tA15648434106370D592D12C00B93054EC6CE6AE1 * value)
{
___U3CsessionOriginU3Ek__BackingField_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsessionOriginU3Ek__BackingField_8), (void*)value);
}
inline static int32_t get_offset_of_m_Trackables_9() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tB03CF7F1B5B39FA73203E7F2342207BD4FF540B7, ___m_Trackables_9)); }
inline Dictionary_2_t712D6B074B6A493ABA07777BD08F1A62D9DE2534 * get_m_Trackables_9() const { return ___m_Trackables_9; }
inline Dictionary_2_t712D6B074B6A493ABA07777BD08F1A62D9DE2534 ** get_address_of_m_Trackables_9() { return &___m_Trackables_9; }
inline void set_m_Trackables_9(Dictionary_2_t712D6B074B6A493ABA07777BD08F1A62D9DE2534 * value)
{
___m_Trackables_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Trackables_9), (void*)value);
}
inline static int32_t get_offset_of_m_PendingAdds_10() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tB03CF7F1B5B39FA73203E7F2342207BD4FF540B7, ___m_PendingAdds_10)); }
inline Dictionary_2_t712D6B074B6A493ABA07777BD08F1A62D9DE2534 * get_m_PendingAdds_10() const { return ___m_PendingAdds_10; }
inline Dictionary_2_t712D6B074B6A493ABA07777BD08F1A62D9DE2534 ** get_address_of_m_PendingAdds_10() { return &___m_PendingAdds_10; }
inline void set_m_PendingAdds_10(Dictionary_2_t712D6B074B6A493ABA07777BD08F1A62D9DE2534 * value)
{
___m_PendingAdds_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PendingAdds_10), (void*)value);
}
};
struct ARTrackableManager_5_tB03CF7F1B5B39FA73203E7F2342207BD4FF540B7_StaticFields
{
public:
// UnityEngine.XR.ARFoundation.ARTrackableManager`5<TSubsystem,TSubsystemDescriptor,TProvider,TSessionRelativeData,TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::<instance>k__BackingField
ARTrackableManager_5_tB03CF7F1B5B39FA73203E7F2342207BD4FF540B7 * ___U3CinstanceU3Ek__BackingField_7;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Added
List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * ___s_Added_11;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Updated
List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * ___s_Updated_12;
// System.Collections.Generic.List`1<TTrackable> UnityEngine.XR.ARFoundation.ARTrackableManager`5::s_Removed
List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * ___s_Removed_13;
public:
inline static int32_t get_offset_of_U3CinstanceU3Ek__BackingField_7() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tB03CF7F1B5B39FA73203E7F2342207BD4FF540B7_StaticFields, ___U3CinstanceU3Ek__BackingField_7)); }
inline ARTrackableManager_5_tB03CF7F1B5B39FA73203E7F2342207BD4FF540B7 * get_U3CinstanceU3Ek__BackingField_7() const { return ___U3CinstanceU3Ek__BackingField_7; }
inline ARTrackableManager_5_tB03CF7F1B5B39FA73203E7F2342207BD4FF540B7 ** get_address_of_U3CinstanceU3Ek__BackingField_7() { return &___U3CinstanceU3Ek__BackingField_7; }
inline void set_U3CinstanceU3Ek__BackingField_7(ARTrackableManager_5_tB03CF7F1B5B39FA73203E7F2342207BD4FF540B7 * value)
{
___U3CinstanceU3Ek__BackingField_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CinstanceU3Ek__BackingField_7), (void*)value);
}
inline static int32_t get_offset_of_s_Added_11() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tB03CF7F1B5B39FA73203E7F2342207BD4FF540B7_StaticFields, ___s_Added_11)); }
inline List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * get_s_Added_11() const { return ___s_Added_11; }
inline List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 ** get_address_of_s_Added_11() { return &___s_Added_11; }
inline void set_s_Added_11(List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * value)
{
___s_Added_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Added_11), (void*)value);
}
inline static int32_t get_offset_of_s_Updated_12() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tB03CF7F1B5B39FA73203E7F2342207BD4FF540B7_StaticFields, ___s_Updated_12)); }
inline List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * get_s_Updated_12() const { return ___s_Updated_12; }
inline List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 ** get_address_of_s_Updated_12() { return &___s_Updated_12; }
inline void set_s_Updated_12(List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * value)
{
___s_Updated_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Updated_12), (void*)value);
}
inline static int32_t get_offset_of_s_Removed_13() { return static_cast<int32_t>(offsetof(ARTrackableManager_5_tB03CF7F1B5B39FA73203E7F2342207BD4FF540B7_StaticFields, ___s_Removed_13)); }
inline List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * get_s_Removed_13() const { return ___s_Removed_13; }
inline List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 ** get_address_of_s_Removed_13() { return &___s_Removed_13; }
inline void set_s_Removed_13(List_1_t5B83F86DDCFED5733853B8CB94D674B62A54C276 * value)
{
___s_Removed_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Removed_13), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARTrackable`2<UnityEngine.XR.ARSubsystems.BoundedPlane,UnityEngine.XR.ARFoundation.ARPlane>
struct ARTrackable_2_t3B4BDEC1C83B6E52F03E653C10343E488761AF0B : public ARTrackable_tE630E6237048700E730F3E3C2799F6CA07029DB3
{
public:
// System.Boolean UnityEngine.XR.ARFoundation.ARTrackable`2::m_DestroyOnRemoval
bool ___m_DestroyOnRemoval_4;
// System.Boolean UnityEngine.XR.ARFoundation.ARTrackable`2::<pending>k__BackingField
bool ___U3CpendingU3Ek__BackingField_5;
// TSessionRelativeData UnityEngine.XR.ARFoundation.ARTrackable`2::<sessionRelativeData>k__BackingField
BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5 ___U3CsessionRelativeDataU3Ek__BackingField_6;
public:
inline static int32_t get_offset_of_m_DestroyOnRemoval_4() { return static_cast<int32_t>(offsetof(ARTrackable_2_t3B4BDEC1C83B6E52F03E653C10343E488761AF0B, ___m_DestroyOnRemoval_4)); }
inline bool get_m_DestroyOnRemoval_4() const { return ___m_DestroyOnRemoval_4; }
inline bool* get_address_of_m_DestroyOnRemoval_4() { return &___m_DestroyOnRemoval_4; }
inline void set_m_DestroyOnRemoval_4(bool value)
{
___m_DestroyOnRemoval_4 = value;
}
inline static int32_t get_offset_of_U3CpendingU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(ARTrackable_2_t3B4BDEC1C83B6E52F03E653C10343E488761AF0B, ___U3CpendingU3Ek__BackingField_5)); }
inline bool get_U3CpendingU3Ek__BackingField_5() const { return ___U3CpendingU3Ek__BackingField_5; }
inline bool* get_address_of_U3CpendingU3Ek__BackingField_5() { return &___U3CpendingU3Ek__BackingField_5; }
inline void set_U3CpendingU3Ek__BackingField_5(bool value)
{
___U3CpendingU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CsessionRelativeDataU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(ARTrackable_2_t3B4BDEC1C83B6E52F03E653C10343E488761AF0B, ___U3CsessionRelativeDataU3Ek__BackingField_6)); }
inline BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5 get_U3CsessionRelativeDataU3Ek__BackingField_6() const { return ___U3CsessionRelativeDataU3Ek__BackingField_6; }
inline BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5 * get_address_of_U3CsessionRelativeDataU3Ek__BackingField_6() { return &___U3CsessionRelativeDataU3Ek__BackingField_6; }
inline void set_U3CsessionRelativeDataU3Ek__BackingField_6(BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5 value)
{
___U3CsessionRelativeDataU3Ek__BackingField_6 = value;
}
};
// UnityEngine.XR.ARFoundation.ARTrackable`2<UnityEngine.XR.ARSubsystems.XRAnchor,UnityEngine.XR.ARFoundation.ARAnchor>
struct ARTrackable_2_t107972B6EEF36EFAECBEE6700C766F5C41F2658C : public ARTrackable_tE630E6237048700E730F3E3C2799F6CA07029DB3
{
public:
// System.Boolean UnityEngine.XR.ARFoundation.ARTrackable`2::m_DestroyOnRemoval
bool ___m_DestroyOnRemoval_4;
// System.Boolean UnityEngine.XR.ARFoundation.ARTrackable`2::<pending>k__BackingField
bool ___U3CpendingU3Ek__BackingField_5;
// TSessionRelativeData UnityEngine.XR.ARFoundation.ARTrackable`2::<sessionRelativeData>k__BackingField
XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C ___U3CsessionRelativeDataU3Ek__BackingField_6;
public:
inline static int32_t get_offset_of_m_DestroyOnRemoval_4() { return static_cast<int32_t>(offsetof(ARTrackable_2_t107972B6EEF36EFAECBEE6700C766F5C41F2658C, ___m_DestroyOnRemoval_4)); }
inline bool get_m_DestroyOnRemoval_4() const { return ___m_DestroyOnRemoval_4; }
inline bool* get_address_of_m_DestroyOnRemoval_4() { return &___m_DestroyOnRemoval_4; }
inline void set_m_DestroyOnRemoval_4(bool value)
{
___m_DestroyOnRemoval_4 = value;
}
inline static int32_t get_offset_of_U3CpendingU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(ARTrackable_2_t107972B6EEF36EFAECBEE6700C766F5C41F2658C, ___U3CpendingU3Ek__BackingField_5)); }
inline bool get_U3CpendingU3Ek__BackingField_5() const { return ___U3CpendingU3Ek__BackingField_5; }
inline bool* get_address_of_U3CpendingU3Ek__BackingField_5() { return &___U3CpendingU3Ek__BackingField_5; }
inline void set_U3CpendingU3Ek__BackingField_5(bool value)
{
___U3CpendingU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CsessionRelativeDataU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(ARTrackable_2_t107972B6EEF36EFAECBEE6700C766F5C41F2658C, ___U3CsessionRelativeDataU3Ek__BackingField_6)); }
inline XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C get_U3CsessionRelativeDataU3Ek__BackingField_6() const { return ___U3CsessionRelativeDataU3Ek__BackingField_6; }
inline XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C * get_address_of_U3CsessionRelativeDataU3Ek__BackingField_6() { return &___U3CsessionRelativeDataU3Ek__BackingField_6; }
inline void set_U3CsessionRelativeDataU3Ek__BackingField_6(XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C value)
{
___U3CsessionRelativeDataU3Ek__BackingField_6 = value;
}
};
// UnityEngine.XR.ARFoundation.ARTrackable`2<UnityEngine.XR.ARSubsystems.XREnvironmentProbe,UnityEngine.XR.ARFoundation.AREnvironmentProbe>
struct ARTrackable_2_t0704C64D8510A15ACFB4C76647F4B6C5029828B7 : public ARTrackable_tE630E6237048700E730F3E3C2799F6CA07029DB3
{
public:
// System.Boolean UnityEngine.XR.ARFoundation.ARTrackable`2::m_DestroyOnRemoval
bool ___m_DestroyOnRemoval_4;
// System.Boolean UnityEngine.XR.ARFoundation.ARTrackable`2::<pending>k__BackingField
bool ___U3CpendingU3Ek__BackingField_5;
// TSessionRelativeData UnityEngine.XR.ARFoundation.ARTrackable`2::<sessionRelativeData>k__BackingField
XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C ___U3CsessionRelativeDataU3Ek__BackingField_6;
public:
inline static int32_t get_offset_of_m_DestroyOnRemoval_4() { return static_cast<int32_t>(offsetof(ARTrackable_2_t0704C64D8510A15ACFB4C76647F4B6C5029828B7, ___m_DestroyOnRemoval_4)); }
inline bool get_m_DestroyOnRemoval_4() const { return ___m_DestroyOnRemoval_4; }
inline bool* get_address_of_m_DestroyOnRemoval_4() { return &___m_DestroyOnRemoval_4; }
inline void set_m_DestroyOnRemoval_4(bool value)
{
___m_DestroyOnRemoval_4 = value;
}
inline static int32_t get_offset_of_U3CpendingU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(ARTrackable_2_t0704C64D8510A15ACFB4C76647F4B6C5029828B7, ___U3CpendingU3Ek__BackingField_5)); }
inline bool get_U3CpendingU3Ek__BackingField_5() const { return ___U3CpendingU3Ek__BackingField_5; }
inline bool* get_address_of_U3CpendingU3Ek__BackingField_5() { return &___U3CpendingU3Ek__BackingField_5; }
inline void set_U3CpendingU3Ek__BackingField_5(bool value)
{
___U3CpendingU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CsessionRelativeDataU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(ARTrackable_2_t0704C64D8510A15ACFB4C76647F4B6C5029828B7, ___U3CsessionRelativeDataU3Ek__BackingField_6)); }
inline XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C get_U3CsessionRelativeDataU3Ek__BackingField_6() const { return ___U3CsessionRelativeDataU3Ek__BackingField_6; }
inline XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C * get_address_of_U3CsessionRelativeDataU3Ek__BackingField_6() { return &___U3CsessionRelativeDataU3Ek__BackingField_6; }
inline void set_U3CsessionRelativeDataU3Ek__BackingField_6(XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C value)
{
___U3CsessionRelativeDataU3Ek__BackingField_6 = value;
}
};
// UnityEngine.XR.ARFoundation.ARTrackable`2<UnityEngine.XR.ARSubsystems.XRFace,UnityEngine.XR.ARFoundation.ARFace>
struct ARTrackable_2_t928DBA17064C56CC4815ABE9EE35A64034C4998B : public ARTrackable_tE630E6237048700E730F3E3C2799F6CA07029DB3
{
public:
// System.Boolean UnityEngine.XR.ARFoundation.ARTrackable`2::m_DestroyOnRemoval
bool ___m_DestroyOnRemoval_4;
// System.Boolean UnityEngine.XR.ARFoundation.ARTrackable`2::<pending>k__BackingField
bool ___U3CpendingU3Ek__BackingField_5;
// TSessionRelativeData UnityEngine.XR.ARFoundation.ARTrackable`2::<sessionRelativeData>k__BackingField
XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599 ___U3CsessionRelativeDataU3Ek__BackingField_6;
public:
inline static int32_t get_offset_of_m_DestroyOnRemoval_4() { return static_cast<int32_t>(offsetof(ARTrackable_2_t928DBA17064C56CC4815ABE9EE35A64034C4998B, ___m_DestroyOnRemoval_4)); }
inline bool get_m_DestroyOnRemoval_4() const { return ___m_DestroyOnRemoval_4; }
inline bool* get_address_of_m_DestroyOnRemoval_4() { return &___m_DestroyOnRemoval_4; }
inline void set_m_DestroyOnRemoval_4(bool value)
{
___m_DestroyOnRemoval_4 = value;
}
inline static int32_t get_offset_of_U3CpendingU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(ARTrackable_2_t928DBA17064C56CC4815ABE9EE35A64034C4998B, ___U3CpendingU3Ek__BackingField_5)); }
inline bool get_U3CpendingU3Ek__BackingField_5() const { return ___U3CpendingU3Ek__BackingField_5; }
inline bool* get_address_of_U3CpendingU3Ek__BackingField_5() { return &___U3CpendingU3Ek__BackingField_5; }
inline void set_U3CpendingU3Ek__BackingField_5(bool value)
{
___U3CpendingU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CsessionRelativeDataU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(ARTrackable_2_t928DBA17064C56CC4815ABE9EE35A64034C4998B, ___U3CsessionRelativeDataU3Ek__BackingField_6)); }
inline XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599 get_U3CsessionRelativeDataU3Ek__BackingField_6() const { return ___U3CsessionRelativeDataU3Ek__BackingField_6; }
inline XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599 * get_address_of_U3CsessionRelativeDataU3Ek__BackingField_6() { return &___U3CsessionRelativeDataU3Ek__BackingField_6; }
inline void set_U3CsessionRelativeDataU3Ek__BackingField_6(XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599 value)
{
___U3CsessionRelativeDataU3Ek__BackingField_6 = value;
}
};
// UnityEngine.XR.ARFoundation.ARTrackable`2<UnityEngine.XR.ARSubsystems.XRHumanBody,UnityEngine.XR.ARFoundation.ARHumanBody>
struct ARTrackable_2_t482FF6DE9326FFF166148DA7425768F6FA9EB9B0 : public ARTrackable_tE630E6237048700E730F3E3C2799F6CA07029DB3
{
public:
// System.Boolean UnityEngine.XR.ARFoundation.ARTrackable`2::m_DestroyOnRemoval
bool ___m_DestroyOnRemoval_4;
// System.Boolean UnityEngine.XR.ARFoundation.ARTrackable`2::<pending>k__BackingField
bool ___U3CpendingU3Ek__BackingField_5;
// TSessionRelativeData UnityEngine.XR.ARFoundation.ARTrackable`2::<sessionRelativeData>k__BackingField
XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B ___U3CsessionRelativeDataU3Ek__BackingField_6;
public:
inline static int32_t get_offset_of_m_DestroyOnRemoval_4() { return static_cast<int32_t>(offsetof(ARTrackable_2_t482FF6DE9326FFF166148DA7425768F6FA9EB9B0, ___m_DestroyOnRemoval_4)); }
inline bool get_m_DestroyOnRemoval_4() const { return ___m_DestroyOnRemoval_4; }
inline bool* get_address_of_m_DestroyOnRemoval_4() { return &___m_DestroyOnRemoval_4; }
inline void set_m_DestroyOnRemoval_4(bool value)
{
___m_DestroyOnRemoval_4 = value;
}
inline static int32_t get_offset_of_U3CpendingU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(ARTrackable_2_t482FF6DE9326FFF166148DA7425768F6FA9EB9B0, ___U3CpendingU3Ek__BackingField_5)); }
inline bool get_U3CpendingU3Ek__BackingField_5() const { return ___U3CpendingU3Ek__BackingField_5; }
inline bool* get_address_of_U3CpendingU3Ek__BackingField_5() { return &___U3CpendingU3Ek__BackingField_5; }
inline void set_U3CpendingU3Ek__BackingField_5(bool value)
{
___U3CpendingU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CsessionRelativeDataU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(ARTrackable_2_t482FF6DE9326FFF166148DA7425768F6FA9EB9B0, ___U3CsessionRelativeDataU3Ek__BackingField_6)); }
inline XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B get_U3CsessionRelativeDataU3Ek__BackingField_6() const { return ___U3CsessionRelativeDataU3Ek__BackingField_6; }
inline XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B * get_address_of_U3CsessionRelativeDataU3Ek__BackingField_6() { return &___U3CsessionRelativeDataU3Ek__BackingField_6; }
inline void set_U3CsessionRelativeDataU3Ek__BackingField_6(XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B value)
{
___U3CsessionRelativeDataU3Ek__BackingField_6 = value;
}
};
// UnityEngine.XR.ARFoundation.ARTrackable`2<UnityEngine.XR.ARSubsystems.XRParticipant,UnityEngine.XR.ARFoundation.ARParticipant>
struct ARTrackable_2_t3A70CA163E4AA2BFE474D25DA70F38D9B1C36908 : public ARTrackable_tE630E6237048700E730F3E3C2799F6CA07029DB3
{
public:
// System.Boolean UnityEngine.XR.ARFoundation.ARTrackable`2::m_DestroyOnRemoval
bool ___m_DestroyOnRemoval_4;
// System.Boolean UnityEngine.XR.ARFoundation.ARTrackable`2::<pending>k__BackingField
bool ___U3CpendingU3Ek__BackingField_5;
// TSessionRelativeData UnityEngine.XR.ARFoundation.ARTrackable`2::<sessionRelativeData>k__BackingField
XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F ___U3CsessionRelativeDataU3Ek__BackingField_6;
public:
inline static int32_t get_offset_of_m_DestroyOnRemoval_4() { return static_cast<int32_t>(offsetof(ARTrackable_2_t3A70CA163E4AA2BFE474D25DA70F38D9B1C36908, ___m_DestroyOnRemoval_4)); }
inline bool get_m_DestroyOnRemoval_4() const { return ___m_DestroyOnRemoval_4; }
inline bool* get_address_of_m_DestroyOnRemoval_4() { return &___m_DestroyOnRemoval_4; }
inline void set_m_DestroyOnRemoval_4(bool value)
{
___m_DestroyOnRemoval_4 = value;
}
inline static int32_t get_offset_of_U3CpendingU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(ARTrackable_2_t3A70CA163E4AA2BFE474D25DA70F38D9B1C36908, ___U3CpendingU3Ek__BackingField_5)); }
inline bool get_U3CpendingU3Ek__BackingField_5() const { return ___U3CpendingU3Ek__BackingField_5; }
inline bool* get_address_of_U3CpendingU3Ek__BackingField_5() { return &___U3CpendingU3Ek__BackingField_5; }
inline void set_U3CpendingU3Ek__BackingField_5(bool value)
{
___U3CpendingU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CsessionRelativeDataU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(ARTrackable_2_t3A70CA163E4AA2BFE474D25DA70F38D9B1C36908, ___U3CsessionRelativeDataU3Ek__BackingField_6)); }
inline XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F get_U3CsessionRelativeDataU3Ek__BackingField_6() const { return ___U3CsessionRelativeDataU3Ek__BackingField_6; }
inline XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F * get_address_of_U3CsessionRelativeDataU3Ek__BackingField_6() { return &___U3CsessionRelativeDataU3Ek__BackingField_6; }
inline void set_U3CsessionRelativeDataU3Ek__BackingField_6(XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F value)
{
___U3CsessionRelativeDataU3Ek__BackingField_6 = value;
}
};
// UnityEngine.XR.ARFoundation.ARTrackable`2<UnityEngine.XR.ARSubsystems.XRPointCloud,UnityEngine.XR.ARFoundation.ARPointCloud>
struct ARTrackable_2_t687B28B8E27DA860E03F043566B1212DC4BE072E : public ARTrackable_tE630E6237048700E730F3E3C2799F6CA07029DB3
{
public:
// System.Boolean UnityEngine.XR.ARFoundation.ARTrackable`2::m_DestroyOnRemoval
bool ___m_DestroyOnRemoval_4;
// System.Boolean UnityEngine.XR.ARFoundation.ARTrackable`2::<pending>k__BackingField
bool ___U3CpendingU3Ek__BackingField_5;
// TSessionRelativeData UnityEngine.XR.ARFoundation.ARTrackable`2::<sessionRelativeData>k__BackingField
XRPointCloud_t08B41A05528E45CE709F8C14CA6C484D360A62F2 ___U3CsessionRelativeDataU3Ek__BackingField_6;
public:
inline static int32_t get_offset_of_m_DestroyOnRemoval_4() { return static_cast<int32_t>(offsetof(ARTrackable_2_t687B28B8E27DA860E03F043566B1212DC4BE072E, ___m_DestroyOnRemoval_4)); }
inline bool get_m_DestroyOnRemoval_4() const { return ___m_DestroyOnRemoval_4; }
inline bool* get_address_of_m_DestroyOnRemoval_4() { return &___m_DestroyOnRemoval_4; }
inline void set_m_DestroyOnRemoval_4(bool value)
{
___m_DestroyOnRemoval_4 = value;
}
inline static int32_t get_offset_of_U3CpendingU3Ek__BackingField_5() { return static_cast<int32_t>(offsetof(ARTrackable_2_t687B28B8E27DA860E03F043566B1212DC4BE072E, ___U3CpendingU3Ek__BackingField_5)); }
inline bool get_U3CpendingU3Ek__BackingField_5() const { return ___U3CpendingU3Ek__BackingField_5; }
inline bool* get_address_of_U3CpendingU3Ek__BackingField_5() { return &___U3CpendingU3Ek__BackingField_5; }
inline void set_U3CpendingU3Ek__BackingField_5(bool value)
{
___U3CpendingU3Ek__BackingField_5 = value;
}
inline static int32_t get_offset_of_U3CsessionRelativeDataU3Ek__BackingField_6() { return static_cast<int32_t>(offsetof(ARTrackable_2_t687B28B8E27DA860E03F043566B1212DC4BE072E, ___U3CsessionRelativeDataU3Ek__BackingField_6)); }
inline XRPointCloud_t08B41A05528E45CE709F8C14CA6C484D360A62F2 get_U3CsessionRelativeDataU3Ek__BackingField_6() const { return ___U3CsessionRelativeDataU3Ek__BackingField_6; }
inline XRPointCloud_t08B41A05528E45CE709F8C14CA6C484D360A62F2 * get_address_of_U3CsessionRelativeDataU3Ek__BackingField_6() { return &___U3CsessionRelativeDataU3Ek__BackingField_6; }
inline void set_U3CsessionRelativeDataU3Ek__BackingField_6(XRPointCloud_t08B41A05528E45CE709F8C14CA6C484D360A62F2 value)
{
___U3CsessionRelativeDataU3Ek__BackingField_6 = value;
}
};
// UnityEngine.Localization.Components.LocalizedAssetBehaviour`2<UnityEngine.AudioClip,UnityEngine.Localization.LocalizedAudioClip>
struct LocalizedAssetBehaviour_2_t3D1758F4C8243AD2D1E0A67AFD966E26922788CD : public LocalizedMonoBehaviour_t86320BD4638977AAA24BBF2C2D5C5142C13F0B0B
{
public:
// TReference UnityEngine.Localization.Components.LocalizedAssetBehaviour`2::m_LocalizedAssetReference
LocalizedAudioClip_t0C6B84DF6F2A59049E7A06589AE849226790093A * ___m_LocalizedAssetReference_4;
public:
inline static int32_t get_offset_of_m_LocalizedAssetReference_4() { return static_cast<int32_t>(offsetof(LocalizedAssetBehaviour_2_t3D1758F4C8243AD2D1E0A67AFD966E26922788CD, ___m_LocalizedAssetReference_4)); }
inline LocalizedAudioClip_t0C6B84DF6F2A59049E7A06589AE849226790093A * get_m_LocalizedAssetReference_4() const { return ___m_LocalizedAssetReference_4; }
inline LocalizedAudioClip_t0C6B84DF6F2A59049E7A06589AE849226790093A ** get_address_of_m_LocalizedAssetReference_4() { return &___m_LocalizedAssetReference_4; }
inline void set_m_LocalizedAssetReference_4(LocalizedAudioClip_t0C6B84DF6F2A59049E7A06589AE849226790093A * value)
{
___m_LocalizedAssetReference_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocalizedAssetReference_4), (void*)value);
}
};
// UnityEngine.Localization.Components.LocalizedAssetBehaviour`2<UnityEngine.GameObject,UnityEngine.Localization.LocalizedGameObject>
struct LocalizedAssetBehaviour_2_t419291E05E962369FCE0A38D4614B4AC065AD683 : public LocalizedMonoBehaviour_t86320BD4638977AAA24BBF2C2D5C5142C13F0B0B
{
public:
// TReference UnityEngine.Localization.Components.LocalizedAssetBehaviour`2::m_LocalizedAssetReference
LocalizedGameObject_t05C99E0CA69EFDA311C899ED2D570FE22EF8809E * ___m_LocalizedAssetReference_4;
public:
inline static int32_t get_offset_of_m_LocalizedAssetReference_4() { return static_cast<int32_t>(offsetof(LocalizedAssetBehaviour_2_t419291E05E962369FCE0A38D4614B4AC065AD683, ___m_LocalizedAssetReference_4)); }
inline LocalizedGameObject_t05C99E0CA69EFDA311C899ED2D570FE22EF8809E * get_m_LocalizedAssetReference_4() const { return ___m_LocalizedAssetReference_4; }
inline LocalizedGameObject_t05C99E0CA69EFDA311C899ED2D570FE22EF8809E ** get_address_of_m_LocalizedAssetReference_4() { return &___m_LocalizedAssetReference_4; }
inline void set_m_LocalizedAssetReference_4(LocalizedGameObject_t05C99E0CA69EFDA311C899ED2D570FE22EF8809E * value)
{
___m_LocalizedAssetReference_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocalizedAssetReference_4), (void*)value);
}
};
// UnityEngine.Localization.Components.LocalizedAssetBehaviour`2<UnityEngine.Sprite,UnityEngine.Localization.LocalizedSprite>
struct LocalizedAssetBehaviour_2_tEE8369F6FECB734F2FCFD4EF1337C79F2779945E : public LocalizedMonoBehaviour_t86320BD4638977AAA24BBF2C2D5C5142C13F0B0B
{
public:
// TReference UnityEngine.Localization.Components.LocalizedAssetBehaviour`2::m_LocalizedAssetReference
LocalizedSprite_t0A9A0499DFBD6872058EC290C6B928036A4B4BAA * ___m_LocalizedAssetReference_4;
public:
inline static int32_t get_offset_of_m_LocalizedAssetReference_4() { return static_cast<int32_t>(offsetof(LocalizedAssetBehaviour_2_tEE8369F6FECB734F2FCFD4EF1337C79F2779945E, ___m_LocalizedAssetReference_4)); }
inline LocalizedSprite_t0A9A0499DFBD6872058EC290C6B928036A4B4BAA * get_m_LocalizedAssetReference_4() const { return ___m_LocalizedAssetReference_4; }
inline LocalizedSprite_t0A9A0499DFBD6872058EC290C6B928036A4B4BAA ** get_address_of_m_LocalizedAssetReference_4() { return &___m_LocalizedAssetReference_4; }
inline void set_m_LocalizedAssetReference_4(LocalizedSprite_t0A9A0499DFBD6872058EC290C6B928036A4B4BAA * value)
{
___m_LocalizedAssetReference_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocalizedAssetReference_4), (void*)value);
}
};
// UnityEngine.Localization.Components.LocalizedAssetBehaviour`2<UnityEngine.Texture,UnityEngine.Localization.LocalizedTexture>
struct LocalizedAssetBehaviour_2_tC816D4C5F7910159D7838C02902D754B8CC258F7 : public LocalizedMonoBehaviour_t86320BD4638977AAA24BBF2C2D5C5142C13F0B0B
{
public:
// TReference UnityEngine.Localization.Components.LocalizedAssetBehaviour`2::m_LocalizedAssetReference
LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * ___m_LocalizedAssetReference_4;
public:
inline static int32_t get_offset_of_m_LocalizedAssetReference_4() { return static_cast<int32_t>(offsetof(LocalizedAssetBehaviour_2_tC816D4C5F7910159D7838C02902D754B8CC258F7, ___m_LocalizedAssetReference_4)); }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * get_m_LocalizedAssetReference_4() const { return ___m_LocalizedAssetReference_4; }
inline LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F ** get_address_of_m_LocalizedAssetReference_4() { return &___m_LocalizedAssetReference_4; }
inline void set_m_LocalizedAssetReference_4(LocalizedTexture_t57C3A5DCEE59072F730BB3F3556515C01A76807F * value)
{
___m_LocalizedAssetReference_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LocalizedAssetReference_4), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARCameraManager
struct ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874 : public SubsystemLifecycleManager_3_tC083C76968A3985FEAC936C1BBC3D5F306890A2C
{
public:
// UnityEngine.XR.ARSubsystems.CameraFocusMode UnityEngine.XR.ARFoundation.ARCameraManager::m_FocusMode
int32_t ___m_FocusMode_7;
// UnityEngine.XR.ARSubsystems.LightEstimationMode UnityEngine.XR.ARFoundation.ARCameraManager::m_LightEstimationMode
int32_t ___m_LightEstimationMode_8;
// System.Boolean UnityEngine.XR.ARFoundation.ARCameraManager::m_AutoFocus
bool ___m_AutoFocus_9;
// UnityEngine.XR.ARFoundation.LightEstimation UnityEngine.XR.ARFoundation.ARCameraManager::m_LightEstimation
int32_t ___m_LightEstimation_10;
// UnityEngine.XR.ARFoundation.CameraFacingDirection UnityEngine.XR.ARFoundation.ARCameraManager::m_FacingDirection
int32_t ___m_FacingDirection_11;
// System.Action`1<UnityEngine.XR.ARFoundation.ARCameraFrameEventArgs> UnityEngine.XR.ARFoundation.ARCameraManager::frameReceived
Action_1_tA34B23CE57B7192055F9BF04AA14FCCB2ED91C68 * ___frameReceived_12;
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARTextureInfo> UnityEngine.XR.ARFoundation.ARCameraManager::m_TextureInfos
List_1_t737CDD0B911D91DA30FC544763F10FFC47C3C74A * ___m_TextureInfos_15;
// UnityEngine.Camera UnityEngine.XR.ARFoundation.ARCameraManager::m_Camera
Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C * ___m_Camera_16;
// System.Boolean UnityEngine.XR.ARFoundation.ARCameraManager::m_PreRenderInvertCullingValue
bool ___m_PreRenderInvertCullingValue_17;
// UnityEngine.XR.ARFoundation.ARTextureInfo UnityEngine.XR.ARFoundation.ARCameraManager::m_CameraGrainInfo
ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 ___m_CameraGrainInfo_18;
public:
inline static int32_t get_offset_of_m_FocusMode_7() { return static_cast<int32_t>(offsetof(ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874, ___m_FocusMode_7)); }
inline int32_t get_m_FocusMode_7() const { return ___m_FocusMode_7; }
inline int32_t* get_address_of_m_FocusMode_7() { return &___m_FocusMode_7; }
inline void set_m_FocusMode_7(int32_t value)
{
___m_FocusMode_7 = value;
}
inline static int32_t get_offset_of_m_LightEstimationMode_8() { return static_cast<int32_t>(offsetof(ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874, ___m_LightEstimationMode_8)); }
inline int32_t get_m_LightEstimationMode_8() const { return ___m_LightEstimationMode_8; }
inline int32_t* get_address_of_m_LightEstimationMode_8() { return &___m_LightEstimationMode_8; }
inline void set_m_LightEstimationMode_8(int32_t value)
{
___m_LightEstimationMode_8 = value;
}
inline static int32_t get_offset_of_m_AutoFocus_9() { return static_cast<int32_t>(offsetof(ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874, ___m_AutoFocus_9)); }
inline bool get_m_AutoFocus_9() const { return ___m_AutoFocus_9; }
inline bool* get_address_of_m_AutoFocus_9() { return &___m_AutoFocus_9; }
inline void set_m_AutoFocus_9(bool value)
{
___m_AutoFocus_9 = value;
}
inline static int32_t get_offset_of_m_LightEstimation_10() { return static_cast<int32_t>(offsetof(ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874, ___m_LightEstimation_10)); }
inline int32_t get_m_LightEstimation_10() const { return ___m_LightEstimation_10; }
inline int32_t* get_address_of_m_LightEstimation_10() { return &___m_LightEstimation_10; }
inline void set_m_LightEstimation_10(int32_t value)
{
___m_LightEstimation_10 = value;
}
inline static int32_t get_offset_of_m_FacingDirection_11() { return static_cast<int32_t>(offsetof(ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874, ___m_FacingDirection_11)); }
inline int32_t get_m_FacingDirection_11() const { return ___m_FacingDirection_11; }
inline int32_t* get_address_of_m_FacingDirection_11() { return &___m_FacingDirection_11; }
inline void set_m_FacingDirection_11(int32_t value)
{
___m_FacingDirection_11 = value;
}
inline static int32_t get_offset_of_frameReceived_12() { return static_cast<int32_t>(offsetof(ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874, ___frameReceived_12)); }
inline Action_1_tA34B23CE57B7192055F9BF04AA14FCCB2ED91C68 * get_frameReceived_12() const { return ___frameReceived_12; }
inline Action_1_tA34B23CE57B7192055F9BF04AA14FCCB2ED91C68 ** get_address_of_frameReceived_12() { return &___frameReceived_12; }
inline void set_frameReceived_12(Action_1_tA34B23CE57B7192055F9BF04AA14FCCB2ED91C68 * value)
{
___frameReceived_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___frameReceived_12), (void*)value);
}
inline static int32_t get_offset_of_m_TextureInfos_15() { return static_cast<int32_t>(offsetof(ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874, ___m_TextureInfos_15)); }
inline List_1_t737CDD0B911D91DA30FC544763F10FFC47C3C74A * get_m_TextureInfos_15() const { return ___m_TextureInfos_15; }
inline List_1_t737CDD0B911D91DA30FC544763F10FFC47C3C74A ** get_address_of_m_TextureInfos_15() { return &___m_TextureInfos_15; }
inline void set_m_TextureInfos_15(List_1_t737CDD0B911D91DA30FC544763F10FFC47C3C74A * value)
{
___m_TextureInfos_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TextureInfos_15), (void*)value);
}
inline static int32_t get_offset_of_m_Camera_16() { return static_cast<int32_t>(offsetof(ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874, ___m_Camera_16)); }
inline Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C * get_m_Camera_16() const { return ___m_Camera_16; }
inline Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C ** get_address_of_m_Camera_16() { return &___m_Camera_16; }
inline void set_m_Camera_16(Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C * value)
{
___m_Camera_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Camera_16), (void*)value);
}
inline static int32_t get_offset_of_m_PreRenderInvertCullingValue_17() { return static_cast<int32_t>(offsetof(ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874, ___m_PreRenderInvertCullingValue_17)); }
inline bool get_m_PreRenderInvertCullingValue_17() const { return ___m_PreRenderInvertCullingValue_17; }
inline bool* get_address_of_m_PreRenderInvertCullingValue_17() { return &___m_PreRenderInvertCullingValue_17; }
inline void set_m_PreRenderInvertCullingValue_17(bool value)
{
___m_PreRenderInvertCullingValue_17 = value;
}
inline static int32_t get_offset_of_m_CameraGrainInfo_18() { return static_cast<int32_t>(offsetof(ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874, ___m_CameraGrainInfo_18)); }
inline ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 get_m_CameraGrainInfo_18() const { return ___m_CameraGrainInfo_18; }
inline ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 * get_address_of_m_CameraGrainInfo_18() { return &___m_CameraGrainInfo_18; }
inline void set_m_CameraGrainInfo_18(ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 value)
{
___m_CameraGrainInfo_18 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_CameraGrainInfo_18))->___m_Texture_2), (void*)NULL);
}
};
struct ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874_StaticFields
{
public:
// System.Collections.Generic.List`1<UnityEngine.Texture2D> UnityEngine.XR.ARFoundation.ARCameraManager::s_Textures
List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7 * ___s_Textures_13;
// System.Collections.Generic.List`1<System.Int32> UnityEngine.XR.ARFoundation.ARCameraManager::s_PropertyIds
List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * ___s_PropertyIds_14;
public:
inline static int32_t get_offset_of_s_Textures_13() { return static_cast<int32_t>(offsetof(ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874_StaticFields, ___s_Textures_13)); }
inline List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7 * get_s_Textures_13() const { return ___s_Textures_13; }
inline List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7 ** get_address_of_s_Textures_13() { return &___s_Textures_13; }
inline void set_s_Textures_13(List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7 * value)
{
___s_Textures_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Textures_13), (void*)value);
}
inline static int32_t get_offset_of_s_PropertyIds_14() { return static_cast<int32_t>(offsetof(ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874_StaticFields, ___s_PropertyIds_14)); }
inline List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * get_s_PropertyIds_14() const { return ___s_PropertyIds_14; }
inline List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 ** get_address_of_s_PropertyIds_14() { return &___s_PropertyIds_14; }
inline void set_s_PropertyIds_14(List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * value)
{
___s_PropertyIds_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_PropertyIds_14), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.AROcclusionManager
struct AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48 : public SubsystemLifecycleManager_3_t49E8B92C416A7F3333143F6C5FC5293713978225
{
public:
// System.Collections.Generic.List`1<UnityEngine.XR.ARFoundation.ARTextureInfo> UnityEngine.XR.ARFoundation.AROcclusionManager::m_TextureInfos
List_1_t737CDD0B911D91DA30FC544763F10FFC47C3C74A * ___m_TextureInfos_7;
// System.Collections.Generic.List`1<UnityEngine.Texture2D> UnityEngine.XR.ARFoundation.AROcclusionManager::m_Textures
List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7 * ___m_Textures_8;
// System.Collections.Generic.List`1<System.Int32> UnityEngine.XR.ARFoundation.AROcclusionManager::m_TexturePropertyIds
List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * ___m_TexturePropertyIds_9;
// UnityEngine.XR.ARFoundation.ARTextureInfo UnityEngine.XR.ARFoundation.AROcclusionManager::m_HumanStencilTextureInfo
ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 ___m_HumanStencilTextureInfo_10;
// UnityEngine.XR.ARFoundation.ARTextureInfo UnityEngine.XR.ARFoundation.AROcclusionManager::m_HumanDepthTextureInfo
ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 ___m_HumanDepthTextureInfo_11;
// UnityEngine.XR.ARFoundation.ARTextureInfo UnityEngine.XR.ARFoundation.AROcclusionManager::m_EnvironmentDepthTextureInfo
ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 ___m_EnvironmentDepthTextureInfo_12;
// UnityEngine.XR.ARFoundation.ARTextureInfo UnityEngine.XR.ARFoundation.AROcclusionManager::m_EnvironmentDepthConfidenceTextureInfo
ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 ___m_EnvironmentDepthConfidenceTextureInfo_13;
// System.Action`1<UnityEngine.XR.ARFoundation.AROcclusionFrameEventArgs> UnityEngine.XR.ARFoundation.AROcclusionManager::frameReceived
Action_1_t1A44CB29184F135C80F1F1025D2BCCAC14B0A403 * ___frameReceived_14;
// UnityEngine.XR.ARSubsystems.HumanSegmentationStencilMode UnityEngine.XR.ARFoundation.AROcclusionManager::m_HumanSegmentationStencilMode
int32_t ___m_HumanSegmentationStencilMode_15;
// UnityEngine.XR.ARSubsystems.HumanSegmentationDepthMode UnityEngine.XR.ARFoundation.AROcclusionManager::m_HumanSegmentationDepthMode
int32_t ___m_HumanSegmentationDepthMode_16;
// UnityEngine.XR.ARSubsystems.EnvironmentDepthMode UnityEngine.XR.ARFoundation.AROcclusionManager::m_EnvironmentDepthMode
int32_t ___m_EnvironmentDepthMode_17;
// UnityEngine.XR.ARSubsystems.OcclusionPreferenceMode UnityEngine.XR.ARFoundation.AROcclusionManager::m_OcclusionPreferenceMode
int32_t ___m_OcclusionPreferenceMode_18;
public:
inline static int32_t get_offset_of_m_TextureInfos_7() { return static_cast<int32_t>(offsetof(AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48, ___m_TextureInfos_7)); }
inline List_1_t737CDD0B911D91DA30FC544763F10FFC47C3C74A * get_m_TextureInfos_7() const { return ___m_TextureInfos_7; }
inline List_1_t737CDD0B911D91DA30FC544763F10FFC47C3C74A ** get_address_of_m_TextureInfos_7() { return &___m_TextureInfos_7; }
inline void set_m_TextureInfos_7(List_1_t737CDD0B911D91DA30FC544763F10FFC47C3C74A * value)
{
___m_TextureInfos_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TextureInfos_7), (void*)value);
}
inline static int32_t get_offset_of_m_Textures_8() { return static_cast<int32_t>(offsetof(AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48, ___m_Textures_8)); }
inline List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7 * get_m_Textures_8() const { return ___m_Textures_8; }
inline List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7 ** get_address_of_m_Textures_8() { return &___m_Textures_8; }
inline void set_m_Textures_8(List_1_t67CA4414F3746D817D6D1A1D16FD9E7C85CED2D7 * value)
{
___m_Textures_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Textures_8), (void*)value);
}
inline static int32_t get_offset_of_m_TexturePropertyIds_9() { return static_cast<int32_t>(offsetof(AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48, ___m_TexturePropertyIds_9)); }
inline List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * get_m_TexturePropertyIds_9() const { return ___m_TexturePropertyIds_9; }
inline List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 ** get_address_of_m_TexturePropertyIds_9() { return &___m_TexturePropertyIds_9; }
inline void set_m_TexturePropertyIds_9(List_1_t260B41F956D673396C33A4CF94E8D6C4389EACB7 * value)
{
___m_TexturePropertyIds_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TexturePropertyIds_9), (void*)value);
}
inline static int32_t get_offset_of_m_HumanStencilTextureInfo_10() { return static_cast<int32_t>(offsetof(AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48, ___m_HumanStencilTextureInfo_10)); }
inline ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 get_m_HumanStencilTextureInfo_10() const { return ___m_HumanStencilTextureInfo_10; }
inline ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 * get_address_of_m_HumanStencilTextureInfo_10() { return &___m_HumanStencilTextureInfo_10; }
inline void set_m_HumanStencilTextureInfo_10(ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 value)
{
___m_HumanStencilTextureInfo_10 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_HumanStencilTextureInfo_10))->___m_Texture_2), (void*)NULL);
}
inline static int32_t get_offset_of_m_HumanDepthTextureInfo_11() { return static_cast<int32_t>(offsetof(AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48, ___m_HumanDepthTextureInfo_11)); }
inline ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 get_m_HumanDepthTextureInfo_11() const { return ___m_HumanDepthTextureInfo_11; }
inline ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 * get_address_of_m_HumanDepthTextureInfo_11() { return &___m_HumanDepthTextureInfo_11; }
inline void set_m_HumanDepthTextureInfo_11(ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 value)
{
___m_HumanDepthTextureInfo_11 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_HumanDepthTextureInfo_11))->___m_Texture_2), (void*)NULL);
}
inline static int32_t get_offset_of_m_EnvironmentDepthTextureInfo_12() { return static_cast<int32_t>(offsetof(AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48, ___m_EnvironmentDepthTextureInfo_12)); }
inline ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 get_m_EnvironmentDepthTextureInfo_12() const { return ___m_EnvironmentDepthTextureInfo_12; }
inline ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 * get_address_of_m_EnvironmentDepthTextureInfo_12() { return &___m_EnvironmentDepthTextureInfo_12; }
inline void set_m_EnvironmentDepthTextureInfo_12(ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 value)
{
___m_EnvironmentDepthTextureInfo_12 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_EnvironmentDepthTextureInfo_12))->___m_Texture_2), (void*)NULL);
}
inline static int32_t get_offset_of_m_EnvironmentDepthConfidenceTextureInfo_13() { return static_cast<int32_t>(offsetof(AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48, ___m_EnvironmentDepthConfidenceTextureInfo_13)); }
inline ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 get_m_EnvironmentDepthConfidenceTextureInfo_13() const { return ___m_EnvironmentDepthConfidenceTextureInfo_13; }
inline ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 * get_address_of_m_EnvironmentDepthConfidenceTextureInfo_13() { return &___m_EnvironmentDepthConfidenceTextureInfo_13; }
inline void set_m_EnvironmentDepthConfidenceTextureInfo_13(ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 value)
{
___m_EnvironmentDepthConfidenceTextureInfo_13 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_EnvironmentDepthConfidenceTextureInfo_13))->___m_Texture_2), (void*)NULL);
}
inline static int32_t get_offset_of_frameReceived_14() { return static_cast<int32_t>(offsetof(AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48, ___frameReceived_14)); }
inline Action_1_t1A44CB29184F135C80F1F1025D2BCCAC14B0A403 * get_frameReceived_14() const { return ___frameReceived_14; }
inline Action_1_t1A44CB29184F135C80F1F1025D2BCCAC14B0A403 ** get_address_of_frameReceived_14() { return &___frameReceived_14; }
inline void set_frameReceived_14(Action_1_t1A44CB29184F135C80F1F1025D2BCCAC14B0A403 * value)
{
___frameReceived_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___frameReceived_14), (void*)value);
}
inline static int32_t get_offset_of_m_HumanSegmentationStencilMode_15() { return static_cast<int32_t>(offsetof(AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48, ___m_HumanSegmentationStencilMode_15)); }
inline int32_t get_m_HumanSegmentationStencilMode_15() const { return ___m_HumanSegmentationStencilMode_15; }
inline int32_t* get_address_of_m_HumanSegmentationStencilMode_15() { return &___m_HumanSegmentationStencilMode_15; }
inline void set_m_HumanSegmentationStencilMode_15(int32_t value)
{
___m_HumanSegmentationStencilMode_15 = value;
}
inline static int32_t get_offset_of_m_HumanSegmentationDepthMode_16() { return static_cast<int32_t>(offsetof(AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48, ___m_HumanSegmentationDepthMode_16)); }
inline int32_t get_m_HumanSegmentationDepthMode_16() const { return ___m_HumanSegmentationDepthMode_16; }
inline int32_t* get_address_of_m_HumanSegmentationDepthMode_16() { return &___m_HumanSegmentationDepthMode_16; }
inline void set_m_HumanSegmentationDepthMode_16(int32_t value)
{
___m_HumanSegmentationDepthMode_16 = value;
}
inline static int32_t get_offset_of_m_EnvironmentDepthMode_17() { return static_cast<int32_t>(offsetof(AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48, ___m_EnvironmentDepthMode_17)); }
inline int32_t get_m_EnvironmentDepthMode_17() const { return ___m_EnvironmentDepthMode_17; }
inline int32_t* get_address_of_m_EnvironmentDepthMode_17() { return &___m_EnvironmentDepthMode_17; }
inline void set_m_EnvironmentDepthMode_17(int32_t value)
{
___m_EnvironmentDepthMode_17 = value;
}
inline static int32_t get_offset_of_m_OcclusionPreferenceMode_18() { return static_cast<int32_t>(offsetof(AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48, ___m_OcclusionPreferenceMode_18)); }
inline int32_t get_m_OcclusionPreferenceMode_18() const { return ___m_OcclusionPreferenceMode_18; }
inline int32_t* get_address_of_m_OcclusionPreferenceMode_18() { return &___m_OcclusionPreferenceMode_18; }
inline void set_m_OcclusionPreferenceMode_18(int32_t value)
{
___m_OcclusionPreferenceMode_18 = value;
}
};
// UnityEngine.UI.AspectRatioFitter
struct AspectRatioFitter_tDF617A8ACD769EAE81CBB1716C95C6F4A1E1D2A3 : public UIBehaviour_tD1C6E2D542222546D68510ECE74036EFBC3C3B0E
{
public:
// UnityEngine.UI.AspectRatioFitter/AspectMode UnityEngine.UI.AspectRatioFitter::m_AspectMode
int32_t ___m_AspectMode_4;
// System.Single UnityEngine.UI.AspectRatioFitter::m_AspectRatio
float ___m_AspectRatio_5;
// UnityEngine.RectTransform UnityEngine.UI.AspectRatioFitter::m_Rect
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_Rect_6;
// System.Boolean UnityEngine.UI.AspectRatioFitter::m_DelayedSetDirty
bool ___m_DelayedSetDirty_7;
// System.Boolean UnityEngine.UI.AspectRatioFitter::m_DoesParentExist
bool ___m_DoesParentExist_8;
// UnityEngine.DrivenRectTransformTracker UnityEngine.UI.AspectRatioFitter::m_Tracker
DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 ___m_Tracker_9;
public:
inline static int32_t get_offset_of_m_AspectMode_4() { return static_cast<int32_t>(offsetof(AspectRatioFitter_tDF617A8ACD769EAE81CBB1716C95C6F4A1E1D2A3, ___m_AspectMode_4)); }
inline int32_t get_m_AspectMode_4() const { return ___m_AspectMode_4; }
inline int32_t* get_address_of_m_AspectMode_4() { return &___m_AspectMode_4; }
inline void set_m_AspectMode_4(int32_t value)
{
___m_AspectMode_4 = value;
}
inline static int32_t get_offset_of_m_AspectRatio_5() { return static_cast<int32_t>(offsetof(AspectRatioFitter_tDF617A8ACD769EAE81CBB1716C95C6F4A1E1D2A3, ___m_AspectRatio_5)); }
inline float get_m_AspectRatio_5() const { return ___m_AspectRatio_5; }
inline float* get_address_of_m_AspectRatio_5() { return &___m_AspectRatio_5; }
inline void set_m_AspectRatio_5(float value)
{
___m_AspectRatio_5 = value;
}
inline static int32_t get_offset_of_m_Rect_6() { return static_cast<int32_t>(offsetof(AspectRatioFitter_tDF617A8ACD769EAE81CBB1716C95C6F4A1E1D2A3, ___m_Rect_6)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_Rect_6() const { return ___m_Rect_6; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_Rect_6() { return &___m_Rect_6; }
inline void set_m_Rect_6(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_Rect_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Rect_6), (void*)value);
}
inline static int32_t get_offset_of_m_DelayedSetDirty_7() { return static_cast<int32_t>(offsetof(AspectRatioFitter_tDF617A8ACD769EAE81CBB1716C95C6F4A1E1D2A3, ___m_DelayedSetDirty_7)); }
inline bool get_m_DelayedSetDirty_7() const { return ___m_DelayedSetDirty_7; }
inline bool* get_address_of_m_DelayedSetDirty_7() { return &___m_DelayedSetDirty_7; }
inline void set_m_DelayedSetDirty_7(bool value)
{
___m_DelayedSetDirty_7 = value;
}
inline static int32_t get_offset_of_m_DoesParentExist_8() { return static_cast<int32_t>(offsetof(AspectRatioFitter_tDF617A8ACD769EAE81CBB1716C95C6F4A1E1D2A3, ___m_DoesParentExist_8)); }
inline bool get_m_DoesParentExist_8() const { return ___m_DoesParentExist_8; }
inline bool* get_address_of_m_DoesParentExist_8() { return &___m_DoesParentExist_8; }
inline void set_m_DoesParentExist_8(bool value)
{
___m_DoesParentExist_8 = value;
}
inline static int32_t get_offset_of_m_Tracker_9() { return static_cast<int32_t>(offsetof(AspectRatioFitter_tDF617A8ACD769EAE81CBB1716C95C6F4A1E1D2A3, ___m_Tracker_9)); }
inline DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 get_m_Tracker_9() const { return ___m_Tracker_9; }
inline DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 * get_address_of_m_Tracker_9() { return &___m_Tracker_9; }
inline void set_m_Tracker_9(DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 value)
{
___m_Tracker_9 = value;
}
};
// UnityEngine.EventSystems.BaseInput
struct BaseInput_tEF29D9AD913DF0552A9C51AF200B4FEB08AF737D : public UIBehaviour_tD1C6E2D542222546D68510ECE74036EFBC3C3B0E
{
public:
public:
};
// UnityEngine.EventSystems.BaseInputModule
struct BaseInputModule_t395DEB45C225A941B2C831CBDB000A23E5899924 : public UIBehaviour_tD1C6E2D542222546D68510ECE74036EFBC3C3B0E
{
public:
// System.Collections.Generic.List`1<UnityEngine.EventSystems.RaycastResult> UnityEngine.EventSystems.BaseInputModule::m_RaycastResultCache
List_1_t367B604D3EA3D6A9EC95A32A521EF83F5DA9B447 * ___m_RaycastResultCache_4;
// UnityEngine.EventSystems.AxisEventData UnityEngine.EventSystems.BaseInputModule::m_AxisEventData
AxisEventData_t5F2EE83206BFD1BC59087D1C9CE31A4389A17E1E * ___m_AxisEventData_5;
// UnityEngine.EventSystems.EventSystem UnityEngine.EventSystems.BaseInputModule::m_EventSystem
EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C * ___m_EventSystem_6;
// UnityEngine.EventSystems.BaseEventData UnityEngine.EventSystems.BaseInputModule::m_BaseEventData
BaseEventData_t722C48843CF21B50E06CC0E2E679415E38A7444E * ___m_BaseEventData_7;
// UnityEngine.EventSystems.BaseInput UnityEngine.EventSystems.BaseInputModule::m_InputOverride
BaseInput_tEF29D9AD913DF0552A9C51AF200B4FEB08AF737D * ___m_InputOverride_8;
// UnityEngine.EventSystems.BaseInput UnityEngine.EventSystems.BaseInputModule::m_DefaultInput
BaseInput_tEF29D9AD913DF0552A9C51AF200B4FEB08AF737D * ___m_DefaultInput_9;
public:
inline static int32_t get_offset_of_m_RaycastResultCache_4() { return static_cast<int32_t>(offsetof(BaseInputModule_t395DEB45C225A941B2C831CBDB000A23E5899924, ___m_RaycastResultCache_4)); }
inline List_1_t367B604D3EA3D6A9EC95A32A521EF83F5DA9B447 * get_m_RaycastResultCache_4() const { return ___m_RaycastResultCache_4; }
inline List_1_t367B604D3EA3D6A9EC95A32A521EF83F5DA9B447 ** get_address_of_m_RaycastResultCache_4() { return &___m_RaycastResultCache_4; }
inline void set_m_RaycastResultCache_4(List_1_t367B604D3EA3D6A9EC95A32A521EF83F5DA9B447 * value)
{
___m_RaycastResultCache_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RaycastResultCache_4), (void*)value);
}
inline static int32_t get_offset_of_m_AxisEventData_5() { return static_cast<int32_t>(offsetof(BaseInputModule_t395DEB45C225A941B2C831CBDB000A23E5899924, ___m_AxisEventData_5)); }
inline AxisEventData_t5F2EE83206BFD1BC59087D1C9CE31A4389A17E1E * get_m_AxisEventData_5() const { return ___m_AxisEventData_5; }
inline AxisEventData_t5F2EE83206BFD1BC59087D1C9CE31A4389A17E1E ** get_address_of_m_AxisEventData_5() { return &___m_AxisEventData_5; }
inline void set_m_AxisEventData_5(AxisEventData_t5F2EE83206BFD1BC59087D1C9CE31A4389A17E1E * value)
{
___m_AxisEventData_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_AxisEventData_5), (void*)value);
}
inline static int32_t get_offset_of_m_EventSystem_6() { return static_cast<int32_t>(offsetof(BaseInputModule_t395DEB45C225A941B2C831CBDB000A23E5899924, ___m_EventSystem_6)); }
inline EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C * get_m_EventSystem_6() const { return ___m_EventSystem_6; }
inline EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C ** get_address_of_m_EventSystem_6() { return &___m_EventSystem_6; }
inline void set_m_EventSystem_6(EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C * value)
{
___m_EventSystem_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_EventSystem_6), (void*)value);
}
inline static int32_t get_offset_of_m_BaseEventData_7() { return static_cast<int32_t>(offsetof(BaseInputModule_t395DEB45C225A941B2C831CBDB000A23E5899924, ___m_BaseEventData_7)); }
inline BaseEventData_t722C48843CF21B50E06CC0E2E679415E38A7444E * get_m_BaseEventData_7() const { return ___m_BaseEventData_7; }
inline BaseEventData_t722C48843CF21B50E06CC0E2E679415E38A7444E ** get_address_of_m_BaseEventData_7() { return &___m_BaseEventData_7; }
inline void set_m_BaseEventData_7(BaseEventData_t722C48843CF21B50E06CC0E2E679415E38A7444E * value)
{
___m_BaseEventData_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_BaseEventData_7), (void*)value);
}
inline static int32_t get_offset_of_m_InputOverride_8() { return static_cast<int32_t>(offsetof(BaseInputModule_t395DEB45C225A941B2C831CBDB000A23E5899924, ___m_InputOverride_8)); }
inline BaseInput_tEF29D9AD913DF0552A9C51AF200B4FEB08AF737D * get_m_InputOverride_8() const { return ___m_InputOverride_8; }
inline BaseInput_tEF29D9AD913DF0552A9C51AF200B4FEB08AF737D ** get_address_of_m_InputOverride_8() { return &___m_InputOverride_8; }
inline void set_m_InputOverride_8(BaseInput_tEF29D9AD913DF0552A9C51AF200B4FEB08AF737D * value)
{
___m_InputOverride_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InputOverride_8), (void*)value);
}
inline static int32_t get_offset_of_m_DefaultInput_9() { return static_cast<int32_t>(offsetof(BaseInputModule_t395DEB45C225A941B2C831CBDB000A23E5899924, ___m_DefaultInput_9)); }
inline BaseInput_tEF29D9AD913DF0552A9C51AF200B4FEB08AF737D * get_m_DefaultInput_9() const { return ___m_DefaultInput_9; }
inline BaseInput_tEF29D9AD913DF0552A9C51AF200B4FEB08AF737D ** get_address_of_m_DefaultInput_9() { return &___m_DefaultInput_9; }
inline void set_m_DefaultInput_9(BaseInput_tEF29D9AD913DF0552A9C51AF200B4FEB08AF737D * value)
{
___m_DefaultInput_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DefaultInput_9), (void*)value);
}
};
// UnityEngine.UI.BaseMeshEffect
struct BaseMeshEffect_tC7D44B0AC6406BAC3E4FC4579A43FC135BDB6FDA : public UIBehaviour_tD1C6E2D542222546D68510ECE74036EFBC3C3B0E
{
public:
// UnityEngine.UI.Graphic UnityEngine.UI.BaseMeshEffect::m_Graphic
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * ___m_Graphic_4;
public:
inline static int32_t get_offset_of_m_Graphic_4() { return static_cast<int32_t>(offsetof(BaseMeshEffect_tC7D44B0AC6406BAC3E4FC4579A43FC135BDB6FDA, ___m_Graphic_4)); }
inline Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * get_m_Graphic_4() const { return ___m_Graphic_4; }
inline Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 ** get_address_of_m_Graphic_4() { return &___m_Graphic_4; }
inline void set_m_Graphic_4(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * value)
{
___m_Graphic_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Graphic_4), (void*)value);
}
};
// UnityEngine.EventSystems.BaseRaycaster
struct BaseRaycaster_tBC0FB2CBE6D3D40991EC20F689C43F76AD82A876 : public UIBehaviour_tD1C6E2D542222546D68510ECE74036EFBC3C3B0E
{
public:
// UnityEngine.EventSystems.BaseRaycaster UnityEngine.EventSystems.BaseRaycaster::m_RootRaycaster
BaseRaycaster_tBC0FB2CBE6D3D40991EC20F689C43F76AD82A876 * ___m_RootRaycaster_4;
public:
inline static int32_t get_offset_of_m_RootRaycaster_4() { return static_cast<int32_t>(offsetof(BaseRaycaster_tBC0FB2CBE6D3D40991EC20F689C43F76AD82A876, ___m_RootRaycaster_4)); }
inline BaseRaycaster_tBC0FB2CBE6D3D40991EC20F689C43F76AD82A876 * get_m_RootRaycaster_4() const { return ___m_RootRaycaster_4; }
inline BaseRaycaster_tBC0FB2CBE6D3D40991EC20F689C43F76AD82A876 ** get_address_of_m_RootRaycaster_4() { return &___m_RootRaycaster_4; }
inline void set_m_RootRaycaster_4(BaseRaycaster_tBC0FB2CBE6D3D40991EC20F689C43F76AD82A876 * value)
{
___m_RootRaycaster_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RootRaycaster_4), (void*)value);
}
};
// UnityEngine.UI.CanvasScaler
struct CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1 : public UIBehaviour_tD1C6E2D542222546D68510ECE74036EFBC3C3B0E
{
public:
// UnityEngine.UI.CanvasScaler/ScaleMode UnityEngine.UI.CanvasScaler::m_UiScaleMode
int32_t ___m_UiScaleMode_4;
// System.Single UnityEngine.UI.CanvasScaler::m_ReferencePixelsPerUnit
float ___m_ReferencePixelsPerUnit_5;
// System.Single UnityEngine.UI.CanvasScaler::m_ScaleFactor
float ___m_ScaleFactor_6;
// UnityEngine.Vector2 UnityEngine.UI.CanvasScaler::m_ReferenceResolution
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_ReferenceResolution_7;
// UnityEngine.UI.CanvasScaler/ScreenMatchMode UnityEngine.UI.CanvasScaler::m_ScreenMatchMode
int32_t ___m_ScreenMatchMode_8;
// System.Single UnityEngine.UI.CanvasScaler::m_MatchWidthOrHeight
float ___m_MatchWidthOrHeight_9;
// UnityEngine.UI.CanvasScaler/Unit UnityEngine.UI.CanvasScaler::m_PhysicalUnit
int32_t ___m_PhysicalUnit_11;
// System.Single UnityEngine.UI.CanvasScaler::m_FallbackScreenDPI
float ___m_FallbackScreenDPI_12;
// System.Single UnityEngine.UI.CanvasScaler::m_DefaultSpriteDPI
float ___m_DefaultSpriteDPI_13;
// System.Single UnityEngine.UI.CanvasScaler::m_DynamicPixelsPerUnit
float ___m_DynamicPixelsPerUnit_14;
// UnityEngine.Canvas UnityEngine.UI.CanvasScaler::m_Canvas
Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA * ___m_Canvas_15;
// System.Single UnityEngine.UI.CanvasScaler::m_PrevScaleFactor
float ___m_PrevScaleFactor_16;
// System.Single UnityEngine.UI.CanvasScaler::m_PrevReferencePixelsPerUnit
float ___m_PrevReferencePixelsPerUnit_17;
// System.Boolean UnityEngine.UI.CanvasScaler::m_PresetInfoIsWorld
bool ___m_PresetInfoIsWorld_18;
public:
inline static int32_t get_offset_of_m_UiScaleMode_4() { return static_cast<int32_t>(offsetof(CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1, ___m_UiScaleMode_4)); }
inline int32_t get_m_UiScaleMode_4() const { return ___m_UiScaleMode_4; }
inline int32_t* get_address_of_m_UiScaleMode_4() { return &___m_UiScaleMode_4; }
inline void set_m_UiScaleMode_4(int32_t value)
{
___m_UiScaleMode_4 = value;
}
inline static int32_t get_offset_of_m_ReferencePixelsPerUnit_5() { return static_cast<int32_t>(offsetof(CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1, ___m_ReferencePixelsPerUnit_5)); }
inline float get_m_ReferencePixelsPerUnit_5() const { return ___m_ReferencePixelsPerUnit_5; }
inline float* get_address_of_m_ReferencePixelsPerUnit_5() { return &___m_ReferencePixelsPerUnit_5; }
inline void set_m_ReferencePixelsPerUnit_5(float value)
{
___m_ReferencePixelsPerUnit_5 = value;
}
inline static int32_t get_offset_of_m_ScaleFactor_6() { return static_cast<int32_t>(offsetof(CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1, ___m_ScaleFactor_6)); }
inline float get_m_ScaleFactor_6() const { return ___m_ScaleFactor_6; }
inline float* get_address_of_m_ScaleFactor_6() { return &___m_ScaleFactor_6; }
inline void set_m_ScaleFactor_6(float value)
{
___m_ScaleFactor_6 = value;
}
inline static int32_t get_offset_of_m_ReferenceResolution_7() { return static_cast<int32_t>(offsetof(CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1, ___m_ReferenceResolution_7)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_ReferenceResolution_7() const { return ___m_ReferenceResolution_7; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_ReferenceResolution_7() { return &___m_ReferenceResolution_7; }
inline void set_m_ReferenceResolution_7(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_ReferenceResolution_7 = value;
}
inline static int32_t get_offset_of_m_ScreenMatchMode_8() { return static_cast<int32_t>(offsetof(CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1, ___m_ScreenMatchMode_8)); }
inline int32_t get_m_ScreenMatchMode_8() const { return ___m_ScreenMatchMode_8; }
inline int32_t* get_address_of_m_ScreenMatchMode_8() { return &___m_ScreenMatchMode_8; }
inline void set_m_ScreenMatchMode_8(int32_t value)
{
___m_ScreenMatchMode_8 = value;
}
inline static int32_t get_offset_of_m_MatchWidthOrHeight_9() { return static_cast<int32_t>(offsetof(CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1, ___m_MatchWidthOrHeight_9)); }
inline float get_m_MatchWidthOrHeight_9() const { return ___m_MatchWidthOrHeight_9; }
inline float* get_address_of_m_MatchWidthOrHeight_9() { return &___m_MatchWidthOrHeight_9; }
inline void set_m_MatchWidthOrHeight_9(float value)
{
___m_MatchWidthOrHeight_9 = value;
}
inline static int32_t get_offset_of_m_PhysicalUnit_11() { return static_cast<int32_t>(offsetof(CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1, ___m_PhysicalUnit_11)); }
inline int32_t get_m_PhysicalUnit_11() const { return ___m_PhysicalUnit_11; }
inline int32_t* get_address_of_m_PhysicalUnit_11() { return &___m_PhysicalUnit_11; }
inline void set_m_PhysicalUnit_11(int32_t value)
{
___m_PhysicalUnit_11 = value;
}
inline static int32_t get_offset_of_m_FallbackScreenDPI_12() { return static_cast<int32_t>(offsetof(CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1, ___m_FallbackScreenDPI_12)); }
inline float get_m_FallbackScreenDPI_12() const { return ___m_FallbackScreenDPI_12; }
inline float* get_address_of_m_FallbackScreenDPI_12() { return &___m_FallbackScreenDPI_12; }
inline void set_m_FallbackScreenDPI_12(float value)
{
___m_FallbackScreenDPI_12 = value;
}
inline static int32_t get_offset_of_m_DefaultSpriteDPI_13() { return static_cast<int32_t>(offsetof(CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1, ___m_DefaultSpriteDPI_13)); }
inline float get_m_DefaultSpriteDPI_13() const { return ___m_DefaultSpriteDPI_13; }
inline float* get_address_of_m_DefaultSpriteDPI_13() { return &___m_DefaultSpriteDPI_13; }
inline void set_m_DefaultSpriteDPI_13(float value)
{
___m_DefaultSpriteDPI_13 = value;
}
inline static int32_t get_offset_of_m_DynamicPixelsPerUnit_14() { return static_cast<int32_t>(offsetof(CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1, ___m_DynamicPixelsPerUnit_14)); }
inline float get_m_DynamicPixelsPerUnit_14() const { return ___m_DynamicPixelsPerUnit_14; }
inline float* get_address_of_m_DynamicPixelsPerUnit_14() { return &___m_DynamicPixelsPerUnit_14; }
inline void set_m_DynamicPixelsPerUnit_14(float value)
{
___m_DynamicPixelsPerUnit_14 = value;
}
inline static int32_t get_offset_of_m_Canvas_15() { return static_cast<int32_t>(offsetof(CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1, ___m_Canvas_15)); }
inline Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA * get_m_Canvas_15() const { return ___m_Canvas_15; }
inline Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA ** get_address_of_m_Canvas_15() { return &___m_Canvas_15; }
inline void set_m_Canvas_15(Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA * value)
{
___m_Canvas_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Canvas_15), (void*)value);
}
inline static int32_t get_offset_of_m_PrevScaleFactor_16() { return static_cast<int32_t>(offsetof(CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1, ___m_PrevScaleFactor_16)); }
inline float get_m_PrevScaleFactor_16() const { return ___m_PrevScaleFactor_16; }
inline float* get_address_of_m_PrevScaleFactor_16() { return &___m_PrevScaleFactor_16; }
inline void set_m_PrevScaleFactor_16(float value)
{
___m_PrevScaleFactor_16 = value;
}
inline static int32_t get_offset_of_m_PrevReferencePixelsPerUnit_17() { return static_cast<int32_t>(offsetof(CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1, ___m_PrevReferencePixelsPerUnit_17)); }
inline float get_m_PrevReferencePixelsPerUnit_17() const { return ___m_PrevReferencePixelsPerUnit_17; }
inline float* get_address_of_m_PrevReferencePixelsPerUnit_17() { return &___m_PrevReferencePixelsPerUnit_17; }
inline void set_m_PrevReferencePixelsPerUnit_17(float value)
{
___m_PrevReferencePixelsPerUnit_17 = value;
}
inline static int32_t get_offset_of_m_PresetInfoIsWorld_18() { return static_cast<int32_t>(offsetof(CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1, ___m_PresetInfoIsWorld_18)); }
inline bool get_m_PresetInfoIsWorld_18() const { return ___m_PresetInfoIsWorld_18; }
inline bool* get_address_of_m_PresetInfoIsWorld_18() { return &___m_PresetInfoIsWorld_18; }
inline void set_m_PresetInfoIsWorld_18(bool value)
{
___m_PresetInfoIsWorld_18 = value;
}
};
// UnityEngine.UI.ContentSizeFitter
struct ContentSizeFitter_t49F1C2D57ADBDB752A275C75C5437E47A55818D5 : public UIBehaviour_tD1C6E2D542222546D68510ECE74036EFBC3C3B0E
{
public:
// UnityEngine.UI.ContentSizeFitter/FitMode UnityEngine.UI.ContentSizeFitter::m_HorizontalFit
int32_t ___m_HorizontalFit_4;
// UnityEngine.UI.ContentSizeFitter/FitMode UnityEngine.UI.ContentSizeFitter::m_VerticalFit
int32_t ___m_VerticalFit_5;
// UnityEngine.RectTransform UnityEngine.UI.ContentSizeFitter::m_Rect
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_Rect_6;
// UnityEngine.DrivenRectTransformTracker UnityEngine.UI.ContentSizeFitter::m_Tracker
DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 ___m_Tracker_7;
public:
inline static int32_t get_offset_of_m_HorizontalFit_4() { return static_cast<int32_t>(offsetof(ContentSizeFitter_t49F1C2D57ADBDB752A275C75C5437E47A55818D5, ___m_HorizontalFit_4)); }
inline int32_t get_m_HorizontalFit_4() const { return ___m_HorizontalFit_4; }
inline int32_t* get_address_of_m_HorizontalFit_4() { return &___m_HorizontalFit_4; }
inline void set_m_HorizontalFit_4(int32_t value)
{
___m_HorizontalFit_4 = value;
}
inline static int32_t get_offset_of_m_VerticalFit_5() { return static_cast<int32_t>(offsetof(ContentSizeFitter_t49F1C2D57ADBDB752A275C75C5437E47A55818D5, ___m_VerticalFit_5)); }
inline int32_t get_m_VerticalFit_5() const { return ___m_VerticalFit_5; }
inline int32_t* get_address_of_m_VerticalFit_5() { return &___m_VerticalFit_5; }
inline void set_m_VerticalFit_5(int32_t value)
{
___m_VerticalFit_5 = value;
}
inline static int32_t get_offset_of_m_Rect_6() { return static_cast<int32_t>(offsetof(ContentSizeFitter_t49F1C2D57ADBDB752A275C75C5437E47A55818D5, ___m_Rect_6)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_Rect_6() const { return ___m_Rect_6; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_Rect_6() { return &___m_Rect_6; }
inline void set_m_Rect_6(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_Rect_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Rect_6), (void*)value);
}
inline static int32_t get_offset_of_m_Tracker_7() { return static_cast<int32_t>(offsetof(ContentSizeFitter_t49F1C2D57ADBDB752A275C75C5437E47A55818D5, ___m_Tracker_7)); }
inline DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 get_m_Tracker_7() const { return ___m_Tracker_7; }
inline DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 * get_address_of_m_Tracker_7() { return &___m_Tracker_7; }
inline void set_m_Tracker_7(DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 value)
{
___m_Tracker_7 = value;
}
};
// UnityEngine.ResourceManagement.Diagnostics.DiagnosticEventCollectorSingleton
struct DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365 : public ComponentSingleton_1_t92EDB36B0FA5AA0B70397A521441CEBB6DB77307
{
public:
// System.Collections.Generic.Dictionary`2<System.Int32,UnityEngine.ResourceManagement.Diagnostics.DiagnosticEvent> UnityEngine.ResourceManagement.Diagnostics.DiagnosticEventCollectorSingleton::m_CreatedEvents
Dictionary_2_tA132562C0B2CCFC639D9417B39DC61A33EBA00D8 * ___m_CreatedEvents_6;
// System.Collections.Generic.List`1<UnityEngine.ResourceManagement.Diagnostics.DiagnosticEvent> UnityEngine.ResourceManagement.Diagnostics.DiagnosticEventCollectorSingleton::m_UnhandledEvents
List_1_t26AF4E0C47365CD16DB0F8266647BE621DE5ACBE * ___m_UnhandledEvents_7;
// DelegateList`1<UnityEngine.ResourceManagement.Diagnostics.DiagnosticEvent> UnityEngine.ResourceManagement.Diagnostics.DiagnosticEventCollectorSingleton::s_EventHandlers
DelegateList_1_t5BAB0E67CB7D5A8F00759C4B8C27CD2CBAAAD7DE * ___s_EventHandlers_8;
// System.Single UnityEngine.ResourceManagement.Diagnostics.DiagnosticEventCollectorSingleton::m_lastTickSent
float ___m_lastTickSent_9;
// System.Int32 UnityEngine.ResourceManagement.Diagnostics.DiagnosticEventCollectorSingleton::m_lastFrame
int32_t ___m_lastFrame_10;
// System.Single UnityEngine.ResourceManagement.Diagnostics.DiagnosticEventCollectorSingleton::fpsAvg
float ___fpsAvg_11;
public:
inline static int32_t get_offset_of_m_CreatedEvents_6() { return static_cast<int32_t>(offsetof(DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365, ___m_CreatedEvents_6)); }
inline Dictionary_2_tA132562C0B2CCFC639D9417B39DC61A33EBA00D8 * get_m_CreatedEvents_6() const { return ___m_CreatedEvents_6; }
inline Dictionary_2_tA132562C0B2CCFC639D9417B39DC61A33EBA00D8 ** get_address_of_m_CreatedEvents_6() { return &___m_CreatedEvents_6; }
inline void set_m_CreatedEvents_6(Dictionary_2_tA132562C0B2CCFC639D9417B39DC61A33EBA00D8 * value)
{
___m_CreatedEvents_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CreatedEvents_6), (void*)value);
}
inline static int32_t get_offset_of_m_UnhandledEvents_7() { return static_cast<int32_t>(offsetof(DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365, ___m_UnhandledEvents_7)); }
inline List_1_t26AF4E0C47365CD16DB0F8266647BE621DE5ACBE * get_m_UnhandledEvents_7() const { return ___m_UnhandledEvents_7; }
inline List_1_t26AF4E0C47365CD16DB0F8266647BE621DE5ACBE ** get_address_of_m_UnhandledEvents_7() { return &___m_UnhandledEvents_7; }
inline void set_m_UnhandledEvents_7(List_1_t26AF4E0C47365CD16DB0F8266647BE621DE5ACBE * value)
{
___m_UnhandledEvents_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UnhandledEvents_7), (void*)value);
}
inline static int32_t get_offset_of_s_EventHandlers_8() { return static_cast<int32_t>(offsetof(DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365, ___s_EventHandlers_8)); }
inline DelegateList_1_t5BAB0E67CB7D5A8F00759C4B8C27CD2CBAAAD7DE * get_s_EventHandlers_8() const { return ___s_EventHandlers_8; }
inline DelegateList_1_t5BAB0E67CB7D5A8F00759C4B8C27CD2CBAAAD7DE ** get_address_of_s_EventHandlers_8() { return &___s_EventHandlers_8; }
inline void set_s_EventHandlers_8(DelegateList_1_t5BAB0E67CB7D5A8F00759C4B8C27CD2CBAAAD7DE * value)
{
___s_EventHandlers_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_EventHandlers_8), (void*)value);
}
inline static int32_t get_offset_of_m_lastTickSent_9() { return static_cast<int32_t>(offsetof(DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365, ___m_lastTickSent_9)); }
inline float get_m_lastTickSent_9() const { return ___m_lastTickSent_9; }
inline float* get_address_of_m_lastTickSent_9() { return &___m_lastTickSent_9; }
inline void set_m_lastTickSent_9(float value)
{
___m_lastTickSent_9 = value;
}
inline static int32_t get_offset_of_m_lastFrame_10() { return static_cast<int32_t>(offsetof(DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365, ___m_lastFrame_10)); }
inline int32_t get_m_lastFrame_10() const { return ___m_lastFrame_10; }
inline int32_t* get_address_of_m_lastFrame_10() { return &___m_lastFrame_10; }
inline void set_m_lastFrame_10(int32_t value)
{
___m_lastFrame_10 = value;
}
inline static int32_t get_offset_of_fpsAvg_11() { return static_cast<int32_t>(offsetof(DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365, ___fpsAvg_11)); }
inline float get_fpsAvg_11() const { return ___fpsAvg_11; }
inline float* get_address_of_fpsAvg_11() { return &___fpsAvg_11; }
inline void set_fpsAvg_11(float value)
{
___fpsAvg_11 = value;
}
};
struct DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365_StaticFields
{
public:
// System.Guid UnityEngine.ResourceManagement.Diagnostics.DiagnosticEventCollectorSingleton::s_editorConnectionGuid
Guid_t ___s_editorConnectionGuid_5;
public:
inline static int32_t get_offset_of_s_editorConnectionGuid_5() { return static_cast<int32_t>(offsetof(DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365_StaticFields, ___s_editorConnectionGuid_5)); }
inline Guid_t get_s_editorConnectionGuid_5() const { return ___s_editorConnectionGuid_5; }
inline Guid_t * get_address_of_s_editorConnectionGuid_5() { return &___s_editorConnectionGuid_5; }
inline void set_s_editorConnectionGuid_5(Guid_t value)
{
___s_editorConnectionGuid_5 = value;
}
};
// UnityEngine.EventSystems.EventSystem
struct EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C : public UIBehaviour_tD1C6E2D542222546D68510ECE74036EFBC3C3B0E
{
public:
// System.Collections.Generic.List`1<UnityEngine.EventSystems.BaseInputModule> UnityEngine.EventSystems.EventSystem::m_SystemInputModules
List_1_t39946D94B66FAE9B0DED5D3A84AD116AF9DDDCC1 * ___m_SystemInputModules_4;
// UnityEngine.EventSystems.BaseInputModule UnityEngine.EventSystems.EventSystem::m_CurrentInputModule
BaseInputModule_t395DEB45C225A941B2C831CBDB000A23E5899924 * ___m_CurrentInputModule_5;
// UnityEngine.GameObject UnityEngine.EventSystems.EventSystem::m_FirstSelected
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_FirstSelected_7;
// System.Boolean UnityEngine.EventSystems.EventSystem::m_sendNavigationEvents
bool ___m_sendNavigationEvents_8;
// System.Int32 UnityEngine.EventSystems.EventSystem::m_DragThreshold
int32_t ___m_DragThreshold_9;
// UnityEngine.GameObject UnityEngine.EventSystems.EventSystem::m_CurrentSelected
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_CurrentSelected_10;
// System.Boolean UnityEngine.EventSystems.EventSystem::m_HasFocus
bool ___m_HasFocus_11;
// System.Boolean UnityEngine.EventSystems.EventSystem::m_SelectionGuard
bool ___m_SelectionGuard_12;
// UnityEngine.EventSystems.BaseEventData UnityEngine.EventSystems.EventSystem::m_DummyData
BaseEventData_t722C48843CF21B50E06CC0E2E679415E38A7444E * ___m_DummyData_13;
public:
inline static int32_t get_offset_of_m_SystemInputModules_4() { return static_cast<int32_t>(offsetof(EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C, ___m_SystemInputModules_4)); }
inline List_1_t39946D94B66FAE9B0DED5D3A84AD116AF9DDDCC1 * get_m_SystemInputModules_4() const { return ___m_SystemInputModules_4; }
inline List_1_t39946D94B66FAE9B0DED5D3A84AD116AF9DDDCC1 ** get_address_of_m_SystemInputModules_4() { return &___m_SystemInputModules_4; }
inline void set_m_SystemInputModules_4(List_1_t39946D94B66FAE9B0DED5D3A84AD116AF9DDDCC1 * value)
{
___m_SystemInputModules_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SystemInputModules_4), (void*)value);
}
inline static int32_t get_offset_of_m_CurrentInputModule_5() { return static_cast<int32_t>(offsetof(EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C, ___m_CurrentInputModule_5)); }
inline BaseInputModule_t395DEB45C225A941B2C831CBDB000A23E5899924 * get_m_CurrentInputModule_5() const { return ___m_CurrentInputModule_5; }
inline BaseInputModule_t395DEB45C225A941B2C831CBDB000A23E5899924 ** get_address_of_m_CurrentInputModule_5() { return &___m_CurrentInputModule_5; }
inline void set_m_CurrentInputModule_5(BaseInputModule_t395DEB45C225A941B2C831CBDB000A23E5899924 * value)
{
___m_CurrentInputModule_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CurrentInputModule_5), (void*)value);
}
inline static int32_t get_offset_of_m_FirstSelected_7() { return static_cast<int32_t>(offsetof(EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C, ___m_FirstSelected_7)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_m_FirstSelected_7() const { return ___m_FirstSelected_7; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_m_FirstSelected_7() { return &___m_FirstSelected_7; }
inline void set_m_FirstSelected_7(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___m_FirstSelected_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_FirstSelected_7), (void*)value);
}
inline static int32_t get_offset_of_m_sendNavigationEvents_8() { return static_cast<int32_t>(offsetof(EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C, ___m_sendNavigationEvents_8)); }
inline bool get_m_sendNavigationEvents_8() const { return ___m_sendNavigationEvents_8; }
inline bool* get_address_of_m_sendNavigationEvents_8() { return &___m_sendNavigationEvents_8; }
inline void set_m_sendNavigationEvents_8(bool value)
{
___m_sendNavigationEvents_8 = value;
}
inline static int32_t get_offset_of_m_DragThreshold_9() { return static_cast<int32_t>(offsetof(EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C, ___m_DragThreshold_9)); }
inline int32_t get_m_DragThreshold_9() const { return ___m_DragThreshold_9; }
inline int32_t* get_address_of_m_DragThreshold_9() { return &___m_DragThreshold_9; }
inline void set_m_DragThreshold_9(int32_t value)
{
___m_DragThreshold_9 = value;
}
inline static int32_t get_offset_of_m_CurrentSelected_10() { return static_cast<int32_t>(offsetof(EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C, ___m_CurrentSelected_10)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_m_CurrentSelected_10() const { return ___m_CurrentSelected_10; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_m_CurrentSelected_10() { return &___m_CurrentSelected_10; }
inline void set_m_CurrentSelected_10(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___m_CurrentSelected_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CurrentSelected_10), (void*)value);
}
inline static int32_t get_offset_of_m_HasFocus_11() { return static_cast<int32_t>(offsetof(EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C, ___m_HasFocus_11)); }
inline bool get_m_HasFocus_11() const { return ___m_HasFocus_11; }
inline bool* get_address_of_m_HasFocus_11() { return &___m_HasFocus_11; }
inline void set_m_HasFocus_11(bool value)
{
___m_HasFocus_11 = value;
}
inline static int32_t get_offset_of_m_SelectionGuard_12() { return static_cast<int32_t>(offsetof(EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C, ___m_SelectionGuard_12)); }
inline bool get_m_SelectionGuard_12() const { return ___m_SelectionGuard_12; }
inline bool* get_address_of_m_SelectionGuard_12() { return &___m_SelectionGuard_12; }
inline void set_m_SelectionGuard_12(bool value)
{
___m_SelectionGuard_12 = value;
}
inline static int32_t get_offset_of_m_DummyData_13() { return static_cast<int32_t>(offsetof(EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C, ___m_DummyData_13)); }
inline BaseEventData_t722C48843CF21B50E06CC0E2E679415E38A7444E * get_m_DummyData_13() const { return ___m_DummyData_13; }
inline BaseEventData_t722C48843CF21B50E06CC0E2E679415E38A7444E ** get_address_of_m_DummyData_13() { return &___m_DummyData_13; }
inline void set_m_DummyData_13(BaseEventData_t722C48843CF21B50E06CC0E2E679415E38A7444E * value)
{
___m_DummyData_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DummyData_13), (void*)value);
}
};
struct EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C_StaticFields
{
public:
// System.Collections.Generic.List`1<UnityEngine.EventSystems.EventSystem> UnityEngine.EventSystems.EventSystem::m_EventSystems
List_1_tEF3D2378B547F18609950BEABF54AF34FBBC9733 * ___m_EventSystems_6;
// System.Comparison`1<UnityEngine.EventSystems.RaycastResult> UnityEngine.EventSystems.EventSystem::s_RaycastComparer
Comparison_1_t47C8B3739FFDD51D29B281A2FD2C36A57DDF9E38 * ___s_RaycastComparer_14;
public:
inline static int32_t get_offset_of_m_EventSystems_6() { return static_cast<int32_t>(offsetof(EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C_StaticFields, ___m_EventSystems_6)); }
inline List_1_tEF3D2378B547F18609950BEABF54AF34FBBC9733 * get_m_EventSystems_6() const { return ___m_EventSystems_6; }
inline List_1_tEF3D2378B547F18609950BEABF54AF34FBBC9733 ** get_address_of_m_EventSystems_6() { return &___m_EventSystems_6; }
inline void set_m_EventSystems_6(List_1_tEF3D2378B547F18609950BEABF54AF34FBBC9733 * value)
{
___m_EventSystems_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_EventSystems_6), (void*)value);
}
inline static int32_t get_offset_of_s_RaycastComparer_14() { return static_cast<int32_t>(offsetof(EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C_StaticFields, ___s_RaycastComparer_14)); }
inline Comparison_1_t47C8B3739FFDD51D29B281A2FD2C36A57DDF9E38 * get_s_RaycastComparer_14() const { return ___s_RaycastComparer_14; }
inline Comparison_1_t47C8B3739FFDD51D29B281A2FD2C36A57DDF9E38 ** get_address_of_s_RaycastComparer_14() { return &___s_RaycastComparer_14; }
inline void set_s_RaycastComparer_14(Comparison_1_t47C8B3739FFDD51D29B281A2FD2C36A57DDF9E38 * value)
{
___s_RaycastComparer_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_RaycastComparer_14), (void*)value);
}
};
// UnityEngine.UI.Graphic
struct Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 : public UIBehaviour_tD1C6E2D542222546D68510ECE74036EFBC3C3B0E
{
public:
// UnityEngine.Material UnityEngine.UI.Graphic::m_Material
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___m_Material_6;
// UnityEngine.Color UnityEngine.UI.Graphic::m_Color
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_Color_7;
// System.Boolean UnityEngine.UI.Graphic::m_SkipLayoutUpdate
bool ___m_SkipLayoutUpdate_8;
// System.Boolean UnityEngine.UI.Graphic::m_SkipMaterialUpdate
bool ___m_SkipMaterialUpdate_9;
// System.Boolean UnityEngine.UI.Graphic::m_RaycastTarget
bool ___m_RaycastTarget_10;
// UnityEngine.Vector4 UnityEngine.UI.Graphic::m_RaycastPadding
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 ___m_RaycastPadding_11;
// UnityEngine.RectTransform UnityEngine.UI.Graphic::m_RectTransform
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_RectTransform_12;
// UnityEngine.CanvasRenderer UnityEngine.UI.Graphic::m_CanvasRenderer
CanvasRenderer_tCF8ABE659F7C3A6ED0D99A988D0BDFB651310F0E * ___m_CanvasRenderer_13;
// UnityEngine.Canvas UnityEngine.UI.Graphic::m_Canvas
Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA * ___m_Canvas_14;
// System.Boolean UnityEngine.UI.Graphic::m_VertsDirty
bool ___m_VertsDirty_15;
// System.Boolean UnityEngine.UI.Graphic::m_MaterialDirty
bool ___m_MaterialDirty_16;
// UnityEngine.Events.UnityAction UnityEngine.UI.Graphic::m_OnDirtyLayoutCallback
UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 * ___m_OnDirtyLayoutCallback_17;
// UnityEngine.Events.UnityAction UnityEngine.UI.Graphic::m_OnDirtyVertsCallback
UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 * ___m_OnDirtyVertsCallback_18;
// UnityEngine.Events.UnityAction UnityEngine.UI.Graphic::m_OnDirtyMaterialCallback
UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 * ___m_OnDirtyMaterialCallback_19;
// UnityEngine.Mesh UnityEngine.UI.Graphic::m_CachedMesh
Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * ___m_CachedMesh_22;
// UnityEngine.Vector2[] UnityEngine.UI.Graphic::m_CachedUvs
Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA* ___m_CachedUvs_23;
// UnityEngine.UI.CoroutineTween.TweenRunner`1<UnityEngine.UI.CoroutineTween.ColorTween> UnityEngine.UI.Graphic::m_ColorTweenRunner
TweenRunner_1_tD84B9953874682FCC36990AF2C54D748293908F3 * ___m_ColorTweenRunner_24;
// System.Boolean UnityEngine.UI.Graphic::<useLegacyMeshGeneration>k__BackingField
bool ___U3CuseLegacyMeshGenerationU3Ek__BackingField_25;
public:
inline static int32_t get_offset_of_m_Material_6() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24, ___m_Material_6)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_m_Material_6() const { return ___m_Material_6; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_m_Material_6() { return &___m_Material_6; }
inline void set_m_Material_6(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___m_Material_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Material_6), (void*)value);
}
inline static int32_t get_offset_of_m_Color_7() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24, ___m_Color_7)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_Color_7() const { return ___m_Color_7; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_Color_7() { return &___m_Color_7; }
inline void set_m_Color_7(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_Color_7 = value;
}
inline static int32_t get_offset_of_m_SkipLayoutUpdate_8() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24, ___m_SkipLayoutUpdate_8)); }
inline bool get_m_SkipLayoutUpdate_8() const { return ___m_SkipLayoutUpdate_8; }
inline bool* get_address_of_m_SkipLayoutUpdate_8() { return &___m_SkipLayoutUpdate_8; }
inline void set_m_SkipLayoutUpdate_8(bool value)
{
___m_SkipLayoutUpdate_8 = value;
}
inline static int32_t get_offset_of_m_SkipMaterialUpdate_9() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24, ___m_SkipMaterialUpdate_9)); }
inline bool get_m_SkipMaterialUpdate_9() const { return ___m_SkipMaterialUpdate_9; }
inline bool* get_address_of_m_SkipMaterialUpdate_9() { return &___m_SkipMaterialUpdate_9; }
inline void set_m_SkipMaterialUpdate_9(bool value)
{
___m_SkipMaterialUpdate_9 = value;
}
inline static int32_t get_offset_of_m_RaycastTarget_10() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24, ___m_RaycastTarget_10)); }
inline bool get_m_RaycastTarget_10() const { return ___m_RaycastTarget_10; }
inline bool* get_address_of_m_RaycastTarget_10() { return &___m_RaycastTarget_10; }
inline void set_m_RaycastTarget_10(bool value)
{
___m_RaycastTarget_10 = value;
}
inline static int32_t get_offset_of_m_RaycastPadding_11() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24, ___m_RaycastPadding_11)); }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 get_m_RaycastPadding_11() const { return ___m_RaycastPadding_11; }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 * get_address_of_m_RaycastPadding_11() { return &___m_RaycastPadding_11; }
inline void set_m_RaycastPadding_11(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 value)
{
___m_RaycastPadding_11 = value;
}
inline static int32_t get_offset_of_m_RectTransform_12() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24, ___m_RectTransform_12)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_RectTransform_12() const { return ___m_RectTransform_12; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_RectTransform_12() { return &___m_RectTransform_12; }
inline void set_m_RectTransform_12(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_RectTransform_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RectTransform_12), (void*)value);
}
inline static int32_t get_offset_of_m_CanvasRenderer_13() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24, ___m_CanvasRenderer_13)); }
inline CanvasRenderer_tCF8ABE659F7C3A6ED0D99A988D0BDFB651310F0E * get_m_CanvasRenderer_13() const { return ___m_CanvasRenderer_13; }
inline CanvasRenderer_tCF8ABE659F7C3A6ED0D99A988D0BDFB651310F0E ** get_address_of_m_CanvasRenderer_13() { return &___m_CanvasRenderer_13; }
inline void set_m_CanvasRenderer_13(CanvasRenderer_tCF8ABE659F7C3A6ED0D99A988D0BDFB651310F0E * value)
{
___m_CanvasRenderer_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CanvasRenderer_13), (void*)value);
}
inline static int32_t get_offset_of_m_Canvas_14() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24, ___m_Canvas_14)); }
inline Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA * get_m_Canvas_14() const { return ___m_Canvas_14; }
inline Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA ** get_address_of_m_Canvas_14() { return &___m_Canvas_14; }
inline void set_m_Canvas_14(Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA * value)
{
___m_Canvas_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Canvas_14), (void*)value);
}
inline static int32_t get_offset_of_m_VertsDirty_15() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24, ___m_VertsDirty_15)); }
inline bool get_m_VertsDirty_15() const { return ___m_VertsDirty_15; }
inline bool* get_address_of_m_VertsDirty_15() { return &___m_VertsDirty_15; }
inline void set_m_VertsDirty_15(bool value)
{
___m_VertsDirty_15 = value;
}
inline static int32_t get_offset_of_m_MaterialDirty_16() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24, ___m_MaterialDirty_16)); }
inline bool get_m_MaterialDirty_16() const { return ___m_MaterialDirty_16; }
inline bool* get_address_of_m_MaterialDirty_16() { return &___m_MaterialDirty_16; }
inline void set_m_MaterialDirty_16(bool value)
{
___m_MaterialDirty_16 = value;
}
inline static int32_t get_offset_of_m_OnDirtyLayoutCallback_17() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24, ___m_OnDirtyLayoutCallback_17)); }
inline UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 * get_m_OnDirtyLayoutCallback_17() const { return ___m_OnDirtyLayoutCallback_17; }
inline UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 ** get_address_of_m_OnDirtyLayoutCallback_17() { return &___m_OnDirtyLayoutCallback_17; }
inline void set_m_OnDirtyLayoutCallback_17(UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 * value)
{
___m_OnDirtyLayoutCallback_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnDirtyLayoutCallback_17), (void*)value);
}
inline static int32_t get_offset_of_m_OnDirtyVertsCallback_18() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24, ___m_OnDirtyVertsCallback_18)); }
inline UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 * get_m_OnDirtyVertsCallback_18() const { return ___m_OnDirtyVertsCallback_18; }
inline UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 ** get_address_of_m_OnDirtyVertsCallback_18() { return &___m_OnDirtyVertsCallback_18; }
inline void set_m_OnDirtyVertsCallback_18(UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 * value)
{
___m_OnDirtyVertsCallback_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnDirtyVertsCallback_18), (void*)value);
}
inline static int32_t get_offset_of_m_OnDirtyMaterialCallback_19() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24, ___m_OnDirtyMaterialCallback_19)); }
inline UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 * get_m_OnDirtyMaterialCallback_19() const { return ___m_OnDirtyMaterialCallback_19; }
inline UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 ** get_address_of_m_OnDirtyMaterialCallback_19() { return &___m_OnDirtyMaterialCallback_19; }
inline void set_m_OnDirtyMaterialCallback_19(UnityAction_t22E545F8BE0A62EE051C6A83E209587A0DB1C099 * value)
{
___m_OnDirtyMaterialCallback_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnDirtyMaterialCallback_19), (void*)value);
}
inline static int32_t get_offset_of_m_CachedMesh_22() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24, ___m_CachedMesh_22)); }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * get_m_CachedMesh_22() const { return ___m_CachedMesh_22; }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 ** get_address_of_m_CachedMesh_22() { return &___m_CachedMesh_22; }
inline void set_m_CachedMesh_22(Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * value)
{
___m_CachedMesh_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CachedMesh_22), (void*)value);
}
inline static int32_t get_offset_of_m_CachedUvs_23() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24, ___m_CachedUvs_23)); }
inline Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA* get_m_CachedUvs_23() const { return ___m_CachedUvs_23; }
inline Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA** get_address_of_m_CachedUvs_23() { return &___m_CachedUvs_23; }
inline void set_m_CachedUvs_23(Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA* value)
{
___m_CachedUvs_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CachedUvs_23), (void*)value);
}
inline static int32_t get_offset_of_m_ColorTweenRunner_24() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24, ___m_ColorTweenRunner_24)); }
inline TweenRunner_1_tD84B9953874682FCC36990AF2C54D748293908F3 * get_m_ColorTweenRunner_24() const { return ___m_ColorTweenRunner_24; }
inline TweenRunner_1_tD84B9953874682FCC36990AF2C54D748293908F3 ** get_address_of_m_ColorTweenRunner_24() { return &___m_ColorTweenRunner_24; }
inline void set_m_ColorTweenRunner_24(TweenRunner_1_tD84B9953874682FCC36990AF2C54D748293908F3 * value)
{
___m_ColorTweenRunner_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ColorTweenRunner_24), (void*)value);
}
inline static int32_t get_offset_of_U3CuseLegacyMeshGenerationU3Ek__BackingField_25() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24, ___U3CuseLegacyMeshGenerationU3Ek__BackingField_25)); }
inline bool get_U3CuseLegacyMeshGenerationU3Ek__BackingField_25() const { return ___U3CuseLegacyMeshGenerationU3Ek__BackingField_25; }
inline bool* get_address_of_U3CuseLegacyMeshGenerationU3Ek__BackingField_25() { return &___U3CuseLegacyMeshGenerationU3Ek__BackingField_25; }
inline void set_U3CuseLegacyMeshGenerationU3Ek__BackingField_25(bool value)
{
___U3CuseLegacyMeshGenerationU3Ek__BackingField_25 = value;
}
};
struct Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24_StaticFields
{
public:
// UnityEngine.Material UnityEngine.UI.Graphic::s_DefaultUI
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___s_DefaultUI_4;
// UnityEngine.Texture2D UnityEngine.UI.Graphic::s_WhiteTexture
Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * ___s_WhiteTexture_5;
// UnityEngine.Mesh UnityEngine.UI.Graphic::s_Mesh
Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * ___s_Mesh_20;
// UnityEngine.UI.VertexHelper UnityEngine.UI.Graphic::s_VertexHelper
VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55 * ___s_VertexHelper_21;
public:
inline static int32_t get_offset_of_s_DefaultUI_4() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24_StaticFields, ___s_DefaultUI_4)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_s_DefaultUI_4() const { return ___s_DefaultUI_4; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_s_DefaultUI_4() { return &___s_DefaultUI_4; }
inline void set_s_DefaultUI_4(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___s_DefaultUI_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_DefaultUI_4), (void*)value);
}
inline static int32_t get_offset_of_s_WhiteTexture_5() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24_StaticFields, ___s_WhiteTexture_5)); }
inline Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * get_s_WhiteTexture_5() const { return ___s_WhiteTexture_5; }
inline Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF ** get_address_of_s_WhiteTexture_5() { return &___s_WhiteTexture_5; }
inline void set_s_WhiteTexture_5(Texture2D_t9B604D0D8E28032123641A7E7338FA872E2698BF * value)
{
___s_WhiteTexture_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_WhiteTexture_5), (void*)value);
}
inline static int32_t get_offset_of_s_Mesh_20() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24_StaticFields, ___s_Mesh_20)); }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * get_s_Mesh_20() const { return ___s_Mesh_20; }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 ** get_address_of_s_Mesh_20() { return &___s_Mesh_20; }
inline void set_s_Mesh_20(Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * value)
{
___s_Mesh_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Mesh_20), (void*)value);
}
inline static int32_t get_offset_of_s_VertexHelper_21() { return static_cast<int32_t>(offsetof(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24_StaticFields, ___s_VertexHelper_21)); }
inline VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55 * get_s_VertexHelper_21() const { return ___s_VertexHelper_21; }
inline VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55 ** get_address_of_s_VertexHelper_21() { return &___s_VertexHelper_21; }
inline void set_s_VertexHelper_21(VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55 * value)
{
___s_VertexHelper_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_VertexHelper_21), (void*)value);
}
};
// UnityEngine.UI.LayoutElement
struct LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF : public UIBehaviour_tD1C6E2D542222546D68510ECE74036EFBC3C3B0E
{
public:
// System.Boolean UnityEngine.UI.LayoutElement::m_IgnoreLayout
bool ___m_IgnoreLayout_4;
// System.Single UnityEngine.UI.LayoutElement::m_MinWidth
float ___m_MinWidth_5;
// System.Single UnityEngine.UI.LayoutElement::m_MinHeight
float ___m_MinHeight_6;
// System.Single UnityEngine.UI.LayoutElement::m_PreferredWidth
float ___m_PreferredWidth_7;
// System.Single UnityEngine.UI.LayoutElement::m_PreferredHeight
float ___m_PreferredHeight_8;
// System.Single UnityEngine.UI.LayoutElement::m_FlexibleWidth
float ___m_FlexibleWidth_9;
// System.Single UnityEngine.UI.LayoutElement::m_FlexibleHeight
float ___m_FlexibleHeight_10;
// System.Int32 UnityEngine.UI.LayoutElement::m_LayoutPriority
int32_t ___m_LayoutPriority_11;
public:
inline static int32_t get_offset_of_m_IgnoreLayout_4() { return static_cast<int32_t>(offsetof(LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF, ___m_IgnoreLayout_4)); }
inline bool get_m_IgnoreLayout_4() const { return ___m_IgnoreLayout_4; }
inline bool* get_address_of_m_IgnoreLayout_4() { return &___m_IgnoreLayout_4; }
inline void set_m_IgnoreLayout_4(bool value)
{
___m_IgnoreLayout_4 = value;
}
inline static int32_t get_offset_of_m_MinWidth_5() { return static_cast<int32_t>(offsetof(LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF, ___m_MinWidth_5)); }
inline float get_m_MinWidth_5() const { return ___m_MinWidth_5; }
inline float* get_address_of_m_MinWidth_5() { return &___m_MinWidth_5; }
inline void set_m_MinWidth_5(float value)
{
___m_MinWidth_5 = value;
}
inline static int32_t get_offset_of_m_MinHeight_6() { return static_cast<int32_t>(offsetof(LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF, ___m_MinHeight_6)); }
inline float get_m_MinHeight_6() const { return ___m_MinHeight_6; }
inline float* get_address_of_m_MinHeight_6() { return &___m_MinHeight_6; }
inline void set_m_MinHeight_6(float value)
{
___m_MinHeight_6 = value;
}
inline static int32_t get_offset_of_m_PreferredWidth_7() { return static_cast<int32_t>(offsetof(LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF, ___m_PreferredWidth_7)); }
inline float get_m_PreferredWidth_7() const { return ___m_PreferredWidth_7; }
inline float* get_address_of_m_PreferredWidth_7() { return &___m_PreferredWidth_7; }
inline void set_m_PreferredWidth_7(float value)
{
___m_PreferredWidth_7 = value;
}
inline static int32_t get_offset_of_m_PreferredHeight_8() { return static_cast<int32_t>(offsetof(LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF, ___m_PreferredHeight_8)); }
inline float get_m_PreferredHeight_8() const { return ___m_PreferredHeight_8; }
inline float* get_address_of_m_PreferredHeight_8() { return &___m_PreferredHeight_8; }
inline void set_m_PreferredHeight_8(float value)
{
___m_PreferredHeight_8 = value;
}
inline static int32_t get_offset_of_m_FlexibleWidth_9() { return static_cast<int32_t>(offsetof(LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF, ___m_FlexibleWidth_9)); }
inline float get_m_FlexibleWidth_9() const { return ___m_FlexibleWidth_9; }
inline float* get_address_of_m_FlexibleWidth_9() { return &___m_FlexibleWidth_9; }
inline void set_m_FlexibleWidth_9(float value)
{
___m_FlexibleWidth_9 = value;
}
inline static int32_t get_offset_of_m_FlexibleHeight_10() { return static_cast<int32_t>(offsetof(LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF, ___m_FlexibleHeight_10)); }
inline float get_m_FlexibleHeight_10() const { return ___m_FlexibleHeight_10; }
inline float* get_address_of_m_FlexibleHeight_10() { return &___m_FlexibleHeight_10; }
inline void set_m_FlexibleHeight_10(float value)
{
___m_FlexibleHeight_10 = value;
}
inline static int32_t get_offset_of_m_LayoutPriority_11() { return static_cast<int32_t>(offsetof(LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF, ___m_LayoutPriority_11)); }
inline int32_t get_m_LayoutPriority_11() const { return ___m_LayoutPriority_11; }
inline int32_t* get_address_of_m_LayoutPriority_11() { return &___m_LayoutPriority_11; }
inline void set_m_LayoutPriority_11(int32_t value)
{
___m_LayoutPriority_11 = value;
}
};
// UnityEngine.UI.LayoutGroup
struct LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2 : public UIBehaviour_tD1C6E2D542222546D68510ECE74036EFBC3C3B0E
{
public:
// UnityEngine.RectOffset UnityEngine.UI.LayoutGroup::m_Padding
RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 * ___m_Padding_4;
// UnityEngine.TextAnchor UnityEngine.UI.LayoutGroup::m_ChildAlignment
int32_t ___m_ChildAlignment_5;
// UnityEngine.RectTransform UnityEngine.UI.LayoutGroup::m_Rect
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_Rect_6;
// UnityEngine.DrivenRectTransformTracker UnityEngine.UI.LayoutGroup::m_Tracker
DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 ___m_Tracker_7;
// UnityEngine.Vector2 UnityEngine.UI.LayoutGroup::m_TotalMinSize
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_TotalMinSize_8;
// UnityEngine.Vector2 UnityEngine.UI.LayoutGroup::m_TotalPreferredSize
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_TotalPreferredSize_9;
// UnityEngine.Vector2 UnityEngine.UI.LayoutGroup::m_TotalFlexibleSize
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_TotalFlexibleSize_10;
// System.Collections.Generic.List`1<UnityEngine.RectTransform> UnityEngine.UI.LayoutGroup::m_RectChildren
List_1_t432BA4439FC00E108A9A351BD7FBCD9242270BB3 * ___m_RectChildren_11;
public:
inline static int32_t get_offset_of_m_Padding_4() { return static_cast<int32_t>(offsetof(LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2, ___m_Padding_4)); }
inline RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 * get_m_Padding_4() const { return ___m_Padding_4; }
inline RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 ** get_address_of_m_Padding_4() { return &___m_Padding_4; }
inline void set_m_Padding_4(RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70 * value)
{
___m_Padding_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Padding_4), (void*)value);
}
inline static int32_t get_offset_of_m_ChildAlignment_5() { return static_cast<int32_t>(offsetof(LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2, ___m_ChildAlignment_5)); }
inline int32_t get_m_ChildAlignment_5() const { return ___m_ChildAlignment_5; }
inline int32_t* get_address_of_m_ChildAlignment_5() { return &___m_ChildAlignment_5; }
inline void set_m_ChildAlignment_5(int32_t value)
{
___m_ChildAlignment_5 = value;
}
inline static int32_t get_offset_of_m_Rect_6() { return static_cast<int32_t>(offsetof(LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2, ___m_Rect_6)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_Rect_6() const { return ___m_Rect_6; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_Rect_6() { return &___m_Rect_6; }
inline void set_m_Rect_6(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_Rect_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Rect_6), (void*)value);
}
inline static int32_t get_offset_of_m_Tracker_7() { return static_cast<int32_t>(offsetof(LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2, ___m_Tracker_7)); }
inline DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 get_m_Tracker_7() const { return ___m_Tracker_7; }
inline DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 * get_address_of_m_Tracker_7() { return &___m_Tracker_7; }
inline void set_m_Tracker_7(DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 value)
{
___m_Tracker_7 = value;
}
inline static int32_t get_offset_of_m_TotalMinSize_8() { return static_cast<int32_t>(offsetof(LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2, ___m_TotalMinSize_8)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_TotalMinSize_8() const { return ___m_TotalMinSize_8; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_TotalMinSize_8() { return &___m_TotalMinSize_8; }
inline void set_m_TotalMinSize_8(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_TotalMinSize_8 = value;
}
inline static int32_t get_offset_of_m_TotalPreferredSize_9() { return static_cast<int32_t>(offsetof(LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2, ___m_TotalPreferredSize_9)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_TotalPreferredSize_9() const { return ___m_TotalPreferredSize_9; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_TotalPreferredSize_9() { return &___m_TotalPreferredSize_9; }
inline void set_m_TotalPreferredSize_9(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_TotalPreferredSize_9 = value;
}
inline static int32_t get_offset_of_m_TotalFlexibleSize_10() { return static_cast<int32_t>(offsetof(LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2, ___m_TotalFlexibleSize_10)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_TotalFlexibleSize_10() const { return ___m_TotalFlexibleSize_10; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_TotalFlexibleSize_10() { return &___m_TotalFlexibleSize_10; }
inline void set_m_TotalFlexibleSize_10(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_TotalFlexibleSize_10 = value;
}
inline static int32_t get_offset_of_m_RectChildren_11() { return static_cast<int32_t>(offsetof(LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2, ___m_RectChildren_11)); }
inline List_1_t432BA4439FC00E108A9A351BD7FBCD9242270BB3 * get_m_RectChildren_11() const { return ___m_RectChildren_11; }
inline List_1_t432BA4439FC00E108A9A351BD7FBCD9242270BB3 ** get_address_of_m_RectChildren_11() { return &___m_RectChildren_11; }
inline void set_m_RectChildren_11(List_1_t432BA4439FC00E108A9A351BD7FBCD9242270BB3 * value)
{
___m_RectChildren_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RectChildren_11), (void*)value);
}
};
// UnityEngine.Localization.Components.LocalizeStringEvent
struct LocalizeStringEvent_t8255744F57C3136DC936C014C1B0A86E5A24FA75 : public LocalizedMonoBehaviour_t86320BD4638977AAA24BBF2C2D5C5142C13F0B0B
{
public:
// UnityEngine.Localization.LocalizedString UnityEngine.Localization.Components.LocalizeStringEvent::m_StringReference
LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * ___m_StringReference_4;
// System.Collections.Generic.List`1<UnityEngine.Object> UnityEngine.Localization.Components.LocalizeStringEvent::m_FormatArguments
List_1_t9D216521E6A213FF8562D215598D336ABB5474F4 * ___m_FormatArguments_5;
// UnityEngine.Localization.Events.UnityEventString UnityEngine.Localization.Components.LocalizeStringEvent::m_UpdateString
UnityEventString_t41A1DD3703B9EF6C1B3D88B9AE18F4957930DBDA * ___m_UpdateString_6;
public:
inline static int32_t get_offset_of_m_StringReference_4() { return static_cast<int32_t>(offsetof(LocalizeStringEvent_t8255744F57C3136DC936C014C1B0A86E5A24FA75, ___m_StringReference_4)); }
inline LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * get_m_StringReference_4() const { return ___m_StringReference_4; }
inline LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F ** get_address_of_m_StringReference_4() { return &___m_StringReference_4; }
inline void set_m_StringReference_4(LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F * value)
{
___m_StringReference_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_StringReference_4), (void*)value);
}
inline static int32_t get_offset_of_m_FormatArguments_5() { return static_cast<int32_t>(offsetof(LocalizeStringEvent_t8255744F57C3136DC936C014C1B0A86E5A24FA75, ___m_FormatArguments_5)); }
inline List_1_t9D216521E6A213FF8562D215598D336ABB5474F4 * get_m_FormatArguments_5() const { return ___m_FormatArguments_5; }
inline List_1_t9D216521E6A213FF8562D215598D336ABB5474F4 ** get_address_of_m_FormatArguments_5() { return &___m_FormatArguments_5; }
inline void set_m_FormatArguments_5(List_1_t9D216521E6A213FF8562D215598D336ABB5474F4 * value)
{
___m_FormatArguments_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_FormatArguments_5), (void*)value);
}
inline static int32_t get_offset_of_m_UpdateString_6() { return static_cast<int32_t>(offsetof(LocalizeStringEvent_t8255744F57C3136DC936C014C1B0A86E5A24FA75, ___m_UpdateString_6)); }
inline UnityEventString_t41A1DD3703B9EF6C1B3D88B9AE18F4957930DBDA * get_m_UpdateString_6() const { return ___m_UpdateString_6; }
inline UnityEventString_t41A1DD3703B9EF6C1B3D88B9AE18F4957930DBDA ** get_address_of_m_UpdateString_6() { return &___m_UpdateString_6; }
inline void set_m_UpdateString_6(UnityEventString_t41A1DD3703B9EF6C1B3D88B9AE18F4957930DBDA * value)
{
___m_UpdateString_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateString_6), (void*)value);
}
};
// UnityEngine.UI.Mask
struct Mask_t8DE5E31E7C928D3B32AA60E36E49B4DCFED4417D : public UIBehaviour_tD1C6E2D542222546D68510ECE74036EFBC3C3B0E
{
public:
// UnityEngine.RectTransform UnityEngine.UI.Mask::m_RectTransform
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_RectTransform_4;
// System.Boolean UnityEngine.UI.Mask::m_ShowMaskGraphic
bool ___m_ShowMaskGraphic_5;
// UnityEngine.UI.Graphic UnityEngine.UI.Mask::m_Graphic
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * ___m_Graphic_6;
// UnityEngine.Material UnityEngine.UI.Mask::m_MaskMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___m_MaskMaterial_7;
// UnityEngine.Material UnityEngine.UI.Mask::m_UnmaskMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___m_UnmaskMaterial_8;
public:
inline static int32_t get_offset_of_m_RectTransform_4() { return static_cast<int32_t>(offsetof(Mask_t8DE5E31E7C928D3B32AA60E36E49B4DCFED4417D, ___m_RectTransform_4)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_RectTransform_4() const { return ___m_RectTransform_4; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_RectTransform_4() { return &___m_RectTransform_4; }
inline void set_m_RectTransform_4(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_RectTransform_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RectTransform_4), (void*)value);
}
inline static int32_t get_offset_of_m_ShowMaskGraphic_5() { return static_cast<int32_t>(offsetof(Mask_t8DE5E31E7C928D3B32AA60E36E49B4DCFED4417D, ___m_ShowMaskGraphic_5)); }
inline bool get_m_ShowMaskGraphic_5() const { return ___m_ShowMaskGraphic_5; }
inline bool* get_address_of_m_ShowMaskGraphic_5() { return &___m_ShowMaskGraphic_5; }
inline void set_m_ShowMaskGraphic_5(bool value)
{
___m_ShowMaskGraphic_5 = value;
}
inline static int32_t get_offset_of_m_Graphic_6() { return static_cast<int32_t>(offsetof(Mask_t8DE5E31E7C928D3B32AA60E36E49B4DCFED4417D, ___m_Graphic_6)); }
inline Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * get_m_Graphic_6() const { return ___m_Graphic_6; }
inline Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 ** get_address_of_m_Graphic_6() { return &___m_Graphic_6; }
inline void set_m_Graphic_6(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * value)
{
___m_Graphic_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Graphic_6), (void*)value);
}
inline static int32_t get_offset_of_m_MaskMaterial_7() { return static_cast<int32_t>(offsetof(Mask_t8DE5E31E7C928D3B32AA60E36E49B4DCFED4417D, ___m_MaskMaterial_7)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_m_MaskMaterial_7() const { return ___m_MaskMaterial_7; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_m_MaskMaterial_7() { return &___m_MaskMaterial_7; }
inline void set_m_MaskMaterial_7(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___m_MaskMaterial_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_MaskMaterial_7), (void*)value);
}
inline static int32_t get_offset_of_m_UnmaskMaterial_8() { return static_cast<int32_t>(offsetof(Mask_t8DE5E31E7C928D3B32AA60E36E49B4DCFED4417D, ___m_UnmaskMaterial_8)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_m_UnmaskMaterial_8() const { return ___m_UnmaskMaterial_8; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_m_UnmaskMaterial_8() { return &___m_UnmaskMaterial_8; }
inline void set_m_UnmaskMaterial_8(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___m_UnmaskMaterial_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UnmaskMaterial_8), (void*)value);
}
};
// MonoBehaviourCallbackHooks
struct MonoBehaviourCallbackHooks_tE91E611EBE4F93FA75B7047A0D29F1E933304F73 : public ComponentSingleton_1_t082B7ED06463DBC14D52929B9599DCDD334C723B
{
public:
// System.Action`1<System.Single> MonoBehaviourCallbackHooks::m_OnUpdateDelegate
Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * ___m_OnUpdateDelegate_5;
public:
inline static int32_t get_offset_of_m_OnUpdateDelegate_5() { return static_cast<int32_t>(offsetof(MonoBehaviourCallbackHooks_tE91E611EBE4F93FA75B7047A0D29F1E933304F73, ___m_OnUpdateDelegate_5)); }
inline Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * get_m_OnUpdateDelegate_5() const { return ___m_OnUpdateDelegate_5; }
inline Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 ** get_address_of_m_OnUpdateDelegate_5() { return &___m_OnUpdateDelegate_5; }
inline void set_m_OnUpdateDelegate_5(Action_1_t14225BCEFEF7A87B9836BA1CC40C611E313112D9 * value)
{
___m_OnUpdateDelegate_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnUpdateDelegate_5), (void*)value);
}
};
// UnityEngine.Localization.OperationHandleDeferedRelease
struct OperationHandleDeferedRelease_t3CB8447B82D250E89F6635FD4BC3B44470843EC3 : public ComponentSingleton_1_t46DB527A297AD59CC79BC4CF765BB15F46B75E9E
{
public:
// System.Collections.Generic.List`1<UnityEngine.ResourceManagement.AsyncOperations.AsyncOperationHandle> UnityEngine.Localization.OperationHandleDeferedRelease::m_CurrentReleaseHandles
List_1_t5442E20C5A292391C5A773F16A034AE18E414CB8 * ___m_CurrentReleaseHandles_5;
// System.Int32 UnityEngine.Localization.OperationHandleDeferedRelease::m_ReleaseFrame
int32_t ___m_ReleaseFrame_6;
public:
inline static int32_t get_offset_of_m_CurrentReleaseHandles_5() { return static_cast<int32_t>(offsetof(OperationHandleDeferedRelease_t3CB8447B82D250E89F6635FD4BC3B44470843EC3, ___m_CurrentReleaseHandles_5)); }
inline List_1_t5442E20C5A292391C5A773F16A034AE18E414CB8 * get_m_CurrentReleaseHandles_5() const { return ___m_CurrentReleaseHandles_5; }
inline List_1_t5442E20C5A292391C5A773F16A034AE18E414CB8 ** get_address_of_m_CurrentReleaseHandles_5() { return &___m_CurrentReleaseHandles_5; }
inline void set_m_CurrentReleaseHandles_5(List_1_t5442E20C5A292391C5A773F16A034AE18E414CB8 * value)
{
___m_CurrentReleaseHandles_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CurrentReleaseHandles_5), (void*)value);
}
inline static int32_t get_offset_of_m_ReleaseFrame_6() { return static_cast<int32_t>(offsetof(OperationHandleDeferedRelease_t3CB8447B82D250E89F6635FD4BC3B44470843EC3, ___m_ReleaseFrame_6)); }
inline int32_t get_m_ReleaseFrame_6() const { return ___m_ReleaseFrame_6; }
inline int32_t* get_address_of_m_ReleaseFrame_6() { return &___m_ReleaseFrame_6; }
inline void set_m_ReleaseFrame_6(int32_t value)
{
___m_ReleaseFrame_6 = value;
}
};
// UnityEngine.UI.RectMask2D
struct RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15 : public UIBehaviour_tD1C6E2D542222546D68510ECE74036EFBC3C3B0E
{
public:
// UnityEngine.UI.RectangularVertexClipper UnityEngine.UI.RectMask2D::m_VertexClipper
RectangularVertexClipper_t34360F92063A8540ABA87922B62269ADA99EB5E7 * ___m_VertexClipper_4;
// UnityEngine.RectTransform UnityEngine.UI.RectMask2D::m_RectTransform
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_RectTransform_5;
// System.Collections.Generic.HashSet`1<UnityEngine.UI.MaskableGraphic> UnityEngine.UI.RectMask2D::m_MaskableTargets
HashSet_1_t6A951F9CCEDD6A2D0480C901C10CF800711136EB * ___m_MaskableTargets_6;
// System.Collections.Generic.HashSet`1<UnityEngine.UI.IClippable> UnityEngine.UI.RectMask2D::m_ClipTargets
HashSet_1_t65DA2BDEB7E6E6B1C9F283153F3104A4029F9A38 * ___m_ClipTargets_7;
// System.Boolean UnityEngine.UI.RectMask2D::m_ShouldRecalculateClipRects
bool ___m_ShouldRecalculateClipRects_8;
// System.Collections.Generic.List`1<UnityEngine.UI.RectMask2D> UnityEngine.UI.RectMask2D::m_Clippers
List_1_t5709CD2CBFF795FF126CD146B019D4F8EC972EA0 * ___m_Clippers_9;
// UnityEngine.Rect UnityEngine.UI.RectMask2D::m_LastClipRectCanvasSpace
Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 ___m_LastClipRectCanvasSpace_10;
// System.Boolean UnityEngine.UI.RectMask2D::m_ForceClip
bool ___m_ForceClip_11;
// UnityEngine.Vector4 UnityEngine.UI.RectMask2D::m_Padding
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 ___m_Padding_12;
// UnityEngine.Vector2Int UnityEngine.UI.RectMask2D::m_Softness
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 ___m_Softness_13;
// UnityEngine.Canvas UnityEngine.UI.RectMask2D::m_Canvas
Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA * ___m_Canvas_14;
// UnityEngine.Vector3[] UnityEngine.UI.RectMask2D::m_Corners
Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* ___m_Corners_15;
public:
inline static int32_t get_offset_of_m_VertexClipper_4() { return static_cast<int32_t>(offsetof(RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15, ___m_VertexClipper_4)); }
inline RectangularVertexClipper_t34360F92063A8540ABA87922B62269ADA99EB5E7 * get_m_VertexClipper_4() const { return ___m_VertexClipper_4; }
inline RectangularVertexClipper_t34360F92063A8540ABA87922B62269ADA99EB5E7 ** get_address_of_m_VertexClipper_4() { return &___m_VertexClipper_4; }
inline void set_m_VertexClipper_4(RectangularVertexClipper_t34360F92063A8540ABA87922B62269ADA99EB5E7 * value)
{
___m_VertexClipper_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_VertexClipper_4), (void*)value);
}
inline static int32_t get_offset_of_m_RectTransform_5() { return static_cast<int32_t>(offsetof(RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15, ___m_RectTransform_5)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_RectTransform_5() const { return ___m_RectTransform_5; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_RectTransform_5() { return &___m_RectTransform_5; }
inline void set_m_RectTransform_5(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_RectTransform_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RectTransform_5), (void*)value);
}
inline static int32_t get_offset_of_m_MaskableTargets_6() { return static_cast<int32_t>(offsetof(RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15, ___m_MaskableTargets_6)); }
inline HashSet_1_t6A951F9CCEDD6A2D0480C901C10CF800711136EB * get_m_MaskableTargets_6() const { return ___m_MaskableTargets_6; }
inline HashSet_1_t6A951F9CCEDD6A2D0480C901C10CF800711136EB ** get_address_of_m_MaskableTargets_6() { return &___m_MaskableTargets_6; }
inline void set_m_MaskableTargets_6(HashSet_1_t6A951F9CCEDD6A2D0480C901C10CF800711136EB * value)
{
___m_MaskableTargets_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_MaskableTargets_6), (void*)value);
}
inline static int32_t get_offset_of_m_ClipTargets_7() { return static_cast<int32_t>(offsetof(RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15, ___m_ClipTargets_7)); }
inline HashSet_1_t65DA2BDEB7E6E6B1C9F283153F3104A4029F9A38 * get_m_ClipTargets_7() const { return ___m_ClipTargets_7; }
inline HashSet_1_t65DA2BDEB7E6E6B1C9F283153F3104A4029F9A38 ** get_address_of_m_ClipTargets_7() { return &___m_ClipTargets_7; }
inline void set_m_ClipTargets_7(HashSet_1_t65DA2BDEB7E6E6B1C9F283153F3104A4029F9A38 * value)
{
___m_ClipTargets_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ClipTargets_7), (void*)value);
}
inline static int32_t get_offset_of_m_ShouldRecalculateClipRects_8() { return static_cast<int32_t>(offsetof(RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15, ___m_ShouldRecalculateClipRects_8)); }
inline bool get_m_ShouldRecalculateClipRects_8() const { return ___m_ShouldRecalculateClipRects_8; }
inline bool* get_address_of_m_ShouldRecalculateClipRects_8() { return &___m_ShouldRecalculateClipRects_8; }
inline void set_m_ShouldRecalculateClipRects_8(bool value)
{
___m_ShouldRecalculateClipRects_8 = value;
}
inline static int32_t get_offset_of_m_Clippers_9() { return static_cast<int32_t>(offsetof(RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15, ___m_Clippers_9)); }
inline List_1_t5709CD2CBFF795FF126CD146B019D4F8EC972EA0 * get_m_Clippers_9() const { return ___m_Clippers_9; }
inline List_1_t5709CD2CBFF795FF126CD146B019D4F8EC972EA0 ** get_address_of_m_Clippers_9() { return &___m_Clippers_9; }
inline void set_m_Clippers_9(List_1_t5709CD2CBFF795FF126CD146B019D4F8EC972EA0 * value)
{
___m_Clippers_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Clippers_9), (void*)value);
}
inline static int32_t get_offset_of_m_LastClipRectCanvasSpace_10() { return static_cast<int32_t>(offsetof(RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15, ___m_LastClipRectCanvasSpace_10)); }
inline Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 get_m_LastClipRectCanvasSpace_10() const { return ___m_LastClipRectCanvasSpace_10; }
inline Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 * get_address_of_m_LastClipRectCanvasSpace_10() { return &___m_LastClipRectCanvasSpace_10; }
inline void set_m_LastClipRectCanvasSpace_10(Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 value)
{
___m_LastClipRectCanvasSpace_10 = value;
}
inline static int32_t get_offset_of_m_ForceClip_11() { return static_cast<int32_t>(offsetof(RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15, ___m_ForceClip_11)); }
inline bool get_m_ForceClip_11() const { return ___m_ForceClip_11; }
inline bool* get_address_of_m_ForceClip_11() { return &___m_ForceClip_11; }
inline void set_m_ForceClip_11(bool value)
{
___m_ForceClip_11 = value;
}
inline static int32_t get_offset_of_m_Padding_12() { return static_cast<int32_t>(offsetof(RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15, ___m_Padding_12)); }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 get_m_Padding_12() const { return ___m_Padding_12; }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 * get_address_of_m_Padding_12() { return &___m_Padding_12; }
inline void set_m_Padding_12(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 value)
{
___m_Padding_12 = value;
}
inline static int32_t get_offset_of_m_Softness_13() { return static_cast<int32_t>(offsetof(RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15, ___m_Softness_13)); }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 get_m_Softness_13() const { return ___m_Softness_13; }
inline Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 * get_address_of_m_Softness_13() { return &___m_Softness_13; }
inline void set_m_Softness_13(Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9 value)
{
___m_Softness_13 = value;
}
inline static int32_t get_offset_of_m_Canvas_14() { return static_cast<int32_t>(offsetof(RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15, ___m_Canvas_14)); }
inline Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA * get_m_Canvas_14() const { return ___m_Canvas_14; }
inline Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA ** get_address_of_m_Canvas_14() { return &___m_Canvas_14; }
inline void set_m_Canvas_14(Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA * value)
{
___m_Canvas_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Canvas_14), (void*)value);
}
inline static int32_t get_offset_of_m_Corners_15() { return static_cast<int32_t>(offsetof(RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15, ___m_Corners_15)); }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* get_m_Corners_15() const { return ___m_Corners_15; }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4** get_address_of_m_Corners_15() { return &___m_Corners_15; }
inline void set_m_Corners_15(Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* value)
{
___m_Corners_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Corners_15), (void*)value);
}
};
// UnityEngine.UI.ScrollRect
struct ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA : public UIBehaviour_tD1C6E2D542222546D68510ECE74036EFBC3C3B0E
{
public:
// UnityEngine.RectTransform UnityEngine.UI.ScrollRect::m_Content
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_Content_4;
// System.Boolean UnityEngine.UI.ScrollRect::m_Horizontal
bool ___m_Horizontal_5;
// System.Boolean UnityEngine.UI.ScrollRect::m_Vertical
bool ___m_Vertical_6;
// UnityEngine.UI.ScrollRect/MovementType UnityEngine.UI.ScrollRect::m_MovementType
int32_t ___m_MovementType_7;
// System.Single UnityEngine.UI.ScrollRect::m_Elasticity
float ___m_Elasticity_8;
// System.Boolean UnityEngine.UI.ScrollRect::m_Inertia
bool ___m_Inertia_9;
// System.Single UnityEngine.UI.ScrollRect::m_DecelerationRate
float ___m_DecelerationRate_10;
// System.Single UnityEngine.UI.ScrollRect::m_ScrollSensitivity
float ___m_ScrollSensitivity_11;
// UnityEngine.RectTransform UnityEngine.UI.ScrollRect::m_Viewport
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_Viewport_12;
// UnityEngine.UI.Scrollbar UnityEngine.UI.ScrollRect::m_HorizontalScrollbar
Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28 * ___m_HorizontalScrollbar_13;
// UnityEngine.UI.Scrollbar UnityEngine.UI.ScrollRect::m_VerticalScrollbar
Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28 * ___m_VerticalScrollbar_14;
// UnityEngine.UI.ScrollRect/ScrollbarVisibility UnityEngine.UI.ScrollRect::m_HorizontalScrollbarVisibility
int32_t ___m_HorizontalScrollbarVisibility_15;
// UnityEngine.UI.ScrollRect/ScrollbarVisibility UnityEngine.UI.ScrollRect::m_VerticalScrollbarVisibility
int32_t ___m_VerticalScrollbarVisibility_16;
// System.Single UnityEngine.UI.ScrollRect::m_HorizontalScrollbarSpacing
float ___m_HorizontalScrollbarSpacing_17;
// System.Single UnityEngine.UI.ScrollRect::m_VerticalScrollbarSpacing
float ___m_VerticalScrollbarSpacing_18;
// UnityEngine.UI.ScrollRect/ScrollRectEvent UnityEngine.UI.ScrollRect::m_OnValueChanged
ScrollRectEvent_tA2F08EF8BB0B0B0F72DB8242DC5AB17BB0D1731E * ___m_OnValueChanged_19;
// UnityEngine.Vector2 UnityEngine.UI.ScrollRect::m_PointerStartLocalCursor
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_PointerStartLocalCursor_20;
// UnityEngine.Vector2 UnityEngine.UI.ScrollRect::m_ContentStartPosition
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_ContentStartPosition_21;
// UnityEngine.RectTransform UnityEngine.UI.ScrollRect::m_ViewRect
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_ViewRect_22;
// UnityEngine.Bounds UnityEngine.UI.ScrollRect::m_ContentBounds
Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 ___m_ContentBounds_23;
// UnityEngine.Bounds UnityEngine.UI.ScrollRect::m_ViewBounds
Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 ___m_ViewBounds_24;
// UnityEngine.Vector2 UnityEngine.UI.ScrollRect::m_Velocity
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_Velocity_25;
// System.Boolean UnityEngine.UI.ScrollRect::m_Dragging
bool ___m_Dragging_26;
// System.Boolean UnityEngine.UI.ScrollRect::m_Scrolling
bool ___m_Scrolling_27;
// UnityEngine.Vector2 UnityEngine.UI.ScrollRect::m_PrevPosition
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_PrevPosition_28;
// UnityEngine.Bounds UnityEngine.UI.ScrollRect::m_PrevContentBounds
Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 ___m_PrevContentBounds_29;
// UnityEngine.Bounds UnityEngine.UI.ScrollRect::m_PrevViewBounds
Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 ___m_PrevViewBounds_30;
// System.Boolean UnityEngine.UI.ScrollRect::m_HasRebuiltLayout
bool ___m_HasRebuiltLayout_31;
// System.Boolean UnityEngine.UI.ScrollRect::m_HSliderExpand
bool ___m_HSliderExpand_32;
// System.Boolean UnityEngine.UI.ScrollRect::m_VSliderExpand
bool ___m_VSliderExpand_33;
// System.Single UnityEngine.UI.ScrollRect::m_HSliderHeight
float ___m_HSliderHeight_34;
// System.Single UnityEngine.UI.ScrollRect::m_VSliderWidth
float ___m_VSliderWidth_35;
// UnityEngine.RectTransform UnityEngine.UI.ScrollRect::m_Rect
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_Rect_36;
// UnityEngine.RectTransform UnityEngine.UI.ScrollRect::m_HorizontalScrollbarRect
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_HorizontalScrollbarRect_37;
// UnityEngine.RectTransform UnityEngine.UI.ScrollRect::m_VerticalScrollbarRect
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_VerticalScrollbarRect_38;
// UnityEngine.DrivenRectTransformTracker UnityEngine.UI.ScrollRect::m_Tracker
DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 ___m_Tracker_39;
// UnityEngine.Vector3[] UnityEngine.UI.ScrollRect::m_Corners
Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* ___m_Corners_40;
public:
inline static int32_t get_offset_of_m_Content_4() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_Content_4)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_Content_4() const { return ___m_Content_4; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_Content_4() { return &___m_Content_4; }
inline void set_m_Content_4(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_Content_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Content_4), (void*)value);
}
inline static int32_t get_offset_of_m_Horizontal_5() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_Horizontal_5)); }
inline bool get_m_Horizontal_5() const { return ___m_Horizontal_5; }
inline bool* get_address_of_m_Horizontal_5() { return &___m_Horizontal_5; }
inline void set_m_Horizontal_5(bool value)
{
___m_Horizontal_5 = value;
}
inline static int32_t get_offset_of_m_Vertical_6() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_Vertical_6)); }
inline bool get_m_Vertical_6() const { return ___m_Vertical_6; }
inline bool* get_address_of_m_Vertical_6() { return &___m_Vertical_6; }
inline void set_m_Vertical_6(bool value)
{
___m_Vertical_6 = value;
}
inline static int32_t get_offset_of_m_MovementType_7() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_MovementType_7)); }
inline int32_t get_m_MovementType_7() const { return ___m_MovementType_7; }
inline int32_t* get_address_of_m_MovementType_7() { return &___m_MovementType_7; }
inline void set_m_MovementType_7(int32_t value)
{
___m_MovementType_7 = value;
}
inline static int32_t get_offset_of_m_Elasticity_8() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_Elasticity_8)); }
inline float get_m_Elasticity_8() const { return ___m_Elasticity_8; }
inline float* get_address_of_m_Elasticity_8() { return &___m_Elasticity_8; }
inline void set_m_Elasticity_8(float value)
{
___m_Elasticity_8 = value;
}
inline static int32_t get_offset_of_m_Inertia_9() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_Inertia_9)); }
inline bool get_m_Inertia_9() const { return ___m_Inertia_9; }
inline bool* get_address_of_m_Inertia_9() { return &___m_Inertia_9; }
inline void set_m_Inertia_9(bool value)
{
___m_Inertia_9 = value;
}
inline static int32_t get_offset_of_m_DecelerationRate_10() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_DecelerationRate_10)); }
inline float get_m_DecelerationRate_10() const { return ___m_DecelerationRate_10; }
inline float* get_address_of_m_DecelerationRate_10() { return &___m_DecelerationRate_10; }
inline void set_m_DecelerationRate_10(float value)
{
___m_DecelerationRate_10 = value;
}
inline static int32_t get_offset_of_m_ScrollSensitivity_11() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_ScrollSensitivity_11)); }
inline float get_m_ScrollSensitivity_11() const { return ___m_ScrollSensitivity_11; }
inline float* get_address_of_m_ScrollSensitivity_11() { return &___m_ScrollSensitivity_11; }
inline void set_m_ScrollSensitivity_11(float value)
{
___m_ScrollSensitivity_11 = value;
}
inline static int32_t get_offset_of_m_Viewport_12() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_Viewport_12)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_Viewport_12() const { return ___m_Viewport_12; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_Viewport_12() { return &___m_Viewport_12; }
inline void set_m_Viewport_12(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_Viewport_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Viewport_12), (void*)value);
}
inline static int32_t get_offset_of_m_HorizontalScrollbar_13() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_HorizontalScrollbar_13)); }
inline Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28 * get_m_HorizontalScrollbar_13() const { return ___m_HorizontalScrollbar_13; }
inline Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28 ** get_address_of_m_HorizontalScrollbar_13() { return &___m_HorizontalScrollbar_13; }
inline void set_m_HorizontalScrollbar_13(Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28 * value)
{
___m_HorizontalScrollbar_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_HorizontalScrollbar_13), (void*)value);
}
inline static int32_t get_offset_of_m_VerticalScrollbar_14() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_VerticalScrollbar_14)); }
inline Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28 * get_m_VerticalScrollbar_14() const { return ___m_VerticalScrollbar_14; }
inline Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28 ** get_address_of_m_VerticalScrollbar_14() { return &___m_VerticalScrollbar_14; }
inline void set_m_VerticalScrollbar_14(Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28 * value)
{
___m_VerticalScrollbar_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_VerticalScrollbar_14), (void*)value);
}
inline static int32_t get_offset_of_m_HorizontalScrollbarVisibility_15() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_HorizontalScrollbarVisibility_15)); }
inline int32_t get_m_HorizontalScrollbarVisibility_15() const { return ___m_HorizontalScrollbarVisibility_15; }
inline int32_t* get_address_of_m_HorizontalScrollbarVisibility_15() { return &___m_HorizontalScrollbarVisibility_15; }
inline void set_m_HorizontalScrollbarVisibility_15(int32_t value)
{
___m_HorizontalScrollbarVisibility_15 = value;
}
inline static int32_t get_offset_of_m_VerticalScrollbarVisibility_16() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_VerticalScrollbarVisibility_16)); }
inline int32_t get_m_VerticalScrollbarVisibility_16() const { return ___m_VerticalScrollbarVisibility_16; }
inline int32_t* get_address_of_m_VerticalScrollbarVisibility_16() { return &___m_VerticalScrollbarVisibility_16; }
inline void set_m_VerticalScrollbarVisibility_16(int32_t value)
{
___m_VerticalScrollbarVisibility_16 = value;
}
inline static int32_t get_offset_of_m_HorizontalScrollbarSpacing_17() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_HorizontalScrollbarSpacing_17)); }
inline float get_m_HorizontalScrollbarSpacing_17() const { return ___m_HorizontalScrollbarSpacing_17; }
inline float* get_address_of_m_HorizontalScrollbarSpacing_17() { return &___m_HorizontalScrollbarSpacing_17; }
inline void set_m_HorizontalScrollbarSpacing_17(float value)
{
___m_HorizontalScrollbarSpacing_17 = value;
}
inline static int32_t get_offset_of_m_VerticalScrollbarSpacing_18() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_VerticalScrollbarSpacing_18)); }
inline float get_m_VerticalScrollbarSpacing_18() const { return ___m_VerticalScrollbarSpacing_18; }
inline float* get_address_of_m_VerticalScrollbarSpacing_18() { return &___m_VerticalScrollbarSpacing_18; }
inline void set_m_VerticalScrollbarSpacing_18(float value)
{
___m_VerticalScrollbarSpacing_18 = value;
}
inline static int32_t get_offset_of_m_OnValueChanged_19() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_OnValueChanged_19)); }
inline ScrollRectEvent_tA2F08EF8BB0B0B0F72DB8242DC5AB17BB0D1731E * get_m_OnValueChanged_19() const { return ___m_OnValueChanged_19; }
inline ScrollRectEvent_tA2F08EF8BB0B0B0F72DB8242DC5AB17BB0D1731E ** get_address_of_m_OnValueChanged_19() { return &___m_OnValueChanged_19; }
inline void set_m_OnValueChanged_19(ScrollRectEvent_tA2F08EF8BB0B0B0F72DB8242DC5AB17BB0D1731E * value)
{
___m_OnValueChanged_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnValueChanged_19), (void*)value);
}
inline static int32_t get_offset_of_m_PointerStartLocalCursor_20() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_PointerStartLocalCursor_20)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_PointerStartLocalCursor_20() const { return ___m_PointerStartLocalCursor_20; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_PointerStartLocalCursor_20() { return &___m_PointerStartLocalCursor_20; }
inline void set_m_PointerStartLocalCursor_20(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_PointerStartLocalCursor_20 = value;
}
inline static int32_t get_offset_of_m_ContentStartPosition_21() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_ContentStartPosition_21)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_ContentStartPosition_21() const { return ___m_ContentStartPosition_21; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_ContentStartPosition_21() { return &___m_ContentStartPosition_21; }
inline void set_m_ContentStartPosition_21(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_ContentStartPosition_21 = value;
}
inline static int32_t get_offset_of_m_ViewRect_22() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_ViewRect_22)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_ViewRect_22() const { return ___m_ViewRect_22; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_ViewRect_22() { return &___m_ViewRect_22; }
inline void set_m_ViewRect_22(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_ViewRect_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ViewRect_22), (void*)value);
}
inline static int32_t get_offset_of_m_ContentBounds_23() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_ContentBounds_23)); }
inline Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 get_m_ContentBounds_23() const { return ___m_ContentBounds_23; }
inline Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 * get_address_of_m_ContentBounds_23() { return &___m_ContentBounds_23; }
inline void set_m_ContentBounds_23(Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 value)
{
___m_ContentBounds_23 = value;
}
inline static int32_t get_offset_of_m_ViewBounds_24() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_ViewBounds_24)); }
inline Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 get_m_ViewBounds_24() const { return ___m_ViewBounds_24; }
inline Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 * get_address_of_m_ViewBounds_24() { return &___m_ViewBounds_24; }
inline void set_m_ViewBounds_24(Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 value)
{
___m_ViewBounds_24 = value;
}
inline static int32_t get_offset_of_m_Velocity_25() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_Velocity_25)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_Velocity_25() const { return ___m_Velocity_25; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_Velocity_25() { return &___m_Velocity_25; }
inline void set_m_Velocity_25(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_Velocity_25 = value;
}
inline static int32_t get_offset_of_m_Dragging_26() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_Dragging_26)); }
inline bool get_m_Dragging_26() const { return ___m_Dragging_26; }
inline bool* get_address_of_m_Dragging_26() { return &___m_Dragging_26; }
inline void set_m_Dragging_26(bool value)
{
___m_Dragging_26 = value;
}
inline static int32_t get_offset_of_m_Scrolling_27() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_Scrolling_27)); }
inline bool get_m_Scrolling_27() const { return ___m_Scrolling_27; }
inline bool* get_address_of_m_Scrolling_27() { return &___m_Scrolling_27; }
inline void set_m_Scrolling_27(bool value)
{
___m_Scrolling_27 = value;
}
inline static int32_t get_offset_of_m_PrevPosition_28() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_PrevPosition_28)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_PrevPosition_28() const { return ___m_PrevPosition_28; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_PrevPosition_28() { return &___m_PrevPosition_28; }
inline void set_m_PrevPosition_28(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_PrevPosition_28 = value;
}
inline static int32_t get_offset_of_m_PrevContentBounds_29() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_PrevContentBounds_29)); }
inline Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 get_m_PrevContentBounds_29() const { return ___m_PrevContentBounds_29; }
inline Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 * get_address_of_m_PrevContentBounds_29() { return &___m_PrevContentBounds_29; }
inline void set_m_PrevContentBounds_29(Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 value)
{
___m_PrevContentBounds_29 = value;
}
inline static int32_t get_offset_of_m_PrevViewBounds_30() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_PrevViewBounds_30)); }
inline Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 get_m_PrevViewBounds_30() const { return ___m_PrevViewBounds_30; }
inline Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 * get_address_of_m_PrevViewBounds_30() { return &___m_PrevViewBounds_30; }
inline void set_m_PrevViewBounds_30(Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37 value)
{
___m_PrevViewBounds_30 = value;
}
inline static int32_t get_offset_of_m_HasRebuiltLayout_31() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_HasRebuiltLayout_31)); }
inline bool get_m_HasRebuiltLayout_31() const { return ___m_HasRebuiltLayout_31; }
inline bool* get_address_of_m_HasRebuiltLayout_31() { return &___m_HasRebuiltLayout_31; }
inline void set_m_HasRebuiltLayout_31(bool value)
{
___m_HasRebuiltLayout_31 = value;
}
inline static int32_t get_offset_of_m_HSliderExpand_32() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_HSliderExpand_32)); }
inline bool get_m_HSliderExpand_32() const { return ___m_HSliderExpand_32; }
inline bool* get_address_of_m_HSliderExpand_32() { return &___m_HSliderExpand_32; }
inline void set_m_HSliderExpand_32(bool value)
{
___m_HSliderExpand_32 = value;
}
inline static int32_t get_offset_of_m_VSliderExpand_33() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_VSliderExpand_33)); }
inline bool get_m_VSliderExpand_33() const { return ___m_VSliderExpand_33; }
inline bool* get_address_of_m_VSliderExpand_33() { return &___m_VSliderExpand_33; }
inline void set_m_VSliderExpand_33(bool value)
{
___m_VSliderExpand_33 = value;
}
inline static int32_t get_offset_of_m_HSliderHeight_34() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_HSliderHeight_34)); }
inline float get_m_HSliderHeight_34() const { return ___m_HSliderHeight_34; }
inline float* get_address_of_m_HSliderHeight_34() { return &___m_HSliderHeight_34; }
inline void set_m_HSliderHeight_34(float value)
{
___m_HSliderHeight_34 = value;
}
inline static int32_t get_offset_of_m_VSliderWidth_35() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_VSliderWidth_35)); }
inline float get_m_VSliderWidth_35() const { return ___m_VSliderWidth_35; }
inline float* get_address_of_m_VSliderWidth_35() { return &___m_VSliderWidth_35; }
inline void set_m_VSliderWidth_35(float value)
{
___m_VSliderWidth_35 = value;
}
inline static int32_t get_offset_of_m_Rect_36() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_Rect_36)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_Rect_36() const { return ___m_Rect_36; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_Rect_36() { return &___m_Rect_36; }
inline void set_m_Rect_36(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_Rect_36 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Rect_36), (void*)value);
}
inline static int32_t get_offset_of_m_HorizontalScrollbarRect_37() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_HorizontalScrollbarRect_37)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_HorizontalScrollbarRect_37() const { return ___m_HorizontalScrollbarRect_37; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_HorizontalScrollbarRect_37() { return &___m_HorizontalScrollbarRect_37; }
inline void set_m_HorizontalScrollbarRect_37(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_HorizontalScrollbarRect_37 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_HorizontalScrollbarRect_37), (void*)value);
}
inline static int32_t get_offset_of_m_VerticalScrollbarRect_38() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_VerticalScrollbarRect_38)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_VerticalScrollbarRect_38() const { return ___m_VerticalScrollbarRect_38; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_VerticalScrollbarRect_38() { return &___m_VerticalScrollbarRect_38; }
inline void set_m_VerticalScrollbarRect_38(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_VerticalScrollbarRect_38 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_VerticalScrollbarRect_38), (void*)value);
}
inline static int32_t get_offset_of_m_Tracker_39() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_Tracker_39)); }
inline DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 get_m_Tracker_39() const { return ___m_Tracker_39; }
inline DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 * get_address_of_m_Tracker_39() { return &___m_Tracker_39; }
inline void set_m_Tracker_39(DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 value)
{
___m_Tracker_39 = value;
}
inline static int32_t get_offset_of_m_Corners_40() { return static_cast<int32_t>(offsetof(ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA, ___m_Corners_40)); }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* get_m_Corners_40() const { return ___m_Corners_40; }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4** get_address_of_m_Corners_40() { return &___m_Corners_40; }
inline void set_m_Corners_40(Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* value)
{
___m_Corners_40 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Corners_40), (void*)value);
}
};
// UnityEngine.UI.Selectable
struct Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD : public UIBehaviour_tD1C6E2D542222546D68510ECE74036EFBC3C3B0E
{
public:
// System.Boolean UnityEngine.UI.Selectable::m_EnableCalled
bool ___m_EnableCalled_6;
// UnityEngine.UI.Navigation UnityEngine.UI.Selectable::m_Navigation
Navigation_t1CF0FFB22C0357CD64714FB7A40A275F899D363A ___m_Navigation_7;
// UnityEngine.UI.Selectable/Transition UnityEngine.UI.Selectable::m_Transition
int32_t ___m_Transition_8;
// UnityEngine.UI.ColorBlock UnityEngine.UI.Selectable::m_Colors
ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955 ___m_Colors_9;
// UnityEngine.UI.SpriteState UnityEngine.UI.Selectable::m_SpriteState
SpriteState_t9024961148433175CE2F3D9E8E9239A8B1CAB15E ___m_SpriteState_10;
// UnityEngine.UI.AnimationTriggers UnityEngine.UI.Selectable::m_AnimationTriggers
AnimationTriggers_tF38CA7FA631709E096B57D732668D86081F44C11 * ___m_AnimationTriggers_11;
// System.Boolean UnityEngine.UI.Selectable::m_Interactable
bool ___m_Interactable_12;
// UnityEngine.UI.Graphic UnityEngine.UI.Selectable::m_TargetGraphic
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * ___m_TargetGraphic_13;
// System.Boolean UnityEngine.UI.Selectable::m_GroupsAllowInteraction
bool ___m_GroupsAllowInteraction_14;
// System.Int32 UnityEngine.UI.Selectable::m_CurrentIndex
int32_t ___m_CurrentIndex_15;
// System.Boolean UnityEngine.UI.Selectable::<isPointerInside>k__BackingField
bool ___U3CisPointerInsideU3Ek__BackingField_16;
// System.Boolean UnityEngine.UI.Selectable::<isPointerDown>k__BackingField
bool ___U3CisPointerDownU3Ek__BackingField_17;
// System.Boolean UnityEngine.UI.Selectable::<hasSelection>k__BackingField
bool ___U3ChasSelectionU3Ek__BackingField_18;
// System.Collections.Generic.List`1<UnityEngine.CanvasGroup> UnityEngine.UI.Selectable::m_CanvasGroupCache
List_1_t34AA4AF4E7352129CA58045901530E41445AC16D * ___m_CanvasGroupCache_19;
public:
inline static int32_t get_offset_of_m_EnableCalled_6() { return static_cast<int32_t>(offsetof(Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD, ___m_EnableCalled_6)); }
inline bool get_m_EnableCalled_6() const { return ___m_EnableCalled_6; }
inline bool* get_address_of_m_EnableCalled_6() { return &___m_EnableCalled_6; }
inline void set_m_EnableCalled_6(bool value)
{
___m_EnableCalled_6 = value;
}
inline static int32_t get_offset_of_m_Navigation_7() { return static_cast<int32_t>(offsetof(Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD, ___m_Navigation_7)); }
inline Navigation_t1CF0FFB22C0357CD64714FB7A40A275F899D363A get_m_Navigation_7() const { return ___m_Navigation_7; }
inline Navigation_t1CF0FFB22C0357CD64714FB7A40A275F899D363A * get_address_of_m_Navigation_7() { return &___m_Navigation_7; }
inline void set_m_Navigation_7(Navigation_t1CF0FFB22C0357CD64714FB7A40A275F899D363A value)
{
___m_Navigation_7 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_Navigation_7))->___m_SelectOnUp_2), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_Navigation_7))->___m_SelectOnDown_3), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_Navigation_7))->___m_SelectOnLeft_4), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_Navigation_7))->___m_SelectOnRight_5), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_Transition_8() { return static_cast<int32_t>(offsetof(Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD, ___m_Transition_8)); }
inline int32_t get_m_Transition_8() const { return ___m_Transition_8; }
inline int32_t* get_address_of_m_Transition_8() { return &___m_Transition_8; }
inline void set_m_Transition_8(int32_t value)
{
___m_Transition_8 = value;
}
inline static int32_t get_offset_of_m_Colors_9() { return static_cast<int32_t>(offsetof(Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD, ___m_Colors_9)); }
inline ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955 get_m_Colors_9() const { return ___m_Colors_9; }
inline ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955 * get_address_of_m_Colors_9() { return &___m_Colors_9; }
inline void set_m_Colors_9(ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955 value)
{
___m_Colors_9 = value;
}
inline static int32_t get_offset_of_m_SpriteState_10() { return static_cast<int32_t>(offsetof(Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD, ___m_SpriteState_10)); }
inline SpriteState_t9024961148433175CE2F3D9E8E9239A8B1CAB15E get_m_SpriteState_10() const { return ___m_SpriteState_10; }
inline SpriteState_t9024961148433175CE2F3D9E8E9239A8B1CAB15E * get_address_of_m_SpriteState_10() { return &___m_SpriteState_10; }
inline void set_m_SpriteState_10(SpriteState_t9024961148433175CE2F3D9E8E9239A8B1CAB15E value)
{
___m_SpriteState_10 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SpriteState_10))->___m_HighlightedSprite_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SpriteState_10))->___m_PressedSprite_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SpriteState_10))->___m_SelectedSprite_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SpriteState_10))->___m_DisabledSprite_3), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_AnimationTriggers_11() { return static_cast<int32_t>(offsetof(Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD, ___m_AnimationTriggers_11)); }
inline AnimationTriggers_tF38CA7FA631709E096B57D732668D86081F44C11 * get_m_AnimationTriggers_11() const { return ___m_AnimationTriggers_11; }
inline AnimationTriggers_tF38CA7FA631709E096B57D732668D86081F44C11 ** get_address_of_m_AnimationTriggers_11() { return &___m_AnimationTriggers_11; }
inline void set_m_AnimationTriggers_11(AnimationTriggers_tF38CA7FA631709E096B57D732668D86081F44C11 * value)
{
___m_AnimationTriggers_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_AnimationTriggers_11), (void*)value);
}
inline static int32_t get_offset_of_m_Interactable_12() { return static_cast<int32_t>(offsetof(Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD, ___m_Interactable_12)); }
inline bool get_m_Interactable_12() const { return ___m_Interactable_12; }
inline bool* get_address_of_m_Interactable_12() { return &___m_Interactable_12; }
inline void set_m_Interactable_12(bool value)
{
___m_Interactable_12 = value;
}
inline static int32_t get_offset_of_m_TargetGraphic_13() { return static_cast<int32_t>(offsetof(Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD, ___m_TargetGraphic_13)); }
inline Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * get_m_TargetGraphic_13() const { return ___m_TargetGraphic_13; }
inline Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 ** get_address_of_m_TargetGraphic_13() { return &___m_TargetGraphic_13; }
inline void set_m_TargetGraphic_13(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * value)
{
___m_TargetGraphic_13 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TargetGraphic_13), (void*)value);
}
inline static int32_t get_offset_of_m_GroupsAllowInteraction_14() { return static_cast<int32_t>(offsetof(Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD, ___m_GroupsAllowInteraction_14)); }
inline bool get_m_GroupsAllowInteraction_14() const { return ___m_GroupsAllowInteraction_14; }
inline bool* get_address_of_m_GroupsAllowInteraction_14() { return &___m_GroupsAllowInteraction_14; }
inline void set_m_GroupsAllowInteraction_14(bool value)
{
___m_GroupsAllowInteraction_14 = value;
}
inline static int32_t get_offset_of_m_CurrentIndex_15() { return static_cast<int32_t>(offsetof(Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD, ___m_CurrentIndex_15)); }
inline int32_t get_m_CurrentIndex_15() const { return ___m_CurrentIndex_15; }
inline int32_t* get_address_of_m_CurrentIndex_15() { return &___m_CurrentIndex_15; }
inline void set_m_CurrentIndex_15(int32_t value)
{
___m_CurrentIndex_15 = value;
}
inline static int32_t get_offset_of_U3CisPointerInsideU3Ek__BackingField_16() { return static_cast<int32_t>(offsetof(Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD, ___U3CisPointerInsideU3Ek__BackingField_16)); }
inline bool get_U3CisPointerInsideU3Ek__BackingField_16() const { return ___U3CisPointerInsideU3Ek__BackingField_16; }
inline bool* get_address_of_U3CisPointerInsideU3Ek__BackingField_16() { return &___U3CisPointerInsideU3Ek__BackingField_16; }
inline void set_U3CisPointerInsideU3Ek__BackingField_16(bool value)
{
___U3CisPointerInsideU3Ek__BackingField_16 = value;
}
inline static int32_t get_offset_of_U3CisPointerDownU3Ek__BackingField_17() { return static_cast<int32_t>(offsetof(Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD, ___U3CisPointerDownU3Ek__BackingField_17)); }
inline bool get_U3CisPointerDownU3Ek__BackingField_17() const { return ___U3CisPointerDownU3Ek__BackingField_17; }
inline bool* get_address_of_U3CisPointerDownU3Ek__BackingField_17() { return &___U3CisPointerDownU3Ek__BackingField_17; }
inline void set_U3CisPointerDownU3Ek__BackingField_17(bool value)
{
___U3CisPointerDownU3Ek__BackingField_17 = value;
}
inline static int32_t get_offset_of_U3ChasSelectionU3Ek__BackingField_18() { return static_cast<int32_t>(offsetof(Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD, ___U3ChasSelectionU3Ek__BackingField_18)); }
inline bool get_U3ChasSelectionU3Ek__BackingField_18() const { return ___U3ChasSelectionU3Ek__BackingField_18; }
inline bool* get_address_of_U3ChasSelectionU3Ek__BackingField_18() { return &___U3ChasSelectionU3Ek__BackingField_18; }
inline void set_U3ChasSelectionU3Ek__BackingField_18(bool value)
{
___U3ChasSelectionU3Ek__BackingField_18 = value;
}
inline static int32_t get_offset_of_m_CanvasGroupCache_19() { return static_cast<int32_t>(offsetof(Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD, ___m_CanvasGroupCache_19)); }
inline List_1_t34AA4AF4E7352129CA58045901530E41445AC16D * get_m_CanvasGroupCache_19() const { return ___m_CanvasGroupCache_19; }
inline List_1_t34AA4AF4E7352129CA58045901530E41445AC16D ** get_address_of_m_CanvasGroupCache_19() { return &___m_CanvasGroupCache_19; }
inline void set_m_CanvasGroupCache_19(List_1_t34AA4AF4E7352129CA58045901530E41445AC16D * value)
{
___m_CanvasGroupCache_19 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CanvasGroupCache_19), (void*)value);
}
};
struct Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD_StaticFields
{
public:
// UnityEngine.UI.Selectable[] UnityEngine.UI.Selectable::s_Selectables
SelectableU5BU5D_tECF9F5BDBF0652A937D18F10C883EFDAE2E62535* ___s_Selectables_4;
// System.Int32 UnityEngine.UI.Selectable::s_SelectableCount
int32_t ___s_SelectableCount_5;
public:
inline static int32_t get_offset_of_s_Selectables_4() { return static_cast<int32_t>(offsetof(Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD_StaticFields, ___s_Selectables_4)); }
inline SelectableU5BU5D_tECF9F5BDBF0652A937D18F10C883EFDAE2E62535* get_s_Selectables_4() const { return ___s_Selectables_4; }
inline SelectableU5BU5D_tECF9F5BDBF0652A937D18F10C883EFDAE2E62535** get_address_of_s_Selectables_4() { return &___s_Selectables_4; }
inline void set_s_Selectables_4(SelectableU5BU5D_tECF9F5BDBF0652A937D18F10C883EFDAE2E62535* value)
{
___s_Selectables_4 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Selectables_4), (void*)value);
}
inline static int32_t get_offset_of_s_SelectableCount_5() { return static_cast<int32_t>(offsetof(Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD_StaticFields, ___s_SelectableCount_5)); }
inline int32_t get_s_SelectableCount_5() const { return ___s_SelectableCount_5; }
inline int32_t* get_address_of_s_SelectableCount_5() { return &___s_SelectableCount_5; }
inline void set_s_SelectableCount_5(int32_t value)
{
___s_SelectableCount_5 = value;
}
};
// TMPro.TextContainer
struct TextContainer_t397B1340CD69150F936048DB53D857135408D2A1 : public UIBehaviour_tD1C6E2D542222546D68510ECE74036EFBC3C3B0E
{
public:
// System.Boolean TMPro.TextContainer::m_hasChanged
bool ___m_hasChanged_4;
// UnityEngine.Vector2 TMPro.TextContainer::m_pivot
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_pivot_5;
// TMPro.TextContainerAnchors TMPro.TextContainer::m_anchorPosition
int32_t ___m_anchorPosition_6;
// UnityEngine.Rect TMPro.TextContainer::m_rect
Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 ___m_rect_7;
// System.Boolean TMPro.TextContainer::m_isDefaultWidth
bool ___m_isDefaultWidth_8;
// System.Boolean TMPro.TextContainer::m_isDefaultHeight
bool ___m_isDefaultHeight_9;
// System.Boolean TMPro.TextContainer::m_isAutoFitting
bool ___m_isAutoFitting_10;
// UnityEngine.Vector3[] TMPro.TextContainer::m_corners
Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* ___m_corners_11;
// UnityEngine.Vector3[] TMPro.TextContainer::m_worldCorners
Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* ___m_worldCorners_12;
// UnityEngine.Vector4 TMPro.TextContainer::m_margins
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 ___m_margins_13;
// UnityEngine.RectTransform TMPro.TextContainer::m_rectTransform
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_rectTransform_14;
// TMPro.TextMeshPro TMPro.TextContainer::m_textMeshPro
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4 * ___m_textMeshPro_16;
public:
inline static int32_t get_offset_of_m_hasChanged_4() { return static_cast<int32_t>(offsetof(TextContainer_t397B1340CD69150F936048DB53D857135408D2A1, ___m_hasChanged_4)); }
inline bool get_m_hasChanged_4() const { return ___m_hasChanged_4; }
inline bool* get_address_of_m_hasChanged_4() { return &___m_hasChanged_4; }
inline void set_m_hasChanged_4(bool value)
{
___m_hasChanged_4 = value;
}
inline static int32_t get_offset_of_m_pivot_5() { return static_cast<int32_t>(offsetof(TextContainer_t397B1340CD69150F936048DB53D857135408D2A1, ___m_pivot_5)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_pivot_5() const { return ___m_pivot_5; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_pivot_5() { return &___m_pivot_5; }
inline void set_m_pivot_5(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_pivot_5 = value;
}
inline static int32_t get_offset_of_m_anchorPosition_6() { return static_cast<int32_t>(offsetof(TextContainer_t397B1340CD69150F936048DB53D857135408D2A1, ___m_anchorPosition_6)); }
inline int32_t get_m_anchorPosition_6() const { return ___m_anchorPosition_6; }
inline int32_t* get_address_of_m_anchorPosition_6() { return &___m_anchorPosition_6; }
inline void set_m_anchorPosition_6(int32_t value)
{
___m_anchorPosition_6 = value;
}
inline static int32_t get_offset_of_m_rect_7() { return static_cast<int32_t>(offsetof(TextContainer_t397B1340CD69150F936048DB53D857135408D2A1, ___m_rect_7)); }
inline Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 get_m_rect_7() const { return ___m_rect_7; }
inline Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 * get_address_of_m_rect_7() { return &___m_rect_7; }
inline void set_m_rect_7(Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 value)
{
___m_rect_7 = value;
}
inline static int32_t get_offset_of_m_isDefaultWidth_8() { return static_cast<int32_t>(offsetof(TextContainer_t397B1340CD69150F936048DB53D857135408D2A1, ___m_isDefaultWidth_8)); }
inline bool get_m_isDefaultWidth_8() const { return ___m_isDefaultWidth_8; }
inline bool* get_address_of_m_isDefaultWidth_8() { return &___m_isDefaultWidth_8; }
inline void set_m_isDefaultWidth_8(bool value)
{
___m_isDefaultWidth_8 = value;
}
inline static int32_t get_offset_of_m_isDefaultHeight_9() { return static_cast<int32_t>(offsetof(TextContainer_t397B1340CD69150F936048DB53D857135408D2A1, ___m_isDefaultHeight_9)); }
inline bool get_m_isDefaultHeight_9() const { return ___m_isDefaultHeight_9; }
inline bool* get_address_of_m_isDefaultHeight_9() { return &___m_isDefaultHeight_9; }
inline void set_m_isDefaultHeight_9(bool value)
{
___m_isDefaultHeight_9 = value;
}
inline static int32_t get_offset_of_m_isAutoFitting_10() { return static_cast<int32_t>(offsetof(TextContainer_t397B1340CD69150F936048DB53D857135408D2A1, ___m_isAutoFitting_10)); }
inline bool get_m_isAutoFitting_10() const { return ___m_isAutoFitting_10; }
inline bool* get_address_of_m_isAutoFitting_10() { return &___m_isAutoFitting_10; }
inline void set_m_isAutoFitting_10(bool value)
{
___m_isAutoFitting_10 = value;
}
inline static int32_t get_offset_of_m_corners_11() { return static_cast<int32_t>(offsetof(TextContainer_t397B1340CD69150F936048DB53D857135408D2A1, ___m_corners_11)); }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* get_m_corners_11() const { return ___m_corners_11; }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4** get_address_of_m_corners_11() { return &___m_corners_11; }
inline void set_m_corners_11(Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* value)
{
___m_corners_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_corners_11), (void*)value);
}
inline static int32_t get_offset_of_m_worldCorners_12() { return static_cast<int32_t>(offsetof(TextContainer_t397B1340CD69150F936048DB53D857135408D2A1, ___m_worldCorners_12)); }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* get_m_worldCorners_12() const { return ___m_worldCorners_12; }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4** get_address_of_m_worldCorners_12() { return &___m_worldCorners_12; }
inline void set_m_worldCorners_12(Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* value)
{
___m_worldCorners_12 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_worldCorners_12), (void*)value);
}
inline static int32_t get_offset_of_m_margins_13() { return static_cast<int32_t>(offsetof(TextContainer_t397B1340CD69150F936048DB53D857135408D2A1, ___m_margins_13)); }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 get_m_margins_13() const { return ___m_margins_13; }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 * get_address_of_m_margins_13() { return &___m_margins_13; }
inline void set_m_margins_13(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 value)
{
___m_margins_13 = value;
}
inline static int32_t get_offset_of_m_rectTransform_14() { return static_cast<int32_t>(offsetof(TextContainer_t397B1340CD69150F936048DB53D857135408D2A1, ___m_rectTransform_14)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_rectTransform_14() const { return ___m_rectTransform_14; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_rectTransform_14() { return &___m_rectTransform_14; }
inline void set_m_rectTransform_14(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_rectTransform_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_rectTransform_14), (void*)value);
}
inline static int32_t get_offset_of_m_textMeshPro_16() { return static_cast<int32_t>(offsetof(TextContainer_t397B1340CD69150F936048DB53D857135408D2A1, ___m_textMeshPro_16)); }
inline TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4 * get_m_textMeshPro_16() const { return ___m_textMeshPro_16; }
inline TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4 ** get_address_of_m_textMeshPro_16() { return &___m_textMeshPro_16; }
inline void set_m_textMeshPro_16(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4 * value)
{
___m_textMeshPro_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_textMeshPro_16), (void*)value);
}
};
struct TextContainer_t397B1340CD69150F936048DB53D857135408D2A1_StaticFields
{
public:
// UnityEngine.Vector2 TMPro.TextContainer::k_defaultSize
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___k_defaultSize_15;
public:
inline static int32_t get_offset_of_k_defaultSize_15() { return static_cast<int32_t>(offsetof(TextContainer_t397B1340CD69150F936048DB53D857135408D2A1_StaticFields, ___k_defaultSize_15)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_k_defaultSize_15() const { return ___k_defaultSize_15; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_k_defaultSize_15() { return &___k_defaultSize_15; }
inline void set_k_defaultSize_15(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___k_defaultSize_15 = value;
}
};
// UnityEngine.UI.ToggleGroup
struct ToggleGroup_t12E1DFDEB3FFD979A20299EE42A94388AC619C95 : public UIBehaviour_tD1C6E2D542222546D68510ECE74036EFBC3C3B0E
{
public:
// System.Boolean UnityEngine.UI.ToggleGroup::m_AllowSwitchOff
bool ___m_AllowSwitchOff_4;
// System.Collections.Generic.List`1<UnityEngine.UI.Toggle> UnityEngine.UI.ToggleGroup::m_Toggles
List_1_tECEEA56321275CFF8DECB929786CE364F743B07D * ___m_Toggles_5;
public:
inline static int32_t get_offset_of_m_AllowSwitchOff_4() { return static_cast<int32_t>(offsetof(ToggleGroup_t12E1DFDEB3FFD979A20299EE42A94388AC619C95, ___m_AllowSwitchOff_4)); }
inline bool get_m_AllowSwitchOff_4() const { return ___m_AllowSwitchOff_4; }
inline bool* get_address_of_m_AllowSwitchOff_4() { return &___m_AllowSwitchOff_4; }
inline void set_m_AllowSwitchOff_4(bool value)
{
___m_AllowSwitchOff_4 = value;
}
inline static int32_t get_offset_of_m_Toggles_5() { return static_cast<int32_t>(offsetof(ToggleGroup_t12E1DFDEB3FFD979A20299EE42A94388AC619C95, ___m_Toggles_5)); }
inline List_1_tECEEA56321275CFF8DECB929786CE364F743B07D * get_m_Toggles_5() const { return ___m_Toggles_5; }
inline List_1_tECEEA56321275CFF8DECB929786CE364F743B07D ** get_address_of_m_Toggles_5() { return &___m_Toggles_5; }
inline void set_m_Toggles_5(List_1_tECEEA56321275CFF8DECB929786CE364F743B07D * value)
{
___m_Toggles_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Toggles_5), (void*)value);
}
};
// UnityEngine.Localization.Components.LocalizedAssetEvent`3<UnityEngine.AudioClip,UnityEngine.Localization.LocalizedAudioClip,UnityEngine.Localization.Events.UnityEventAudioClip>
struct LocalizedAssetEvent_3_tC17BA44588E97739A585057B202D2B0ED61FE4C3 : public LocalizedAssetBehaviour_2_t3D1758F4C8243AD2D1E0A67AFD966E26922788CD
{
public:
// TEvent UnityEngine.Localization.Components.LocalizedAssetEvent`3::m_UpdateAsset
UnityEventAudioClip_t5E25CAA4A85829397619B5959B5B96625C6F2CFB * ___m_UpdateAsset_5;
public:
inline static int32_t get_offset_of_m_UpdateAsset_5() { return static_cast<int32_t>(offsetof(LocalizedAssetEvent_3_tC17BA44588E97739A585057B202D2B0ED61FE4C3, ___m_UpdateAsset_5)); }
inline UnityEventAudioClip_t5E25CAA4A85829397619B5959B5B96625C6F2CFB * get_m_UpdateAsset_5() const { return ___m_UpdateAsset_5; }
inline UnityEventAudioClip_t5E25CAA4A85829397619B5959B5B96625C6F2CFB ** get_address_of_m_UpdateAsset_5() { return &___m_UpdateAsset_5; }
inline void set_m_UpdateAsset_5(UnityEventAudioClip_t5E25CAA4A85829397619B5959B5B96625C6F2CFB * value)
{
___m_UpdateAsset_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateAsset_5), (void*)value);
}
};
// UnityEngine.Localization.Components.LocalizedAssetEvent`3<UnityEngine.GameObject,UnityEngine.Localization.LocalizedGameObject,UnityEngine.Localization.Events.UnityEventGameObject>
struct LocalizedAssetEvent_3_t638B10AB4708590019B940F4306A80F14FE4AE93 : public LocalizedAssetBehaviour_2_t419291E05E962369FCE0A38D4614B4AC065AD683
{
public:
// TEvent UnityEngine.Localization.Components.LocalizedAssetEvent`3::m_UpdateAsset
UnityEventGameObject_t5590751F17946F7544A57BF4BC96389E126F2613 * ___m_UpdateAsset_5;
public:
inline static int32_t get_offset_of_m_UpdateAsset_5() { return static_cast<int32_t>(offsetof(LocalizedAssetEvent_3_t638B10AB4708590019B940F4306A80F14FE4AE93, ___m_UpdateAsset_5)); }
inline UnityEventGameObject_t5590751F17946F7544A57BF4BC96389E126F2613 * get_m_UpdateAsset_5() const { return ___m_UpdateAsset_5; }
inline UnityEventGameObject_t5590751F17946F7544A57BF4BC96389E126F2613 ** get_address_of_m_UpdateAsset_5() { return &___m_UpdateAsset_5; }
inline void set_m_UpdateAsset_5(UnityEventGameObject_t5590751F17946F7544A57BF4BC96389E126F2613 * value)
{
___m_UpdateAsset_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateAsset_5), (void*)value);
}
};
// UnityEngine.Localization.Components.LocalizedAssetEvent`3<UnityEngine.Sprite,UnityEngine.Localization.LocalizedSprite,UnityEngine.Localization.Events.UnityEventSprite>
struct LocalizedAssetEvent_3_tB6F17FD21DE908D87281DC801033727A59703F34 : public LocalizedAssetBehaviour_2_tEE8369F6FECB734F2FCFD4EF1337C79F2779945E
{
public:
// TEvent UnityEngine.Localization.Components.LocalizedAssetEvent`3::m_UpdateAsset
UnityEventSprite_t11C1863845C76969B2B9CF6F4E5E68C15943DDEA * ___m_UpdateAsset_5;
public:
inline static int32_t get_offset_of_m_UpdateAsset_5() { return static_cast<int32_t>(offsetof(LocalizedAssetEvent_3_tB6F17FD21DE908D87281DC801033727A59703F34, ___m_UpdateAsset_5)); }
inline UnityEventSprite_t11C1863845C76969B2B9CF6F4E5E68C15943DDEA * get_m_UpdateAsset_5() const { return ___m_UpdateAsset_5; }
inline UnityEventSprite_t11C1863845C76969B2B9CF6F4E5E68C15943DDEA ** get_address_of_m_UpdateAsset_5() { return &___m_UpdateAsset_5; }
inline void set_m_UpdateAsset_5(UnityEventSprite_t11C1863845C76969B2B9CF6F4E5E68C15943DDEA * value)
{
___m_UpdateAsset_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateAsset_5), (void*)value);
}
};
// UnityEngine.Localization.Components.LocalizedAssetEvent`3<UnityEngine.Texture,UnityEngine.Localization.LocalizedTexture,UnityEngine.Localization.Events.UnityEventTexture>
struct LocalizedAssetEvent_3_tB22A2FF27CC3C58E74E3BB4D3986677734CD9D3A : public LocalizedAssetBehaviour_2_tC816D4C5F7910159D7838C02902D754B8CC258F7
{
public:
// TEvent UnityEngine.Localization.Components.LocalizedAssetEvent`3::m_UpdateAsset
UnityEventTexture_tC8E4791FB90D680B98B1C987B273102BA5C5B66F * ___m_UpdateAsset_5;
public:
inline static int32_t get_offset_of_m_UpdateAsset_5() { return static_cast<int32_t>(offsetof(LocalizedAssetEvent_3_tB22A2FF27CC3C58E74E3BB4D3986677734CD9D3A, ___m_UpdateAsset_5)); }
inline UnityEventTexture_tC8E4791FB90D680B98B1C987B273102BA5C5B66F * get_m_UpdateAsset_5() const { return ___m_UpdateAsset_5; }
inline UnityEventTexture_tC8E4791FB90D680B98B1C987B273102BA5C5B66F ** get_address_of_m_UpdateAsset_5() { return &___m_UpdateAsset_5; }
inline void set_m_UpdateAsset_5(UnityEventTexture_tC8E4791FB90D680B98B1C987B273102BA5C5B66F * value)
{
___m_UpdateAsset_5 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_UpdateAsset_5), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARAnchor
struct ARAnchor_t356CA280DDF676713C46531E89D5CAE4AEA0F80C : public ARTrackable_2_t107972B6EEF36EFAECBEE6700C766F5C41F2658C
{
public:
public:
};
// UnityEngine.XR.ARFoundation.ARAnchorManager
struct ARAnchorManager_t969330AB785F0DC41EF9F4390D77F7ABA30F7D0F : public ARTrackableManager_5_tF58ECFC7F6A90AF84C72F45AEED8FF0190D59C1C
{
public:
// UnityEngine.GameObject UnityEngine.XR.ARFoundation.ARAnchorManager::m_AnchorPrefab
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_AnchorPrefab_14;
// System.Action`1<UnityEngine.XR.ARFoundation.ARAnchorsChangedEventArgs> UnityEngine.XR.ARFoundation.ARAnchorManager::anchorsChanged
Action_1_t2010A517B3537EF3B4D41177377C7645A9C4439C * ___anchorsChanged_15;
public:
inline static int32_t get_offset_of_m_AnchorPrefab_14() { return static_cast<int32_t>(offsetof(ARAnchorManager_t969330AB785F0DC41EF9F4390D77F7ABA30F7D0F, ___m_AnchorPrefab_14)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_m_AnchorPrefab_14() const { return ___m_AnchorPrefab_14; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_m_AnchorPrefab_14() { return &___m_AnchorPrefab_14; }
inline void set_m_AnchorPrefab_14(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___m_AnchorPrefab_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_AnchorPrefab_14), (void*)value);
}
inline static int32_t get_offset_of_anchorsChanged_15() { return static_cast<int32_t>(offsetof(ARAnchorManager_t969330AB785F0DC41EF9F4390D77F7ABA30F7D0F, ___anchorsChanged_15)); }
inline Action_1_t2010A517B3537EF3B4D41177377C7645A9C4439C * get_anchorsChanged_15() const { return ___anchorsChanged_15; }
inline Action_1_t2010A517B3537EF3B4D41177377C7645A9C4439C ** get_address_of_anchorsChanged_15() { return &___anchorsChanged_15; }
inline void set_anchorsChanged_15(Action_1_t2010A517B3537EF3B4D41177377C7645A9C4439C * value)
{
___anchorsChanged_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___anchorsChanged_15), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.AREnvironmentProbe
struct AREnvironmentProbe_t07D9FE76280E485B45567C85DEE6E1CEF5D518CB : public ARTrackable_2_t0704C64D8510A15ACFB4C76647F4B6C5029828B7
{
public:
// UnityEngine.ReflectionProbe UnityEngine.XR.ARFoundation.AREnvironmentProbe::m_ReflectionProbe
ReflectionProbe_tE553CF027821D5B1CA7533A2DF24F8711642C1E3 * ___m_ReflectionProbe_7;
// UnityEngine.XR.ARSubsystems.XRTextureDescriptor UnityEngine.XR.ARFoundation.AREnvironmentProbe::m_CurrentTextureDescriptor
XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57 ___m_CurrentTextureDescriptor_8;
// UnityEngine.XR.ARFoundation.ARTextureInfo UnityEngine.XR.ARFoundation.AREnvironmentProbe::m_CustomBakedTextureInfo
ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 ___m_CustomBakedTextureInfo_9;
// UnityEngine.FilterMode UnityEngine.XR.ARFoundation.AREnvironmentProbe::m_EnvironmentTextureFilterMode
int32_t ___m_EnvironmentTextureFilterMode_10;
// UnityEngine.XR.ARFoundation.AREnvironmentProbePlacementType UnityEngine.XR.ARFoundation.AREnvironmentProbe::<placementType>k__BackingField
int32_t ___U3CplacementTypeU3Ek__BackingField_11;
public:
inline static int32_t get_offset_of_m_ReflectionProbe_7() { return static_cast<int32_t>(offsetof(AREnvironmentProbe_t07D9FE76280E485B45567C85DEE6E1CEF5D518CB, ___m_ReflectionProbe_7)); }
inline ReflectionProbe_tE553CF027821D5B1CA7533A2DF24F8711642C1E3 * get_m_ReflectionProbe_7() const { return ___m_ReflectionProbe_7; }
inline ReflectionProbe_tE553CF027821D5B1CA7533A2DF24F8711642C1E3 ** get_address_of_m_ReflectionProbe_7() { return &___m_ReflectionProbe_7; }
inline void set_m_ReflectionProbe_7(ReflectionProbe_tE553CF027821D5B1CA7533A2DF24F8711642C1E3 * value)
{
___m_ReflectionProbe_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ReflectionProbe_7), (void*)value);
}
inline static int32_t get_offset_of_m_CurrentTextureDescriptor_8() { return static_cast<int32_t>(offsetof(AREnvironmentProbe_t07D9FE76280E485B45567C85DEE6E1CEF5D518CB, ___m_CurrentTextureDescriptor_8)); }
inline XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57 get_m_CurrentTextureDescriptor_8() const { return ___m_CurrentTextureDescriptor_8; }
inline XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57 * get_address_of_m_CurrentTextureDescriptor_8() { return &___m_CurrentTextureDescriptor_8; }
inline void set_m_CurrentTextureDescriptor_8(XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57 value)
{
___m_CurrentTextureDescriptor_8 = value;
}
inline static int32_t get_offset_of_m_CustomBakedTextureInfo_9() { return static_cast<int32_t>(offsetof(AREnvironmentProbe_t07D9FE76280E485B45567C85DEE6E1CEF5D518CB, ___m_CustomBakedTextureInfo_9)); }
inline ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 get_m_CustomBakedTextureInfo_9() const { return ___m_CustomBakedTextureInfo_9; }
inline ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 * get_address_of_m_CustomBakedTextureInfo_9() { return &___m_CustomBakedTextureInfo_9; }
inline void set_m_CustomBakedTextureInfo_9(ARTextureInfo_t081B3396E755CC95C37B7BA68075F5DBEF36B355 value)
{
___m_CustomBakedTextureInfo_9 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_CustomBakedTextureInfo_9))->___m_Texture_2), (void*)NULL);
}
inline static int32_t get_offset_of_m_EnvironmentTextureFilterMode_10() { return static_cast<int32_t>(offsetof(AREnvironmentProbe_t07D9FE76280E485B45567C85DEE6E1CEF5D518CB, ___m_EnvironmentTextureFilterMode_10)); }
inline int32_t get_m_EnvironmentTextureFilterMode_10() const { return ___m_EnvironmentTextureFilterMode_10; }
inline int32_t* get_address_of_m_EnvironmentTextureFilterMode_10() { return &___m_EnvironmentTextureFilterMode_10; }
inline void set_m_EnvironmentTextureFilterMode_10(int32_t value)
{
___m_EnvironmentTextureFilterMode_10 = value;
}
inline static int32_t get_offset_of_U3CplacementTypeU3Ek__BackingField_11() { return static_cast<int32_t>(offsetof(AREnvironmentProbe_t07D9FE76280E485B45567C85DEE6E1CEF5D518CB, ___U3CplacementTypeU3Ek__BackingField_11)); }
inline int32_t get_U3CplacementTypeU3Ek__BackingField_11() const { return ___U3CplacementTypeU3Ek__BackingField_11; }
inline int32_t* get_address_of_U3CplacementTypeU3Ek__BackingField_11() { return &___U3CplacementTypeU3Ek__BackingField_11; }
inline void set_U3CplacementTypeU3Ek__BackingField_11(int32_t value)
{
___U3CplacementTypeU3Ek__BackingField_11 = value;
}
};
// UnityEngine.XR.ARFoundation.AREnvironmentProbeManager
struct AREnvironmentProbeManager_tAA6D770241EB7BC46001E8E2D8BA1C73370F6571 : public ARTrackableManager_5_tE758A0A4FECB4EBD33FD70F0CAECBD3F749E014C
{
public:
// System.Boolean UnityEngine.XR.ARFoundation.AREnvironmentProbeManager::m_AutomaticPlacement
bool ___m_AutomaticPlacement_14;
// UnityEngine.FilterMode UnityEngine.XR.ARFoundation.AREnvironmentProbeManager::m_EnvironmentTextureFilterMode
int32_t ___m_EnvironmentTextureFilterMode_15;
// System.Boolean UnityEngine.XR.ARFoundation.AREnvironmentProbeManager::m_EnvironmentTextureHDR
bool ___m_EnvironmentTextureHDR_16;
// UnityEngine.GameObject UnityEngine.XR.ARFoundation.AREnvironmentProbeManager::m_DebugPrefab
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_DebugPrefab_17;
// System.Action`1<UnityEngine.XR.ARFoundation.AREnvironmentProbesChangedEvent> UnityEngine.XR.ARFoundation.AREnvironmentProbeManager::environmentProbesChanged
Action_1_t0F6567E57EA04FFED0BAC55480D317F625716C50 * ___environmentProbesChanged_18;
public:
inline static int32_t get_offset_of_m_AutomaticPlacement_14() { return static_cast<int32_t>(offsetof(AREnvironmentProbeManager_tAA6D770241EB7BC46001E8E2D8BA1C73370F6571, ___m_AutomaticPlacement_14)); }
inline bool get_m_AutomaticPlacement_14() const { return ___m_AutomaticPlacement_14; }
inline bool* get_address_of_m_AutomaticPlacement_14() { return &___m_AutomaticPlacement_14; }
inline void set_m_AutomaticPlacement_14(bool value)
{
___m_AutomaticPlacement_14 = value;
}
inline static int32_t get_offset_of_m_EnvironmentTextureFilterMode_15() { return static_cast<int32_t>(offsetof(AREnvironmentProbeManager_tAA6D770241EB7BC46001E8E2D8BA1C73370F6571, ___m_EnvironmentTextureFilterMode_15)); }
inline int32_t get_m_EnvironmentTextureFilterMode_15() const { return ___m_EnvironmentTextureFilterMode_15; }
inline int32_t* get_address_of_m_EnvironmentTextureFilterMode_15() { return &___m_EnvironmentTextureFilterMode_15; }
inline void set_m_EnvironmentTextureFilterMode_15(int32_t value)
{
___m_EnvironmentTextureFilterMode_15 = value;
}
inline static int32_t get_offset_of_m_EnvironmentTextureHDR_16() { return static_cast<int32_t>(offsetof(AREnvironmentProbeManager_tAA6D770241EB7BC46001E8E2D8BA1C73370F6571, ___m_EnvironmentTextureHDR_16)); }
inline bool get_m_EnvironmentTextureHDR_16() const { return ___m_EnvironmentTextureHDR_16; }
inline bool* get_address_of_m_EnvironmentTextureHDR_16() { return &___m_EnvironmentTextureHDR_16; }
inline void set_m_EnvironmentTextureHDR_16(bool value)
{
___m_EnvironmentTextureHDR_16 = value;
}
inline static int32_t get_offset_of_m_DebugPrefab_17() { return static_cast<int32_t>(offsetof(AREnvironmentProbeManager_tAA6D770241EB7BC46001E8E2D8BA1C73370F6571, ___m_DebugPrefab_17)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_m_DebugPrefab_17() const { return ___m_DebugPrefab_17; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_m_DebugPrefab_17() { return &___m_DebugPrefab_17; }
inline void set_m_DebugPrefab_17(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___m_DebugPrefab_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DebugPrefab_17), (void*)value);
}
inline static int32_t get_offset_of_environmentProbesChanged_18() { return static_cast<int32_t>(offsetof(AREnvironmentProbeManager_tAA6D770241EB7BC46001E8E2D8BA1C73370F6571, ___environmentProbesChanged_18)); }
inline Action_1_t0F6567E57EA04FFED0BAC55480D317F625716C50 * get_environmentProbesChanged_18() const { return ___environmentProbesChanged_18; }
inline Action_1_t0F6567E57EA04FFED0BAC55480D317F625716C50 ** get_address_of_environmentProbesChanged_18() { return &___environmentProbesChanged_18; }
inline void set_environmentProbesChanged_18(Action_1_t0F6567E57EA04FFED0BAC55480D317F625716C50 * value)
{
___environmentProbesChanged_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___environmentProbesChanged_18), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARFace
struct ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1 : public ARTrackable_2_t928DBA17064C56CC4815ABE9EE35A64034C4998B
{
public:
// System.Action`1<UnityEngine.XR.ARFoundation.ARFaceUpdatedEventArgs> UnityEngine.XR.ARFoundation.ARFace::updated
Action_1_tE4B11DC242A81D29CAB72548F670C1D43FACE7D7 * ___updated_7;
// UnityEngine.Transform UnityEngine.XR.ARFoundation.ARFace::<leftEye>k__BackingField
Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * ___U3CleftEyeU3Ek__BackingField_8;
// UnityEngine.Transform UnityEngine.XR.ARFoundation.ARFace::<rightEye>k__BackingField
Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * ___U3CrightEyeU3Ek__BackingField_9;
// UnityEngine.Transform UnityEngine.XR.ARFoundation.ARFace::<fixationPoint>k__BackingField
Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * ___U3CfixationPointU3Ek__BackingField_10;
// UnityEngine.XR.ARSubsystems.XRFaceMesh UnityEngine.XR.ARFoundation.ARFace::m_FaceMesh
XRFaceMesh_t2ADC7E6069DCCCFB439A4A60DB9189338C9E1AD0 ___m_FaceMesh_11;
// System.Boolean UnityEngine.XR.ARFoundation.ARFace::m_Updated
bool ___m_Updated_12;
public:
inline static int32_t get_offset_of_updated_7() { return static_cast<int32_t>(offsetof(ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1, ___updated_7)); }
inline Action_1_tE4B11DC242A81D29CAB72548F670C1D43FACE7D7 * get_updated_7() const { return ___updated_7; }
inline Action_1_tE4B11DC242A81D29CAB72548F670C1D43FACE7D7 ** get_address_of_updated_7() { return &___updated_7; }
inline void set_updated_7(Action_1_tE4B11DC242A81D29CAB72548F670C1D43FACE7D7 * value)
{
___updated_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___updated_7), (void*)value);
}
inline static int32_t get_offset_of_U3CleftEyeU3Ek__BackingField_8() { return static_cast<int32_t>(offsetof(ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1, ___U3CleftEyeU3Ek__BackingField_8)); }
inline Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * get_U3CleftEyeU3Ek__BackingField_8() const { return ___U3CleftEyeU3Ek__BackingField_8; }
inline Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 ** get_address_of_U3CleftEyeU3Ek__BackingField_8() { return &___U3CleftEyeU3Ek__BackingField_8; }
inline void set_U3CleftEyeU3Ek__BackingField_8(Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * value)
{
___U3CleftEyeU3Ek__BackingField_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CleftEyeU3Ek__BackingField_8), (void*)value);
}
inline static int32_t get_offset_of_U3CrightEyeU3Ek__BackingField_9() { return static_cast<int32_t>(offsetof(ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1, ___U3CrightEyeU3Ek__BackingField_9)); }
inline Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * get_U3CrightEyeU3Ek__BackingField_9() const { return ___U3CrightEyeU3Ek__BackingField_9; }
inline Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 ** get_address_of_U3CrightEyeU3Ek__BackingField_9() { return &___U3CrightEyeU3Ek__BackingField_9; }
inline void set_U3CrightEyeU3Ek__BackingField_9(Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * value)
{
___U3CrightEyeU3Ek__BackingField_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CrightEyeU3Ek__BackingField_9), (void*)value);
}
inline static int32_t get_offset_of_U3CfixationPointU3Ek__BackingField_10() { return static_cast<int32_t>(offsetof(ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1, ___U3CfixationPointU3Ek__BackingField_10)); }
inline Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * get_U3CfixationPointU3Ek__BackingField_10() const { return ___U3CfixationPointU3Ek__BackingField_10; }
inline Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 ** get_address_of_U3CfixationPointU3Ek__BackingField_10() { return &___U3CfixationPointU3Ek__BackingField_10; }
inline void set_U3CfixationPointU3Ek__BackingField_10(Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * value)
{
___U3CfixationPointU3Ek__BackingField_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CfixationPointU3Ek__BackingField_10), (void*)value);
}
inline static int32_t get_offset_of_m_FaceMesh_11() { return static_cast<int32_t>(offsetof(ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1, ___m_FaceMesh_11)); }
inline XRFaceMesh_t2ADC7E6069DCCCFB439A4A60DB9189338C9E1AD0 get_m_FaceMesh_11() const { return ___m_FaceMesh_11; }
inline XRFaceMesh_t2ADC7E6069DCCCFB439A4A60DB9189338C9E1AD0 * get_address_of_m_FaceMesh_11() { return &___m_FaceMesh_11; }
inline void set_m_FaceMesh_11(XRFaceMesh_t2ADC7E6069DCCCFB439A4A60DB9189338C9E1AD0 value)
{
___m_FaceMesh_11 = value;
}
inline static int32_t get_offset_of_m_Updated_12() { return static_cast<int32_t>(offsetof(ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1, ___m_Updated_12)); }
inline bool get_m_Updated_12() const { return ___m_Updated_12; }
inline bool* get_address_of_m_Updated_12() { return &___m_Updated_12; }
inline void set_m_Updated_12(bool value)
{
___m_Updated_12 = value;
}
};
// UnityEngine.XR.ARFoundation.ARFaceManager
struct ARFaceManager_t587CD3EE57FE343549CEF05B14CA6258A9E11647 : public ARTrackableManager_5_tA11D83781E6860F7F8F040BF2AEC32E98C703909
{
public:
// UnityEngine.GameObject UnityEngine.XR.ARFoundation.ARFaceManager::m_FacePrefab
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_FacePrefab_14;
// System.Int32 UnityEngine.XR.ARFoundation.ARFaceManager::m_MaximumFaceCount
int32_t ___m_MaximumFaceCount_15;
// System.Action`1<UnityEngine.XR.ARFoundation.ARFacesChangedEventArgs> UnityEngine.XR.ARFoundation.ARFaceManager::facesChanged
Action_1_t751B1FAC322BE3B28E8F31CAF84A77CDD1A42358 * ___facesChanged_16;
public:
inline static int32_t get_offset_of_m_FacePrefab_14() { return static_cast<int32_t>(offsetof(ARFaceManager_t587CD3EE57FE343549CEF05B14CA6258A9E11647, ___m_FacePrefab_14)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_m_FacePrefab_14() const { return ___m_FacePrefab_14; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_m_FacePrefab_14() { return &___m_FacePrefab_14; }
inline void set_m_FacePrefab_14(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___m_FacePrefab_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_FacePrefab_14), (void*)value);
}
inline static int32_t get_offset_of_m_MaximumFaceCount_15() { return static_cast<int32_t>(offsetof(ARFaceManager_t587CD3EE57FE343549CEF05B14CA6258A9E11647, ___m_MaximumFaceCount_15)); }
inline int32_t get_m_MaximumFaceCount_15() const { return ___m_MaximumFaceCount_15; }
inline int32_t* get_address_of_m_MaximumFaceCount_15() { return &___m_MaximumFaceCount_15; }
inline void set_m_MaximumFaceCount_15(int32_t value)
{
___m_MaximumFaceCount_15 = value;
}
inline static int32_t get_offset_of_facesChanged_16() { return static_cast<int32_t>(offsetof(ARFaceManager_t587CD3EE57FE343549CEF05B14CA6258A9E11647, ___facesChanged_16)); }
inline Action_1_t751B1FAC322BE3B28E8F31CAF84A77CDD1A42358 * get_facesChanged_16() const { return ___facesChanged_16; }
inline Action_1_t751B1FAC322BE3B28E8F31CAF84A77CDD1A42358 ** get_address_of_facesChanged_16() { return &___facesChanged_16; }
inline void set_facesChanged_16(Action_1_t751B1FAC322BE3B28E8F31CAF84A77CDD1A42358 * value)
{
___facesChanged_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___facesChanged_16), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARHumanBody
struct ARHumanBody_tD50BBE7B486B76556A46BE9C799EE268D4ABB3B5 : public ARTrackable_2_t482FF6DE9326FFF166148DA7425768F6FA9EB9B0
{
public:
// Unity.Collections.NativeArray`1<UnityEngine.XR.ARSubsystems.XRHumanBodyJoint> UnityEngine.XR.ARFoundation.ARHumanBody::m_Joints
NativeArray_1_t733A71EE29E0C7D2F944E30A1729F085DEB1138C ___m_Joints_7;
public:
inline static int32_t get_offset_of_m_Joints_7() { return static_cast<int32_t>(offsetof(ARHumanBody_tD50BBE7B486B76556A46BE9C799EE268D4ABB3B5, ___m_Joints_7)); }
inline NativeArray_1_t733A71EE29E0C7D2F944E30A1729F085DEB1138C get_m_Joints_7() const { return ___m_Joints_7; }
inline NativeArray_1_t733A71EE29E0C7D2F944E30A1729F085DEB1138C * get_address_of_m_Joints_7() { return &___m_Joints_7; }
inline void set_m_Joints_7(NativeArray_1_t733A71EE29E0C7D2F944E30A1729F085DEB1138C value)
{
___m_Joints_7 = value;
}
};
// UnityEngine.XR.ARFoundation.ARHumanBodyManager
struct ARHumanBodyManager_t901B9F11785ED05D74F4FAC50D14259488D800B4 : public ARTrackableManager_5_tBF03E2FD1615218DA910F13396AC5FBC8895A950
{
public:
// System.Boolean UnityEngine.XR.ARFoundation.ARHumanBodyManager::m_Pose2D
bool ___m_Pose2D_14;
// System.Boolean UnityEngine.XR.ARFoundation.ARHumanBodyManager::m_Pose3D
bool ___m_Pose3D_15;
// System.Boolean UnityEngine.XR.ARFoundation.ARHumanBodyManager::m_Pose3DScaleEstimation
bool ___m_Pose3DScaleEstimation_16;
// UnityEngine.GameObject UnityEngine.XR.ARFoundation.ARHumanBodyManager::m_HumanBodyPrefab
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_HumanBodyPrefab_17;
// System.Action`1<UnityEngine.XR.ARFoundation.ARHumanBodiesChangedEventArgs> UnityEngine.XR.ARFoundation.ARHumanBodyManager::humanBodiesChanged
Action_1_t6F3641BB0F5489AC32B6649DD5BA9D07DD0C5301 * ___humanBodiesChanged_18;
public:
inline static int32_t get_offset_of_m_Pose2D_14() { return static_cast<int32_t>(offsetof(ARHumanBodyManager_t901B9F11785ED05D74F4FAC50D14259488D800B4, ___m_Pose2D_14)); }
inline bool get_m_Pose2D_14() const { return ___m_Pose2D_14; }
inline bool* get_address_of_m_Pose2D_14() { return &___m_Pose2D_14; }
inline void set_m_Pose2D_14(bool value)
{
___m_Pose2D_14 = value;
}
inline static int32_t get_offset_of_m_Pose3D_15() { return static_cast<int32_t>(offsetof(ARHumanBodyManager_t901B9F11785ED05D74F4FAC50D14259488D800B4, ___m_Pose3D_15)); }
inline bool get_m_Pose3D_15() const { return ___m_Pose3D_15; }
inline bool* get_address_of_m_Pose3D_15() { return &___m_Pose3D_15; }
inline void set_m_Pose3D_15(bool value)
{
___m_Pose3D_15 = value;
}
inline static int32_t get_offset_of_m_Pose3DScaleEstimation_16() { return static_cast<int32_t>(offsetof(ARHumanBodyManager_t901B9F11785ED05D74F4FAC50D14259488D800B4, ___m_Pose3DScaleEstimation_16)); }
inline bool get_m_Pose3DScaleEstimation_16() const { return ___m_Pose3DScaleEstimation_16; }
inline bool* get_address_of_m_Pose3DScaleEstimation_16() { return &___m_Pose3DScaleEstimation_16; }
inline void set_m_Pose3DScaleEstimation_16(bool value)
{
___m_Pose3DScaleEstimation_16 = value;
}
inline static int32_t get_offset_of_m_HumanBodyPrefab_17() { return static_cast<int32_t>(offsetof(ARHumanBodyManager_t901B9F11785ED05D74F4FAC50D14259488D800B4, ___m_HumanBodyPrefab_17)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_m_HumanBodyPrefab_17() const { return ___m_HumanBodyPrefab_17; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_m_HumanBodyPrefab_17() { return &___m_HumanBodyPrefab_17; }
inline void set_m_HumanBodyPrefab_17(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___m_HumanBodyPrefab_17 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_HumanBodyPrefab_17), (void*)value);
}
inline static int32_t get_offset_of_humanBodiesChanged_18() { return static_cast<int32_t>(offsetof(ARHumanBodyManager_t901B9F11785ED05D74F4FAC50D14259488D800B4, ___humanBodiesChanged_18)); }
inline Action_1_t6F3641BB0F5489AC32B6649DD5BA9D07DD0C5301 * get_humanBodiesChanged_18() const { return ___humanBodiesChanged_18; }
inline Action_1_t6F3641BB0F5489AC32B6649DD5BA9D07DD0C5301 ** get_address_of_humanBodiesChanged_18() { return &___humanBodiesChanged_18; }
inline void set_humanBodiesChanged_18(Action_1_t6F3641BB0F5489AC32B6649DD5BA9D07DD0C5301 * value)
{
___humanBodiesChanged_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___humanBodiesChanged_18), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARParticipant
struct ARParticipant_tF8AE3FB1C0DB01CA500CA62FE58F29A626EBC288 : public ARTrackable_2_t3A70CA163E4AA2BFE474D25DA70F38D9B1C36908
{
public:
public:
};
// UnityEngine.XR.ARFoundation.ARParticipantManager
struct ARParticipantManager_tC242B678433E078C62A39ED688B880133BEE3E2F : public ARTrackableManager_5_t78A6DD5FE9A24B574A305BD4B14D380CBBC4621F
{
public:
// UnityEngine.GameObject UnityEngine.XR.ARFoundation.ARParticipantManager::m_ParticipantPrefab
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_ParticipantPrefab_14;
// System.Action`1<UnityEngine.XR.ARFoundation.ARParticipantsChangedEventArgs> UnityEngine.XR.ARFoundation.ARParticipantManager::participantsChanged
Action_1_tBD83440F3EA73C345CEAE4BD2C09EBD478528FD3 * ___participantsChanged_15;
public:
inline static int32_t get_offset_of_m_ParticipantPrefab_14() { return static_cast<int32_t>(offsetof(ARParticipantManager_tC242B678433E078C62A39ED688B880133BEE3E2F, ___m_ParticipantPrefab_14)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_m_ParticipantPrefab_14() const { return ___m_ParticipantPrefab_14; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_m_ParticipantPrefab_14() { return &___m_ParticipantPrefab_14; }
inline void set_m_ParticipantPrefab_14(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___m_ParticipantPrefab_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ParticipantPrefab_14), (void*)value);
}
inline static int32_t get_offset_of_participantsChanged_15() { return static_cast<int32_t>(offsetof(ARParticipantManager_tC242B678433E078C62A39ED688B880133BEE3E2F, ___participantsChanged_15)); }
inline Action_1_tBD83440F3EA73C345CEAE4BD2C09EBD478528FD3 * get_participantsChanged_15() const { return ___participantsChanged_15; }
inline Action_1_tBD83440F3EA73C345CEAE4BD2C09EBD478528FD3 ** get_address_of_participantsChanged_15() { return &___participantsChanged_15; }
inline void set_participantsChanged_15(Action_1_tBD83440F3EA73C345CEAE4BD2C09EBD478528FD3 * value)
{
___participantsChanged_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___participantsChanged_15), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARPlane
struct ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891 : public ARTrackable_2_t3B4BDEC1C83B6E52F03E653C10343E488761AF0B
{
public:
// System.Single UnityEngine.XR.ARFoundation.ARPlane::m_VertexChangedThreshold
float ___m_VertexChangedThreshold_7;
// System.Action`1<UnityEngine.XR.ARFoundation.ARPlaneBoundaryChangedEventArgs> UnityEngine.XR.ARFoundation.ARPlane::boundaryChanged
Action_1_tBBDACDE0F7A9CD846DD9E0B8E74D5E0CC3D6B593 * ___boundaryChanged_8;
// UnityEngine.XR.ARFoundation.ARPlane UnityEngine.XR.ARFoundation.ARPlane::<subsumedBy>k__BackingField
ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891 * ___U3CsubsumedByU3Ek__BackingField_9;
// Unity.Collections.NativeArray`1<UnityEngine.Vector2> UnityEngine.XR.ARFoundation.ARPlane::m_Boundary
NativeArray_1_t431C85F30275831D1F5D458AB73DFCE050693BC0 ___m_Boundary_10;
// Unity.Collections.NativeArray`1<UnityEngine.Vector2> UnityEngine.XR.ARFoundation.ARPlane::m_OldBoundary
NativeArray_1_t431C85F30275831D1F5D458AB73DFCE050693BC0 ___m_OldBoundary_11;
// System.Boolean UnityEngine.XR.ARFoundation.ARPlane::m_HasBoundaryChanged
bool ___m_HasBoundaryChanged_12;
public:
inline static int32_t get_offset_of_m_VertexChangedThreshold_7() { return static_cast<int32_t>(offsetof(ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891, ___m_VertexChangedThreshold_7)); }
inline float get_m_VertexChangedThreshold_7() const { return ___m_VertexChangedThreshold_7; }
inline float* get_address_of_m_VertexChangedThreshold_7() { return &___m_VertexChangedThreshold_7; }
inline void set_m_VertexChangedThreshold_7(float value)
{
___m_VertexChangedThreshold_7 = value;
}
inline static int32_t get_offset_of_boundaryChanged_8() { return static_cast<int32_t>(offsetof(ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891, ___boundaryChanged_8)); }
inline Action_1_tBBDACDE0F7A9CD846DD9E0B8E74D5E0CC3D6B593 * get_boundaryChanged_8() const { return ___boundaryChanged_8; }
inline Action_1_tBBDACDE0F7A9CD846DD9E0B8E74D5E0CC3D6B593 ** get_address_of_boundaryChanged_8() { return &___boundaryChanged_8; }
inline void set_boundaryChanged_8(Action_1_tBBDACDE0F7A9CD846DD9E0B8E74D5E0CC3D6B593 * value)
{
___boundaryChanged_8 = value;
Il2CppCodeGenWriteBarrier((void**)(&___boundaryChanged_8), (void*)value);
}
inline static int32_t get_offset_of_U3CsubsumedByU3Ek__BackingField_9() { return static_cast<int32_t>(offsetof(ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891, ___U3CsubsumedByU3Ek__BackingField_9)); }
inline ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891 * get_U3CsubsumedByU3Ek__BackingField_9() const { return ___U3CsubsumedByU3Ek__BackingField_9; }
inline ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891 ** get_address_of_U3CsubsumedByU3Ek__BackingField_9() { return &___U3CsubsumedByU3Ek__BackingField_9; }
inline void set_U3CsubsumedByU3Ek__BackingField_9(ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891 * value)
{
___U3CsubsumedByU3Ek__BackingField_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___U3CsubsumedByU3Ek__BackingField_9), (void*)value);
}
inline static int32_t get_offset_of_m_Boundary_10() { return static_cast<int32_t>(offsetof(ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891, ___m_Boundary_10)); }
inline NativeArray_1_t431C85F30275831D1F5D458AB73DFCE050693BC0 get_m_Boundary_10() const { return ___m_Boundary_10; }
inline NativeArray_1_t431C85F30275831D1F5D458AB73DFCE050693BC0 * get_address_of_m_Boundary_10() { return &___m_Boundary_10; }
inline void set_m_Boundary_10(NativeArray_1_t431C85F30275831D1F5D458AB73DFCE050693BC0 value)
{
___m_Boundary_10 = value;
}
inline static int32_t get_offset_of_m_OldBoundary_11() { return static_cast<int32_t>(offsetof(ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891, ___m_OldBoundary_11)); }
inline NativeArray_1_t431C85F30275831D1F5D458AB73DFCE050693BC0 get_m_OldBoundary_11() const { return ___m_OldBoundary_11; }
inline NativeArray_1_t431C85F30275831D1F5D458AB73DFCE050693BC0 * get_address_of_m_OldBoundary_11() { return &___m_OldBoundary_11; }
inline void set_m_OldBoundary_11(NativeArray_1_t431C85F30275831D1F5D458AB73DFCE050693BC0 value)
{
___m_OldBoundary_11 = value;
}
inline static int32_t get_offset_of_m_HasBoundaryChanged_12() { return static_cast<int32_t>(offsetof(ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891, ___m_HasBoundaryChanged_12)); }
inline bool get_m_HasBoundaryChanged_12() const { return ___m_HasBoundaryChanged_12; }
inline bool* get_address_of_m_HasBoundaryChanged_12() { return &___m_HasBoundaryChanged_12; }
inline void set_m_HasBoundaryChanged_12(bool value)
{
___m_HasBoundaryChanged_12 = value;
}
};
// UnityEngine.XR.ARFoundation.ARPlaneManager
struct ARPlaneManager_t4700B0BC3E8B6CD35F8D925701C89A5A21DDBAD4 : public ARTrackableManager_5_tB03CF7F1B5B39FA73203E7F2342207BD4FF540B7
{
public:
// UnityEngine.GameObject UnityEngine.XR.ARFoundation.ARPlaneManager::m_PlanePrefab
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_PlanePrefab_14;
// UnityEngine.XR.ARSubsystems.PlaneDetectionMode UnityEngine.XR.ARFoundation.ARPlaneManager::m_DetectionMode
int32_t ___m_DetectionMode_15;
// System.Action`1<UnityEngine.XR.ARFoundation.ARPlanesChangedEventArgs> UnityEngine.XR.ARFoundation.ARPlaneManager::planesChanged
Action_1_tCEBED0DA57F23A7A92A05B380E69C5D67FEE4C25 * ___planesChanged_16;
public:
inline static int32_t get_offset_of_m_PlanePrefab_14() { return static_cast<int32_t>(offsetof(ARPlaneManager_t4700B0BC3E8B6CD35F8D925701C89A5A21DDBAD4, ___m_PlanePrefab_14)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_m_PlanePrefab_14() const { return ___m_PlanePrefab_14; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_m_PlanePrefab_14() { return &___m_PlanePrefab_14; }
inline void set_m_PlanePrefab_14(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___m_PlanePrefab_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PlanePrefab_14), (void*)value);
}
inline static int32_t get_offset_of_m_DetectionMode_15() { return static_cast<int32_t>(offsetof(ARPlaneManager_t4700B0BC3E8B6CD35F8D925701C89A5A21DDBAD4, ___m_DetectionMode_15)); }
inline int32_t get_m_DetectionMode_15() const { return ___m_DetectionMode_15; }
inline int32_t* get_address_of_m_DetectionMode_15() { return &___m_DetectionMode_15; }
inline void set_m_DetectionMode_15(int32_t value)
{
___m_DetectionMode_15 = value;
}
inline static int32_t get_offset_of_planesChanged_16() { return static_cast<int32_t>(offsetof(ARPlaneManager_t4700B0BC3E8B6CD35F8D925701C89A5A21DDBAD4, ___planesChanged_16)); }
inline Action_1_tCEBED0DA57F23A7A92A05B380E69C5D67FEE4C25 * get_planesChanged_16() const { return ___planesChanged_16; }
inline Action_1_tCEBED0DA57F23A7A92A05B380E69C5D67FEE4C25 ** get_address_of_planesChanged_16() { return &___planesChanged_16; }
inline void set_planesChanged_16(Action_1_tCEBED0DA57F23A7A92A05B380E69C5D67FEE4C25 * value)
{
___planesChanged_16 = value;
Il2CppCodeGenWriteBarrier((void**)(&___planesChanged_16), (void*)value);
}
};
// UnityEngine.XR.ARFoundation.ARPointCloud
struct ARPointCloud_t7801A20C710FCBFDF1A589FA3ED53C7C9DF9222A : public ARTrackable_2_t687B28B8E27DA860E03F043566B1212DC4BE072E
{
public:
// System.Action`1<UnityEngine.XR.ARFoundation.ARPointCloudUpdatedEventArgs> UnityEngine.XR.ARFoundation.ARPointCloud::updated
Action_1_t105D433EDB88564DEF22A6B68AB9558C41743F97 * ___updated_7;
// UnityEngine.XR.ARSubsystems.XRPointCloudData UnityEngine.XR.ARFoundation.ARPointCloud::m_Data
XRPointCloudData_t3AFE7A70A93C061F8C3B3B7AEDE07EDF6A86B177 ___m_Data_8;
// System.Boolean UnityEngine.XR.ARFoundation.ARPointCloud::m_PointsUpdated
bool ___m_PointsUpdated_9;
public:
inline static int32_t get_offset_of_updated_7() { return static_cast<int32_t>(offsetof(ARPointCloud_t7801A20C710FCBFDF1A589FA3ED53C7C9DF9222A, ___updated_7)); }
inline Action_1_t105D433EDB88564DEF22A6B68AB9558C41743F97 * get_updated_7() const { return ___updated_7; }
inline Action_1_t105D433EDB88564DEF22A6B68AB9558C41743F97 ** get_address_of_updated_7() { return &___updated_7; }
inline void set_updated_7(Action_1_t105D433EDB88564DEF22A6B68AB9558C41743F97 * value)
{
___updated_7 = value;
Il2CppCodeGenWriteBarrier((void**)(&___updated_7), (void*)value);
}
inline static int32_t get_offset_of_m_Data_8() { return static_cast<int32_t>(offsetof(ARPointCloud_t7801A20C710FCBFDF1A589FA3ED53C7C9DF9222A, ___m_Data_8)); }
inline XRPointCloudData_t3AFE7A70A93C061F8C3B3B7AEDE07EDF6A86B177 get_m_Data_8() const { return ___m_Data_8; }
inline XRPointCloudData_t3AFE7A70A93C061F8C3B3B7AEDE07EDF6A86B177 * get_address_of_m_Data_8() { return &___m_Data_8; }
inline void set_m_Data_8(XRPointCloudData_t3AFE7A70A93C061F8C3B3B7AEDE07EDF6A86B177 value)
{
___m_Data_8 = value;
}
inline static int32_t get_offset_of_m_PointsUpdated_9() { return static_cast<int32_t>(offsetof(ARPointCloud_t7801A20C710FCBFDF1A589FA3ED53C7C9DF9222A, ___m_PointsUpdated_9)); }
inline bool get_m_PointsUpdated_9() const { return ___m_PointsUpdated_9; }
inline bool* get_address_of_m_PointsUpdated_9() { return &___m_PointsUpdated_9; }
inline void set_m_PointsUpdated_9(bool value)
{
___m_PointsUpdated_9 = value;
}
};
// UnityEngine.XR.ARFoundation.ARPointCloudManager
struct ARPointCloudManager_tFB5917457B296992E01D1DB28761170B075ABADF : public ARTrackableManager_5_tFD60DE25052211543AD43E526CF5430F87352B8E
{
public:
// UnityEngine.GameObject UnityEngine.XR.ARFoundation.ARPointCloudManager::m_PointCloudPrefab
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_PointCloudPrefab_14;
// System.Action`1<UnityEngine.XR.ARFoundation.ARPointCloudChangedEventArgs> UnityEngine.XR.ARFoundation.ARPointCloudManager::pointCloudsChanged
Action_1_t3DB8153CA402056FC7698C6AFF7A58E917EF4648 * ___pointCloudsChanged_15;
public:
inline static int32_t get_offset_of_m_PointCloudPrefab_14() { return static_cast<int32_t>(offsetof(ARPointCloudManager_tFB5917457B296992E01D1DB28761170B075ABADF, ___m_PointCloudPrefab_14)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_m_PointCloudPrefab_14() const { return ___m_PointCloudPrefab_14; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_m_PointCloudPrefab_14() { return &___m_PointCloudPrefab_14; }
inline void set_m_PointCloudPrefab_14(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___m_PointCloudPrefab_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PointCloudPrefab_14), (void*)value);
}
inline static int32_t get_offset_of_pointCloudsChanged_15() { return static_cast<int32_t>(offsetof(ARPointCloudManager_tFB5917457B296992E01D1DB28761170B075ABADF, ___pointCloudsChanged_15)); }
inline Action_1_t3DB8153CA402056FC7698C6AFF7A58E917EF4648 * get_pointCloudsChanged_15() const { return ___pointCloudsChanged_15; }
inline Action_1_t3DB8153CA402056FC7698C6AFF7A58E917EF4648 ** get_address_of_pointCloudsChanged_15() { return &___pointCloudsChanged_15; }
inline void set_pointCloudsChanged_15(Action_1_t3DB8153CA402056FC7698C6AFF7A58E917EF4648 * value)
{
___pointCloudsChanged_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___pointCloudsChanged_15), (void*)value);
}
};
// UnityEngine.UI.Button
struct Button_tA893FC15AB26E1439AC25BDCA7079530587BB65D : public Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD
{
public:
// UnityEngine.UI.Button/ButtonClickedEvent UnityEngine.UI.Button::m_OnClick
ButtonClickedEvent_tE6D6D94ED8100451CF00D2BED1FB2253F37BB14F * ___m_OnClick_20;
public:
inline static int32_t get_offset_of_m_OnClick_20() { return static_cast<int32_t>(offsetof(Button_tA893FC15AB26E1439AC25BDCA7079530587BB65D, ___m_OnClick_20)); }
inline ButtonClickedEvent_tE6D6D94ED8100451CF00D2BED1FB2253F37BB14F * get_m_OnClick_20() const { return ___m_OnClick_20; }
inline ButtonClickedEvent_tE6D6D94ED8100451CF00D2BED1FB2253F37BB14F ** get_address_of_m_OnClick_20() { return &___m_OnClick_20; }
inline void set_m_OnClick_20(ButtonClickedEvent_tE6D6D94ED8100451CF00D2BED1FB2253F37BB14F * value)
{
___m_OnClick_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnClick_20), (void*)value);
}
};
// UnityEngine.UI.Dropdown
struct Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96 : public Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD
{
public:
// UnityEngine.RectTransform UnityEngine.UI.Dropdown::m_Template
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_Template_20;
// UnityEngine.UI.Text UnityEngine.UI.Dropdown::m_CaptionText
Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1 * ___m_CaptionText_21;
// UnityEngine.UI.Image UnityEngine.UI.Dropdown::m_CaptionImage
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * ___m_CaptionImage_22;
// UnityEngine.UI.Text UnityEngine.UI.Dropdown::m_ItemText
Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1 * ___m_ItemText_23;
// UnityEngine.UI.Image UnityEngine.UI.Dropdown::m_ItemImage
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * ___m_ItemImage_24;
// System.Int32 UnityEngine.UI.Dropdown::m_Value
int32_t ___m_Value_25;
// UnityEngine.UI.Dropdown/OptionDataList UnityEngine.UI.Dropdown::m_Options
OptionDataList_t524EBDB7A2B178269FD5B4740108D0EC6404B4B6 * ___m_Options_26;
// UnityEngine.UI.Dropdown/DropdownEvent UnityEngine.UI.Dropdown::m_OnValueChanged
DropdownEvent_tEB2C75C3DBC789936B31D9A979FD62E047846CFB * ___m_OnValueChanged_27;
// System.Single UnityEngine.UI.Dropdown::m_AlphaFadeSpeed
float ___m_AlphaFadeSpeed_28;
// UnityEngine.GameObject UnityEngine.UI.Dropdown::m_Dropdown
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_Dropdown_29;
// UnityEngine.GameObject UnityEngine.UI.Dropdown::m_Blocker
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_Blocker_30;
// System.Collections.Generic.List`1<UnityEngine.UI.Dropdown/DropdownItem> UnityEngine.UI.Dropdown::m_Items
List_1_t4CFF6A6E1A912AE4990A34B2AA4A1FE2C9FB0033 * ___m_Items_31;
// UnityEngine.UI.CoroutineTween.TweenRunner`1<UnityEngine.UI.CoroutineTween.FloatTween> UnityEngine.UI.Dropdown::m_AlphaTweenRunner
TweenRunner_1_t428873023FD8831B6DCE3CBD53ADD7D37AC8222D * ___m_AlphaTweenRunner_32;
// System.Boolean UnityEngine.UI.Dropdown::validTemplate
bool ___validTemplate_33;
public:
inline static int32_t get_offset_of_m_Template_20() { return static_cast<int32_t>(offsetof(Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96, ___m_Template_20)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_Template_20() const { return ___m_Template_20; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_Template_20() { return &___m_Template_20; }
inline void set_m_Template_20(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_Template_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Template_20), (void*)value);
}
inline static int32_t get_offset_of_m_CaptionText_21() { return static_cast<int32_t>(offsetof(Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96, ___m_CaptionText_21)); }
inline Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1 * get_m_CaptionText_21() const { return ___m_CaptionText_21; }
inline Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1 ** get_address_of_m_CaptionText_21() { return &___m_CaptionText_21; }
inline void set_m_CaptionText_21(Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1 * value)
{
___m_CaptionText_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CaptionText_21), (void*)value);
}
inline static int32_t get_offset_of_m_CaptionImage_22() { return static_cast<int32_t>(offsetof(Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96, ___m_CaptionImage_22)); }
inline Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * get_m_CaptionImage_22() const { return ___m_CaptionImage_22; }
inline Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C ** get_address_of_m_CaptionImage_22() { return &___m_CaptionImage_22; }
inline void set_m_CaptionImage_22(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * value)
{
___m_CaptionImage_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CaptionImage_22), (void*)value);
}
inline static int32_t get_offset_of_m_ItemText_23() { return static_cast<int32_t>(offsetof(Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96, ___m_ItemText_23)); }
inline Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1 * get_m_ItemText_23() const { return ___m_ItemText_23; }
inline Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1 ** get_address_of_m_ItemText_23() { return &___m_ItemText_23; }
inline void set_m_ItemText_23(Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1 * value)
{
___m_ItemText_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ItemText_23), (void*)value);
}
inline static int32_t get_offset_of_m_ItemImage_24() { return static_cast<int32_t>(offsetof(Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96, ___m_ItemImage_24)); }
inline Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * get_m_ItemImage_24() const { return ___m_ItemImage_24; }
inline Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C ** get_address_of_m_ItemImage_24() { return &___m_ItemImage_24; }
inline void set_m_ItemImage_24(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * value)
{
___m_ItemImage_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ItemImage_24), (void*)value);
}
inline static int32_t get_offset_of_m_Value_25() { return static_cast<int32_t>(offsetof(Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96, ___m_Value_25)); }
inline int32_t get_m_Value_25() const { return ___m_Value_25; }
inline int32_t* get_address_of_m_Value_25() { return &___m_Value_25; }
inline void set_m_Value_25(int32_t value)
{
___m_Value_25 = value;
}
inline static int32_t get_offset_of_m_Options_26() { return static_cast<int32_t>(offsetof(Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96, ___m_Options_26)); }
inline OptionDataList_t524EBDB7A2B178269FD5B4740108D0EC6404B4B6 * get_m_Options_26() const { return ___m_Options_26; }
inline OptionDataList_t524EBDB7A2B178269FD5B4740108D0EC6404B4B6 ** get_address_of_m_Options_26() { return &___m_Options_26; }
inline void set_m_Options_26(OptionDataList_t524EBDB7A2B178269FD5B4740108D0EC6404B4B6 * value)
{
___m_Options_26 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Options_26), (void*)value);
}
inline static int32_t get_offset_of_m_OnValueChanged_27() { return static_cast<int32_t>(offsetof(Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96, ___m_OnValueChanged_27)); }
inline DropdownEvent_tEB2C75C3DBC789936B31D9A979FD62E047846CFB * get_m_OnValueChanged_27() const { return ___m_OnValueChanged_27; }
inline DropdownEvent_tEB2C75C3DBC789936B31D9A979FD62E047846CFB ** get_address_of_m_OnValueChanged_27() { return &___m_OnValueChanged_27; }
inline void set_m_OnValueChanged_27(DropdownEvent_tEB2C75C3DBC789936B31D9A979FD62E047846CFB * value)
{
___m_OnValueChanged_27 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnValueChanged_27), (void*)value);
}
inline static int32_t get_offset_of_m_AlphaFadeSpeed_28() { return static_cast<int32_t>(offsetof(Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96, ___m_AlphaFadeSpeed_28)); }
inline float get_m_AlphaFadeSpeed_28() const { return ___m_AlphaFadeSpeed_28; }
inline float* get_address_of_m_AlphaFadeSpeed_28() { return &___m_AlphaFadeSpeed_28; }
inline void set_m_AlphaFadeSpeed_28(float value)
{
___m_AlphaFadeSpeed_28 = value;
}
inline static int32_t get_offset_of_m_Dropdown_29() { return static_cast<int32_t>(offsetof(Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96, ___m_Dropdown_29)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_m_Dropdown_29() const { return ___m_Dropdown_29; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_m_Dropdown_29() { return &___m_Dropdown_29; }
inline void set_m_Dropdown_29(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___m_Dropdown_29 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Dropdown_29), (void*)value);
}
inline static int32_t get_offset_of_m_Blocker_30() { return static_cast<int32_t>(offsetof(Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96, ___m_Blocker_30)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_m_Blocker_30() const { return ___m_Blocker_30; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_m_Blocker_30() { return &___m_Blocker_30; }
inline void set_m_Blocker_30(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___m_Blocker_30 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Blocker_30), (void*)value);
}
inline static int32_t get_offset_of_m_Items_31() { return static_cast<int32_t>(offsetof(Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96, ___m_Items_31)); }
inline List_1_t4CFF6A6E1A912AE4990A34B2AA4A1FE2C9FB0033 * get_m_Items_31() const { return ___m_Items_31; }
inline List_1_t4CFF6A6E1A912AE4990A34B2AA4A1FE2C9FB0033 ** get_address_of_m_Items_31() { return &___m_Items_31; }
inline void set_m_Items_31(List_1_t4CFF6A6E1A912AE4990A34B2AA4A1FE2C9FB0033 * value)
{
___m_Items_31 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Items_31), (void*)value);
}
inline static int32_t get_offset_of_m_AlphaTweenRunner_32() { return static_cast<int32_t>(offsetof(Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96, ___m_AlphaTweenRunner_32)); }
inline TweenRunner_1_t428873023FD8831B6DCE3CBD53ADD7D37AC8222D * get_m_AlphaTweenRunner_32() const { return ___m_AlphaTweenRunner_32; }
inline TweenRunner_1_t428873023FD8831B6DCE3CBD53ADD7D37AC8222D ** get_address_of_m_AlphaTweenRunner_32() { return &___m_AlphaTweenRunner_32; }
inline void set_m_AlphaTweenRunner_32(TweenRunner_1_t428873023FD8831B6DCE3CBD53ADD7D37AC8222D * value)
{
___m_AlphaTweenRunner_32 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_AlphaTweenRunner_32), (void*)value);
}
inline static int32_t get_offset_of_validTemplate_33() { return static_cast<int32_t>(offsetof(Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96, ___validTemplate_33)); }
inline bool get_validTemplate_33() const { return ___validTemplate_33; }
inline bool* get_address_of_validTemplate_33() { return &___validTemplate_33; }
inline void set_validTemplate_33(bool value)
{
___validTemplate_33 = value;
}
};
struct Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96_StaticFields
{
public:
// UnityEngine.UI.Dropdown/OptionData UnityEngine.UI.Dropdown::s_NoOptionData
OptionData_t5F665DC13C1E4307727D66ECC1100B3A77E3E857 * ___s_NoOptionData_34;
public:
inline static int32_t get_offset_of_s_NoOptionData_34() { return static_cast<int32_t>(offsetof(Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96_StaticFields, ___s_NoOptionData_34)); }
inline OptionData_t5F665DC13C1E4307727D66ECC1100B3A77E3E857 * get_s_NoOptionData_34() const { return ___s_NoOptionData_34; }
inline OptionData_t5F665DC13C1E4307727D66ECC1100B3A77E3E857 ** get_address_of_s_NoOptionData_34() { return &___s_NoOptionData_34; }
inline void set_s_NoOptionData_34(OptionData_t5F665DC13C1E4307727D66ECC1100B3A77E3E857 * value)
{
___s_NoOptionData_34 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_NoOptionData_34), (void*)value);
}
};
// UnityEngine.UI.GraphicRaycaster
struct GraphicRaycaster_tD6DFF30B8B7F1E0DA9522A4F2BB9DC18E19638E6 : public BaseRaycaster_tBC0FB2CBE6D3D40991EC20F689C43F76AD82A876
{
public:
// System.Boolean UnityEngine.UI.GraphicRaycaster::m_IgnoreReversedGraphics
bool ___m_IgnoreReversedGraphics_6;
// UnityEngine.UI.GraphicRaycaster/BlockingObjects UnityEngine.UI.GraphicRaycaster::m_BlockingObjects
int32_t ___m_BlockingObjects_7;
// UnityEngine.LayerMask UnityEngine.UI.GraphicRaycaster::m_BlockingMask
LayerMask_t5FA647D8C300EA0621360CA4424717C3C73190A8 ___m_BlockingMask_8;
// UnityEngine.Canvas UnityEngine.UI.GraphicRaycaster::m_Canvas
Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA * ___m_Canvas_9;
// System.Collections.Generic.List`1<UnityEngine.UI.Graphic> UnityEngine.UI.GraphicRaycaster::m_RaycastResults
List_1_t2B519B7CD269238D4C71A96E4B005CF88488FACA * ___m_RaycastResults_10;
public:
inline static int32_t get_offset_of_m_IgnoreReversedGraphics_6() { return static_cast<int32_t>(offsetof(GraphicRaycaster_tD6DFF30B8B7F1E0DA9522A4F2BB9DC18E19638E6, ___m_IgnoreReversedGraphics_6)); }
inline bool get_m_IgnoreReversedGraphics_6() const { return ___m_IgnoreReversedGraphics_6; }
inline bool* get_address_of_m_IgnoreReversedGraphics_6() { return &___m_IgnoreReversedGraphics_6; }
inline void set_m_IgnoreReversedGraphics_6(bool value)
{
___m_IgnoreReversedGraphics_6 = value;
}
inline static int32_t get_offset_of_m_BlockingObjects_7() { return static_cast<int32_t>(offsetof(GraphicRaycaster_tD6DFF30B8B7F1E0DA9522A4F2BB9DC18E19638E6, ___m_BlockingObjects_7)); }
inline int32_t get_m_BlockingObjects_7() const { return ___m_BlockingObjects_7; }
inline int32_t* get_address_of_m_BlockingObjects_7() { return &___m_BlockingObjects_7; }
inline void set_m_BlockingObjects_7(int32_t value)
{
___m_BlockingObjects_7 = value;
}
inline static int32_t get_offset_of_m_BlockingMask_8() { return static_cast<int32_t>(offsetof(GraphicRaycaster_tD6DFF30B8B7F1E0DA9522A4F2BB9DC18E19638E6, ___m_BlockingMask_8)); }
inline LayerMask_t5FA647D8C300EA0621360CA4424717C3C73190A8 get_m_BlockingMask_8() const { return ___m_BlockingMask_8; }
inline LayerMask_t5FA647D8C300EA0621360CA4424717C3C73190A8 * get_address_of_m_BlockingMask_8() { return &___m_BlockingMask_8; }
inline void set_m_BlockingMask_8(LayerMask_t5FA647D8C300EA0621360CA4424717C3C73190A8 value)
{
___m_BlockingMask_8 = value;
}
inline static int32_t get_offset_of_m_Canvas_9() { return static_cast<int32_t>(offsetof(GraphicRaycaster_tD6DFF30B8B7F1E0DA9522A4F2BB9DC18E19638E6, ___m_Canvas_9)); }
inline Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA * get_m_Canvas_9() const { return ___m_Canvas_9; }
inline Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA ** get_address_of_m_Canvas_9() { return &___m_Canvas_9; }
inline void set_m_Canvas_9(Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA * value)
{
___m_Canvas_9 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Canvas_9), (void*)value);
}
inline static int32_t get_offset_of_m_RaycastResults_10() { return static_cast<int32_t>(offsetof(GraphicRaycaster_tD6DFF30B8B7F1E0DA9522A4F2BB9DC18E19638E6, ___m_RaycastResults_10)); }
inline List_1_t2B519B7CD269238D4C71A96E4B005CF88488FACA * get_m_RaycastResults_10() const { return ___m_RaycastResults_10; }
inline List_1_t2B519B7CD269238D4C71A96E4B005CF88488FACA ** get_address_of_m_RaycastResults_10() { return &___m_RaycastResults_10; }
inline void set_m_RaycastResults_10(List_1_t2B519B7CD269238D4C71A96E4B005CF88488FACA * value)
{
___m_RaycastResults_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RaycastResults_10), (void*)value);
}
};
struct GraphicRaycaster_tD6DFF30B8B7F1E0DA9522A4F2BB9DC18E19638E6_StaticFields
{
public:
// System.Collections.Generic.List`1<UnityEngine.UI.Graphic> UnityEngine.UI.GraphicRaycaster::s_SortedGraphics
List_1_t2B519B7CD269238D4C71A96E4B005CF88488FACA * ___s_SortedGraphics_11;
public:
inline static int32_t get_offset_of_s_SortedGraphics_11() { return static_cast<int32_t>(offsetof(GraphicRaycaster_tD6DFF30B8B7F1E0DA9522A4F2BB9DC18E19638E6_StaticFields, ___s_SortedGraphics_11)); }
inline List_1_t2B519B7CD269238D4C71A96E4B005CF88488FACA * get_s_SortedGraphics_11() const { return ___s_SortedGraphics_11; }
inline List_1_t2B519B7CD269238D4C71A96E4B005CF88488FACA ** get_address_of_s_SortedGraphics_11() { return &___s_SortedGraphics_11; }
inline void set_s_SortedGraphics_11(List_1_t2B519B7CD269238D4C71A96E4B005CF88488FACA * value)
{
___s_SortedGraphics_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_SortedGraphics_11), (void*)value);
}
};
// UnityEngine.UI.GridLayoutGroup
struct GridLayoutGroup_tE25FFEE93AF1291734B4EB8DA986D23A500E7C28 : public LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2
{
public:
// UnityEngine.UI.GridLayoutGroup/Corner UnityEngine.UI.GridLayoutGroup::m_StartCorner
int32_t ___m_StartCorner_12;
// UnityEngine.UI.GridLayoutGroup/Axis UnityEngine.UI.GridLayoutGroup::m_StartAxis
int32_t ___m_StartAxis_13;
// UnityEngine.Vector2 UnityEngine.UI.GridLayoutGroup::m_CellSize
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_CellSize_14;
// UnityEngine.Vector2 UnityEngine.UI.GridLayoutGroup::m_Spacing
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_Spacing_15;
// UnityEngine.UI.GridLayoutGroup/Constraint UnityEngine.UI.GridLayoutGroup::m_Constraint
int32_t ___m_Constraint_16;
// System.Int32 UnityEngine.UI.GridLayoutGroup::m_ConstraintCount
int32_t ___m_ConstraintCount_17;
public:
inline static int32_t get_offset_of_m_StartCorner_12() { return static_cast<int32_t>(offsetof(GridLayoutGroup_tE25FFEE93AF1291734B4EB8DA986D23A500E7C28, ___m_StartCorner_12)); }
inline int32_t get_m_StartCorner_12() const { return ___m_StartCorner_12; }
inline int32_t* get_address_of_m_StartCorner_12() { return &___m_StartCorner_12; }
inline void set_m_StartCorner_12(int32_t value)
{
___m_StartCorner_12 = value;
}
inline static int32_t get_offset_of_m_StartAxis_13() { return static_cast<int32_t>(offsetof(GridLayoutGroup_tE25FFEE93AF1291734B4EB8DA986D23A500E7C28, ___m_StartAxis_13)); }
inline int32_t get_m_StartAxis_13() const { return ___m_StartAxis_13; }
inline int32_t* get_address_of_m_StartAxis_13() { return &___m_StartAxis_13; }
inline void set_m_StartAxis_13(int32_t value)
{
___m_StartAxis_13 = value;
}
inline static int32_t get_offset_of_m_CellSize_14() { return static_cast<int32_t>(offsetof(GridLayoutGroup_tE25FFEE93AF1291734B4EB8DA986D23A500E7C28, ___m_CellSize_14)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_CellSize_14() const { return ___m_CellSize_14; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_CellSize_14() { return &___m_CellSize_14; }
inline void set_m_CellSize_14(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_CellSize_14 = value;
}
inline static int32_t get_offset_of_m_Spacing_15() { return static_cast<int32_t>(offsetof(GridLayoutGroup_tE25FFEE93AF1291734B4EB8DA986D23A500E7C28, ___m_Spacing_15)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_Spacing_15() const { return ___m_Spacing_15; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_Spacing_15() { return &___m_Spacing_15; }
inline void set_m_Spacing_15(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_Spacing_15 = value;
}
inline static int32_t get_offset_of_m_Constraint_16() { return static_cast<int32_t>(offsetof(GridLayoutGroup_tE25FFEE93AF1291734B4EB8DA986D23A500E7C28, ___m_Constraint_16)); }
inline int32_t get_m_Constraint_16() const { return ___m_Constraint_16; }
inline int32_t* get_address_of_m_Constraint_16() { return &___m_Constraint_16; }
inline void set_m_Constraint_16(int32_t value)
{
___m_Constraint_16 = value;
}
inline static int32_t get_offset_of_m_ConstraintCount_17() { return static_cast<int32_t>(offsetof(GridLayoutGroup_tE25FFEE93AF1291734B4EB8DA986D23A500E7C28, ___m_ConstraintCount_17)); }
inline int32_t get_m_ConstraintCount_17() const { return ___m_ConstraintCount_17; }
inline int32_t* get_address_of_m_ConstraintCount_17() { return &___m_ConstraintCount_17; }
inline void set_m_ConstraintCount_17(int32_t value)
{
___m_ConstraintCount_17 = value;
}
};
// UnityEngine.UI.HorizontalOrVerticalLayoutGroup
struct HorizontalOrVerticalLayoutGroup_tAEE7FC9DCA8F7E95D4DE560305B3A219008A8108 : public LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2
{
public:
// System.Single UnityEngine.UI.HorizontalOrVerticalLayoutGroup::m_Spacing
float ___m_Spacing_12;
// System.Boolean UnityEngine.UI.HorizontalOrVerticalLayoutGroup::m_ChildForceExpandWidth
bool ___m_ChildForceExpandWidth_13;
// System.Boolean UnityEngine.UI.HorizontalOrVerticalLayoutGroup::m_ChildForceExpandHeight
bool ___m_ChildForceExpandHeight_14;
// System.Boolean UnityEngine.UI.HorizontalOrVerticalLayoutGroup::m_ChildControlWidth
bool ___m_ChildControlWidth_15;
// System.Boolean UnityEngine.UI.HorizontalOrVerticalLayoutGroup::m_ChildControlHeight
bool ___m_ChildControlHeight_16;
// System.Boolean UnityEngine.UI.HorizontalOrVerticalLayoutGroup::m_ChildScaleWidth
bool ___m_ChildScaleWidth_17;
// System.Boolean UnityEngine.UI.HorizontalOrVerticalLayoutGroup::m_ChildScaleHeight
bool ___m_ChildScaleHeight_18;
// System.Boolean UnityEngine.UI.HorizontalOrVerticalLayoutGroup::m_ReverseArrangement
bool ___m_ReverseArrangement_19;
public:
inline static int32_t get_offset_of_m_Spacing_12() { return static_cast<int32_t>(offsetof(HorizontalOrVerticalLayoutGroup_tAEE7FC9DCA8F7E95D4DE560305B3A219008A8108, ___m_Spacing_12)); }
inline float get_m_Spacing_12() const { return ___m_Spacing_12; }
inline float* get_address_of_m_Spacing_12() { return &___m_Spacing_12; }
inline void set_m_Spacing_12(float value)
{
___m_Spacing_12 = value;
}
inline static int32_t get_offset_of_m_ChildForceExpandWidth_13() { return static_cast<int32_t>(offsetof(HorizontalOrVerticalLayoutGroup_tAEE7FC9DCA8F7E95D4DE560305B3A219008A8108, ___m_ChildForceExpandWidth_13)); }
inline bool get_m_ChildForceExpandWidth_13() const { return ___m_ChildForceExpandWidth_13; }
inline bool* get_address_of_m_ChildForceExpandWidth_13() { return &___m_ChildForceExpandWidth_13; }
inline void set_m_ChildForceExpandWidth_13(bool value)
{
___m_ChildForceExpandWidth_13 = value;
}
inline static int32_t get_offset_of_m_ChildForceExpandHeight_14() { return static_cast<int32_t>(offsetof(HorizontalOrVerticalLayoutGroup_tAEE7FC9DCA8F7E95D4DE560305B3A219008A8108, ___m_ChildForceExpandHeight_14)); }
inline bool get_m_ChildForceExpandHeight_14() const { return ___m_ChildForceExpandHeight_14; }
inline bool* get_address_of_m_ChildForceExpandHeight_14() { return &___m_ChildForceExpandHeight_14; }
inline void set_m_ChildForceExpandHeight_14(bool value)
{
___m_ChildForceExpandHeight_14 = value;
}
inline static int32_t get_offset_of_m_ChildControlWidth_15() { return static_cast<int32_t>(offsetof(HorizontalOrVerticalLayoutGroup_tAEE7FC9DCA8F7E95D4DE560305B3A219008A8108, ___m_ChildControlWidth_15)); }
inline bool get_m_ChildControlWidth_15() const { return ___m_ChildControlWidth_15; }
inline bool* get_address_of_m_ChildControlWidth_15() { return &___m_ChildControlWidth_15; }
inline void set_m_ChildControlWidth_15(bool value)
{
___m_ChildControlWidth_15 = value;
}
inline static int32_t get_offset_of_m_ChildControlHeight_16() { return static_cast<int32_t>(offsetof(HorizontalOrVerticalLayoutGroup_tAEE7FC9DCA8F7E95D4DE560305B3A219008A8108, ___m_ChildControlHeight_16)); }
inline bool get_m_ChildControlHeight_16() const { return ___m_ChildControlHeight_16; }
inline bool* get_address_of_m_ChildControlHeight_16() { return &___m_ChildControlHeight_16; }
inline void set_m_ChildControlHeight_16(bool value)
{
___m_ChildControlHeight_16 = value;
}
inline static int32_t get_offset_of_m_ChildScaleWidth_17() { return static_cast<int32_t>(offsetof(HorizontalOrVerticalLayoutGroup_tAEE7FC9DCA8F7E95D4DE560305B3A219008A8108, ___m_ChildScaleWidth_17)); }
inline bool get_m_ChildScaleWidth_17() const { return ___m_ChildScaleWidth_17; }
inline bool* get_address_of_m_ChildScaleWidth_17() { return &___m_ChildScaleWidth_17; }
inline void set_m_ChildScaleWidth_17(bool value)
{
___m_ChildScaleWidth_17 = value;
}
inline static int32_t get_offset_of_m_ChildScaleHeight_18() { return static_cast<int32_t>(offsetof(HorizontalOrVerticalLayoutGroup_tAEE7FC9DCA8F7E95D4DE560305B3A219008A8108, ___m_ChildScaleHeight_18)); }
inline bool get_m_ChildScaleHeight_18() const { return ___m_ChildScaleHeight_18; }
inline bool* get_address_of_m_ChildScaleHeight_18() { return &___m_ChildScaleHeight_18; }
inline void set_m_ChildScaleHeight_18(bool value)
{
___m_ChildScaleHeight_18 = value;
}
inline static int32_t get_offset_of_m_ReverseArrangement_19() { return static_cast<int32_t>(offsetof(HorizontalOrVerticalLayoutGroup_tAEE7FC9DCA8F7E95D4DE560305B3A219008A8108, ___m_ReverseArrangement_19)); }
inline bool get_m_ReverseArrangement_19() const { return ___m_ReverseArrangement_19; }
inline bool* get_address_of_m_ReverseArrangement_19() { return &___m_ReverseArrangement_19; }
inline void set_m_ReverseArrangement_19(bool value)
{
___m_ReverseArrangement_19 = value;
}
};
// UnityEngine.UI.InputField
struct InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0 : public Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD
{
public:
// UnityEngine.TouchScreenKeyboard UnityEngine.UI.InputField::m_Keyboard
TouchScreenKeyboard_t7964B2E9E52C4E095B14F01C32774B98CA11711E * ___m_Keyboard_20;
// UnityEngine.UI.Text UnityEngine.UI.InputField::m_TextComponent
Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1 * ___m_TextComponent_22;
// UnityEngine.UI.Graphic UnityEngine.UI.InputField::m_Placeholder
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * ___m_Placeholder_23;
// UnityEngine.UI.InputField/ContentType UnityEngine.UI.InputField::m_ContentType
int32_t ___m_ContentType_24;
// UnityEngine.UI.InputField/InputType UnityEngine.UI.InputField::m_InputType
int32_t ___m_InputType_25;
// System.Char UnityEngine.UI.InputField::m_AsteriskChar
Il2CppChar ___m_AsteriskChar_26;
// UnityEngine.TouchScreenKeyboardType UnityEngine.UI.InputField::m_KeyboardType
int32_t ___m_KeyboardType_27;
// UnityEngine.UI.InputField/LineType UnityEngine.UI.InputField::m_LineType
int32_t ___m_LineType_28;
// System.Boolean UnityEngine.UI.InputField::m_HideMobileInput
bool ___m_HideMobileInput_29;
// UnityEngine.UI.InputField/CharacterValidation UnityEngine.UI.InputField::m_CharacterValidation
int32_t ___m_CharacterValidation_30;
// System.Int32 UnityEngine.UI.InputField::m_CharacterLimit
int32_t ___m_CharacterLimit_31;
// UnityEngine.UI.InputField/SubmitEvent UnityEngine.UI.InputField::m_OnEndEdit
SubmitEvent_t3FD30F627DF2ADEC87C0BE69EE632AAB99F3B8A9 * ___m_OnEndEdit_32;
// UnityEngine.UI.InputField/OnChangeEvent UnityEngine.UI.InputField::m_OnValueChanged
OnChangeEvent_t2E59014A56EA94168140F0585834954B40D716F7 * ___m_OnValueChanged_33;
// UnityEngine.UI.InputField/OnValidateInput UnityEngine.UI.InputField::m_OnValidateInput
OnValidateInput_t721D2C2A7710D113E4909B36D9893CC6B1C69B9F * ___m_OnValidateInput_34;
// UnityEngine.Color UnityEngine.UI.InputField::m_CaretColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_CaretColor_35;
// System.Boolean UnityEngine.UI.InputField::m_CustomCaretColor
bool ___m_CustomCaretColor_36;
// UnityEngine.Color UnityEngine.UI.InputField::m_SelectionColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_SelectionColor_37;
// System.String UnityEngine.UI.InputField::m_Text
String_t* ___m_Text_38;
// System.Single UnityEngine.UI.InputField::m_CaretBlinkRate
float ___m_CaretBlinkRate_39;
// System.Int32 UnityEngine.UI.InputField::m_CaretWidth
int32_t ___m_CaretWidth_40;
// System.Boolean UnityEngine.UI.InputField::m_ReadOnly
bool ___m_ReadOnly_41;
// System.Boolean UnityEngine.UI.InputField::m_ShouldActivateOnSelect
bool ___m_ShouldActivateOnSelect_42;
// System.Int32 UnityEngine.UI.InputField::m_CaretPosition
int32_t ___m_CaretPosition_43;
// System.Int32 UnityEngine.UI.InputField::m_CaretSelectPosition
int32_t ___m_CaretSelectPosition_44;
// UnityEngine.RectTransform UnityEngine.UI.InputField::caretRectTrans
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___caretRectTrans_45;
// UnityEngine.UIVertex[] UnityEngine.UI.InputField::m_CursorVerts
UIVertexU5BU5D_tE3D523C48DFEBC775876720DE2539A79FB7E5E5A* ___m_CursorVerts_46;
// UnityEngine.TextGenerator UnityEngine.UI.InputField::m_InputTextCache
TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70 * ___m_InputTextCache_47;
// UnityEngine.CanvasRenderer UnityEngine.UI.InputField::m_CachedInputRenderer
CanvasRenderer_tCF8ABE659F7C3A6ED0D99A988D0BDFB651310F0E * ___m_CachedInputRenderer_48;
// System.Boolean UnityEngine.UI.InputField::m_PreventFontCallback
bool ___m_PreventFontCallback_49;
// UnityEngine.Mesh UnityEngine.UI.InputField::m_Mesh
Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * ___m_Mesh_50;
// System.Boolean UnityEngine.UI.InputField::m_AllowInput
bool ___m_AllowInput_51;
// System.Boolean UnityEngine.UI.InputField::m_ShouldActivateNextUpdate
bool ___m_ShouldActivateNextUpdate_52;
// System.Boolean UnityEngine.UI.InputField::m_UpdateDrag
bool ___m_UpdateDrag_53;
// System.Boolean UnityEngine.UI.InputField::m_DragPositionOutOfBounds
bool ___m_DragPositionOutOfBounds_54;
// System.Boolean UnityEngine.UI.InputField::m_CaretVisible
bool ___m_CaretVisible_57;
// UnityEngine.Coroutine UnityEngine.UI.InputField::m_BlinkCoroutine
Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * ___m_BlinkCoroutine_58;
// System.Single UnityEngine.UI.InputField::m_BlinkStartTime
float ___m_BlinkStartTime_59;
// System.Int32 UnityEngine.UI.InputField::m_DrawStart
int32_t ___m_DrawStart_60;
// System.Int32 UnityEngine.UI.InputField::m_DrawEnd
int32_t ___m_DrawEnd_61;
// UnityEngine.Coroutine UnityEngine.UI.InputField::m_DragCoroutine
Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * ___m_DragCoroutine_62;
// System.String UnityEngine.UI.InputField::m_OriginalText
String_t* ___m_OriginalText_63;
// System.Boolean UnityEngine.UI.InputField::m_WasCanceled
bool ___m_WasCanceled_64;
// System.Boolean UnityEngine.UI.InputField::m_HasDoneFocusTransition
bool ___m_HasDoneFocusTransition_65;
// UnityEngine.WaitForSecondsRealtime UnityEngine.UI.InputField::m_WaitForSecondsRealtime
WaitForSecondsRealtime_t04F2884A9814C3E4E415E788AFE56B5928577C40 * ___m_WaitForSecondsRealtime_66;
// System.Boolean UnityEngine.UI.InputField::m_TouchKeyboardAllowsInPlaceEditing
bool ___m_TouchKeyboardAllowsInPlaceEditing_67;
// UnityEngine.Event UnityEngine.UI.InputField::m_ProcessingEvent
Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E * ___m_ProcessingEvent_69;
public:
inline static int32_t get_offset_of_m_Keyboard_20() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_Keyboard_20)); }
inline TouchScreenKeyboard_t7964B2E9E52C4E095B14F01C32774B98CA11711E * get_m_Keyboard_20() const { return ___m_Keyboard_20; }
inline TouchScreenKeyboard_t7964B2E9E52C4E095B14F01C32774B98CA11711E ** get_address_of_m_Keyboard_20() { return &___m_Keyboard_20; }
inline void set_m_Keyboard_20(TouchScreenKeyboard_t7964B2E9E52C4E095B14F01C32774B98CA11711E * value)
{
___m_Keyboard_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Keyboard_20), (void*)value);
}
inline static int32_t get_offset_of_m_TextComponent_22() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_TextComponent_22)); }
inline Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1 * get_m_TextComponent_22() const { return ___m_TextComponent_22; }
inline Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1 ** get_address_of_m_TextComponent_22() { return &___m_TextComponent_22; }
inline void set_m_TextComponent_22(Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1 * value)
{
___m_TextComponent_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TextComponent_22), (void*)value);
}
inline static int32_t get_offset_of_m_Placeholder_23() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_Placeholder_23)); }
inline Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * get_m_Placeholder_23() const { return ___m_Placeholder_23; }
inline Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 ** get_address_of_m_Placeholder_23() { return &___m_Placeholder_23; }
inline void set_m_Placeholder_23(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * value)
{
___m_Placeholder_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Placeholder_23), (void*)value);
}
inline static int32_t get_offset_of_m_ContentType_24() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_ContentType_24)); }
inline int32_t get_m_ContentType_24() const { return ___m_ContentType_24; }
inline int32_t* get_address_of_m_ContentType_24() { return &___m_ContentType_24; }
inline void set_m_ContentType_24(int32_t value)
{
___m_ContentType_24 = value;
}
inline static int32_t get_offset_of_m_InputType_25() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_InputType_25)); }
inline int32_t get_m_InputType_25() const { return ___m_InputType_25; }
inline int32_t* get_address_of_m_InputType_25() { return &___m_InputType_25; }
inline void set_m_InputType_25(int32_t value)
{
___m_InputType_25 = value;
}
inline static int32_t get_offset_of_m_AsteriskChar_26() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_AsteriskChar_26)); }
inline Il2CppChar get_m_AsteriskChar_26() const { return ___m_AsteriskChar_26; }
inline Il2CppChar* get_address_of_m_AsteriskChar_26() { return &___m_AsteriskChar_26; }
inline void set_m_AsteriskChar_26(Il2CppChar value)
{
___m_AsteriskChar_26 = value;
}
inline static int32_t get_offset_of_m_KeyboardType_27() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_KeyboardType_27)); }
inline int32_t get_m_KeyboardType_27() const { return ___m_KeyboardType_27; }
inline int32_t* get_address_of_m_KeyboardType_27() { return &___m_KeyboardType_27; }
inline void set_m_KeyboardType_27(int32_t value)
{
___m_KeyboardType_27 = value;
}
inline static int32_t get_offset_of_m_LineType_28() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_LineType_28)); }
inline int32_t get_m_LineType_28() const { return ___m_LineType_28; }
inline int32_t* get_address_of_m_LineType_28() { return &___m_LineType_28; }
inline void set_m_LineType_28(int32_t value)
{
___m_LineType_28 = value;
}
inline static int32_t get_offset_of_m_HideMobileInput_29() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_HideMobileInput_29)); }
inline bool get_m_HideMobileInput_29() const { return ___m_HideMobileInput_29; }
inline bool* get_address_of_m_HideMobileInput_29() { return &___m_HideMobileInput_29; }
inline void set_m_HideMobileInput_29(bool value)
{
___m_HideMobileInput_29 = value;
}
inline static int32_t get_offset_of_m_CharacterValidation_30() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_CharacterValidation_30)); }
inline int32_t get_m_CharacterValidation_30() const { return ___m_CharacterValidation_30; }
inline int32_t* get_address_of_m_CharacterValidation_30() { return &___m_CharacterValidation_30; }
inline void set_m_CharacterValidation_30(int32_t value)
{
___m_CharacterValidation_30 = value;
}
inline static int32_t get_offset_of_m_CharacterLimit_31() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_CharacterLimit_31)); }
inline int32_t get_m_CharacterLimit_31() const { return ___m_CharacterLimit_31; }
inline int32_t* get_address_of_m_CharacterLimit_31() { return &___m_CharacterLimit_31; }
inline void set_m_CharacterLimit_31(int32_t value)
{
___m_CharacterLimit_31 = value;
}
inline static int32_t get_offset_of_m_OnEndEdit_32() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_OnEndEdit_32)); }
inline SubmitEvent_t3FD30F627DF2ADEC87C0BE69EE632AAB99F3B8A9 * get_m_OnEndEdit_32() const { return ___m_OnEndEdit_32; }
inline SubmitEvent_t3FD30F627DF2ADEC87C0BE69EE632AAB99F3B8A9 ** get_address_of_m_OnEndEdit_32() { return &___m_OnEndEdit_32; }
inline void set_m_OnEndEdit_32(SubmitEvent_t3FD30F627DF2ADEC87C0BE69EE632AAB99F3B8A9 * value)
{
___m_OnEndEdit_32 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnEndEdit_32), (void*)value);
}
inline static int32_t get_offset_of_m_OnValueChanged_33() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_OnValueChanged_33)); }
inline OnChangeEvent_t2E59014A56EA94168140F0585834954B40D716F7 * get_m_OnValueChanged_33() const { return ___m_OnValueChanged_33; }
inline OnChangeEvent_t2E59014A56EA94168140F0585834954B40D716F7 ** get_address_of_m_OnValueChanged_33() { return &___m_OnValueChanged_33; }
inline void set_m_OnValueChanged_33(OnChangeEvent_t2E59014A56EA94168140F0585834954B40D716F7 * value)
{
___m_OnValueChanged_33 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnValueChanged_33), (void*)value);
}
inline static int32_t get_offset_of_m_OnValidateInput_34() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_OnValidateInput_34)); }
inline OnValidateInput_t721D2C2A7710D113E4909B36D9893CC6B1C69B9F * get_m_OnValidateInput_34() const { return ___m_OnValidateInput_34; }
inline OnValidateInput_t721D2C2A7710D113E4909B36D9893CC6B1C69B9F ** get_address_of_m_OnValidateInput_34() { return &___m_OnValidateInput_34; }
inline void set_m_OnValidateInput_34(OnValidateInput_t721D2C2A7710D113E4909B36D9893CC6B1C69B9F * value)
{
___m_OnValidateInput_34 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnValidateInput_34), (void*)value);
}
inline static int32_t get_offset_of_m_CaretColor_35() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_CaretColor_35)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_CaretColor_35() const { return ___m_CaretColor_35; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_CaretColor_35() { return &___m_CaretColor_35; }
inline void set_m_CaretColor_35(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_CaretColor_35 = value;
}
inline static int32_t get_offset_of_m_CustomCaretColor_36() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_CustomCaretColor_36)); }
inline bool get_m_CustomCaretColor_36() const { return ___m_CustomCaretColor_36; }
inline bool* get_address_of_m_CustomCaretColor_36() { return &___m_CustomCaretColor_36; }
inline void set_m_CustomCaretColor_36(bool value)
{
___m_CustomCaretColor_36 = value;
}
inline static int32_t get_offset_of_m_SelectionColor_37() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_SelectionColor_37)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_SelectionColor_37() const { return ___m_SelectionColor_37; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_SelectionColor_37() { return &___m_SelectionColor_37; }
inline void set_m_SelectionColor_37(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_SelectionColor_37 = value;
}
inline static int32_t get_offset_of_m_Text_38() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_Text_38)); }
inline String_t* get_m_Text_38() const { return ___m_Text_38; }
inline String_t** get_address_of_m_Text_38() { return &___m_Text_38; }
inline void set_m_Text_38(String_t* value)
{
___m_Text_38 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Text_38), (void*)value);
}
inline static int32_t get_offset_of_m_CaretBlinkRate_39() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_CaretBlinkRate_39)); }
inline float get_m_CaretBlinkRate_39() const { return ___m_CaretBlinkRate_39; }
inline float* get_address_of_m_CaretBlinkRate_39() { return &___m_CaretBlinkRate_39; }
inline void set_m_CaretBlinkRate_39(float value)
{
___m_CaretBlinkRate_39 = value;
}
inline static int32_t get_offset_of_m_CaretWidth_40() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_CaretWidth_40)); }
inline int32_t get_m_CaretWidth_40() const { return ___m_CaretWidth_40; }
inline int32_t* get_address_of_m_CaretWidth_40() { return &___m_CaretWidth_40; }
inline void set_m_CaretWidth_40(int32_t value)
{
___m_CaretWidth_40 = value;
}
inline static int32_t get_offset_of_m_ReadOnly_41() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_ReadOnly_41)); }
inline bool get_m_ReadOnly_41() const { return ___m_ReadOnly_41; }
inline bool* get_address_of_m_ReadOnly_41() { return &___m_ReadOnly_41; }
inline void set_m_ReadOnly_41(bool value)
{
___m_ReadOnly_41 = value;
}
inline static int32_t get_offset_of_m_ShouldActivateOnSelect_42() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_ShouldActivateOnSelect_42)); }
inline bool get_m_ShouldActivateOnSelect_42() const { return ___m_ShouldActivateOnSelect_42; }
inline bool* get_address_of_m_ShouldActivateOnSelect_42() { return &___m_ShouldActivateOnSelect_42; }
inline void set_m_ShouldActivateOnSelect_42(bool value)
{
___m_ShouldActivateOnSelect_42 = value;
}
inline static int32_t get_offset_of_m_CaretPosition_43() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_CaretPosition_43)); }
inline int32_t get_m_CaretPosition_43() const { return ___m_CaretPosition_43; }
inline int32_t* get_address_of_m_CaretPosition_43() { return &___m_CaretPosition_43; }
inline void set_m_CaretPosition_43(int32_t value)
{
___m_CaretPosition_43 = value;
}
inline static int32_t get_offset_of_m_CaretSelectPosition_44() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_CaretSelectPosition_44)); }
inline int32_t get_m_CaretSelectPosition_44() const { return ___m_CaretSelectPosition_44; }
inline int32_t* get_address_of_m_CaretSelectPosition_44() { return &___m_CaretSelectPosition_44; }
inline void set_m_CaretSelectPosition_44(int32_t value)
{
___m_CaretSelectPosition_44 = value;
}
inline static int32_t get_offset_of_caretRectTrans_45() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___caretRectTrans_45)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_caretRectTrans_45() const { return ___caretRectTrans_45; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_caretRectTrans_45() { return &___caretRectTrans_45; }
inline void set_caretRectTrans_45(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___caretRectTrans_45 = value;
Il2CppCodeGenWriteBarrier((void**)(&___caretRectTrans_45), (void*)value);
}
inline static int32_t get_offset_of_m_CursorVerts_46() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_CursorVerts_46)); }
inline UIVertexU5BU5D_tE3D523C48DFEBC775876720DE2539A79FB7E5E5A* get_m_CursorVerts_46() const { return ___m_CursorVerts_46; }
inline UIVertexU5BU5D_tE3D523C48DFEBC775876720DE2539A79FB7E5E5A** get_address_of_m_CursorVerts_46() { return &___m_CursorVerts_46; }
inline void set_m_CursorVerts_46(UIVertexU5BU5D_tE3D523C48DFEBC775876720DE2539A79FB7E5E5A* value)
{
___m_CursorVerts_46 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CursorVerts_46), (void*)value);
}
inline static int32_t get_offset_of_m_InputTextCache_47() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_InputTextCache_47)); }
inline TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70 * get_m_InputTextCache_47() const { return ___m_InputTextCache_47; }
inline TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70 ** get_address_of_m_InputTextCache_47() { return &___m_InputTextCache_47; }
inline void set_m_InputTextCache_47(TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70 * value)
{
___m_InputTextCache_47 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InputTextCache_47), (void*)value);
}
inline static int32_t get_offset_of_m_CachedInputRenderer_48() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_CachedInputRenderer_48)); }
inline CanvasRenderer_tCF8ABE659F7C3A6ED0D99A988D0BDFB651310F0E * get_m_CachedInputRenderer_48() const { return ___m_CachedInputRenderer_48; }
inline CanvasRenderer_tCF8ABE659F7C3A6ED0D99A988D0BDFB651310F0E ** get_address_of_m_CachedInputRenderer_48() { return &___m_CachedInputRenderer_48; }
inline void set_m_CachedInputRenderer_48(CanvasRenderer_tCF8ABE659F7C3A6ED0D99A988D0BDFB651310F0E * value)
{
___m_CachedInputRenderer_48 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CachedInputRenderer_48), (void*)value);
}
inline static int32_t get_offset_of_m_PreventFontCallback_49() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_PreventFontCallback_49)); }
inline bool get_m_PreventFontCallback_49() const { return ___m_PreventFontCallback_49; }
inline bool* get_address_of_m_PreventFontCallback_49() { return &___m_PreventFontCallback_49; }
inline void set_m_PreventFontCallback_49(bool value)
{
___m_PreventFontCallback_49 = value;
}
inline static int32_t get_offset_of_m_Mesh_50() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_Mesh_50)); }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * get_m_Mesh_50() const { return ___m_Mesh_50; }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 ** get_address_of_m_Mesh_50() { return &___m_Mesh_50; }
inline void set_m_Mesh_50(Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * value)
{
___m_Mesh_50 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Mesh_50), (void*)value);
}
inline static int32_t get_offset_of_m_AllowInput_51() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_AllowInput_51)); }
inline bool get_m_AllowInput_51() const { return ___m_AllowInput_51; }
inline bool* get_address_of_m_AllowInput_51() { return &___m_AllowInput_51; }
inline void set_m_AllowInput_51(bool value)
{
___m_AllowInput_51 = value;
}
inline static int32_t get_offset_of_m_ShouldActivateNextUpdate_52() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_ShouldActivateNextUpdate_52)); }
inline bool get_m_ShouldActivateNextUpdate_52() const { return ___m_ShouldActivateNextUpdate_52; }
inline bool* get_address_of_m_ShouldActivateNextUpdate_52() { return &___m_ShouldActivateNextUpdate_52; }
inline void set_m_ShouldActivateNextUpdate_52(bool value)
{
___m_ShouldActivateNextUpdate_52 = value;
}
inline static int32_t get_offset_of_m_UpdateDrag_53() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_UpdateDrag_53)); }
inline bool get_m_UpdateDrag_53() const { return ___m_UpdateDrag_53; }
inline bool* get_address_of_m_UpdateDrag_53() { return &___m_UpdateDrag_53; }
inline void set_m_UpdateDrag_53(bool value)
{
___m_UpdateDrag_53 = value;
}
inline static int32_t get_offset_of_m_DragPositionOutOfBounds_54() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_DragPositionOutOfBounds_54)); }
inline bool get_m_DragPositionOutOfBounds_54() const { return ___m_DragPositionOutOfBounds_54; }
inline bool* get_address_of_m_DragPositionOutOfBounds_54() { return &___m_DragPositionOutOfBounds_54; }
inline void set_m_DragPositionOutOfBounds_54(bool value)
{
___m_DragPositionOutOfBounds_54 = value;
}
inline static int32_t get_offset_of_m_CaretVisible_57() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_CaretVisible_57)); }
inline bool get_m_CaretVisible_57() const { return ___m_CaretVisible_57; }
inline bool* get_address_of_m_CaretVisible_57() { return &___m_CaretVisible_57; }
inline void set_m_CaretVisible_57(bool value)
{
___m_CaretVisible_57 = value;
}
inline static int32_t get_offset_of_m_BlinkCoroutine_58() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_BlinkCoroutine_58)); }
inline Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * get_m_BlinkCoroutine_58() const { return ___m_BlinkCoroutine_58; }
inline Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 ** get_address_of_m_BlinkCoroutine_58() { return &___m_BlinkCoroutine_58; }
inline void set_m_BlinkCoroutine_58(Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * value)
{
___m_BlinkCoroutine_58 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_BlinkCoroutine_58), (void*)value);
}
inline static int32_t get_offset_of_m_BlinkStartTime_59() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_BlinkStartTime_59)); }
inline float get_m_BlinkStartTime_59() const { return ___m_BlinkStartTime_59; }
inline float* get_address_of_m_BlinkStartTime_59() { return &___m_BlinkStartTime_59; }
inline void set_m_BlinkStartTime_59(float value)
{
___m_BlinkStartTime_59 = value;
}
inline static int32_t get_offset_of_m_DrawStart_60() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_DrawStart_60)); }
inline int32_t get_m_DrawStart_60() const { return ___m_DrawStart_60; }
inline int32_t* get_address_of_m_DrawStart_60() { return &___m_DrawStart_60; }
inline void set_m_DrawStart_60(int32_t value)
{
___m_DrawStart_60 = value;
}
inline static int32_t get_offset_of_m_DrawEnd_61() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_DrawEnd_61)); }
inline int32_t get_m_DrawEnd_61() const { return ___m_DrawEnd_61; }
inline int32_t* get_address_of_m_DrawEnd_61() { return &___m_DrawEnd_61; }
inline void set_m_DrawEnd_61(int32_t value)
{
___m_DrawEnd_61 = value;
}
inline static int32_t get_offset_of_m_DragCoroutine_62() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_DragCoroutine_62)); }
inline Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * get_m_DragCoroutine_62() const { return ___m_DragCoroutine_62; }
inline Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 ** get_address_of_m_DragCoroutine_62() { return &___m_DragCoroutine_62; }
inline void set_m_DragCoroutine_62(Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * value)
{
___m_DragCoroutine_62 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DragCoroutine_62), (void*)value);
}
inline static int32_t get_offset_of_m_OriginalText_63() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_OriginalText_63)); }
inline String_t* get_m_OriginalText_63() const { return ___m_OriginalText_63; }
inline String_t** get_address_of_m_OriginalText_63() { return &___m_OriginalText_63; }
inline void set_m_OriginalText_63(String_t* value)
{
___m_OriginalText_63 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OriginalText_63), (void*)value);
}
inline static int32_t get_offset_of_m_WasCanceled_64() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_WasCanceled_64)); }
inline bool get_m_WasCanceled_64() const { return ___m_WasCanceled_64; }
inline bool* get_address_of_m_WasCanceled_64() { return &___m_WasCanceled_64; }
inline void set_m_WasCanceled_64(bool value)
{
___m_WasCanceled_64 = value;
}
inline static int32_t get_offset_of_m_HasDoneFocusTransition_65() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_HasDoneFocusTransition_65)); }
inline bool get_m_HasDoneFocusTransition_65() const { return ___m_HasDoneFocusTransition_65; }
inline bool* get_address_of_m_HasDoneFocusTransition_65() { return &___m_HasDoneFocusTransition_65; }
inline void set_m_HasDoneFocusTransition_65(bool value)
{
___m_HasDoneFocusTransition_65 = value;
}
inline static int32_t get_offset_of_m_WaitForSecondsRealtime_66() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_WaitForSecondsRealtime_66)); }
inline WaitForSecondsRealtime_t04F2884A9814C3E4E415E788AFE56B5928577C40 * get_m_WaitForSecondsRealtime_66() const { return ___m_WaitForSecondsRealtime_66; }
inline WaitForSecondsRealtime_t04F2884A9814C3E4E415E788AFE56B5928577C40 ** get_address_of_m_WaitForSecondsRealtime_66() { return &___m_WaitForSecondsRealtime_66; }
inline void set_m_WaitForSecondsRealtime_66(WaitForSecondsRealtime_t04F2884A9814C3E4E415E788AFE56B5928577C40 * value)
{
___m_WaitForSecondsRealtime_66 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_WaitForSecondsRealtime_66), (void*)value);
}
inline static int32_t get_offset_of_m_TouchKeyboardAllowsInPlaceEditing_67() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_TouchKeyboardAllowsInPlaceEditing_67)); }
inline bool get_m_TouchKeyboardAllowsInPlaceEditing_67() const { return ___m_TouchKeyboardAllowsInPlaceEditing_67; }
inline bool* get_address_of_m_TouchKeyboardAllowsInPlaceEditing_67() { return &___m_TouchKeyboardAllowsInPlaceEditing_67; }
inline void set_m_TouchKeyboardAllowsInPlaceEditing_67(bool value)
{
___m_TouchKeyboardAllowsInPlaceEditing_67 = value;
}
inline static int32_t get_offset_of_m_ProcessingEvent_69() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0, ___m_ProcessingEvent_69)); }
inline Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E * get_m_ProcessingEvent_69() const { return ___m_ProcessingEvent_69; }
inline Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E ** get_address_of_m_ProcessingEvent_69() { return &___m_ProcessingEvent_69; }
inline void set_m_ProcessingEvent_69(Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E * value)
{
___m_ProcessingEvent_69 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ProcessingEvent_69), (void*)value);
}
};
struct InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0_StaticFields
{
public:
// System.Char[] UnityEngine.UI.InputField::kSeparators
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___kSeparators_21;
public:
inline static int32_t get_offset_of_kSeparators_21() { return static_cast<int32_t>(offsetof(InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0_StaticFields, ___kSeparators_21)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_kSeparators_21() const { return ___kSeparators_21; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_kSeparators_21() { return &___kSeparators_21; }
inline void set_kSeparators_21(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___kSeparators_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___kSeparators_21), (void*)value);
}
};
// UnityEngine.UI.MaskableGraphic
struct MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE : public Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24
{
public:
// System.Boolean UnityEngine.UI.MaskableGraphic::m_ShouldRecalculateStencil
bool ___m_ShouldRecalculateStencil_26;
// UnityEngine.Material UnityEngine.UI.MaskableGraphic::m_MaskMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___m_MaskMaterial_27;
// UnityEngine.UI.RectMask2D UnityEngine.UI.MaskableGraphic::m_ParentMask
RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15 * ___m_ParentMask_28;
// System.Boolean UnityEngine.UI.MaskableGraphic::m_Maskable
bool ___m_Maskable_29;
// System.Boolean UnityEngine.UI.MaskableGraphic::m_IsMaskingGraphic
bool ___m_IsMaskingGraphic_30;
// System.Boolean UnityEngine.UI.MaskableGraphic::m_IncludeForMasking
bool ___m_IncludeForMasking_31;
// UnityEngine.UI.MaskableGraphic/CullStateChangedEvent UnityEngine.UI.MaskableGraphic::m_OnCullStateChanged
CullStateChangedEvent_t9B69755DEBEF041C3CC15C3604610BDD72856BD4 * ___m_OnCullStateChanged_32;
// System.Boolean UnityEngine.UI.MaskableGraphic::m_ShouldRecalculate
bool ___m_ShouldRecalculate_33;
// System.Int32 UnityEngine.UI.MaskableGraphic::m_StencilValue
int32_t ___m_StencilValue_34;
// UnityEngine.Vector3[] UnityEngine.UI.MaskableGraphic::m_Corners
Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* ___m_Corners_35;
public:
inline static int32_t get_offset_of_m_ShouldRecalculateStencil_26() { return static_cast<int32_t>(offsetof(MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE, ___m_ShouldRecalculateStencil_26)); }
inline bool get_m_ShouldRecalculateStencil_26() const { return ___m_ShouldRecalculateStencil_26; }
inline bool* get_address_of_m_ShouldRecalculateStencil_26() { return &___m_ShouldRecalculateStencil_26; }
inline void set_m_ShouldRecalculateStencil_26(bool value)
{
___m_ShouldRecalculateStencil_26 = value;
}
inline static int32_t get_offset_of_m_MaskMaterial_27() { return static_cast<int32_t>(offsetof(MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE, ___m_MaskMaterial_27)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_m_MaskMaterial_27() const { return ___m_MaskMaterial_27; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_m_MaskMaterial_27() { return &___m_MaskMaterial_27; }
inline void set_m_MaskMaterial_27(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___m_MaskMaterial_27 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_MaskMaterial_27), (void*)value);
}
inline static int32_t get_offset_of_m_ParentMask_28() { return static_cast<int32_t>(offsetof(MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE, ___m_ParentMask_28)); }
inline RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15 * get_m_ParentMask_28() const { return ___m_ParentMask_28; }
inline RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15 ** get_address_of_m_ParentMask_28() { return &___m_ParentMask_28; }
inline void set_m_ParentMask_28(RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15 * value)
{
___m_ParentMask_28 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ParentMask_28), (void*)value);
}
inline static int32_t get_offset_of_m_Maskable_29() { return static_cast<int32_t>(offsetof(MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE, ___m_Maskable_29)); }
inline bool get_m_Maskable_29() const { return ___m_Maskable_29; }
inline bool* get_address_of_m_Maskable_29() { return &___m_Maskable_29; }
inline void set_m_Maskable_29(bool value)
{
___m_Maskable_29 = value;
}
inline static int32_t get_offset_of_m_IsMaskingGraphic_30() { return static_cast<int32_t>(offsetof(MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE, ___m_IsMaskingGraphic_30)); }
inline bool get_m_IsMaskingGraphic_30() const { return ___m_IsMaskingGraphic_30; }
inline bool* get_address_of_m_IsMaskingGraphic_30() { return &___m_IsMaskingGraphic_30; }
inline void set_m_IsMaskingGraphic_30(bool value)
{
___m_IsMaskingGraphic_30 = value;
}
inline static int32_t get_offset_of_m_IncludeForMasking_31() { return static_cast<int32_t>(offsetof(MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE, ___m_IncludeForMasking_31)); }
inline bool get_m_IncludeForMasking_31() const { return ___m_IncludeForMasking_31; }
inline bool* get_address_of_m_IncludeForMasking_31() { return &___m_IncludeForMasking_31; }
inline void set_m_IncludeForMasking_31(bool value)
{
___m_IncludeForMasking_31 = value;
}
inline static int32_t get_offset_of_m_OnCullStateChanged_32() { return static_cast<int32_t>(offsetof(MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE, ___m_OnCullStateChanged_32)); }
inline CullStateChangedEvent_t9B69755DEBEF041C3CC15C3604610BDD72856BD4 * get_m_OnCullStateChanged_32() const { return ___m_OnCullStateChanged_32; }
inline CullStateChangedEvent_t9B69755DEBEF041C3CC15C3604610BDD72856BD4 ** get_address_of_m_OnCullStateChanged_32() { return &___m_OnCullStateChanged_32; }
inline void set_m_OnCullStateChanged_32(CullStateChangedEvent_t9B69755DEBEF041C3CC15C3604610BDD72856BD4 * value)
{
___m_OnCullStateChanged_32 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnCullStateChanged_32), (void*)value);
}
inline static int32_t get_offset_of_m_ShouldRecalculate_33() { return static_cast<int32_t>(offsetof(MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE, ___m_ShouldRecalculate_33)); }
inline bool get_m_ShouldRecalculate_33() const { return ___m_ShouldRecalculate_33; }
inline bool* get_address_of_m_ShouldRecalculate_33() { return &___m_ShouldRecalculate_33; }
inline void set_m_ShouldRecalculate_33(bool value)
{
___m_ShouldRecalculate_33 = value;
}
inline static int32_t get_offset_of_m_StencilValue_34() { return static_cast<int32_t>(offsetof(MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE, ___m_StencilValue_34)); }
inline int32_t get_m_StencilValue_34() const { return ___m_StencilValue_34; }
inline int32_t* get_address_of_m_StencilValue_34() { return &___m_StencilValue_34; }
inline void set_m_StencilValue_34(int32_t value)
{
___m_StencilValue_34 = value;
}
inline static int32_t get_offset_of_m_Corners_35() { return static_cast<int32_t>(offsetof(MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE, ___m_Corners_35)); }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* get_m_Corners_35() const { return ___m_Corners_35; }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4** get_address_of_m_Corners_35() { return &___m_Corners_35; }
inline void set_m_Corners_35(Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* value)
{
___m_Corners_35 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Corners_35), (void*)value);
}
};
// UnityEngine.EventSystems.PhysicsRaycaster
struct PhysicsRaycaster_t30CAABC8B439EB2F455D320192635CFD2BD89823 : public BaseRaycaster_tBC0FB2CBE6D3D40991EC20F689C43F76AD82A876
{
public:
// UnityEngine.Camera UnityEngine.EventSystems.PhysicsRaycaster::m_EventCamera
Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C * ___m_EventCamera_6;
// UnityEngine.LayerMask UnityEngine.EventSystems.PhysicsRaycaster::m_EventMask
LayerMask_t5FA647D8C300EA0621360CA4424717C3C73190A8 ___m_EventMask_7;
// System.Int32 UnityEngine.EventSystems.PhysicsRaycaster::m_MaxRayIntersections
int32_t ___m_MaxRayIntersections_8;
// System.Int32 UnityEngine.EventSystems.PhysicsRaycaster::m_LastMaxRayIntersections
int32_t ___m_LastMaxRayIntersections_9;
// UnityEngine.RaycastHit[] UnityEngine.EventSystems.PhysicsRaycaster::m_Hits
RaycastHitU5BU5D_t6778DB95346906446AAD3A1A36904F1846435A09* ___m_Hits_10;
public:
inline static int32_t get_offset_of_m_EventCamera_6() { return static_cast<int32_t>(offsetof(PhysicsRaycaster_t30CAABC8B439EB2F455D320192635CFD2BD89823, ___m_EventCamera_6)); }
inline Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C * get_m_EventCamera_6() const { return ___m_EventCamera_6; }
inline Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C ** get_address_of_m_EventCamera_6() { return &___m_EventCamera_6; }
inline void set_m_EventCamera_6(Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C * value)
{
___m_EventCamera_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_EventCamera_6), (void*)value);
}
inline static int32_t get_offset_of_m_EventMask_7() { return static_cast<int32_t>(offsetof(PhysicsRaycaster_t30CAABC8B439EB2F455D320192635CFD2BD89823, ___m_EventMask_7)); }
inline LayerMask_t5FA647D8C300EA0621360CA4424717C3C73190A8 get_m_EventMask_7() const { return ___m_EventMask_7; }
inline LayerMask_t5FA647D8C300EA0621360CA4424717C3C73190A8 * get_address_of_m_EventMask_7() { return &___m_EventMask_7; }
inline void set_m_EventMask_7(LayerMask_t5FA647D8C300EA0621360CA4424717C3C73190A8 value)
{
___m_EventMask_7 = value;
}
inline static int32_t get_offset_of_m_MaxRayIntersections_8() { return static_cast<int32_t>(offsetof(PhysicsRaycaster_t30CAABC8B439EB2F455D320192635CFD2BD89823, ___m_MaxRayIntersections_8)); }
inline int32_t get_m_MaxRayIntersections_8() const { return ___m_MaxRayIntersections_8; }
inline int32_t* get_address_of_m_MaxRayIntersections_8() { return &___m_MaxRayIntersections_8; }
inline void set_m_MaxRayIntersections_8(int32_t value)
{
___m_MaxRayIntersections_8 = value;
}
inline static int32_t get_offset_of_m_LastMaxRayIntersections_9() { return static_cast<int32_t>(offsetof(PhysicsRaycaster_t30CAABC8B439EB2F455D320192635CFD2BD89823, ___m_LastMaxRayIntersections_9)); }
inline int32_t get_m_LastMaxRayIntersections_9() const { return ___m_LastMaxRayIntersections_9; }
inline int32_t* get_address_of_m_LastMaxRayIntersections_9() { return &___m_LastMaxRayIntersections_9; }
inline void set_m_LastMaxRayIntersections_9(int32_t value)
{
___m_LastMaxRayIntersections_9 = value;
}
inline static int32_t get_offset_of_m_Hits_10() { return static_cast<int32_t>(offsetof(PhysicsRaycaster_t30CAABC8B439EB2F455D320192635CFD2BD89823, ___m_Hits_10)); }
inline RaycastHitU5BU5D_t6778DB95346906446AAD3A1A36904F1846435A09* get_m_Hits_10() const { return ___m_Hits_10; }
inline RaycastHitU5BU5D_t6778DB95346906446AAD3A1A36904F1846435A09** get_address_of_m_Hits_10() { return &___m_Hits_10; }
inline void set_m_Hits_10(RaycastHitU5BU5D_t6778DB95346906446AAD3A1A36904F1846435A09* value)
{
___m_Hits_10 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Hits_10), (void*)value);
}
};
// UnityEngine.EventSystems.PointerInputModule
struct PointerInputModule_tD7460503C6A4E1060914FFD213535AEF6AE2F421 : public BaseInputModule_t395DEB45C225A941B2C831CBDB000A23E5899924
{
public:
// System.Collections.Generic.Dictionary`2<System.Int32,UnityEngine.EventSystems.PointerEventData> UnityEngine.EventSystems.PointerInputModule::m_PointerData
Dictionary_2_t52ECB6047A9EDAD198D0CC53F331CDEAAA83BED8 * ___m_PointerData_14;
// UnityEngine.EventSystems.PointerInputModule/MouseState UnityEngine.EventSystems.PointerInputModule::m_MouseState
MouseState_tD62A64A795CF964D179003BB566EF667DB7DACC1 * ___m_MouseState_15;
public:
inline static int32_t get_offset_of_m_PointerData_14() { return static_cast<int32_t>(offsetof(PointerInputModule_tD7460503C6A4E1060914FFD213535AEF6AE2F421, ___m_PointerData_14)); }
inline Dictionary_2_t52ECB6047A9EDAD198D0CC53F331CDEAAA83BED8 * get_m_PointerData_14() const { return ___m_PointerData_14; }
inline Dictionary_2_t52ECB6047A9EDAD198D0CC53F331CDEAAA83BED8 ** get_address_of_m_PointerData_14() { return &___m_PointerData_14; }
inline void set_m_PointerData_14(Dictionary_2_t52ECB6047A9EDAD198D0CC53F331CDEAAA83BED8 * value)
{
___m_PointerData_14 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PointerData_14), (void*)value);
}
inline static int32_t get_offset_of_m_MouseState_15() { return static_cast<int32_t>(offsetof(PointerInputModule_tD7460503C6A4E1060914FFD213535AEF6AE2F421, ___m_MouseState_15)); }
inline MouseState_tD62A64A795CF964D179003BB566EF667DB7DACC1 * get_m_MouseState_15() const { return ___m_MouseState_15; }
inline MouseState_tD62A64A795CF964D179003BB566EF667DB7DACC1 ** get_address_of_m_MouseState_15() { return &___m_MouseState_15; }
inline void set_m_MouseState_15(MouseState_tD62A64A795CF964D179003BB566EF667DB7DACC1 * value)
{
___m_MouseState_15 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_MouseState_15), (void*)value);
}
};
// UnityEngine.UI.PositionAsUV1
struct PositionAsUV1_t6C9AD80A60E2C2526C5E5E04403D9B6DDC9C9725 : public BaseMeshEffect_tC7D44B0AC6406BAC3E4FC4579A43FC135BDB6FDA
{
public:
public:
};
// UnityEngine.UI.Scrollbar
struct Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28 : public Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD
{
public:
// UnityEngine.RectTransform UnityEngine.UI.Scrollbar::m_HandleRect
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_HandleRect_20;
// UnityEngine.UI.Scrollbar/Direction UnityEngine.UI.Scrollbar::m_Direction
int32_t ___m_Direction_21;
// System.Single UnityEngine.UI.Scrollbar::m_Value
float ___m_Value_22;
// System.Single UnityEngine.UI.Scrollbar::m_Size
float ___m_Size_23;
// System.Int32 UnityEngine.UI.Scrollbar::m_NumberOfSteps
int32_t ___m_NumberOfSteps_24;
// UnityEngine.UI.Scrollbar/ScrollEvent UnityEngine.UI.Scrollbar::m_OnValueChanged
ScrollEvent_tD181ECDC6DDCEE9E32FBEFB0E657F0001E3099ED * ___m_OnValueChanged_25;
// UnityEngine.RectTransform UnityEngine.UI.Scrollbar::m_ContainerRect
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_ContainerRect_26;
// UnityEngine.Vector2 UnityEngine.UI.Scrollbar::m_Offset
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_Offset_27;
// UnityEngine.DrivenRectTransformTracker UnityEngine.UI.Scrollbar::m_Tracker
DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 ___m_Tracker_28;
// UnityEngine.Coroutine UnityEngine.UI.Scrollbar::m_PointerDownRepeat
Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * ___m_PointerDownRepeat_29;
// System.Boolean UnityEngine.UI.Scrollbar::isPointerDownAndNotDragging
bool ___isPointerDownAndNotDragging_30;
// System.Boolean UnityEngine.UI.Scrollbar::m_DelayedUpdateVisuals
bool ___m_DelayedUpdateVisuals_31;
public:
inline static int32_t get_offset_of_m_HandleRect_20() { return static_cast<int32_t>(offsetof(Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28, ___m_HandleRect_20)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_HandleRect_20() const { return ___m_HandleRect_20; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_HandleRect_20() { return &___m_HandleRect_20; }
inline void set_m_HandleRect_20(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_HandleRect_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_HandleRect_20), (void*)value);
}
inline static int32_t get_offset_of_m_Direction_21() { return static_cast<int32_t>(offsetof(Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28, ___m_Direction_21)); }
inline int32_t get_m_Direction_21() const { return ___m_Direction_21; }
inline int32_t* get_address_of_m_Direction_21() { return &___m_Direction_21; }
inline void set_m_Direction_21(int32_t value)
{
___m_Direction_21 = value;
}
inline static int32_t get_offset_of_m_Value_22() { return static_cast<int32_t>(offsetof(Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28, ___m_Value_22)); }
inline float get_m_Value_22() const { return ___m_Value_22; }
inline float* get_address_of_m_Value_22() { return &___m_Value_22; }
inline void set_m_Value_22(float value)
{
___m_Value_22 = value;
}
inline static int32_t get_offset_of_m_Size_23() { return static_cast<int32_t>(offsetof(Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28, ___m_Size_23)); }
inline float get_m_Size_23() const { return ___m_Size_23; }
inline float* get_address_of_m_Size_23() { return &___m_Size_23; }
inline void set_m_Size_23(float value)
{
___m_Size_23 = value;
}
inline static int32_t get_offset_of_m_NumberOfSteps_24() { return static_cast<int32_t>(offsetof(Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28, ___m_NumberOfSteps_24)); }
inline int32_t get_m_NumberOfSteps_24() const { return ___m_NumberOfSteps_24; }
inline int32_t* get_address_of_m_NumberOfSteps_24() { return &___m_NumberOfSteps_24; }
inline void set_m_NumberOfSteps_24(int32_t value)
{
___m_NumberOfSteps_24 = value;
}
inline static int32_t get_offset_of_m_OnValueChanged_25() { return static_cast<int32_t>(offsetof(Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28, ___m_OnValueChanged_25)); }
inline ScrollEvent_tD181ECDC6DDCEE9E32FBEFB0E657F0001E3099ED * get_m_OnValueChanged_25() const { return ___m_OnValueChanged_25; }
inline ScrollEvent_tD181ECDC6DDCEE9E32FBEFB0E657F0001E3099ED ** get_address_of_m_OnValueChanged_25() { return &___m_OnValueChanged_25; }
inline void set_m_OnValueChanged_25(ScrollEvent_tD181ECDC6DDCEE9E32FBEFB0E657F0001E3099ED * value)
{
___m_OnValueChanged_25 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnValueChanged_25), (void*)value);
}
inline static int32_t get_offset_of_m_ContainerRect_26() { return static_cast<int32_t>(offsetof(Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28, ___m_ContainerRect_26)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_ContainerRect_26() const { return ___m_ContainerRect_26; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_ContainerRect_26() { return &___m_ContainerRect_26; }
inline void set_m_ContainerRect_26(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_ContainerRect_26 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ContainerRect_26), (void*)value);
}
inline static int32_t get_offset_of_m_Offset_27() { return static_cast<int32_t>(offsetof(Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28, ___m_Offset_27)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_Offset_27() const { return ___m_Offset_27; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_Offset_27() { return &___m_Offset_27; }
inline void set_m_Offset_27(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_Offset_27 = value;
}
inline static int32_t get_offset_of_m_Tracker_28() { return static_cast<int32_t>(offsetof(Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28, ___m_Tracker_28)); }
inline DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 get_m_Tracker_28() const { return ___m_Tracker_28; }
inline DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 * get_address_of_m_Tracker_28() { return &___m_Tracker_28; }
inline void set_m_Tracker_28(DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 value)
{
___m_Tracker_28 = value;
}
inline static int32_t get_offset_of_m_PointerDownRepeat_29() { return static_cast<int32_t>(offsetof(Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28, ___m_PointerDownRepeat_29)); }
inline Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * get_m_PointerDownRepeat_29() const { return ___m_PointerDownRepeat_29; }
inline Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 ** get_address_of_m_PointerDownRepeat_29() { return &___m_PointerDownRepeat_29; }
inline void set_m_PointerDownRepeat_29(Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * value)
{
___m_PointerDownRepeat_29 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PointerDownRepeat_29), (void*)value);
}
inline static int32_t get_offset_of_isPointerDownAndNotDragging_30() { return static_cast<int32_t>(offsetof(Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28, ___isPointerDownAndNotDragging_30)); }
inline bool get_isPointerDownAndNotDragging_30() const { return ___isPointerDownAndNotDragging_30; }
inline bool* get_address_of_isPointerDownAndNotDragging_30() { return &___isPointerDownAndNotDragging_30; }
inline void set_isPointerDownAndNotDragging_30(bool value)
{
___isPointerDownAndNotDragging_30 = value;
}
inline static int32_t get_offset_of_m_DelayedUpdateVisuals_31() { return static_cast<int32_t>(offsetof(Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28, ___m_DelayedUpdateVisuals_31)); }
inline bool get_m_DelayedUpdateVisuals_31() const { return ___m_DelayedUpdateVisuals_31; }
inline bool* get_address_of_m_DelayedUpdateVisuals_31() { return &___m_DelayedUpdateVisuals_31; }
inline void set_m_DelayedUpdateVisuals_31(bool value)
{
___m_DelayedUpdateVisuals_31 = value;
}
};
// UnityEngine.UI.Shadow
struct Shadow_t96D9C6FC7BB4D9CBEB5788F2333125365DE12F8E : public BaseMeshEffect_tC7D44B0AC6406BAC3E4FC4579A43FC135BDB6FDA
{
public:
// UnityEngine.Color UnityEngine.UI.Shadow::m_EffectColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_EffectColor_5;
// UnityEngine.Vector2 UnityEngine.UI.Shadow::m_EffectDistance
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_EffectDistance_6;
// System.Boolean UnityEngine.UI.Shadow::m_UseGraphicAlpha
bool ___m_UseGraphicAlpha_7;
public:
inline static int32_t get_offset_of_m_EffectColor_5() { return static_cast<int32_t>(offsetof(Shadow_t96D9C6FC7BB4D9CBEB5788F2333125365DE12F8E, ___m_EffectColor_5)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_EffectColor_5() const { return ___m_EffectColor_5; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_EffectColor_5() { return &___m_EffectColor_5; }
inline void set_m_EffectColor_5(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_EffectColor_5 = value;
}
inline static int32_t get_offset_of_m_EffectDistance_6() { return static_cast<int32_t>(offsetof(Shadow_t96D9C6FC7BB4D9CBEB5788F2333125365DE12F8E, ___m_EffectDistance_6)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_EffectDistance_6() const { return ___m_EffectDistance_6; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_EffectDistance_6() { return &___m_EffectDistance_6; }
inline void set_m_EffectDistance_6(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_EffectDistance_6 = value;
}
inline static int32_t get_offset_of_m_UseGraphicAlpha_7() { return static_cast<int32_t>(offsetof(Shadow_t96D9C6FC7BB4D9CBEB5788F2333125365DE12F8E, ___m_UseGraphicAlpha_7)); }
inline bool get_m_UseGraphicAlpha_7() const { return ___m_UseGraphicAlpha_7; }
inline bool* get_address_of_m_UseGraphicAlpha_7() { return &___m_UseGraphicAlpha_7; }
inline void set_m_UseGraphicAlpha_7(bool value)
{
___m_UseGraphicAlpha_7 = value;
}
};
// UnityEngine.UI.Slider
struct Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A : public Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD
{
public:
// UnityEngine.RectTransform UnityEngine.UI.Slider::m_FillRect
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_FillRect_20;
// UnityEngine.RectTransform UnityEngine.UI.Slider::m_HandleRect
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_HandleRect_21;
// UnityEngine.UI.Slider/Direction UnityEngine.UI.Slider::m_Direction
int32_t ___m_Direction_22;
// System.Single UnityEngine.UI.Slider::m_MinValue
float ___m_MinValue_23;
// System.Single UnityEngine.UI.Slider::m_MaxValue
float ___m_MaxValue_24;
// System.Boolean UnityEngine.UI.Slider::m_WholeNumbers
bool ___m_WholeNumbers_25;
// System.Single UnityEngine.UI.Slider::m_Value
float ___m_Value_26;
// UnityEngine.UI.Slider/SliderEvent UnityEngine.UI.Slider::m_OnValueChanged
SliderEvent_t312D89AE02E00DD965D68D6F7F813BDF455FD780 * ___m_OnValueChanged_27;
// UnityEngine.UI.Image UnityEngine.UI.Slider::m_FillImage
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * ___m_FillImage_28;
// UnityEngine.Transform UnityEngine.UI.Slider::m_FillTransform
Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * ___m_FillTransform_29;
// UnityEngine.RectTransform UnityEngine.UI.Slider::m_FillContainerRect
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_FillContainerRect_30;
// UnityEngine.Transform UnityEngine.UI.Slider::m_HandleTransform
Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * ___m_HandleTransform_31;
// UnityEngine.RectTransform UnityEngine.UI.Slider::m_HandleContainerRect
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_HandleContainerRect_32;
// UnityEngine.Vector2 UnityEngine.UI.Slider::m_Offset
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_Offset_33;
// UnityEngine.DrivenRectTransformTracker UnityEngine.UI.Slider::m_Tracker
DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 ___m_Tracker_34;
// System.Boolean UnityEngine.UI.Slider::m_DelayedUpdateVisuals
bool ___m_DelayedUpdateVisuals_35;
public:
inline static int32_t get_offset_of_m_FillRect_20() { return static_cast<int32_t>(offsetof(Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A, ___m_FillRect_20)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_FillRect_20() const { return ___m_FillRect_20; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_FillRect_20() { return &___m_FillRect_20; }
inline void set_m_FillRect_20(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_FillRect_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_FillRect_20), (void*)value);
}
inline static int32_t get_offset_of_m_HandleRect_21() { return static_cast<int32_t>(offsetof(Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A, ___m_HandleRect_21)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_HandleRect_21() const { return ___m_HandleRect_21; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_HandleRect_21() { return &___m_HandleRect_21; }
inline void set_m_HandleRect_21(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_HandleRect_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_HandleRect_21), (void*)value);
}
inline static int32_t get_offset_of_m_Direction_22() { return static_cast<int32_t>(offsetof(Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A, ___m_Direction_22)); }
inline int32_t get_m_Direction_22() const { return ___m_Direction_22; }
inline int32_t* get_address_of_m_Direction_22() { return &___m_Direction_22; }
inline void set_m_Direction_22(int32_t value)
{
___m_Direction_22 = value;
}
inline static int32_t get_offset_of_m_MinValue_23() { return static_cast<int32_t>(offsetof(Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A, ___m_MinValue_23)); }
inline float get_m_MinValue_23() const { return ___m_MinValue_23; }
inline float* get_address_of_m_MinValue_23() { return &___m_MinValue_23; }
inline void set_m_MinValue_23(float value)
{
___m_MinValue_23 = value;
}
inline static int32_t get_offset_of_m_MaxValue_24() { return static_cast<int32_t>(offsetof(Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A, ___m_MaxValue_24)); }
inline float get_m_MaxValue_24() const { return ___m_MaxValue_24; }
inline float* get_address_of_m_MaxValue_24() { return &___m_MaxValue_24; }
inline void set_m_MaxValue_24(float value)
{
___m_MaxValue_24 = value;
}
inline static int32_t get_offset_of_m_WholeNumbers_25() { return static_cast<int32_t>(offsetof(Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A, ___m_WholeNumbers_25)); }
inline bool get_m_WholeNumbers_25() const { return ___m_WholeNumbers_25; }
inline bool* get_address_of_m_WholeNumbers_25() { return &___m_WholeNumbers_25; }
inline void set_m_WholeNumbers_25(bool value)
{
___m_WholeNumbers_25 = value;
}
inline static int32_t get_offset_of_m_Value_26() { return static_cast<int32_t>(offsetof(Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A, ___m_Value_26)); }
inline float get_m_Value_26() const { return ___m_Value_26; }
inline float* get_address_of_m_Value_26() { return &___m_Value_26; }
inline void set_m_Value_26(float value)
{
___m_Value_26 = value;
}
inline static int32_t get_offset_of_m_OnValueChanged_27() { return static_cast<int32_t>(offsetof(Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A, ___m_OnValueChanged_27)); }
inline SliderEvent_t312D89AE02E00DD965D68D6F7F813BDF455FD780 * get_m_OnValueChanged_27() const { return ___m_OnValueChanged_27; }
inline SliderEvent_t312D89AE02E00DD965D68D6F7F813BDF455FD780 ** get_address_of_m_OnValueChanged_27() { return &___m_OnValueChanged_27; }
inline void set_m_OnValueChanged_27(SliderEvent_t312D89AE02E00DD965D68D6F7F813BDF455FD780 * value)
{
___m_OnValueChanged_27 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnValueChanged_27), (void*)value);
}
inline static int32_t get_offset_of_m_FillImage_28() { return static_cast<int32_t>(offsetof(Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A, ___m_FillImage_28)); }
inline Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * get_m_FillImage_28() const { return ___m_FillImage_28; }
inline Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C ** get_address_of_m_FillImage_28() { return &___m_FillImage_28; }
inline void set_m_FillImage_28(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * value)
{
___m_FillImage_28 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_FillImage_28), (void*)value);
}
inline static int32_t get_offset_of_m_FillTransform_29() { return static_cast<int32_t>(offsetof(Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A, ___m_FillTransform_29)); }
inline Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * get_m_FillTransform_29() const { return ___m_FillTransform_29; }
inline Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 ** get_address_of_m_FillTransform_29() { return &___m_FillTransform_29; }
inline void set_m_FillTransform_29(Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * value)
{
___m_FillTransform_29 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_FillTransform_29), (void*)value);
}
inline static int32_t get_offset_of_m_FillContainerRect_30() { return static_cast<int32_t>(offsetof(Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A, ___m_FillContainerRect_30)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_FillContainerRect_30() const { return ___m_FillContainerRect_30; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_FillContainerRect_30() { return &___m_FillContainerRect_30; }
inline void set_m_FillContainerRect_30(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_FillContainerRect_30 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_FillContainerRect_30), (void*)value);
}
inline static int32_t get_offset_of_m_HandleTransform_31() { return static_cast<int32_t>(offsetof(Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A, ___m_HandleTransform_31)); }
inline Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * get_m_HandleTransform_31() const { return ___m_HandleTransform_31; }
inline Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 ** get_address_of_m_HandleTransform_31() { return &___m_HandleTransform_31; }
inline void set_m_HandleTransform_31(Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * value)
{
___m_HandleTransform_31 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_HandleTransform_31), (void*)value);
}
inline static int32_t get_offset_of_m_HandleContainerRect_32() { return static_cast<int32_t>(offsetof(Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A, ___m_HandleContainerRect_32)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_HandleContainerRect_32() const { return ___m_HandleContainerRect_32; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_HandleContainerRect_32() { return &___m_HandleContainerRect_32; }
inline void set_m_HandleContainerRect_32(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_HandleContainerRect_32 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_HandleContainerRect_32), (void*)value);
}
inline static int32_t get_offset_of_m_Offset_33() { return static_cast<int32_t>(offsetof(Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A, ___m_Offset_33)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_Offset_33() const { return ___m_Offset_33; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_Offset_33() { return &___m_Offset_33; }
inline void set_m_Offset_33(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_Offset_33 = value;
}
inline static int32_t get_offset_of_m_Tracker_34() { return static_cast<int32_t>(offsetof(Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A, ___m_Tracker_34)); }
inline DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 get_m_Tracker_34() const { return ___m_Tracker_34; }
inline DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 * get_address_of_m_Tracker_34() { return &___m_Tracker_34; }
inline void set_m_Tracker_34(DrivenRectTransformTracker_t7DAF937E47C63B899C7BA0E9B0F206AAB4D85AC2 value)
{
___m_Tracker_34 = value;
}
inline static int32_t get_offset_of_m_DelayedUpdateVisuals_35() { return static_cast<int32_t>(offsetof(Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A, ___m_DelayedUpdateVisuals_35)); }
inline bool get_m_DelayedUpdateVisuals_35() const { return ___m_DelayedUpdateVisuals_35; }
inline bool* get_address_of_m_DelayedUpdateVisuals_35() { return &___m_DelayedUpdateVisuals_35; }
inline void set_m_DelayedUpdateVisuals_35(bool value)
{
___m_DelayedUpdateVisuals_35 = value;
}
};
// TMPro.TMP_Dropdown
struct TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63 : public Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD
{
public:
// UnityEngine.RectTransform TMPro.TMP_Dropdown::m_Template
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_Template_20;
// TMPro.TMP_Text TMPro.TMP_Dropdown::m_CaptionText
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * ___m_CaptionText_21;
// UnityEngine.UI.Image TMPro.TMP_Dropdown::m_CaptionImage
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * ___m_CaptionImage_22;
// UnityEngine.UI.Graphic TMPro.TMP_Dropdown::m_Placeholder
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * ___m_Placeholder_23;
// TMPro.TMP_Text TMPro.TMP_Dropdown::m_ItemText
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * ___m_ItemText_24;
// UnityEngine.UI.Image TMPro.TMP_Dropdown::m_ItemImage
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * ___m_ItemImage_25;
// System.Int32 TMPro.TMP_Dropdown::m_Value
int32_t ___m_Value_26;
// TMPro.TMP_Dropdown/OptionDataList TMPro.TMP_Dropdown::m_Options
OptionDataList_t65D7C0B329EDFEDE9B4B8B768214CB19676A4D1B * ___m_Options_27;
// TMPro.TMP_Dropdown/DropdownEvent TMPro.TMP_Dropdown::m_OnValueChanged
DropdownEvent_tF21B3928B792416216B527C52F7B87EA44AA7F5A * ___m_OnValueChanged_28;
// System.Single TMPro.TMP_Dropdown::m_AlphaFadeSpeed
float ___m_AlphaFadeSpeed_29;
// UnityEngine.GameObject TMPro.TMP_Dropdown::m_Dropdown
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_Dropdown_30;
// UnityEngine.GameObject TMPro.TMP_Dropdown::m_Blocker
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_Blocker_31;
// System.Collections.Generic.List`1<TMPro.TMP_Dropdown/DropdownItem> TMPro.TMP_Dropdown::m_Items
List_1_tB37EFC4AF193F93811F43CEA11738AA0B7275515 * ___m_Items_32;
// TMPro.TweenRunner`1<TMPro.FloatTween> TMPro.TMP_Dropdown::m_AlphaTweenRunner
TweenRunner_1_tE75A3C5885B8A7400F08DD90FD4AE5768176A7DA * ___m_AlphaTweenRunner_33;
// System.Boolean TMPro.TMP_Dropdown::validTemplate
bool ___validTemplate_34;
// UnityEngine.Coroutine TMPro.TMP_Dropdown::m_Coroutine
Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * ___m_Coroutine_35;
public:
inline static int32_t get_offset_of_m_Template_20() { return static_cast<int32_t>(offsetof(TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63, ___m_Template_20)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_Template_20() const { return ___m_Template_20; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_Template_20() { return &___m_Template_20; }
inline void set_m_Template_20(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_Template_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Template_20), (void*)value);
}
inline static int32_t get_offset_of_m_CaptionText_21() { return static_cast<int32_t>(offsetof(TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63, ___m_CaptionText_21)); }
inline TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * get_m_CaptionText_21() const { return ___m_CaptionText_21; }
inline TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 ** get_address_of_m_CaptionText_21() { return &___m_CaptionText_21; }
inline void set_m_CaptionText_21(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * value)
{
___m_CaptionText_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CaptionText_21), (void*)value);
}
inline static int32_t get_offset_of_m_CaptionImage_22() { return static_cast<int32_t>(offsetof(TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63, ___m_CaptionImage_22)); }
inline Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * get_m_CaptionImage_22() const { return ___m_CaptionImage_22; }
inline Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C ** get_address_of_m_CaptionImage_22() { return &___m_CaptionImage_22; }
inline void set_m_CaptionImage_22(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * value)
{
___m_CaptionImage_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CaptionImage_22), (void*)value);
}
inline static int32_t get_offset_of_m_Placeholder_23() { return static_cast<int32_t>(offsetof(TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63, ___m_Placeholder_23)); }
inline Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * get_m_Placeholder_23() const { return ___m_Placeholder_23; }
inline Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 ** get_address_of_m_Placeholder_23() { return &___m_Placeholder_23; }
inline void set_m_Placeholder_23(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * value)
{
___m_Placeholder_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Placeholder_23), (void*)value);
}
inline static int32_t get_offset_of_m_ItemText_24() { return static_cast<int32_t>(offsetof(TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63, ___m_ItemText_24)); }
inline TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * get_m_ItemText_24() const { return ___m_ItemText_24; }
inline TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 ** get_address_of_m_ItemText_24() { return &___m_ItemText_24; }
inline void set_m_ItemText_24(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * value)
{
___m_ItemText_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ItemText_24), (void*)value);
}
inline static int32_t get_offset_of_m_ItemImage_25() { return static_cast<int32_t>(offsetof(TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63, ___m_ItemImage_25)); }
inline Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * get_m_ItemImage_25() const { return ___m_ItemImage_25; }
inline Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C ** get_address_of_m_ItemImage_25() { return &___m_ItemImage_25; }
inline void set_m_ItemImage_25(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C * value)
{
___m_ItemImage_25 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ItemImage_25), (void*)value);
}
inline static int32_t get_offset_of_m_Value_26() { return static_cast<int32_t>(offsetof(TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63, ___m_Value_26)); }
inline int32_t get_m_Value_26() const { return ___m_Value_26; }
inline int32_t* get_address_of_m_Value_26() { return &___m_Value_26; }
inline void set_m_Value_26(int32_t value)
{
___m_Value_26 = value;
}
inline static int32_t get_offset_of_m_Options_27() { return static_cast<int32_t>(offsetof(TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63, ___m_Options_27)); }
inline OptionDataList_t65D7C0B329EDFEDE9B4B8B768214CB19676A4D1B * get_m_Options_27() const { return ___m_Options_27; }
inline OptionDataList_t65D7C0B329EDFEDE9B4B8B768214CB19676A4D1B ** get_address_of_m_Options_27() { return &___m_Options_27; }
inline void set_m_Options_27(OptionDataList_t65D7C0B329EDFEDE9B4B8B768214CB19676A4D1B * value)
{
___m_Options_27 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Options_27), (void*)value);
}
inline static int32_t get_offset_of_m_OnValueChanged_28() { return static_cast<int32_t>(offsetof(TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63, ___m_OnValueChanged_28)); }
inline DropdownEvent_tF21B3928B792416216B527C52F7B87EA44AA7F5A * get_m_OnValueChanged_28() const { return ___m_OnValueChanged_28; }
inline DropdownEvent_tF21B3928B792416216B527C52F7B87EA44AA7F5A ** get_address_of_m_OnValueChanged_28() { return &___m_OnValueChanged_28; }
inline void set_m_OnValueChanged_28(DropdownEvent_tF21B3928B792416216B527C52F7B87EA44AA7F5A * value)
{
___m_OnValueChanged_28 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnValueChanged_28), (void*)value);
}
inline static int32_t get_offset_of_m_AlphaFadeSpeed_29() { return static_cast<int32_t>(offsetof(TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63, ___m_AlphaFadeSpeed_29)); }
inline float get_m_AlphaFadeSpeed_29() const { return ___m_AlphaFadeSpeed_29; }
inline float* get_address_of_m_AlphaFadeSpeed_29() { return &___m_AlphaFadeSpeed_29; }
inline void set_m_AlphaFadeSpeed_29(float value)
{
___m_AlphaFadeSpeed_29 = value;
}
inline static int32_t get_offset_of_m_Dropdown_30() { return static_cast<int32_t>(offsetof(TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63, ___m_Dropdown_30)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_m_Dropdown_30() const { return ___m_Dropdown_30; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_m_Dropdown_30() { return &___m_Dropdown_30; }
inline void set_m_Dropdown_30(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___m_Dropdown_30 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Dropdown_30), (void*)value);
}
inline static int32_t get_offset_of_m_Blocker_31() { return static_cast<int32_t>(offsetof(TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63, ___m_Blocker_31)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_m_Blocker_31() const { return ___m_Blocker_31; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_m_Blocker_31() { return &___m_Blocker_31; }
inline void set_m_Blocker_31(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___m_Blocker_31 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Blocker_31), (void*)value);
}
inline static int32_t get_offset_of_m_Items_32() { return static_cast<int32_t>(offsetof(TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63, ___m_Items_32)); }
inline List_1_tB37EFC4AF193F93811F43CEA11738AA0B7275515 * get_m_Items_32() const { return ___m_Items_32; }
inline List_1_tB37EFC4AF193F93811F43CEA11738AA0B7275515 ** get_address_of_m_Items_32() { return &___m_Items_32; }
inline void set_m_Items_32(List_1_tB37EFC4AF193F93811F43CEA11738AA0B7275515 * value)
{
___m_Items_32 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Items_32), (void*)value);
}
inline static int32_t get_offset_of_m_AlphaTweenRunner_33() { return static_cast<int32_t>(offsetof(TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63, ___m_AlphaTweenRunner_33)); }
inline TweenRunner_1_tE75A3C5885B8A7400F08DD90FD4AE5768176A7DA * get_m_AlphaTweenRunner_33() const { return ___m_AlphaTweenRunner_33; }
inline TweenRunner_1_tE75A3C5885B8A7400F08DD90FD4AE5768176A7DA ** get_address_of_m_AlphaTweenRunner_33() { return &___m_AlphaTweenRunner_33; }
inline void set_m_AlphaTweenRunner_33(TweenRunner_1_tE75A3C5885B8A7400F08DD90FD4AE5768176A7DA * value)
{
___m_AlphaTweenRunner_33 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_AlphaTweenRunner_33), (void*)value);
}
inline static int32_t get_offset_of_validTemplate_34() { return static_cast<int32_t>(offsetof(TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63, ___validTemplate_34)); }
inline bool get_validTemplate_34() const { return ___validTemplate_34; }
inline bool* get_address_of_validTemplate_34() { return &___validTemplate_34; }
inline void set_validTemplate_34(bool value)
{
___validTemplate_34 = value;
}
inline static int32_t get_offset_of_m_Coroutine_35() { return static_cast<int32_t>(offsetof(TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63, ___m_Coroutine_35)); }
inline Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * get_m_Coroutine_35() const { return ___m_Coroutine_35; }
inline Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 ** get_address_of_m_Coroutine_35() { return &___m_Coroutine_35; }
inline void set_m_Coroutine_35(Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * value)
{
___m_Coroutine_35 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Coroutine_35), (void*)value);
}
};
struct TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63_StaticFields
{
public:
// TMPro.TMP_Dropdown/OptionData TMPro.TMP_Dropdown::s_NoOptionData
OptionData_tB4568C660E74AB98EEE1E4F9B283FE4D09EEC023 * ___s_NoOptionData_36;
public:
inline static int32_t get_offset_of_s_NoOptionData_36() { return static_cast<int32_t>(offsetof(TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63_StaticFields, ___s_NoOptionData_36)); }
inline OptionData_tB4568C660E74AB98EEE1E4F9B283FE4D09EEC023 * get_s_NoOptionData_36() const { return ___s_NoOptionData_36; }
inline OptionData_tB4568C660E74AB98EEE1E4F9B283FE4D09EEC023 ** get_address_of_s_NoOptionData_36() { return &___s_NoOptionData_36; }
inline void set_s_NoOptionData_36(OptionData_tB4568C660E74AB98EEE1E4F9B283FE4D09EEC023 * value)
{
___s_NoOptionData_36 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_NoOptionData_36), (void*)value);
}
};
// TMPro.TMP_InputField
struct TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59 : public Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD
{
public:
// UnityEngine.TouchScreenKeyboard TMPro.TMP_InputField::m_SoftKeyboard
TouchScreenKeyboard_t7964B2E9E52C4E095B14F01C32774B98CA11711E * ___m_SoftKeyboard_20;
// UnityEngine.RectTransform TMPro.TMP_InputField::m_RectTransform
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_RectTransform_22;
// UnityEngine.RectTransform TMPro.TMP_InputField::m_TextViewport
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_TextViewport_23;
// UnityEngine.UI.RectMask2D TMPro.TMP_InputField::m_TextComponentRectMask
RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15 * ___m_TextComponentRectMask_24;
// UnityEngine.UI.RectMask2D TMPro.TMP_InputField::m_TextViewportRectMask
RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15 * ___m_TextViewportRectMask_25;
// UnityEngine.Rect TMPro.TMP_InputField::m_CachedViewportRect
Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 ___m_CachedViewportRect_26;
// TMPro.TMP_Text TMPro.TMP_InputField::m_TextComponent
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * ___m_TextComponent_27;
// UnityEngine.RectTransform TMPro.TMP_InputField::m_TextComponentRectTransform
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_TextComponentRectTransform_28;
// UnityEngine.UI.Graphic TMPro.TMP_InputField::m_Placeholder
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * ___m_Placeholder_29;
// UnityEngine.UI.Scrollbar TMPro.TMP_InputField::m_VerticalScrollbar
Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28 * ___m_VerticalScrollbar_30;
// TMPro.TMP_ScrollbarEventHandler TMPro.TMP_InputField::m_VerticalScrollbarEventHandler
TMP_ScrollbarEventHandler_t7F929E74769BB2B34B1292F2872125C7A18E93ED * ___m_VerticalScrollbarEventHandler_31;
// System.Boolean TMPro.TMP_InputField::m_IsDrivenByLayoutComponents
bool ___m_IsDrivenByLayoutComponents_32;
// UnityEngine.UI.LayoutGroup TMPro.TMP_InputField::m_LayoutGroup
LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2 * ___m_LayoutGroup_33;
// UnityEngine.EventSystems.IScrollHandler TMPro.TMP_InputField::m_IScrollHandlerParent
RuntimeObject* ___m_IScrollHandlerParent_34;
// System.Single TMPro.TMP_InputField::m_ScrollPosition
float ___m_ScrollPosition_35;
// System.Single TMPro.TMP_InputField::m_ScrollSensitivity
float ___m_ScrollSensitivity_36;
// TMPro.TMP_InputField/ContentType TMPro.TMP_InputField::m_ContentType
int32_t ___m_ContentType_37;
// TMPro.TMP_InputField/InputType TMPro.TMP_InputField::m_InputType
int32_t ___m_InputType_38;
// System.Char TMPro.TMP_InputField::m_AsteriskChar
Il2CppChar ___m_AsteriskChar_39;
// UnityEngine.TouchScreenKeyboardType TMPro.TMP_InputField::m_KeyboardType
int32_t ___m_KeyboardType_40;
// TMPro.TMP_InputField/LineType TMPro.TMP_InputField::m_LineType
int32_t ___m_LineType_41;
// System.Boolean TMPro.TMP_InputField::m_HideMobileInput
bool ___m_HideMobileInput_42;
// System.Boolean TMPro.TMP_InputField::m_HideSoftKeyboard
bool ___m_HideSoftKeyboard_43;
// TMPro.TMP_InputField/CharacterValidation TMPro.TMP_InputField::m_CharacterValidation
int32_t ___m_CharacterValidation_44;
// System.String TMPro.TMP_InputField::m_RegexValue
String_t* ___m_RegexValue_45;
// System.Single TMPro.TMP_InputField::m_GlobalPointSize
float ___m_GlobalPointSize_46;
// System.Int32 TMPro.TMP_InputField::m_CharacterLimit
int32_t ___m_CharacterLimit_47;
// TMPro.TMP_InputField/SubmitEvent TMPro.TMP_InputField::m_OnEndEdit
SubmitEvent_tCD2882D91E14B30F4FFAF154BFB4D383C0544302 * ___m_OnEndEdit_48;
// TMPro.TMP_InputField/SubmitEvent TMPro.TMP_InputField::m_OnSubmit
SubmitEvent_tCD2882D91E14B30F4FFAF154BFB4D383C0544302 * ___m_OnSubmit_49;
// TMPro.TMP_InputField/SelectionEvent TMPro.TMP_InputField::m_OnSelect
SelectionEvent_tC79F5214E33B94317C594D8B527A571961D929A8 * ___m_OnSelect_50;
// TMPro.TMP_InputField/SelectionEvent TMPro.TMP_InputField::m_OnDeselect
SelectionEvent_tC79F5214E33B94317C594D8B527A571961D929A8 * ___m_OnDeselect_51;
// TMPro.TMP_InputField/TextSelectionEvent TMPro.TMP_InputField::m_OnTextSelection
TextSelectionEvent_tC5B8D2B0C05A7374407913D2E6445B514EA26215 * ___m_OnTextSelection_52;
// TMPro.TMP_InputField/TextSelectionEvent TMPro.TMP_InputField::m_OnEndTextSelection
TextSelectionEvent_tC5B8D2B0C05A7374407913D2E6445B514EA26215 * ___m_OnEndTextSelection_53;
// TMPro.TMP_InputField/OnChangeEvent TMPro.TMP_InputField::m_OnValueChanged
OnChangeEvent_tDD8E18136CE9D0B5AA66AE75E7F60D67CA7F5A03 * ___m_OnValueChanged_54;
// TMPro.TMP_InputField/TouchScreenKeyboardEvent TMPro.TMP_InputField::m_OnTouchScreenKeyboardStatusChanged
TouchScreenKeyboardEvent_t202B521A95E8D94F343354D1D54C90B5A0A756CC * ___m_OnTouchScreenKeyboardStatusChanged_55;
// TMPro.TMP_InputField/OnValidateInput TMPro.TMP_InputField::m_OnValidateInput
OnValidateInput_t669C9E4A5AA145BC2A45A711371835AECE5F66BA * ___m_OnValidateInput_56;
// UnityEngine.Color TMPro.TMP_InputField::m_CaretColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_CaretColor_57;
// System.Boolean TMPro.TMP_InputField::m_CustomCaretColor
bool ___m_CustomCaretColor_58;
// UnityEngine.Color TMPro.TMP_InputField::m_SelectionColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_SelectionColor_59;
// System.String TMPro.TMP_InputField::m_Text
String_t* ___m_Text_60;
// System.Single TMPro.TMP_InputField::m_CaretBlinkRate
float ___m_CaretBlinkRate_61;
// System.Int32 TMPro.TMP_InputField::m_CaretWidth
int32_t ___m_CaretWidth_62;
// System.Boolean TMPro.TMP_InputField::m_ReadOnly
bool ___m_ReadOnly_63;
// System.Boolean TMPro.TMP_InputField::m_RichText
bool ___m_RichText_64;
// System.Int32 TMPro.TMP_InputField::m_StringPosition
int32_t ___m_StringPosition_65;
// System.Int32 TMPro.TMP_InputField::m_StringSelectPosition
int32_t ___m_StringSelectPosition_66;
// System.Int32 TMPro.TMP_InputField::m_CaretPosition
int32_t ___m_CaretPosition_67;
// System.Int32 TMPro.TMP_InputField::m_CaretSelectPosition
int32_t ___m_CaretSelectPosition_68;
// UnityEngine.RectTransform TMPro.TMP_InputField::caretRectTrans
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___caretRectTrans_69;
// UnityEngine.UIVertex[] TMPro.TMP_InputField::m_CursorVerts
UIVertexU5BU5D_tE3D523C48DFEBC775876720DE2539A79FB7E5E5A* ___m_CursorVerts_70;
// UnityEngine.CanvasRenderer TMPro.TMP_InputField::m_CachedInputRenderer
CanvasRenderer_tCF8ABE659F7C3A6ED0D99A988D0BDFB651310F0E * ___m_CachedInputRenderer_71;
// UnityEngine.Vector2 TMPro.TMP_InputField::m_LastPosition
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_LastPosition_72;
// UnityEngine.Mesh TMPro.TMP_InputField::m_Mesh
Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * ___m_Mesh_73;
// System.Boolean TMPro.TMP_InputField::m_AllowInput
bool ___m_AllowInput_74;
// System.Boolean TMPro.TMP_InputField::m_ShouldActivateNextUpdate
bool ___m_ShouldActivateNextUpdate_75;
// System.Boolean TMPro.TMP_InputField::m_UpdateDrag
bool ___m_UpdateDrag_76;
// System.Boolean TMPro.TMP_InputField::m_DragPositionOutOfBounds
bool ___m_DragPositionOutOfBounds_77;
// System.Boolean TMPro.TMP_InputField::m_CaretVisible
bool ___m_CaretVisible_80;
// UnityEngine.Coroutine TMPro.TMP_InputField::m_BlinkCoroutine
Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * ___m_BlinkCoroutine_81;
// System.Single TMPro.TMP_InputField::m_BlinkStartTime
float ___m_BlinkStartTime_82;
// UnityEngine.Coroutine TMPro.TMP_InputField::m_DragCoroutine
Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * ___m_DragCoroutine_83;
// System.String TMPro.TMP_InputField::m_OriginalText
String_t* ___m_OriginalText_84;
// System.Boolean TMPro.TMP_InputField::m_WasCanceled
bool ___m_WasCanceled_85;
// System.Boolean TMPro.TMP_InputField::m_HasDoneFocusTransition
bool ___m_HasDoneFocusTransition_86;
// UnityEngine.WaitForSecondsRealtime TMPro.TMP_InputField::m_WaitForSecondsRealtime
WaitForSecondsRealtime_t04F2884A9814C3E4E415E788AFE56B5928577C40 * ___m_WaitForSecondsRealtime_87;
// System.Boolean TMPro.TMP_InputField::m_PreventCallback
bool ___m_PreventCallback_88;
// System.Boolean TMPro.TMP_InputField::m_TouchKeyboardAllowsInPlaceEditing
bool ___m_TouchKeyboardAllowsInPlaceEditing_89;
// System.Boolean TMPro.TMP_InputField::m_IsTextComponentUpdateRequired
bool ___m_IsTextComponentUpdateRequired_90;
// System.Boolean TMPro.TMP_InputField::m_isLastKeyBackspace
bool ___m_isLastKeyBackspace_91;
// System.Single TMPro.TMP_InputField::m_PointerDownClickStartTime
float ___m_PointerDownClickStartTime_92;
// System.Single TMPro.TMP_InputField::m_KeyDownStartTime
float ___m_KeyDownStartTime_93;
// System.Single TMPro.TMP_InputField::m_DoubleClickDelay
float ___m_DoubleClickDelay_94;
// System.Boolean TMPro.TMP_InputField::m_IsCompositionActive
bool ___m_IsCompositionActive_96;
// System.Boolean TMPro.TMP_InputField::m_ShouldUpdateIMEWindowPosition
bool ___m_ShouldUpdateIMEWindowPosition_97;
// System.Int32 TMPro.TMP_InputField::m_PreviousIMEInsertionLine
int32_t ___m_PreviousIMEInsertionLine_98;
// TMPro.TMP_FontAsset TMPro.TMP_InputField::m_GlobalFontAsset
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___m_GlobalFontAsset_99;
// System.Boolean TMPro.TMP_InputField::m_OnFocusSelectAll
bool ___m_OnFocusSelectAll_100;
// System.Boolean TMPro.TMP_InputField::m_isSelectAll
bool ___m_isSelectAll_101;
// System.Boolean TMPro.TMP_InputField::m_ResetOnDeActivation
bool ___m_ResetOnDeActivation_102;
// System.Boolean TMPro.TMP_InputField::m_SelectionStillActive
bool ___m_SelectionStillActive_103;
// System.Boolean TMPro.TMP_InputField::m_ReleaseSelection
bool ___m_ReleaseSelection_104;
// UnityEngine.GameObject TMPro.TMP_InputField::m_PreviouslySelectedObject
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_PreviouslySelectedObject_105;
// System.Boolean TMPro.TMP_InputField::m_RestoreOriginalTextOnEscape
bool ___m_RestoreOriginalTextOnEscape_106;
// System.Boolean TMPro.TMP_InputField::m_isRichTextEditingAllowed
bool ___m_isRichTextEditingAllowed_107;
// System.Int32 TMPro.TMP_InputField::m_LineLimit
int32_t ___m_LineLimit_108;
// TMPro.TMP_InputValidator TMPro.TMP_InputField::m_InputValidator
TMP_InputValidator_t5DE1CB404972CB5D787521EF3B382C27D5DB456D * ___m_InputValidator_109;
// System.Boolean TMPro.TMP_InputField::m_isSelected
bool ___m_isSelected_110;
// System.Boolean TMPro.TMP_InputField::m_IsStringPositionDirty
bool ___m_IsStringPositionDirty_111;
// System.Boolean TMPro.TMP_InputField::m_IsCaretPositionDirty
bool ___m_IsCaretPositionDirty_112;
// System.Boolean TMPro.TMP_InputField::m_forceRectTransformAdjustment
bool ___m_forceRectTransformAdjustment_113;
// UnityEngine.Event TMPro.TMP_InputField::m_ProcessingEvent
Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E * ___m_ProcessingEvent_114;
public:
inline static int32_t get_offset_of_m_SoftKeyboard_20() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_SoftKeyboard_20)); }
inline TouchScreenKeyboard_t7964B2E9E52C4E095B14F01C32774B98CA11711E * get_m_SoftKeyboard_20() const { return ___m_SoftKeyboard_20; }
inline TouchScreenKeyboard_t7964B2E9E52C4E095B14F01C32774B98CA11711E ** get_address_of_m_SoftKeyboard_20() { return &___m_SoftKeyboard_20; }
inline void set_m_SoftKeyboard_20(TouchScreenKeyboard_t7964B2E9E52C4E095B14F01C32774B98CA11711E * value)
{
___m_SoftKeyboard_20 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SoftKeyboard_20), (void*)value);
}
inline static int32_t get_offset_of_m_RectTransform_22() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_RectTransform_22)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_RectTransform_22() const { return ___m_RectTransform_22; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_RectTransform_22() { return &___m_RectTransform_22; }
inline void set_m_RectTransform_22(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_RectTransform_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RectTransform_22), (void*)value);
}
inline static int32_t get_offset_of_m_TextViewport_23() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_TextViewport_23)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_TextViewport_23() const { return ___m_TextViewport_23; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_TextViewport_23() { return &___m_TextViewport_23; }
inline void set_m_TextViewport_23(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_TextViewport_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TextViewport_23), (void*)value);
}
inline static int32_t get_offset_of_m_TextComponentRectMask_24() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_TextComponentRectMask_24)); }
inline RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15 * get_m_TextComponentRectMask_24() const { return ___m_TextComponentRectMask_24; }
inline RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15 ** get_address_of_m_TextComponentRectMask_24() { return &___m_TextComponentRectMask_24; }
inline void set_m_TextComponentRectMask_24(RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15 * value)
{
___m_TextComponentRectMask_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TextComponentRectMask_24), (void*)value);
}
inline static int32_t get_offset_of_m_TextViewportRectMask_25() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_TextViewportRectMask_25)); }
inline RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15 * get_m_TextViewportRectMask_25() const { return ___m_TextViewportRectMask_25; }
inline RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15 ** get_address_of_m_TextViewportRectMask_25() { return &___m_TextViewportRectMask_25; }
inline void set_m_TextViewportRectMask_25(RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15 * value)
{
___m_TextViewportRectMask_25 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TextViewportRectMask_25), (void*)value);
}
inline static int32_t get_offset_of_m_CachedViewportRect_26() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_CachedViewportRect_26)); }
inline Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 get_m_CachedViewportRect_26() const { return ___m_CachedViewportRect_26; }
inline Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 * get_address_of_m_CachedViewportRect_26() { return &___m_CachedViewportRect_26; }
inline void set_m_CachedViewportRect_26(Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 value)
{
___m_CachedViewportRect_26 = value;
}
inline static int32_t get_offset_of_m_TextComponent_27() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_TextComponent_27)); }
inline TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * get_m_TextComponent_27() const { return ___m_TextComponent_27; }
inline TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 ** get_address_of_m_TextComponent_27() { return &___m_TextComponent_27; }
inline void set_m_TextComponent_27(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * value)
{
___m_TextComponent_27 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TextComponent_27), (void*)value);
}
inline static int32_t get_offset_of_m_TextComponentRectTransform_28() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_TextComponentRectTransform_28)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_TextComponentRectTransform_28() const { return ___m_TextComponentRectTransform_28; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_TextComponentRectTransform_28() { return &___m_TextComponentRectTransform_28; }
inline void set_m_TextComponentRectTransform_28(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_TextComponentRectTransform_28 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TextComponentRectTransform_28), (void*)value);
}
inline static int32_t get_offset_of_m_Placeholder_29() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_Placeholder_29)); }
inline Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * get_m_Placeholder_29() const { return ___m_Placeholder_29; }
inline Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 ** get_address_of_m_Placeholder_29() { return &___m_Placeholder_29; }
inline void set_m_Placeholder_29(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * value)
{
___m_Placeholder_29 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Placeholder_29), (void*)value);
}
inline static int32_t get_offset_of_m_VerticalScrollbar_30() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_VerticalScrollbar_30)); }
inline Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28 * get_m_VerticalScrollbar_30() const { return ___m_VerticalScrollbar_30; }
inline Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28 ** get_address_of_m_VerticalScrollbar_30() { return &___m_VerticalScrollbar_30; }
inline void set_m_VerticalScrollbar_30(Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28 * value)
{
___m_VerticalScrollbar_30 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_VerticalScrollbar_30), (void*)value);
}
inline static int32_t get_offset_of_m_VerticalScrollbarEventHandler_31() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_VerticalScrollbarEventHandler_31)); }
inline TMP_ScrollbarEventHandler_t7F929E74769BB2B34B1292F2872125C7A18E93ED * get_m_VerticalScrollbarEventHandler_31() const { return ___m_VerticalScrollbarEventHandler_31; }
inline TMP_ScrollbarEventHandler_t7F929E74769BB2B34B1292F2872125C7A18E93ED ** get_address_of_m_VerticalScrollbarEventHandler_31() { return &___m_VerticalScrollbarEventHandler_31; }
inline void set_m_VerticalScrollbarEventHandler_31(TMP_ScrollbarEventHandler_t7F929E74769BB2B34B1292F2872125C7A18E93ED * value)
{
___m_VerticalScrollbarEventHandler_31 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_VerticalScrollbarEventHandler_31), (void*)value);
}
inline static int32_t get_offset_of_m_IsDrivenByLayoutComponents_32() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_IsDrivenByLayoutComponents_32)); }
inline bool get_m_IsDrivenByLayoutComponents_32() const { return ___m_IsDrivenByLayoutComponents_32; }
inline bool* get_address_of_m_IsDrivenByLayoutComponents_32() { return &___m_IsDrivenByLayoutComponents_32; }
inline void set_m_IsDrivenByLayoutComponents_32(bool value)
{
___m_IsDrivenByLayoutComponents_32 = value;
}
inline static int32_t get_offset_of_m_LayoutGroup_33() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_LayoutGroup_33)); }
inline LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2 * get_m_LayoutGroup_33() const { return ___m_LayoutGroup_33; }
inline LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2 ** get_address_of_m_LayoutGroup_33() { return &___m_LayoutGroup_33; }
inline void set_m_LayoutGroup_33(LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2 * value)
{
___m_LayoutGroup_33 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LayoutGroup_33), (void*)value);
}
inline static int32_t get_offset_of_m_IScrollHandlerParent_34() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_IScrollHandlerParent_34)); }
inline RuntimeObject* get_m_IScrollHandlerParent_34() const { return ___m_IScrollHandlerParent_34; }
inline RuntimeObject** get_address_of_m_IScrollHandlerParent_34() { return &___m_IScrollHandlerParent_34; }
inline void set_m_IScrollHandlerParent_34(RuntimeObject* value)
{
___m_IScrollHandlerParent_34 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_IScrollHandlerParent_34), (void*)value);
}
inline static int32_t get_offset_of_m_ScrollPosition_35() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_ScrollPosition_35)); }
inline float get_m_ScrollPosition_35() const { return ___m_ScrollPosition_35; }
inline float* get_address_of_m_ScrollPosition_35() { return &___m_ScrollPosition_35; }
inline void set_m_ScrollPosition_35(float value)
{
___m_ScrollPosition_35 = value;
}
inline static int32_t get_offset_of_m_ScrollSensitivity_36() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_ScrollSensitivity_36)); }
inline float get_m_ScrollSensitivity_36() const { return ___m_ScrollSensitivity_36; }
inline float* get_address_of_m_ScrollSensitivity_36() { return &___m_ScrollSensitivity_36; }
inline void set_m_ScrollSensitivity_36(float value)
{
___m_ScrollSensitivity_36 = value;
}
inline static int32_t get_offset_of_m_ContentType_37() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_ContentType_37)); }
inline int32_t get_m_ContentType_37() const { return ___m_ContentType_37; }
inline int32_t* get_address_of_m_ContentType_37() { return &___m_ContentType_37; }
inline void set_m_ContentType_37(int32_t value)
{
___m_ContentType_37 = value;
}
inline static int32_t get_offset_of_m_InputType_38() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_InputType_38)); }
inline int32_t get_m_InputType_38() const { return ___m_InputType_38; }
inline int32_t* get_address_of_m_InputType_38() { return &___m_InputType_38; }
inline void set_m_InputType_38(int32_t value)
{
___m_InputType_38 = value;
}
inline static int32_t get_offset_of_m_AsteriskChar_39() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_AsteriskChar_39)); }
inline Il2CppChar get_m_AsteriskChar_39() const { return ___m_AsteriskChar_39; }
inline Il2CppChar* get_address_of_m_AsteriskChar_39() { return &___m_AsteriskChar_39; }
inline void set_m_AsteriskChar_39(Il2CppChar value)
{
___m_AsteriskChar_39 = value;
}
inline static int32_t get_offset_of_m_KeyboardType_40() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_KeyboardType_40)); }
inline int32_t get_m_KeyboardType_40() const { return ___m_KeyboardType_40; }
inline int32_t* get_address_of_m_KeyboardType_40() { return &___m_KeyboardType_40; }
inline void set_m_KeyboardType_40(int32_t value)
{
___m_KeyboardType_40 = value;
}
inline static int32_t get_offset_of_m_LineType_41() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_LineType_41)); }
inline int32_t get_m_LineType_41() const { return ___m_LineType_41; }
inline int32_t* get_address_of_m_LineType_41() { return &___m_LineType_41; }
inline void set_m_LineType_41(int32_t value)
{
___m_LineType_41 = value;
}
inline static int32_t get_offset_of_m_HideMobileInput_42() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_HideMobileInput_42)); }
inline bool get_m_HideMobileInput_42() const { return ___m_HideMobileInput_42; }
inline bool* get_address_of_m_HideMobileInput_42() { return &___m_HideMobileInput_42; }
inline void set_m_HideMobileInput_42(bool value)
{
___m_HideMobileInput_42 = value;
}
inline static int32_t get_offset_of_m_HideSoftKeyboard_43() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_HideSoftKeyboard_43)); }
inline bool get_m_HideSoftKeyboard_43() const { return ___m_HideSoftKeyboard_43; }
inline bool* get_address_of_m_HideSoftKeyboard_43() { return &___m_HideSoftKeyboard_43; }
inline void set_m_HideSoftKeyboard_43(bool value)
{
___m_HideSoftKeyboard_43 = value;
}
inline static int32_t get_offset_of_m_CharacterValidation_44() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_CharacterValidation_44)); }
inline int32_t get_m_CharacterValidation_44() const { return ___m_CharacterValidation_44; }
inline int32_t* get_address_of_m_CharacterValidation_44() { return &___m_CharacterValidation_44; }
inline void set_m_CharacterValidation_44(int32_t value)
{
___m_CharacterValidation_44 = value;
}
inline static int32_t get_offset_of_m_RegexValue_45() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_RegexValue_45)); }
inline String_t* get_m_RegexValue_45() const { return ___m_RegexValue_45; }
inline String_t** get_address_of_m_RegexValue_45() { return &___m_RegexValue_45; }
inline void set_m_RegexValue_45(String_t* value)
{
___m_RegexValue_45 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RegexValue_45), (void*)value);
}
inline static int32_t get_offset_of_m_GlobalPointSize_46() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_GlobalPointSize_46)); }
inline float get_m_GlobalPointSize_46() const { return ___m_GlobalPointSize_46; }
inline float* get_address_of_m_GlobalPointSize_46() { return &___m_GlobalPointSize_46; }
inline void set_m_GlobalPointSize_46(float value)
{
___m_GlobalPointSize_46 = value;
}
inline static int32_t get_offset_of_m_CharacterLimit_47() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_CharacterLimit_47)); }
inline int32_t get_m_CharacterLimit_47() const { return ___m_CharacterLimit_47; }
inline int32_t* get_address_of_m_CharacterLimit_47() { return &___m_CharacterLimit_47; }
inline void set_m_CharacterLimit_47(int32_t value)
{
___m_CharacterLimit_47 = value;
}
inline static int32_t get_offset_of_m_OnEndEdit_48() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_OnEndEdit_48)); }
inline SubmitEvent_tCD2882D91E14B30F4FFAF154BFB4D383C0544302 * get_m_OnEndEdit_48() const { return ___m_OnEndEdit_48; }
inline SubmitEvent_tCD2882D91E14B30F4FFAF154BFB4D383C0544302 ** get_address_of_m_OnEndEdit_48() { return &___m_OnEndEdit_48; }
inline void set_m_OnEndEdit_48(SubmitEvent_tCD2882D91E14B30F4FFAF154BFB4D383C0544302 * value)
{
___m_OnEndEdit_48 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnEndEdit_48), (void*)value);
}
inline static int32_t get_offset_of_m_OnSubmit_49() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_OnSubmit_49)); }
inline SubmitEvent_tCD2882D91E14B30F4FFAF154BFB4D383C0544302 * get_m_OnSubmit_49() const { return ___m_OnSubmit_49; }
inline SubmitEvent_tCD2882D91E14B30F4FFAF154BFB4D383C0544302 ** get_address_of_m_OnSubmit_49() { return &___m_OnSubmit_49; }
inline void set_m_OnSubmit_49(SubmitEvent_tCD2882D91E14B30F4FFAF154BFB4D383C0544302 * value)
{
___m_OnSubmit_49 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnSubmit_49), (void*)value);
}
inline static int32_t get_offset_of_m_OnSelect_50() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_OnSelect_50)); }
inline SelectionEvent_tC79F5214E33B94317C594D8B527A571961D929A8 * get_m_OnSelect_50() const { return ___m_OnSelect_50; }
inline SelectionEvent_tC79F5214E33B94317C594D8B527A571961D929A8 ** get_address_of_m_OnSelect_50() { return &___m_OnSelect_50; }
inline void set_m_OnSelect_50(SelectionEvent_tC79F5214E33B94317C594D8B527A571961D929A8 * value)
{
___m_OnSelect_50 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnSelect_50), (void*)value);
}
inline static int32_t get_offset_of_m_OnDeselect_51() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_OnDeselect_51)); }
inline SelectionEvent_tC79F5214E33B94317C594D8B527A571961D929A8 * get_m_OnDeselect_51() const { return ___m_OnDeselect_51; }
inline SelectionEvent_tC79F5214E33B94317C594D8B527A571961D929A8 ** get_address_of_m_OnDeselect_51() { return &___m_OnDeselect_51; }
inline void set_m_OnDeselect_51(SelectionEvent_tC79F5214E33B94317C594D8B527A571961D929A8 * value)
{
___m_OnDeselect_51 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnDeselect_51), (void*)value);
}
inline static int32_t get_offset_of_m_OnTextSelection_52() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_OnTextSelection_52)); }
inline TextSelectionEvent_tC5B8D2B0C05A7374407913D2E6445B514EA26215 * get_m_OnTextSelection_52() const { return ___m_OnTextSelection_52; }
inline TextSelectionEvent_tC5B8D2B0C05A7374407913D2E6445B514EA26215 ** get_address_of_m_OnTextSelection_52() { return &___m_OnTextSelection_52; }
inline void set_m_OnTextSelection_52(TextSelectionEvent_tC5B8D2B0C05A7374407913D2E6445B514EA26215 * value)
{
___m_OnTextSelection_52 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnTextSelection_52), (void*)value);
}
inline static int32_t get_offset_of_m_OnEndTextSelection_53() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_OnEndTextSelection_53)); }
inline TextSelectionEvent_tC5B8D2B0C05A7374407913D2E6445B514EA26215 * get_m_OnEndTextSelection_53() const { return ___m_OnEndTextSelection_53; }
inline TextSelectionEvent_tC5B8D2B0C05A7374407913D2E6445B514EA26215 ** get_address_of_m_OnEndTextSelection_53() { return &___m_OnEndTextSelection_53; }
inline void set_m_OnEndTextSelection_53(TextSelectionEvent_tC5B8D2B0C05A7374407913D2E6445B514EA26215 * value)
{
___m_OnEndTextSelection_53 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnEndTextSelection_53), (void*)value);
}
inline static int32_t get_offset_of_m_OnValueChanged_54() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_OnValueChanged_54)); }
inline OnChangeEvent_tDD8E18136CE9D0B5AA66AE75E7F60D67CA7F5A03 * get_m_OnValueChanged_54() const { return ___m_OnValueChanged_54; }
inline OnChangeEvent_tDD8E18136CE9D0B5AA66AE75E7F60D67CA7F5A03 ** get_address_of_m_OnValueChanged_54() { return &___m_OnValueChanged_54; }
inline void set_m_OnValueChanged_54(OnChangeEvent_tDD8E18136CE9D0B5AA66AE75E7F60D67CA7F5A03 * value)
{
___m_OnValueChanged_54 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnValueChanged_54), (void*)value);
}
inline static int32_t get_offset_of_m_OnTouchScreenKeyboardStatusChanged_55() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_OnTouchScreenKeyboardStatusChanged_55)); }
inline TouchScreenKeyboardEvent_t202B521A95E8D94F343354D1D54C90B5A0A756CC * get_m_OnTouchScreenKeyboardStatusChanged_55() const { return ___m_OnTouchScreenKeyboardStatusChanged_55; }
inline TouchScreenKeyboardEvent_t202B521A95E8D94F343354D1D54C90B5A0A756CC ** get_address_of_m_OnTouchScreenKeyboardStatusChanged_55() { return &___m_OnTouchScreenKeyboardStatusChanged_55; }
inline void set_m_OnTouchScreenKeyboardStatusChanged_55(TouchScreenKeyboardEvent_t202B521A95E8D94F343354D1D54C90B5A0A756CC * value)
{
___m_OnTouchScreenKeyboardStatusChanged_55 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnTouchScreenKeyboardStatusChanged_55), (void*)value);
}
inline static int32_t get_offset_of_m_OnValidateInput_56() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_OnValidateInput_56)); }
inline OnValidateInput_t669C9E4A5AA145BC2A45A711371835AECE5F66BA * get_m_OnValidateInput_56() const { return ___m_OnValidateInput_56; }
inline OnValidateInput_t669C9E4A5AA145BC2A45A711371835AECE5F66BA ** get_address_of_m_OnValidateInput_56() { return &___m_OnValidateInput_56; }
inline void set_m_OnValidateInput_56(OnValidateInput_t669C9E4A5AA145BC2A45A711371835AECE5F66BA * value)
{
___m_OnValidateInput_56 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OnValidateInput_56), (void*)value);
}
inline static int32_t get_offset_of_m_CaretColor_57() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_CaretColor_57)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_CaretColor_57() const { return ___m_CaretColor_57; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_CaretColor_57() { return &___m_CaretColor_57; }
inline void set_m_CaretColor_57(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_CaretColor_57 = value;
}
inline static int32_t get_offset_of_m_CustomCaretColor_58() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_CustomCaretColor_58)); }
inline bool get_m_CustomCaretColor_58() const { return ___m_CustomCaretColor_58; }
inline bool* get_address_of_m_CustomCaretColor_58() { return &___m_CustomCaretColor_58; }
inline void set_m_CustomCaretColor_58(bool value)
{
___m_CustomCaretColor_58 = value;
}
inline static int32_t get_offset_of_m_SelectionColor_59() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_SelectionColor_59)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_SelectionColor_59() const { return ___m_SelectionColor_59; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_SelectionColor_59() { return &___m_SelectionColor_59; }
inline void set_m_SelectionColor_59(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_SelectionColor_59 = value;
}
inline static int32_t get_offset_of_m_Text_60() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_Text_60)); }
inline String_t* get_m_Text_60() const { return ___m_Text_60; }
inline String_t** get_address_of_m_Text_60() { return &___m_Text_60; }
inline void set_m_Text_60(String_t* value)
{
___m_Text_60 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Text_60), (void*)value);
}
inline static int32_t get_offset_of_m_CaretBlinkRate_61() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_CaretBlinkRate_61)); }
inline float get_m_CaretBlinkRate_61() const { return ___m_CaretBlinkRate_61; }
inline float* get_address_of_m_CaretBlinkRate_61() { return &___m_CaretBlinkRate_61; }
inline void set_m_CaretBlinkRate_61(float value)
{
___m_CaretBlinkRate_61 = value;
}
inline static int32_t get_offset_of_m_CaretWidth_62() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_CaretWidth_62)); }
inline int32_t get_m_CaretWidth_62() const { return ___m_CaretWidth_62; }
inline int32_t* get_address_of_m_CaretWidth_62() { return &___m_CaretWidth_62; }
inline void set_m_CaretWidth_62(int32_t value)
{
___m_CaretWidth_62 = value;
}
inline static int32_t get_offset_of_m_ReadOnly_63() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_ReadOnly_63)); }
inline bool get_m_ReadOnly_63() const { return ___m_ReadOnly_63; }
inline bool* get_address_of_m_ReadOnly_63() { return &___m_ReadOnly_63; }
inline void set_m_ReadOnly_63(bool value)
{
___m_ReadOnly_63 = value;
}
inline static int32_t get_offset_of_m_RichText_64() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_RichText_64)); }
inline bool get_m_RichText_64() const { return ___m_RichText_64; }
inline bool* get_address_of_m_RichText_64() { return &___m_RichText_64; }
inline void set_m_RichText_64(bool value)
{
___m_RichText_64 = value;
}
inline static int32_t get_offset_of_m_StringPosition_65() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_StringPosition_65)); }
inline int32_t get_m_StringPosition_65() const { return ___m_StringPosition_65; }
inline int32_t* get_address_of_m_StringPosition_65() { return &___m_StringPosition_65; }
inline void set_m_StringPosition_65(int32_t value)
{
___m_StringPosition_65 = value;
}
inline static int32_t get_offset_of_m_StringSelectPosition_66() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_StringSelectPosition_66)); }
inline int32_t get_m_StringSelectPosition_66() const { return ___m_StringSelectPosition_66; }
inline int32_t* get_address_of_m_StringSelectPosition_66() { return &___m_StringSelectPosition_66; }
inline void set_m_StringSelectPosition_66(int32_t value)
{
___m_StringSelectPosition_66 = value;
}
inline static int32_t get_offset_of_m_CaretPosition_67() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_CaretPosition_67)); }
inline int32_t get_m_CaretPosition_67() const { return ___m_CaretPosition_67; }
inline int32_t* get_address_of_m_CaretPosition_67() { return &___m_CaretPosition_67; }
inline void set_m_CaretPosition_67(int32_t value)
{
___m_CaretPosition_67 = value;
}
inline static int32_t get_offset_of_m_CaretSelectPosition_68() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_CaretSelectPosition_68)); }
inline int32_t get_m_CaretSelectPosition_68() const { return ___m_CaretSelectPosition_68; }
inline int32_t* get_address_of_m_CaretSelectPosition_68() { return &___m_CaretSelectPosition_68; }
inline void set_m_CaretSelectPosition_68(int32_t value)
{
___m_CaretSelectPosition_68 = value;
}
inline static int32_t get_offset_of_caretRectTrans_69() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___caretRectTrans_69)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_caretRectTrans_69() const { return ___caretRectTrans_69; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_caretRectTrans_69() { return &___caretRectTrans_69; }
inline void set_caretRectTrans_69(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___caretRectTrans_69 = value;
Il2CppCodeGenWriteBarrier((void**)(&___caretRectTrans_69), (void*)value);
}
inline static int32_t get_offset_of_m_CursorVerts_70() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_CursorVerts_70)); }
inline UIVertexU5BU5D_tE3D523C48DFEBC775876720DE2539A79FB7E5E5A* get_m_CursorVerts_70() const { return ___m_CursorVerts_70; }
inline UIVertexU5BU5D_tE3D523C48DFEBC775876720DE2539A79FB7E5E5A** get_address_of_m_CursorVerts_70() { return &___m_CursorVerts_70; }
inline void set_m_CursorVerts_70(UIVertexU5BU5D_tE3D523C48DFEBC775876720DE2539A79FB7E5E5A* value)
{
___m_CursorVerts_70 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CursorVerts_70), (void*)value);
}
inline static int32_t get_offset_of_m_CachedInputRenderer_71() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_CachedInputRenderer_71)); }
inline CanvasRenderer_tCF8ABE659F7C3A6ED0D99A988D0BDFB651310F0E * get_m_CachedInputRenderer_71() const { return ___m_CachedInputRenderer_71; }
inline CanvasRenderer_tCF8ABE659F7C3A6ED0D99A988D0BDFB651310F0E ** get_address_of_m_CachedInputRenderer_71() { return &___m_CachedInputRenderer_71; }
inline void set_m_CachedInputRenderer_71(CanvasRenderer_tCF8ABE659F7C3A6ED0D99A988D0BDFB651310F0E * value)
{
___m_CachedInputRenderer_71 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CachedInputRenderer_71), (void*)value);
}
inline static int32_t get_offset_of_m_LastPosition_72() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_LastPosition_72)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_LastPosition_72() const { return ___m_LastPosition_72; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_LastPosition_72() { return &___m_LastPosition_72; }
inline void set_m_LastPosition_72(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_LastPosition_72 = value;
}
inline static int32_t get_offset_of_m_Mesh_73() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_Mesh_73)); }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * get_m_Mesh_73() const { return ___m_Mesh_73; }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 ** get_address_of_m_Mesh_73() { return &___m_Mesh_73; }
inline void set_m_Mesh_73(Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * value)
{
___m_Mesh_73 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Mesh_73), (void*)value);
}
inline static int32_t get_offset_of_m_AllowInput_74() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_AllowInput_74)); }
inline bool get_m_AllowInput_74() const { return ___m_AllowInput_74; }
inline bool* get_address_of_m_AllowInput_74() { return &___m_AllowInput_74; }
inline void set_m_AllowInput_74(bool value)
{
___m_AllowInput_74 = value;
}
inline static int32_t get_offset_of_m_ShouldActivateNextUpdate_75() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_ShouldActivateNextUpdate_75)); }
inline bool get_m_ShouldActivateNextUpdate_75() const { return ___m_ShouldActivateNextUpdate_75; }
inline bool* get_address_of_m_ShouldActivateNextUpdate_75() { return &___m_ShouldActivateNextUpdate_75; }
inline void set_m_ShouldActivateNextUpdate_75(bool value)
{
___m_ShouldActivateNextUpdate_75 = value;
}
inline static int32_t get_offset_of_m_UpdateDrag_76() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_UpdateDrag_76)); }
inline bool get_m_UpdateDrag_76() const { return ___m_UpdateDrag_76; }
inline bool* get_address_of_m_UpdateDrag_76() { return &___m_UpdateDrag_76; }
inline void set_m_UpdateDrag_76(bool value)
{
___m_UpdateDrag_76 = value;
}
inline static int32_t get_offset_of_m_DragPositionOutOfBounds_77() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_DragPositionOutOfBounds_77)); }
inline bool get_m_DragPositionOutOfBounds_77() const { return ___m_DragPositionOutOfBounds_77; }
inline bool* get_address_of_m_DragPositionOutOfBounds_77() { return &___m_DragPositionOutOfBounds_77; }
inline void set_m_DragPositionOutOfBounds_77(bool value)
{
___m_DragPositionOutOfBounds_77 = value;
}
inline static int32_t get_offset_of_m_CaretVisible_80() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_CaretVisible_80)); }
inline bool get_m_CaretVisible_80() const { return ___m_CaretVisible_80; }
inline bool* get_address_of_m_CaretVisible_80() { return &___m_CaretVisible_80; }
inline void set_m_CaretVisible_80(bool value)
{
___m_CaretVisible_80 = value;
}
inline static int32_t get_offset_of_m_BlinkCoroutine_81() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_BlinkCoroutine_81)); }
inline Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * get_m_BlinkCoroutine_81() const { return ___m_BlinkCoroutine_81; }
inline Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 ** get_address_of_m_BlinkCoroutine_81() { return &___m_BlinkCoroutine_81; }
inline void set_m_BlinkCoroutine_81(Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * value)
{
___m_BlinkCoroutine_81 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_BlinkCoroutine_81), (void*)value);
}
inline static int32_t get_offset_of_m_BlinkStartTime_82() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_BlinkStartTime_82)); }
inline float get_m_BlinkStartTime_82() const { return ___m_BlinkStartTime_82; }
inline float* get_address_of_m_BlinkStartTime_82() { return &___m_BlinkStartTime_82; }
inline void set_m_BlinkStartTime_82(float value)
{
___m_BlinkStartTime_82 = value;
}
inline static int32_t get_offset_of_m_DragCoroutine_83() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_DragCoroutine_83)); }
inline Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * get_m_DragCoroutine_83() const { return ___m_DragCoroutine_83; }
inline Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 ** get_address_of_m_DragCoroutine_83() { return &___m_DragCoroutine_83; }
inline void set_m_DragCoroutine_83(Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * value)
{
___m_DragCoroutine_83 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DragCoroutine_83), (void*)value);
}
inline static int32_t get_offset_of_m_OriginalText_84() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_OriginalText_84)); }
inline String_t* get_m_OriginalText_84() const { return ___m_OriginalText_84; }
inline String_t** get_address_of_m_OriginalText_84() { return &___m_OriginalText_84; }
inline void set_m_OriginalText_84(String_t* value)
{
___m_OriginalText_84 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OriginalText_84), (void*)value);
}
inline static int32_t get_offset_of_m_WasCanceled_85() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_WasCanceled_85)); }
inline bool get_m_WasCanceled_85() const { return ___m_WasCanceled_85; }
inline bool* get_address_of_m_WasCanceled_85() { return &___m_WasCanceled_85; }
inline void set_m_WasCanceled_85(bool value)
{
___m_WasCanceled_85 = value;
}
inline static int32_t get_offset_of_m_HasDoneFocusTransition_86() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_HasDoneFocusTransition_86)); }
inline bool get_m_HasDoneFocusTransition_86() const { return ___m_HasDoneFocusTransition_86; }
inline bool* get_address_of_m_HasDoneFocusTransition_86() { return &___m_HasDoneFocusTransition_86; }
inline void set_m_HasDoneFocusTransition_86(bool value)
{
___m_HasDoneFocusTransition_86 = value;
}
inline static int32_t get_offset_of_m_WaitForSecondsRealtime_87() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_WaitForSecondsRealtime_87)); }
inline WaitForSecondsRealtime_t04F2884A9814C3E4E415E788AFE56B5928577C40 * get_m_WaitForSecondsRealtime_87() const { return ___m_WaitForSecondsRealtime_87; }
inline WaitForSecondsRealtime_t04F2884A9814C3E4E415E788AFE56B5928577C40 ** get_address_of_m_WaitForSecondsRealtime_87() { return &___m_WaitForSecondsRealtime_87; }
inline void set_m_WaitForSecondsRealtime_87(WaitForSecondsRealtime_t04F2884A9814C3E4E415E788AFE56B5928577C40 * value)
{
___m_WaitForSecondsRealtime_87 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_WaitForSecondsRealtime_87), (void*)value);
}
inline static int32_t get_offset_of_m_PreventCallback_88() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_PreventCallback_88)); }
inline bool get_m_PreventCallback_88() const { return ___m_PreventCallback_88; }
inline bool* get_address_of_m_PreventCallback_88() { return &___m_PreventCallback_88; }
inline void set_m_PreventCallback_88(bool value)
{
___m_PreventCallback_88 = value;
}
inline static int32_t get_offset_of_m_TouchKeyboardAllowsInPlaceEditing_89() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_TouchKeyboardAllowsInPlaceEditing_89)); }
inline bool get_m_TouchKeyboardAllowsInPlaceEditing_89() const { return ___m_TouchKeyboardAllowsInPlaceEditing_89; }
inline bool* get_address_of_m_TouchKeyboardAllowsInPlaceEditing_89() { return &___m_TouchKeyboardAllowsInPlaceEditing_89; }
inline void set_m_TouchKeyboardAllowsInPlaceEditing_89(bool value)
{
___m_TouchKeyboardAllowsInPlaceEditing_89 = value;
}
inline static int32_t get_offset_of_m_IsTextComponentUpdateRequired_90() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_IsTextComponentUpdateRequired_90)); }
inline bool get_m_IsTextComponentUpdateRequired_90() const { return ___m_IsTextComponentUpdateRequired_90; }
inline bool* get_address_of_m_IsTextComponentUpdateRequired_90() { return &___m_IsTextComponentUpdateRequired_90; }
inline void set_m_IsTextComponentUpdateRequired_90(bool value)
{
___m_IsTextComponentUpdateRequired_90 = value;
}
inline static int32_t get_offset_of_m_isLastKeyBackspace_91() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_isLastKeyBackspace_91)); }
inline bool get_m_isLastKeyBackspace_91() const { return ___m_isLastKeyBackspace_91; }
inline bool* get_address_of_m_isLastKeyBackspace_91() { return &___m_isLastKeyBackspace_91; }
inline void set_m_isLastKeyBackspace_91(bool value)
{
___m_isLastKeyBackspace_91 = value;
}
inline static int32_t get_offset_of_m_PointerDownClickStartTime_92() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_PointerDownClickStartTime_92)); }
inline float get_m_PointerDownClickStartTime_92() const { return ___m_PointerDownClickStartTime_92; }
inline float* get_address_of_m_PointerDownClickStartTime_92() { return &___m_PointerDownClickStartTime_92; }
inline void set_m_PointerDownClickStartTime_92(float value)
{
___m_PointerDownClickStartTime_92 = value;
}
inline static int32_t get_offset_of_m_KeyDownStartTime_93() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_KeyDownStartTime_93)); }
inline float get_m_KeyDownStartTime_93() const { return ___m_KeyDownStartTime_93; }
inline float* get_address_of_m_KeyDownStartTime_93() { return &___m_KeyDownStartTime_93; }
inline void set_m_KeyDownStartTime_93(float value)
{
___m_KeyDownStartTime_93 = value;
}
inline static int32_t get_offset_of_m_DoubleClickDelay_94() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_DoubleClickDelay_94)); }
inline float get_m_DoubleClickDelay_94() const { return ___m_DoubleClickDelay_94; }
inline float* get_address_of_m_DoubleClickDelay_94() { return &___m_DoubleClickDelay_94; }
inline void set_m_DoubleClickDelay_94(float value)
{
___m_DoubleClickDelay_94 = value;
}
inline static int32_t get_offset_of_m_IsCompositionActive_96() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_IsCompositionActive_96)); }
inline bool get_m_IsCompositionActive_96() const { return ___m_IsCompositionActive_96; }
inline bool* get_address_of_m_IsCompositionActive_96() { return &___m_IsCompositionActive_96; }
inline void set_m_IsCompositionActive_96(bool value)
{
___m_IsCompositionActive_96 = value;
}
inline static int32_t get_offset_of_m_ShouldUpdateIMEWindowPosition_97() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_ShouldUpdateIMEWindowPosition_97)); }
inline bool get_m_ShouldUpdateIMEWindowPosition_97() const { return ___m_ShouldUpdateIMEWindowPosition_97; }
inline bool* get_address_of_m_ShouldUpdateIMEWindowPosition_97() { return &___m_ShouldUpdateIMEWindowPosition_97; }
inline void set_m_ShouldUpdateIMEWindowPosition_97(bool value)
{
___m_ShouldUpdateIMEWindowPosition_97 = value;
}
inline static int32_t get_offset_of_m_PreviousIMEInsertionLine_98() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_PreviousIMEInsertionLine_98)); }
inline int32_t get_m_PreviousIMEInsertionLine_98() const { return ___m_PreviousIMEInsertionLine_98; }
inline int32_t* get_address_of_m_PreviousIMEInsertionLine_98() { return &___m_PreviousIMEInsertionLine_98; }
inline void set_m_PreviousIMEInsertionLine_98(int32_t value)
{
___m_PreviousIMEInsertionLine_98 = value;
}
inline static int32_t get_offset_of_m_GlobalFontAsset_99() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_GlobalFontAsset_99)); }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * get_m_GlobalFontAsset_99() const { return ___m_GlobalFontAsset_99; }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 ** get_address_of_m_GlobalFontAsset_99() { return &___m_GlobalFontAsset_99; }
inline void set_m_GlobalFontAsset_99(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * value)
{
___m_GlobalFontAsset_99 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_GlobalFontAsset_99), (void*)value);
}
inline static int32_t get_offset_of_m_OnFocusSelectAll_100() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_OnFocusSelectAll_100)); }
inline bool get_m_OnFocusSelectAll_100() const { return ___m_OnFocusSelectAll_100; }
inline bool* get_address_of_m_OnFocusSelectAll_100() { return &___m_OnFocusSelectAll_100; }
inline void set_m_OnFocusSelectAll_100(bool value)
{
___m_OnFocusSelectAll_100 = value;
}
inline static int32_t get_offset_of_m_isSelectAll_101() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_isSelectAll_101)); }
inline bool get_m_isSelectAll_101() const { return ___m_isSelectAll_101; }
inline bool* get_address_of_m_isSelectAll_101() { return &___m_isSelectAll_101; }
inline void set_m_isSelectAll_101(bool value)
{
___m_isSelectAll_101 = value;
}
inline static int32_t get_offset_of_m_ResetOnDeActivation_102() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_ResetOnDeActivation_102)); }
inline bool get_m_ResetOnDeActivation_102() const { return ___m_ResetOnDeActivation_102; }
inline bool* get_address_of_m_ResetOnDeActivation_102() { return &___m_ResetOnDeActivation_102; }
inline void set_m_ResetOnDeActivation_102(bool value)
{
___m_ResetOnDeActivation_102 = value;
}
inline static int32_t get_offset_of_m_SelectionStillActive_103() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_SelectionStillActive_103)); }
inline bool get_m_SelectionStillActive_103() const { return ___m_SelectionStillActive_103; }
inline bool* get_address_of_m_SelectionStillActive_103() { return &___m_SelectionStillActive_103; }
inline void set_m_SelectionStillActive_103(bool value)
{
___m_SelectionStillActive_103 = value;
}
inline static int32_t get_offset_of_m_ReleaseSelection_104() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_ReleaseSelection_104)); }
inline bool get_m_ReleaseSelection_104() const { return ___m_ReleaseSelection_104; }
inline bool* get_address_of_m_ReleaseSelection_104() { return &___m_ReleaseSelection_104; }
inline void set_m_ReleaseSelection_104(bool value)
{
___m_ReleaseSelection_104 = value;
}
inline static int32_t get_offset_of_m_PreviouslySelectedObject_105() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_PreviouslySelectedObject_105)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_m_PreviouslySelectedObject_105() const { return ___m_PreviouslySelectedObject_105; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_m_PreviouslySelectedObject_105() { return &___m_PreviouslySelectedObject_105; }
inline void set_m_PreviouslySelectedObject_105(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___m_PreviouslySelectedObject_105 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_PreviouslySelectedObject_105), (void*)value);
}
inline static int32_t get_offset_of_m_RestoreOriginalTextOnEscape_106() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_RestoreOriginalTextOnEscape_106)); }
inline bool get_m_RestoreOriginalTextOnEscape_106() const { return ___m_RestoreOriginalTextOnEscape_106; }
inline bool* get_address_of_m_RestoreOriginalTextOnEscape_106() { return &___m_RestoreOriginalTextOnEscape_106; }
inline void set_m_RestoreOriginalTextOnEscape_106(bool value)
{
___m_RestoreOriginalTextOnEscape_106 = value;
}
inline static int32_t get_offset_of_m_isRichTextEditingAllowed_107() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_isRichTextEditingAllowed_107)); }
inline bool get_m_isRichTextEditingAllowed_107() const { return ___m_isRichTextEditingAllowed_107; }
inline bool* get_address_of_m_isRichTextEditingAllowed_107() { return &___m_isRichTextEditingAllowed_107; }
inline void set_m_isRichTextEditingAllowed_107(bool value)
{
___m_isRichTextEditingAllowed_107 = value;
}
inline static int32_t get_offset_of_m_LineLimit_108() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_LineLimit_108)); }
inline int32_t get_m_LineLimit_108() const { return ___m_LineLimit_108; }
inline int32_t* get_address_of_m_LineLimit_108() { return &___m_LineLimit_108; }
inline void set_m_LineLimit_108(int32_t value)
{
___m_LineLimit_108 = value;
}
inline static int32_t get_offset_of_m_InputValidator_109() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_InputValidator_109)); }
inline TMP_InputValidator_t5DE1CB404972CB5D787521EF3B382C27D5DB456D * get_m_InputValidator_109() const { return ___m_InputValidator_109; }
inline TMP_InputValidator_t5DE1CB404972CB5D787521EF3B382C27D5DB456D ** get_address_of_m_InputValidator_109() { return &___m_InputValidator_109; }
inline void set_m_InputValidator_109(TMP_InputValidator_t5DE1CB404972CB5D787521EF3B382C27D5DB456D * value)
{
___m_InputValidator_109 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InputValidator_109), (void*)value);
}
inline static int32_t get_offset_of_m_isSelected_110() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_isSelected_110)); }
inline bool get_m_isSelected_110() const { return ___m_isSelected_110; }
inline bool* get_address_of_m_isSelected_110() { return &___m_isSelected_110; }
inline void set_m_isSelected_110(bool value)
{
___m_isSelected_110 = value;
}
inline static int32_t get_offset_of_m_IsStringPositionDirty_111() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_IsStringPositionDirty_111)); }
inline bool get_m_IsStringPositionDirty_111() const { return ___m_IsStringPositionDirty_111; }
inline bool* get_address_of_m_IsStringPositionDirty_111() { return &___m_IsStringPositionDirty_111; }
inline void set_m_IsStringPositionDirty_111(bool value)
{
___m_IsStringPositionDirty_111 = value;
}
inline static int32_t get_offset_of_m_IsCaretPositionDirty_112() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_IsCaretPositionDirty_112)); }
inline bool get_m_IsCaretPositionDirty_112() const { return ___m_IsCaretPositionDirty_112; }
inline bool* get_address_of_m_IsCaretPositionDirty_112() { return &___m_IsCaretPositionDirty_112; }
inline void set_m_IsCaretPositionDirty_112(bool value)
{
___m_IsCaretPositionDirty_112 = value;
}
inline static int32_t get_offset_of_m_forceRectTransformAdjustment_113() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_forceRectTransformAdjustment_113)); }
inline bool get_m_forceRectTransformAdjustment_113() const { return ___m_forceRectTransformAdjustment_113; }
inline bool* get_address_of_m_forceRectTransformAdjustment_113() { return &___m_forceRectTransformAdjustment_113; }
inline void set_m_forceRectTransformAdjustment_113(bool value)
{
___m_forceRectTransformAdjustment_113 = value;
}
inline static int32_t get_offset_of_m_ProcessingEvent_114() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59, ___m_ProcessingEvent_114)); }
inline Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E * get_m_ProcessingEvent_114() const { return ___m_ProcessingEvent_114; }
inline Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E ** get_address_of_m_ProcessingEvent_114() { return &___m_ProcessingEvent_114; }
inline void set_m_ProcessingEvent_114(Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E * value)
{
___m_ProcessingEvent_114 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_ProcessingEvent_114), (void*)value);
}
};
struct TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59_StaticFields
{
public:
// System.Char[] TMPro.TMP_InputField::kSeparators
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___kSeparators_21;
public:
inline static int32_t get_offset_of_kSeparators_21() { return static_cast<int32_t>(offsetof(TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59_StaticFields, ___kSeparators_21)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_kSeparators_21() const { return ___kSeparators_21; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_kSeparators_21() { return &___kSeparators_21; }
inline void set_kSeparators_21(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___kSeparators_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___kSeparators_21), (void*)value);
}
};
// UnityEngine.UI.Toggle
struct Toggle_t68F5A84CDD2BBAEA866F42EB4E0C9F2B431D612E : public Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD
{
public:
// UnityEngine.UI.Toggle/ToggleTransition UnityEngine.UI.Toggle::toggleTransition
int32_t ___toggleTransition_20;
// UnityEngine.UI.Graphic UnityEngine.UI.Toggle::graphic
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * ___graphic_21;
// UnityEngine.UI.ToggleGroup UnityEngine.UI.Toggle::m_Group
ToggleGroup_t12E1DFDEB3FFD979A20299EE42A94388AC619C95 * ___m_Group_22;
// UnityEngine.UI.Toggle/ToggleEvent UnityEngine.UI.Toggle::onValueChanged
ToggleEvent_t7B9EFE80B7D7F16F3E7B8FA75FEF45B00E0C0075 * ___onValueChanged_23;
// System.Boolean UnityEngine.UI.Toggle::m_IsOn
bool ___m_IsOn_24;
public:
inline static int32_t get_offset_of_toggleTransition_20() { return static_cast<int32_t>(offsetof(Toggle_t68F5A84CDD2BBAEA866F42EB4E0C9F2B431D612E, ___toggleTransition_20)); }
inline int32_t get_toggleTransition_20() const { return ___toggleTransition_20; }
inline int32_t* get_address_of_toggleTransition_20() { return &___toggleTransition_20; }
inline void set_toggleTransition_20(int32_t value)
{
___toggleTransition_20 = value;
}
inline static int32_t get_offset_of_graphic_21() { return static_cast<int32_t>(offsetof(Toggle_t68F5A84CDD2BBAEA866F42EB4E0C9F2B431D612E, ___graphic_21)); }
inline Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * get_graphic_21() const { return ___graphic_21; }
inline Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 ** get_address_of_graphic_21() { return &___graphic_21; }
inline void set_graphic_21(Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24 * value)
{
___graphic_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___graphic_21), (void*)value);
}
inline static int32_t get_offset_of_m_Group_22() { return static_cast<int32_t>(offsetof(Toggle_t68F5A84CDD2BBAEA866F42EB4E0C9F2B431D612E, ___m_Group_22)); }
inline ToggleGroup_t12E1DFDEB3FFD979A20299EE42A94388AC619C95 * get_m_Group_22() const { return ___m_Group_22; }
inline ToggleGroup_t12E1DFDEB3FFD979A20299EE42A94388AC619C95 ** get_address_of_m_Group_22() { return &___m_Group_22; }
inline void set_m_Group_22(ToggleGroup_t12E1DFDEB3FFD979A20299EE42A94388AC619C95 * value)
{
___m_Group_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Group_22), (void*)value);
}
inline static int32_t get_offset_of_onValueChanged_23() { return static_cast<int32_t>(offsetof(Toggle_t68F5A84CDD2BBAEA866F42EB4E0C9F2B431D612E, ___onValueChanged_23)); }
inline ToggleEvent_t7B9EFE80B7D7F16F3E7B8FA75FEF45B00E0C0075 * get_onValueChanged_23() const { return ___onValueChanged_23; }
inline ToggleEvent_t7B9EFE80B7D7F16F3E7B8FA75FEF45B00E0C0075 ** get_address_of_onValueChanged_23() { return &___onValueChanged_23; }
inline void set_onValueChanged_23(ToggleEvent_t7B9EFE80B7D7F16F3E7B8FA75FEF45B00E0C0075 * value)
{
___onValueChanged_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___onValueChanged_23), (void*)value);
}
inline static int32_t get_offset_of_m_IsOn_24() { return static_cast<int32_t>(offsetof(Toggle_t68F5A84CDD2BBAEA866F42EB4E0C9F2B431D612E, ___m_IsOn_24)); }
inline bool get_m_IsOn_24() const { return ___m_IsOn_24; }
inline bool* get_address_of_m_IsOn_24() { return &___m_IsOn_24; }
inline void set_m_IsOn_24(bool value)
{
___m_IsOn_24 = value;
}
};
// UnityEngine.UI.HorizontalLayoutGroup
struct HorizontalLayoutGroup_t397BA2C4C8679EDA499951050D90B83C668A1060 : public HorizontalOrVerticalLayoutGroup_tAEE7FC9DCA8F7E95D4DE560305B3A219008A8108
{
public:
public:
};
// UnityEngine.UI.Image
struct Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C : public MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE
{
public:
// UnityEngine.Sprite UnityEngine.UI.Image::m_Sprite
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___m_Sprite_37;
// UnityEngine.Sprite UnityEngine.UI.Image::m_OverrideSprite
Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * ___m_OverrideSprite_38;
// UnityEngine.UI.Image/Type UnityEngine.UI.Image::m_Type
int32_t ___m_Type_39;
// System.Boolean UnityEngine.UI.Image::m_PreserveAspect
bool ___m_PreserveAspect_40;
// System.Boolean UnityEngine.UI.Image::m_FillCenter
bool ___m_FillCenter_41;
// UnityEngine.UI.Image/FillMethod UnityEngine.UI.Image::m_FillMethod
int32_t ___m_FillMethod_42;
// System.Single UnityEngine.UI.Image::m_FillAmount
float ___m_FillAmount_43;
// System.Boolean UnityEngine.UI.Image::m_FillClockwise
bool ___m_FillClockwise_44;
// System.Int32 UnityEngine.UI.Image::m_FillOrigin
int32_t ___m_FillOrigin_45;
// System.Single UnityEngine.UI.Image::m_AlphaHitTestMinimumThreshold
float ___m_AlphaHitTestMinimumThreshold_46;
// System.Boolean UnityEngine.UI.Image::m_Tracked
bool ___m_Tracked_47;
// System.Boolean UnityEngine.UI.Image::m_UseSpriteMesh
bool ___m_UseSpriteMesh_48;
// System.Single UnityEngine.UI.Image::m_PixelsPerUnitMultiplier
float ___m_PixelsPerUnitMultiplier_49;
// System.Single UnityEngine.UI.Image::m_CachedReferencePixelsPerUnit
float ___m_CachedReferencePixelsPerUnit_50;
public:
inline static int32_t get_offset_of_m_Sprite_37() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C, ___m_Sprite_37)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_m_Sprite_37() const { return ___m_Sprite_37; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_m_Sprite_37() { return &___m_Sprite_37; }
inline void set_m_Sprite_37(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___m_Sprite_37 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Sprite_37), (void*)value);
}
inline static int32_t get_offset_of_m_OverrideSprite_38() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C, ___m_OverrideSprite_38)); }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * get_m_OverrideSprite_38() const { return ___m_OverrideSprite_38; }
inline Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 ** get_address_of_m_OverrideSprite_38() { return &___m_OverrideSprite_38; }
inline void set_m_OverrideSprite_38(Sprite_t5B10B1178EC2E6F53D33FFD77557F31C08A51ED9 * value)
{
___m_OverrideSprite_38 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_OverrideSprite_38), (void*)value);
}
inline static int32_t get_offset_of_m_Type_39() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C, ___m_Type_39)); }
inline int32_t get_m_Type_39() const { return ___m_Type_39; }
inline int32_t* get_address_of_m_Type_39() { return &___m_Type_39; }
inline void set_m_Type_39(int32_t value)
{
___m_Type_39 = value;
}
inline static int32_t get_offset_of_m_PreserveAspect_40() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C, ___m_PreserveAspect_40)); }
inline bool get_m_PreserveAspect_40() const { return ___m_PreserveAspect_40; }
inline bool* get_address_of_m_PreserveAspect_40() { return &___m_PreserveAspect_40; }
inline void set_m_PreserveAspect_40(bool value)
{
___m_PreserveAspect_40 = value;
}
inline static int32_t get_offset_of_m_FillCenter_41() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C, ___m_FillCenter_41)); }
inline bool get_m_FillCenter_41() const { return ___m_FillCenter_41; }
inline bool* get_address_of_m_FillCenter_41() { return &___m_FillCenter_41; }
inline void set_m_FillCenter_41(bool value)
{
___m_FillCenter_41 = value;
}
inline static int32_t get_offset_of_m_FillMethod_42() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C, ___m_FillMethod_42)); }
inline int32_t get_m_FillMethod_42() const { return ___m_FillMethod_42; }
inline int32_t* get_address_of_m_FillMethod_42() { return &___m_FillMethod_42; }
inline void set_m_FillMethod_42(int32_t value)
{
___m_FillMethod_42 = value;
}
inline static int32_t get_offset_of_m_FillAmount_43() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C, ___m_FillAmount_43)); }
inline float get_m_FillAmount_43() const { return ___m_FillAmount_43; }
inline float* get_address_of_m_FillAmount_43() { return &___m_FillAmount_43; }
inline void set_m_FillAmount_43(float value)
{
___m_FillAmount_43 = value;
}
inline static int32_t get_offset_of_m_FillClockwise_44() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C, ___m_FillClockwise_44)); }
inline bool get_m_FillClockwise_44() const { return ___m_FillClockwise_44; }
inline bool* get_address_of_m_FillClockwise_44() { return &___m_FillClockwise_44; }
inline void set_m_FillClockwise_44(bool value)
{
___m_FillClockwise_44 = value;
}
inline static int32_t get_offset_of_m_FillOrigin_45() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C, ___m_FillOrigin_45)); }
inline int32_t get_m_FillOrigin_45() const { return ___m_FillOrigin_45; }
inline int32_t* get_address_of_m_FillOrigin_45() { return &___m_FillOrigin_45; }
inline void set_m_FillOrigin_45(int32_t value)
{
___m_FillOrigin_45 = value;
}
inline static int32_t get_offset_of_m_AlphaHitTestMinimumThreshold_46() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C, ___m_AlphaHitTestMinimumThreshold_46)); }
inline float get_m_AlphaHitTestMinimumThreshold_46() const { return ___m_AlphaHitTestMinimumThreshold_46; }
inline float* get_address_of_m_AlphaHitTestMinimumThreshold_46() { return &___m_AlphaHitTestMinimumThreshold_46; }
inline void set_m_AlphaHitTestMinimumThreshold_46(float value)
{
___m_AlphaHitTestMinimumThreshold_46 = value;
}
inline static int32_t get_offset_of_m_Tracked_47() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C, ___m_Tracked_47)); }
inline bool get_m_Tracked_47() const { return ___m_Tracked_47; }
inline bool* get_address_of_m_Tracked_47() { return &___m_Tracked_47; }
inline void set_m_Tracked_47(bool value)
{
___m_Tracked_47 = value;
}
inline static int32_t get_offset_of_m_UseSpriteMesh_48() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C, ___m_UseSpriteMesh_48)); }
inline bool get_m_UseSpriteMesh_48() const { return ___m_UseSpriteMesh_48; }
inline bool* get_address_of_m_UseSpriteMesh_48() { return &___m_UseSpriteMesh_48; }
inline void set_m_UseSpriteMesh_48(bool value)
{
___m_UseSpriteMesh_48 = value;
}
inline static int32_t get_offset_of_m_PixelsPerUnitMultiplier_49() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C, ___m_PixelsPerUnitMultiplier_49)); }
inline float get_m_PixelsPerUnitMultiplier_49() const { return ___m_PixelsPerUnitMultiplier_49; }
inline float* get_address_of_m_PixelsPerUnitMultiplier_49() { return &___m_PixelsPerUnitMultiplier_49; }
inline void set_m_PixelsPerUnitMultiplier_49(float value)
{
___m_PixelsPerUnitMultiplier_49 = value;
}
inline static int32_t get_offset_of_m_CachedReferencePixelsPerUnit_50() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C, ___m_CachedReferencePixelsPerUnit_50)); }
inline float get_m_CachedReferencePixelsPerUnit_50() const { return ___m_CachedReferencePixelsPerUnit_50; }
inline float* get_address_of_m_CachedReferencePixelsPerUnit_50() { return &___m_CachedReferencePixelsPerUnit_50; }
inline void set_m_CachedReferencePixelsPerUnit_50(float value)
{
___m_CachedReferencePixelsPerUnit_50 = value;
}
};
struct Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C_StaticFields
{
public:
// UnityEngine.Material UnityEngine.UI.Image::s_ETC1DefaultUI
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___s_ETC1DefaultUI_36;
// UnityEngine.Vector2[] UnityEngine.UI.Image::s_VertScratch
Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA* ___s_VertScratch_51;
// UnityEngine.Vector2[] UnityEngine.UI.Image::s_UVScratch
Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA* ___s_UVScratch_52;
// UnityEngine.Vector3[] UnityEngine.UI.Image::s_Xy
Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* ___s_Xy_53;
// UnityEngine.Vector3[] UnityEngine.UI.Image::s_Uv
Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* ___s_Uv_54;
// System.Collections.Generic.List`1<UnityEngine.UI.Image> UnityEngine.UI.Image::m_TrackedTexturelessImages
List_1_t815A476B0A21E183042059E705F9E505478CD8AE * ___m_TrackedTexturelessImages_55;
// System.Boolean UnityEngine.UI.Image::s_Initialized
bool ___s_Initialized_56;
public:
inline static int32_t get_offset_of_s_ETC1DefaultUI_36() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C_StaticFields, ___s_ETC1DefaultUI_36)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_s_ETC1DefaultUI_36() const { return ___s_ETC1DefaultUI_36; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_s_ETC1DefaultUI_36() { return &___s_ETC1DefaultUI_36; }
inline void set_s_ETC1DefaultUI_36(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___s_ETC1DefaultUI_36 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_ETC1DefaultUI_36), (void*)value);
}
inline static int32_t get_offset_of_s_VertScratch_51() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C_StaticFields, ___s_VertScratch_51)); }
inline Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA* get_s_VertScratch_51() const { return ___s_VertScratch_51; }
inline Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA** get_address_of_s_VertScratch_51() { return &___s_VertScratch_51; }
inline void set_s_VertScratch_51(Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA* value)
{
___s_VertScratch_51 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_VertScratch_51), (void*)value);
}
inline static int32_t get_offset_of_s_UVScratch_52() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C_StaticFields, ___s_UVScratch_52)); }
inline Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA* get_s_UVScratch_52() const { return ___s_UVScratch_52; }
inline Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA** get_address_of_s_UVScratch_52() { return &___s_UVScratch_52; }
inline void set_s_UVScratch_52(Vector2U5BU5D_tE0F58A2D6D8592B5EC37D9CDEF09103A02E5D7FA* value)
{
___s_UVScratch_52 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_UVScratch_52), (void*)value);
}
inline static int32_t get_offset_of_s_Xy_53() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C_StaticFields, ___s_Xy_53)); }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* get_s_Xy_53() const { return ___s_Xy_53; }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4** get_address_of_s_Xy_53() { return &___s_Xy_53; }
inline void set_s_Xy_53(Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* value)
{
___s_Xy_53 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Xy_53), (void*)value);
}
inline static int32_t get_offset_of_s_Uv_54() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C_StaticFields, ___s_Uv_54)); }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* get_s_Uv_54() const { return ___s_Uv_54; }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4** get_address_of_s_Uv_54() { return &___s_Uv_54; }
inline void set_s_Uv_54(Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* value)
{
___s_Uv_54 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_Uv_54), (void*)value);
}
inline static int32_t get_offset_of_m_TrackedTexturelessImages_55() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C_StaticFields, ___m_TrackedTexturelessImages_55)); }
inline List_1_t815A476B0A21E183042059E705F9E505478CD8AE * get_m_TrackedTexturelessImages_55() const { return ___m_TrackedTexturelessImages_55; }
inline List_1_t815A476B0A21E183042059E705F9E505478CD8AE ** get_address_of_m_TrackedTexturelessImages_55() { return &___m_TrackedTexturelessImages_55; }
inline void set_m_TrackedTexturelessImages_55(List_1_t815A476B0A21E183042059E705F9E505478CD8AE * value)
{
___m_TrackedTexturelessImages_55 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TrackedTexturelessImages_55), (void*)value);
}
inline static int32_t get_offset_of_s_Initialized_56() { return static_cast<int32_t>(offsetof(Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C_StaticFields, ___s_Initialized_56)); }
inline bool get_s_Initialized_56() const { return ___s_Initialized_56; }
inline bool* get_address_of_s_Initialized_56() { return &___s_Initialized_56; }
inline void set_s_Initialized_56(bool value)
{
___s_Initialized_56 = value;
}
};
// UnityEngine.Localization.Components.LocalizeAudioClipEvent
struct LocalizeAudioClipEvent_t5F66A5DC8A356BF8CBA50F5649309018F8E8321C : public LocalizedAssetEvent_3_tC17BA44588E97739A585057B202D2B0ED61FE4C3
{
public:
public:
};
// UnityEngine.Localization.Components.LocalizeSpriteEvent
struct LocalizeSpriteEvent_tDE9DADFFD39FBC4211C0B4EAFF429D21ACC17362 : public LocalizedAssetEvent_3_tB6F17FD21DE908D87281DC801033727A59703F34
{
public:
public:
};
// UnityEngine.Localization.Components.LocalizeTextureEvent
struct LocalizeTextureEvent_t4AB2B0832CCCDA83BF144DAA6979E7BC8EF5EFE7 : public LocalizedAssetEvent_3_tB22A2FF27CC3C58E74E3BB4D3986677734CD9D3A
{
public:
public:
};
// UnityEngine.Localization.Components.LocalizedGameObjectEvent
struct LocalizedGameObjectEvent_tF0B1C59B6487FAB346E8043BF50BCA33437D729B : public LocalizedAssetEvent_3_t638B10AB4708590019B940F4306A80F14FE4AE93
{
public:
// UnityEngine.GameObject UnityEngine.Localization.Components.LocalizedGameObjectEvent::m_Current
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_Current_6;
public:
inline static int32_t get_offset_of_m_Current_6() { return static_cast<int32_t>(offsetof(LocalizedGameObjectEvent_tF0B1C59B6487FAB346E8043BF50BCA33437D729B, ___m_Current_6)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_m_Current_6() const { return ___m_Current_6; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_m_Current_6() { return &___m_Current_6; }
inline void set_m_Current_6(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___m_Current_6 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Current_6), (void*)value);
}
};
// UnityEngine.UI.Outline
struct Outline_t37C754965BCC82FDD6C6878357A1439376C61CC2 : public Shadow_t96D9C6FC7BB4D9CBEB5788F2333125365DE12F8E
{
public:
public:
};
// UnityEngine.EventSystems.Physics2DRaycaster
struct Physics2DRaycaster_t0A86A26E1B770FECE956F4B4FD773887AF66C4C3 : public PhysicsRaycaster_t30CAABC8B439EB2F455D320192635CFD2BD89823
{
public:
// UnityEngine.RaycastHit2D[] UnityEngine.EventSystems.Physics2DRaycaster::m_Hits
RaycastHit2DU5BU5D_tDEABD9FBBA32C695C932A32A1B8FB9C06A496F09* ___m_Hits_11;
public:
inline static int32_t get_offset_of_m_Hits_11() { return static_cast<int32_t>(offsetof(Physics2DRaycaster_t0A86A26E1B770FECE956F4B4FD773887AF66C4C3, ___m_Hits_11)); }
inline RaycastHit2DU5BU5D_tDEABD9FBBA32C695C932A32A1B8FB9C06A496F09* get_m_Hits_11() const { return ___m_Hits_11; }
inline RaycastHit2DU5BU5D_tDEABD9FBBA32C695C932A32A1B8FB9C06A496F09** get_address_of_m_Hits_11() { return &___m_Hits_11; }
inline void set_m_Hits_11(RaycastHit2DU5BU5D_tDEABD9FBBA32C695C932A32A1B8FB9C06A496F09* value)
{
___m_Hits_11 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Hits_11), (void*)value);
}
};
// UnityEngine.UI.RawImage
struct RawImage_tFE280EF0C73AF19FE9AC24DB06501937DC2D6F1A : public MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE
{
public:
// UnityEngine.Texture UnityEngine.UI.RawImage::m_Texture
Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * ___m_Texture_36;
// UnityEngine.Rect UnityEngine.UI.RawImage::m_UVRect
Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 ___m_UVRect_37;
public:
inline static int32_t get_offset_of_m_Texture_36() { return static_cast<int32_t>(offsetof(RawImage_tFE280EF0C73AF19FE9AC24DB06501937DC2D6F1A, ___m_Texture_36)); }
inline Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * get_m_Texture_36() const { return ___m_Texture_36; }
inline Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE ** get_address_of_m_Texture_36() { return &___m_Texture_36; }
inline void set_m_Texture_36(Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE * value)
{
___m_Texture_36 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Texture_36), (void*)value);
}
inline static int32_t get_offset_of_m_UVRect_37() { return static_cast<int32_t>(offsetof(RawImage_tFE280EF0C73AF19FE9AC24DB06501937DC2D6F1A, ___m_UVRect_37)); }
inline Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 get_m_UVRect_37() const { return ___m_UVRect_37; }
inline Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 * get_address_of_m_UVRect_37() { return &___m_UVRect_37; }
inline void set_m_UVRect_37(Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 value)
{
___m_UVRect_37 = value;
}
};
// UnityEngine.EventSystems.StandaloneInputModule
struct StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD : public PointerInputModule_tD7460503C6A4E1060914FFD213535AEF6AE2F421
{
public:
// System.Single UnityEngine.EventSystems.StandaloneInputModule::m_PrevActionTime
float ___m_PrevActionTime_16;
// UnityEngine.Vector2 UnityEngine.EventSystems.StandaloneInputModule::m_LastMoveVector
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_LastMoveVector_17;
// System.Int32 UnityEngine.EventSystems.StandaloneInputModule::m_ConsecutiveMoveCount
int32_t ___m_ConsecutiveMoveCount_18;
// UnityEngine.Vector2 UnityEngine.EventSystems.StandaloneInputModule::m_LastMousePosition
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_LastMousePosition_19;
// UnityEngine.Vector2 UnityEngine.EventSystems.StandaloneInputModule::m_MousePosition
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_MousePosition_20;
// UnityEngine.GameObject UnityEngine.EventSystems.StandaloneInputModule::m_CurrentFocusedGameObject
GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * ___m_CurrentFocusedGameObject_21;
// UnityEngine.EventSystems.PointerEventData UnityEngine.EventSystems.StandaloneInputModule::m_InputPointerEvent
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 * ___m_InputPointerEvent_22;
// System.String UnityEngine.EventSystems.StandaloneInputModule::m_HorizontalAxis
String_t* ___m_HorizontalAxis_23;
// System.String UnityEngine.EventSystems.StandaloneInputModule::m_VerticalAxis
String_t* ___m_VerticalAxis_24;
// System.String UnityEngine.EventSystems.StandaloneInputModule::m_SubmitButton
String_t* ___m_SubmitButton_25;
// System.String UnityEngine.EventSystems.StandaloneInputModule::m_CancelButton
String_t* ___m_CancelButton_26;
// System.Single UnityEngine.EventSystems.StandaloneInputModule::m_InputActionsPerSecond
float ___m_InputActionsPerSecond_27;
// System.Single UnityEngine.EventSystems.StandaloneInputModule::m_RepeatDelay
float ___m_RepeatDelay_28;
// System.Boolean UnityEngine.EventSystems.StandaloneInputModule::m_ForceModuleActive
bool ___m_ForceModuleActive_29;
public:
inline static int32_t get_offset_of_m_PrevActionTime_16() { return static_cast<int32_t>(offsetof(StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD, ___m_PrevActionTime_16)); }
inline float get_m_PrevActionTime_16() const { return ___m_PrevActionTime_16; }
inline float* get_address_of_m_PrevActionTime_16() { return &___m_PrevActionTime_16; }
inline void set_m_PrevActionTime_16(float value)
{
___m_PrevActionTime_16 = value;
}
inline static int32_t get_offset_of_m_LastMoveVector_17() { return static_cast<int32_t>(offsetof(StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD, ___m_LastMoveVector_17)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_LastMoveVector_17() const { return ___m_LastMoveVector_17; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_LastMoveVector_17() { return &___m_LastMoveVector_17; }
inline void set_m_LastMoveVector_17(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_LastMoveVector_17 = value;
}
inline static int32_t get_offset_of_m_ConsecutiveMoveCount_18() { return static_cast<int32_t>(offsetof(StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD, ___m_ConsecutiveMoveCount_18)); }
inline int32_t get_m_ConsecutiveMoveCount_18() const { return ___m_ConsecutiveMoveCount_18; }
inline int32_t* get_address_of_m_ConsecutiveMoveCount_18() { return &___m_ConsecutiveMoveCount_18; }
inline void set_m_ConsecutiveMoveCount_18(int32_t value)
{
___m_ConsecutiveMoveCount_18 = value;
}
inline static int32_t get_offset_of_m_LastMousePosition_19() { return static_cast<int32_t>(offsetof(StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD, ___m_LastMousePosition_19)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_LastMousePosition_19() const { return ___m_LastMousePosition_19; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_LastMousePosition_19() { return &___m_LastMousePosition_19; }
inline void set_m_LastMousePosition_19(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_LastMousePosition_19 = value;
}
inline static int32_t get_offset_of_m_MousePosition_20() { return static_cast<int32_t>(offsetof(StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD, ___m_MousePosition_20)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_MousePosition_20() const { return ___m_MousePosition_20; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_MousePosition_20() { return &___m_MousePosition_20; }
inline void set_m_MousePosition_20(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_MousePosition_20 = value;
}
inline static int32_t get_offset_of_m_CurrentFocusedGameObject_21() { return static_cast<int32_t>(offsetof(StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD, ___m_CurrentFocusedGameObject_21)); }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * get_m_CurrentFocusedGameObject_21() const { return ___m_CurrentFocusedGameObject_21; }
inline GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 ** get_address_of_m_CurrentFocusedGameObject_21() { return &___m_CurrentFocusedGameObject_21; }
inline void set_m_CurrentFocusedGameObject_21(GameObject_tC000A2E1A7CF1E10FD7BA08863287C072207C319 * value)
{
___m_CurrentFocusedGameObject_21 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CurrentFocusedGameObject_21), (void*)value);
}
inline static int32_t get_offset_of_m_InputPointerEvent_22() { return static_cast<int32_t>(offsetof(StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD, ___m_InputPointerEvent_22)); }
inline PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 * get_m_InputPointerEvent_22() const { return ___m_InputPointerEvent_22; }
inline PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 ** get_address_of_m_InputPointerEvent_22() { return &___m_InputPointerEvent_22; }
inline void set_m_InputPointerEvent_22(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 * value)
{
___m_InputPointerEvent_22 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InputPointerEvent_22), (void*)value);
}
inline static int32_t get_offset_of_m_HorizontalAxis_23() { return static_cast<int32_t>(offsetof(StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD, ___m_HorizontalAxis_23)); }
inline String_t* get_m_HorizontalAxis_23() const { return ___m_HorizontalAxis_23; }
inline String_t** get_address_of_m_HorizontalAxis_23() { return &___m_HorizontalAxis_23; }
inline void set_m_HorizontalAxis_23(String_t* value)
{
___m_HorizontalAxis_23 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_HorizontalAxis_23), (void*)value);
}
inline static int32_t get_offset_of_m_VerticalAxis_24() { return static_cast<int32_t>(offsetof(StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD, ___m_VerticalAxis_24)); }
inline String_t* get_m_VerticalAxis_24() const { return ___m_VerticalAxis_24; }
inline String_t** get_address_of_m_VerticalAxis_24() { return &___m_VerticalAxis_24; }
inline void set_m_VerticalAxis_24(String_t* value)
{
___m_VerticalAxis_24 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_VerticalAxis_24), (void*)value);
}
inline static int32_t get_offset_of_m_SubmitButton_25() { return static_cast<int32_t>(offsetof(StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD, ___m_SubmitButton_25)); }
inline String_t* get_m_SubmitButton_25() const { return ___m_SubmitButton_25; }
inline String_t** get_address_of_m_SubmitButton_25() { return &___m_SubmitButton_25; }
inline void set_m_SubmitButton_25(String_t* value)
{
___m_SubmitButton_25 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_SubmitButton_25), (void*)value);
}
inline static int32_t get_offset_of_m_CancelButton_26() { return static_cast<int32_t>(offsetof(StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD, ___m_CancelButton_26)); }
inline String_t* get_m_CancelButton_26() const { return ___m_CancelButton_26; }
inline String_t** get_address_of_m_CancelButton_26() { return &___m_CancelButton_26; }
inline void set_m_CancelButton_26(String_t* value)
{
___m_CancelButton_26 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_CancelButton_26), (void*)value);
}
inline static int32_t get_offset_of_m_InputActionsPerSecond_27() { return static_cast<int32_t>(offsetof(StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD, ___m_InputActionsPerSecond_27)); }
inline float get_m_InputActionsPerSecond_27() const { return ___m_InputActionsPerSecond_27; }
inline float* get_address_of_m_InputActionsPerSecond_27() { return &___m_InputActionsPerSecond_27; }
inline void set_m_InputActionsPerSecond_27(float value)
{
___m_InputActionsPerSecond_27 = value;
}
inline static int32_t get_offset_of_m_RepeatDelay_28() { return static_cast<int32_t>(offsetof(StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD, ___m_RepeatDelay_28)); }
inline float get_m_RepeatDelay_28() const { return ___m_RepeatDelay_28; }
inline float* get_address_of_m_RepeatDelay_28() { return &___m_RepeatDelay_28; }
inline void set_m_RepeatDelay_28(float value)
{
___m_RepeatDelay_28 = value;
}
inline static int32_t get_offset_of_m_ForceModuleActive_29() { return static_cast<int32_t>(offsetof(StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD, ___m_ForceModuleActive_29)); }
inline bool get_m_ForceModuleActive_29() const { return ___m_ForceModuleActive_29; }
inline bool* get_address_of_m_ForceModuleActive_29() { return &___m_ForceModuleActive_29; }
inline void set_m_ForceModuleActive_29(bool value)
{
___m_ForceModuleActive_29 = value;
}
};
// TMPro.TMP_SelectionCaret
struct TMP_SelectionCaret_tAF0FC385DEB479BB8A87ADAD5B2F41E150AE4720 : public MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE
{
public:
public:
};
// TMPro.TMP_SubMeshUI
struct TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD : public MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE
{
public:
// TMPro.TMP_FontAsset TMPro.TMP_SubMeshUI::m_fontAsset
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___m_fontAsset_36;
// TMPro.TMP_SpriteAsset TMPro.TMP_SubMeshUI::m_spriteAsset
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * ___m_spriteAsset_37;
// UnityEngine.Material TMPro.TMP_SubMeshUI::m_material
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___m_material_38;
// UnityEngine.Material TMPro.TMP_SubMeshUI::m_sharedMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___m_sharedMaterial_39;
// UnityEngine.Material TMPro.TMP_SubMeshUI::m_fallbackMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___m_fallbackMaterial_40;
// UnityEngine.Material TMPro.TMP_SubMeshUI::m_fallbackSourceMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___m_fallbackSourceMaterial_41;
// System.Boolean TMPro.TMP_SubMeshUI::m_isDefaultMaterial
bool ___m_isDefaultMaterial_42;
// System.Single TMPro.TMP_SubMeshUI::m_padding
float ___m_padding_43;
// UnityEngine.Mesh TMPro.TMP_SubMeshUI::m_mesh
Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * ___m_mesh_44;
// TMPro.TextMeshProUGUI TMPro.TMP_SubMeshUI::m_TextComponent
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1 * ___m_TextComponent_45;
// System.Boolean TMPro.TMP_SubMeshUI::m_isRegisteredForEvents
bool ___m_isRegisteredForEvents_46;
// System.Boolean TMPro.TMP_SubMeshUI::m_materialDirty
bool ___m_materialDirty_47;
// System.Int32 TMPro.TMP_SubMeshUI::m_materialReferenceIndex
int32_t ___m_materialReferenceIndex_48;
// UnityEngine.Transform TMPro.TMP_SubMeshUI::m_RootCanvasTransform
Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * ___m_RootCanvasTransform_49;
public:
inline static int32_t get_offset_of_m_fontAsset_36() { return static_cast<int32_t>(offsetof(TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD, ___m_fontAsset_36)); }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * get_m_fontAsset_36() const { return ___m_fontAsset_36; }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 ** get_address_of_m_fontAsset_36() { return &___m_fontAsset_36; }
inline void set_m_fontAsset_36(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * value)
{
___m_fontAsset_36 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fontAsset_36), (void*)value);
}
inline static int32_t get_offset_of_m_spriteAsset_37() { return static_cast<int32_t>(offsetof(TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD, ___m_spriteAsset_37)); }
inline TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * get_m_spriteAsset_37() const { return ___m_spriteAsset_37; }
inline TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 ** get_address_of_m_spriteAsset_37() { return &___m_spriteAsset_37; }
inline void set_m_spriteAsset_37(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * value)
{
___m_spriteAsset_37 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_spriteAsset_37), (void*)value);
}
inline static int32_t get_offset_of_m_material_38() { return static_cast<int32_t>(offsetof(TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD, ___m_material_38)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_m_material_38() const { return ___m_material_38; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_m_material_38() { return &___m_material_38; }
inline void set_m_material_38(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___m_material_38 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_material_38), (void*)value);
}
inline static int32_t get_offset_of_m_sharedMaterial_39() { return static_cast<int32_t>(offsetof(TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD, ___m_sharedMaterial_39)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_m_sharedMaterial_39() const { return ___m_sharedMaterial_39; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_m_sharedMaterial_39() { return &___m_sharedMaterial_39; }
inline void set_m_sharedMaterial_39(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___m_sharedMaterial_39 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_sharedMaterial_39), (void*)value);
}
inline static int32_t get_offset_of_m_fallbackMaterial_40() { return static_cast<int32_t>(offsetof(TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD, ___m_fallbackMaterial_40)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_m_fallbackMaterial_40() const { return ___m_fallbackMaterial_40; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_m_fallbackMaterial_40() { return &___m_fallbackMaterial_40; }
inline void set_m_fallbackMaterial_40(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___m_fallbackMaterial_40 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fallbackMaterial_40), (void*)value);
}
inline static int32_t get_offset_of_m_fallbackSourceMaterial_41() { return static_cast<int32_t>(offsetof(TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD, ___m_fallbackSourceMaterial_41)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_m_fallbackSourceMaterial_41() const { return ___m_fallbackSourceMaterial_41; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_m_fallbackSourceMaterial_41() { return &___m_fallbackSourceMaterial_41; }
inline void set_m_fallbackSourceMaterial_41(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___m_fallbackSourceMaterial_41 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fallbackSourceMaterial_41), (void*)value);
}
inline static int32_t get_offset_of_m_isDefaultMaterial_42() { return static_cast<int32_t>(offsetof(TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD, ___m_isDefaultMaterial_42)); }
inline bool get_m_isDefaultMaterial_42() const { return ___m_isDefaultMaterial_42; }
inline bool* get_address_of_m_isDefaultMaterial_42() { return &___m_isDefaultMaterial_42; }
inline void set_m_isDefaultMaterial_42(bool value)
{
___m_isDefaultMaterial_42 = value;
}
inline static int32_t get_offset_of_m_padding_43() { return static_cast<int32_t>(offsetof(TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD, ___m_padding_43)); }
inline float get_m_padding_43() const { return ___m_padding_43; }
inline float* get_address_of_m_padding_43() { return &___m_padding_43; }
inline void set_m_padding_43(float value)
{
___m_padding_43 = value;
}
inline static int32_t get_offset_of_m_mesh_44() { return static_cast<int32_t>(offsetof(TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD, ___m_mesh_44)); }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * get_m_mesh_44() const { return ___m_mesh_44; }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 ** get_address_of_m_mesh_44() { return &___m_mesh_44; }
inline void set_m_mesh_44(Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * value)
{
___m_mesh_44 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_mesh_44), (void*)value);
}
inline static int32_t get_offset_of_m_TextComponent_45() { return static_cast<int32_t>(offsetof(TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD, ___m_TextComponent_45)); }
inline TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1 * get_m_TextComponent_45() const { return ___m_TextComponent_45; }
inline TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1 ** get_address_of_m_TextComponent_45() { return &___m_TextComponent_45; }
inline void set_m_TextComponent_45(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1 * value)
{
___m_TextComponent_45 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TextComponent_45), (void*)value);
}
inline static int32_t get_offset_of_m_isRegisteredForEvents_46() { return static_cast<int32_t>(offsetof(TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD, ___m_isRegisteredForEvents_46)); }
inline bool get_m_isRegisteredForEvents_46() const { return ___m_isRegisteredForEvents_46; }
inline bool* get_address_of_m_isRegisteredForEvents_46() { return &___m_isRegisteredForEvents_46; }
inline void set_m_isRegisteredForEvents_46(bool value)
{
___m_isRegisteredForEvents_46 = value;
}
inline static int32_t get_offset_of_m_materialDirty_47() { return static_cast<int32_t>(offsetof(TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD, ___m_materialDirty_47)); }
inline bool get_m_materialDirty_47() const { return ___m_materialDirty_47; }
inline bool* get_address_of_m_materialDirty_47() { return &___m_materialDirty_47; }
inline void set_m_materialDirty_47(bool value)
{
___m_materialDirty_47 = value;
}
inline static int32_t get_offset_of_m_materialReferenceIndex_48() { return static_cast<int32_t>(offsetof(TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD, ___m_materialReferenceIndex_48)); }
inline int32_t get_m_materialReferenceIndex_48() const { return ___m_materialReferenceIndex_48; }
inline int32_t* get_address_of_m_materialReferenceIndex_48() { return &___m_materialReferenceIndex_48; }
inline void set_m_materialReferenceIndex_48(int32_t value)
{
___m_materialReferenceIndex_48 = value;
}
inline static int32_t get_offset_of_m_RootCanvasTransform_49() { return static_cast<int32_t>(offsetof(TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD, ___m_RootCanvasTransform_49)); }
inline Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * get_m_RootCanvasTransform_49() const { return ___m_RootCanvasTransform_49; }
inline Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 ** get_address_of_m_RootCanvasTransform_49() { return &___m_RootCanvasTransform_49; }
inline void set_m_RootCanvasTransform_49(Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * value)
{
___m_RootCanvasTransform_49 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RootCanvasTransform_49), (void*)value);
}
};
// TMPro.TMP_Text
struct TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 : public MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE
{
public:
// System.String TMPro.TMP_Text::m_text
String_t* ___m_text_36;
// System.Boolean TMPro.TMP_Text::m_IsTextBackingStringDirty
bool ___m_IsTextBackingStringDirty_37;
// TMPro.ITextPreprocessor TMPro.TMP_Text::m_TextPreprocessor
RuntimeObject* ___m_TextPreprocessor_38;
// System.Boolean TMPro.TMP_Text::m_isRightToLeft
bool ___m_isRightToLeft_39;
// TMPro.TMP_FontAsset TMPro.TMP_Text::m_fontAsset
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___m_fontAsset_40;
// TMPro.TMP_FontAsset TMPro.TMP_Text::m_currentFontAsset
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * ___m_currentFontAsset_41;
// System.Boolean TMPro.TMP_Text::m_isSDFShader
bool ___m_isSDFShader_42;
// UnityEngine.Material TMPro.TMP_Text::m_sharedMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___m_sharedMaterial_43;
// UnityEngine.Material TMPro.TMP_Text::m_currentMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___m_currentMaterial_44;
// System.Int32 TMPro.TMP_Text::m_currentMaterialIndex
int32_t ___m_currentMaterialIndex_48;
// UnityEngine.Material[] TMPro.TMP_Text::m_fontSharedMaterials
MaterialU5BU5D_t3AE4936F3CA08FB9EE182A935E665EA9CDA5E492* ___m_fontSharedMaterials_49;
// UnityEngine.Material TMPro.TMP_Text::m_fontMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___m_fontMaterial_50;
// UnityEngine.Material[] TMPro.TMP_Text::m_fontMaterials
MaterialU5BU5D_t3AE4936F3CA08FB9EE182A935E665EA9CDA5E492* ___m_fontMaterials_51;
// System.Boolean TMPro.TMP_Text::m_isMaterialDirty
bool ___m_isMaterialDirty_52;
// UnityEngine.Color32 TMPro.TMP_Text::m_fontColor32
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___m_fontColor32_53;
// UnityEngine.Color TMPro.TMP_Text::m_fontColor
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 ___m_fontColor_54;
// UnityEngine.Color32 TMPro.TMP_Text::m_underlineColor
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___m_underlineColor_56;
// UnityEngine.Color32 TMPro.TMP_Text::m_strikethroughColor
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___m_strikethroughColor_57;
// System.Boolean TMPro.TMP_Text::m_enableVertexGradient
bool ___m_enableVertexGradient_58;
// TMPro.ColorMode TMPro.TMP_Text::m_colorMode
int32_t ___m_colorMode_59;
// TMPro.VertexGradient TMPro.TMP_Text::m_fontColorGradient
VertexGradient_t673FE70EC807F322353FB5B9A790207A57DBFC0D ___m_fontColorGradient_60;
// TMPro.TMP_ColorGradient TMPro.TMP_Text::m_fontColorGradientPreset
TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461 * ___m_fontColorGradientPreset_61;
// TMPro.TMP_SpriteAsset TMPro.TMP_Text::m_spriteAsset
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * ___m_spriteAsset_62;
// System.Boolean TMPro.TMP_Text::m_tintAllSprites
bool ___m_tintAllSprites_63;
// System.Boolean TMPro.TMP_Text::m_tintSprite
bool ___m_tintSprite_64;
// UnityEngine.Color32 TMPro.TMP_Text::m_spriteColor
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___m_spriteColor_65;
// TMPro.TMP_StyleSheet TMPro.TMP_Text::m_StyleSheet
TMP_StyleSheet_t8E2FC777D06D295BE700B8EDE56389D3581BA94E * ___m_StyleSheet_66;
// TMPro.TMP_Style TMPro.TMP_Text::m_TextStyle
TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB * ___m_TextStyle_67;
// System.Int32 TMPro.TMP_Text::m_TextStyleHashCode
int32_t ___m_TextStyleHashCode_68;
// System.Boolean TMPro.TMP_Text::m_overrideHtmlColors
bool ___m_overrideHtmlColors_69;
// UnityEngine.Color32 TMPro.TMP_Text::m_faceColor
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___m_faceColor_70;
// UnityEngine.Color32 TMPro.TMP_Text::m_outlineColor
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___m_outlineColor_71;
// System.Single TMPro.TMP_Text::m_outlineWidth
float ___m_outlineWidth_72;
// System.Single TMPro.TMP_Text::m_fontSize
float ___m_fontSize_73;
// System.Single TMPro.TMP_Text::m_currentFontSize
float ___m_currentFontSize_74;
// System.Single TMPro.TMP_Text::m_fontSizeBase
float ___m_fontSizeBase_75;
// TMPro.TMP_TextProcessingStack`1<System.Single> TMPro.TMP_Text::m_sizeStack
TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 ___m_sizeStack_76;
// TMPro.FontWeight TMPro.TMP_Text::m_fontWeight
int32_t ___m_fontWeight_77;
// TMPro.FontWeight TMPro.TMP_Text::m_FontWeightInternal
int32_t ___m_FontWeightInternal_78;
// TMPro.TMP_TextProcessingStack`1<TMPro.FontWeight> TMPro.TMP_Text::m_FontWeightStack
TMP_TextProcessingStack_1_tC2FDE14AC486023AEB4D20CB306F9198CBE168C7 ___m_FontWeightStack_79;
// System.Boolean TMPro.TMP_Text::m_enableAutoSizing
bool ___m_enableAutoSizing_80;
// System.Single TMPro.TMP_Text::m_maxFontSize
float ___m_maxFontSize_81;
// System.Single TMPro.TMP_Text::m_minFontSize
float ___m_minFontSize_82;
// System.Int32 TMPro.TMP_Text::m_AutoSizeIterationCount
int32_t ___m_AutoSizeIterationCount_83;
// System.Int32 TMPro.TMP_Text::m_AutoSizeMaxIterationCount
int32_t ___m_AutoSizeMaxIterationCount_84;
// System.Boolean TMPro.TMP_Text::m_IsAutoSizePointSizeSet
bool ___m_IsAutoSizePointSizeSet_85;
// System.Single TMPro.TMP_Text::m_fontSizeMin
float ___m_fontSizeMin_86;
// System.Single TMPro.TMP_Text::m_fontSizeMax
float ___m_fontSizeMax_87;
// TMPro.FontStyles TMPro.TMP_Text::m_fontStyle
int32_t ___m_fontStyle_88;
// TMPro.FontStyles TMPro.TMP_Text::m_FontStyleInternal
int32_t ___m_FontStyleInternal_89;
// TMPro.TMP_FontStyleStack TMPro.TMP_Text::m_fontStyleStack
TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9 ___m_fontStyleStack_90;
// System.Boolean TMPro.TMP_Text::m_isUsingBold
bool ___m_isUsingBold_91;
// TMPro.HorizontalAlignmentOptions TMPro.TMP_Text::m_HorizontalAlignment
int32_t ___m_HorizontalAlignment_92;
// TMPro.VerticalAlignmentOptions TMPro.TMP_Text::m_VerticalAlignment
int32_t ___m_VerticalAlignment_93;
// TMPro.TextAlignmentOptions TMPro.TMP_Text::m_textAlignment
int32_t ___m_textAlignment_94;
// TMPro.HorizontalAlignmentOptions TMPro.TMP_Text::m_lineJustification
int32_t ___m_lineJustification_95;
// TMPro.TMP_TextProcessingStack`1<TMPro.HorizontalAlignmentOptions> TMPro.TMP_Text::m_lineJustificationStack
TMP_TextProcessingStack_1_t860FCBD32172CBAC38125AB43150338E7CF55B1B ___m_lineJustificationStack_96;
// UnityEngine.Vector3[] TMPro.TMP_Text::m_textContainerLocalCorners
Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* ___m_textContainerLocalCorners_97;
// System.Single TMPro.TMP_Text::m_characterSpacing
float ___m_characterSpacing_98;
// System.Single TMPro.TMP_Text::m_cSpacing
float ___m_cSpacing_99;
// System.Single TMPro.TMP_Text::m_monoSpacing
float ___m_monoSpacing_100;
// System.Single TMPro.TMP_Text::m_wordSpacing
float ___m_wordSpacing_101;
// System.Single TMPro.TMP_Text::m_lineSpacing
float ___m_lineSpacing_102;
// System.Single TMPro.TMP_Text::m_lineSpacingDelta
float ___m_lineSpacingDelta_103;
// System.Single TMPro.TMP_Text::m_lineHeight
float ___m_lineHeight_104;
// System.Boolean TMPro.TMP_Text::m_IsDrivenLineSpacing
bool ___m_IsDrivenLineSpacing_105;
// System.Single TMPro.TMP_Text::m_lineSpacingMax
float ___m_lineSpacingMax_106;
// System.Single TMPro.TMP_Text::m_paragraphSpacing
float ___m_paragraphSpacing_107;
// System.Single TMPro.TMP_Text::m_charWidthMaxAdj
float ___m_charWidthMaxAdj_108;
// System.Single TMPro.TMP_Text::m_charWidthAdjDelta
float ___m_charWidthAdjDelta_109;
// System.Boolean TMPro.TMP_Text::m_enableWordWrapping
bool ___m_enableWordWrapping_110;
// System.Boolean TMPro.TMP_Text::m_isCharacterWrappingEnabled
bool ___m_isCharacterWrappingEnabled_111;
// System.Boolean TMPro.TMP_Text::m_isNonBreakingSpace
bool ___m_isNonBreakingSpace_112;
// System.Boolean TMPro.TMP_Text::m_isIgnoringAlignment
bool ___m_isIgnoringAlignment_113;
// System.Single TMPro.TMP_Text::m_wordWrappingRatios
float ___m_wordWrappingRatios_114;
// TMPro.TextOverflowModes TMPro.TMP_Text::m_overflowMode
int32_t ___m_overflowMode_115;
// System.Int32 TMPro.TMP_Text::m_firstOverflowCharacterIndex
int32_t ___m_firstOverflowCharacterIndex_116;
// TMPro.TMP_Text TMPro.TMP_Text::m_linkedTextComponent
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * ___m_linkedTextComponent_117;
// TMPro.TMP_Text TMPro.TMP_Text::parentLinkedComponent
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * ___parentLinkedComponent_118;
// System.Boolean TMPro.TMP_Text::m_isTextTruncated
bool ___m_isTextTruncated_119;
// System.Boolean TMPro.TMP_Text::m_enableKerning
bool ___m_enableKerning_120;
// System.Single TMPro.TMP_Text::m_GlyphHorizontalAdvanceAdjustment
float ___m_GlyphHorizontalAdvanceAdjustment_121;
// System.Boolean TMPro.TMP_Text::m_enableExtraPadding
bool ___m_enableExtraPadding_122;
// System.Boolean TMPro.TMP_Text::checkPaddingRequired
bool ___checkPaddingRequired_123;
// System.Boolean TMPro.TMP_Text::m_isRichText
bool ___m_isRichText_124;
// System.Boolean TMPro.TMP_Text::m_parseCtrlCharacters
bool ___m_parseCtrlCharacters_125;
// System.Boolean TMPro.TMP_Text::m_isOverlay
bool ___m_isOverlay_126;
// System.Boolean TMPro.TMP_Text::m_isOrthographic
bool ___m_isOrthographic_127;
// System.Boolean TMPro.TMP_Text::m_isCullingEnabled
bool ___m_isCullingEnabled_128;
// System.Boolean TMPro.TMP_Text::m_isMaskingEnabled
bool ___m_isMaskingEnabled_129;
// System.Boolean TMPro.TMP_Text::isMaskUpdateRequired
bool ___isMaskUpdateRequired_130;
// System.Boolean TMPro.TMP_Text::m_ignoreCulling
bool ___m_ignoreCulling_131;
// TMPro.TextureMappingOptions TMPro.TMP_Text::m_horizontalMapping
int32_t ___m_horizontalMapping_132;
// TMPro.TextureMappingOptions TMPro.TMP_Text::m_verticalMapping
int32_t ___m_verticalMapping_133;
// System.Single TMPro.TMP_Text::m_uvLineOffset
float ___m_uvLineOffset_134;
// TMPro.TextRenderFlags TMPro.TMP_Text::m_renderMode
int32_t ___m_renderMode_135;
// TMPro.VertexSortingOrder TMPro.TMP_Text::m_geometrySortingOrder
int32_t ___m_geometrySortingOrder_136;
// System.Boolean TMPro.TMP_Text::m_IsTextObjectScaleStatic
bool ___m_IsTextObjectScaleStatic_137;
// System.Boolean TMPro.TMP_Text::m_VertexBufferAutoSizeReduction
bool ___m_VertexBufferAutoSizeReduction_138;
// System.Int32 TMPro.TMP_Text::m_firstVisibleCharacter
int32_t ___m_firstVisibleCharacter_139;
// System.Int32 TMPro.TMP_Text::m_maxVisibleCharacters
int32_t ___m_maxVisibleCharacters_140;
// System.Int32 TMPro.TMP_Text::m_maxVisibleWords
int32_t ___m_maxVisibleWords_141;
// System.Int32 TMPro.TMP_Text::m_maxVisibleLines
int32_t ___m_maxVisibleLines_142;
// System.Boolean TMPro.TMP_Text::m_useMaxVisibleDescender
bool ___m_useMaxVisibleDescender_143;
// System.Int32 TMPro.TMP_Text::m_pageToDisplay
int32_t ___m_pageToDisplay_144;
// System.Boolean TMPro.TMP_Text::m_isNewPage
bool ___m_isNewPage_145;
// UnityEngine.Vector4 TMPro.TMP_Text::m_margin
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 ___m_margin_146;
// System.Single TMPro.TMP_Text::m_marginLeft
float ___m_marginLeft_147;
// System.Single TMPro.TMP_Text::m_marginRight
float ___m_marginRight_148;
// System.Single TMPro.TMP_Text::m_marginWidth
float ___m_marginWidth_149;
// System.Single TMPro.TMP_Text::m_marginHeight
float ___m_marginHeight_150;
// System.Single TMPro.TMP_Text::m_width
float ___m_width_151;
// TMPro.TMP_TextInfo TMPro.TMP_Text::m_textInfo
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547 * ___m_textInfo_152;
// System.Boolean TMPro.TMP_Text::m_havePropertiesChanged
bool ___m_havePropertiesChanged_153;
// System.Boolean TMPro.TMP_Text::m_isUsingLegacyAnimationComponent
bool ___m_isUsingLegacyAnimationComponent_154;
// UnityEngine.Transform TMPro.TMP_Text::m_transform
Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * ___m_transform_155;
// UnityEngine.RectTransform TMPro.TMP_Text::m_rectTransform
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * ___m_rectTransform_156;
// UnityEngine.Vector2 TMPro.TMP_Text::m_PreviousRectTransformSize
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_PreviousRectTransformSize_157;
// UnityEngine.Vector2 TMPro.TMP_Text::m_PreviousPivotPosition
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_PreviousPivotPosition_158;
// System.Boolean TMPro.TMP_Text::<autoSizeTextContainer>k__BackingField
bool ___U3CautoSizeTextContainerU3Ek__BackingField_159;
// System.Boolean TMPro.TMP_Text::m_autoSizeTextContainer
bool ___m_autoSizeTextContainer_160;
// UnityEngine.Mesh TMPro.TMP_Text::m_mesh
Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * ___m_mesh_161;
// System.Boolean TMPro.TMP_Text::m_isVolumetricText
bool ___m_isVolumetricText_162;
// System.Action`1<TMPro.TMP_TextInfo> TMPro.TMP_Text::OnPreRenderText
Action_1_t170B3E821B49B45FA7134A2CF48A2E64CA371D42 * ___OnPreRenderText_165;
// TMPro.TMP_SpriteAnimator TMPro.TMP_Text::m_spriteAnimator
TMP_SpriteAnimator_t07C769A1F1F85B545DD32357826E08F569E3D902 * ___m_spriteAnimator_166;
// System.Single TMPro.TMP_Text::m_flexibleHeight
float ___m_flexibleHeight_167;
// System.Single TMPro.TMP_Text::m_flexibleWidth
float ___m_flexibleWidth_168;
// System.Single TMPro.TMP_Text::m_minWidth
float ___m_minWidth_169;
// System.Single TMPro.TMP_Text::m_minHeight
float ___m_minHeight_170;
// System.Single TMPro.TMP_Text::m_maxWidth
float ___m_maxWidth_171;
// System.Single TMPro.TMP_Text::m_maxHeight
float ___m_maxHeight_172;
// UnityEngine.UI.LayoutElement TMPro.TMP_Text::m_LayoutElement
LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF * ___m_LayoutElement_173;
// System.Single TMPro.TMP_Text::m_preferredWidth
float ___m_preferredWidth_174;
// System.Single TMPro.TMP_Text::m_renderedWidth
float ___m_renderedWidth_175;
// System.Boolean TMPro.TMP_Text::m_isPreferredWidthDirty
bool ___m_isPreferredWidthDirty_176;
// System.Single TMPro.TMP_Text::m_preferredHeight
float ___m_preferredHeight_177;
// System.Single TMPro.TMP_Text::m_renderedHeight
float ___m_renderedHeight_178;
// System.Boolean TMPro.TMP_Text::m_isPreferredHeightDirty
bool ___m_isPreferredHeightDirty_179;
// System.Boolean TMPro.TMP_Text::m_isCalculatingPreferredValues
bool ___m_isCalculatingPreferredValues_180;
// System.Int32 TMPro.TMP_Text::m_layoutPriority
int32_t ___m_layoutPriority_181;
// System.Boolean TMPro.TMP_Text::m_isLayoutDirty
bool ___m_isLayoutDirty_182;
// System.Boolean TMPro.TMP_Text::m_isAwake
bool ___m_isAwake_183;
// System.Boolean TMPro.TMP_Text::m_isWaitingOnResourceLoad
bool ___m_isWaitingOnResourceLoad_184;
// TMPro.TMP_Text/TextInputSources TMPro.TMP_Text::m_inputSource
int32_t ___m_inputSource_185;
// System.Single TMPro.TMP_Text::m_fontScaleMultiplier
float ___m_fontScaleMultiplier_186;
// System.Single TMPro.TMP_Text::tag_LineIndent
float ___tag_LineIndent_190;
// System.Single TMPro.TMP_Text::tag_Indent
float ___tag_Indent_191;
// TMPro.TMP_TextProcessingStack`1<System.Single> TMPro.TMP_Text::m_indentStack
TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 ___m_indentStack_192;
// System.Boolean TMPro.TMP_Text::tag_NoParsing
bool ___tag_NoParsing_193;
// System.Boolean TMPro.TMP_Text::m_isParsingText
bool ___m_isParsingText_194;
// UnityEngine.Matrix4x4 TMPro.TMP_Text::m_FXMatrix
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 ___m_FXMatrix_195;
// System.Boolean TMPro.TMP_Text::m_isFXMatrixSet
bool ___m_isFXMatrixSet_196;
// TMPro.TMP_Text/UnicodeChar[] TMPro.TMP_Text::m_TextProcessingArray
UnicodeCharU5BU5D_tB233FC88865130D0B1EA18DA685C2AF41FB134F7* ___m_TextProcessingArray_197;
// System.Int32 TMPro.TMP_Text::m_InternalTextProcessingArraySize
int32_t ___m_InternalTextProcessingArraySize_198;
// TMPro.TMP_CharacterInfo[] TMPro.TMP_Text::m_internalCharacterInfo
TMP_CharacterInfoU5BU5D_t7128C1B46CF6AB1374135FA31D41ABF23882B970* ___m_internalCharacterInfo_199;
// System.Int32 TMPro.TMP_Text::m_totalCharacterCount
int32_t ___m_totalCharacterCount_200;
// System.Int32 TMPro.TMP_Text::m_characterCount
int32_t ___m_characterCount_207;
// System.Int32 TMPro.TMP_Text::m_firstCharacterOfLine
int32_t ___m_firstCharacterOfLine_208;
// System.Int32 TMPro.TMP_Text::m_firstVisibleCharacterOfLine
int32_t ___m_firstVisibleCharacterOfLine_209;
// System.Int32 TMPro.TMP_Text::m_lastCharacterOfLine
int32_t ___m_lastCharacterOfLine_210;
// System.Int32 TMPro.TMP_Text::m_lastVisibleCharacterOfLine
int32_t ___m_lastVisibleCharacterOfLine_211;
// System.Int32 TMPro.TMP_Text::m_lineNumber
int32_t ___m_lineNumber_212;
// System.Int32 TMPro.TMP_Text::m_lineVisibleCharacterCount
int32_t ___m_lineVisibleCharacterCount_213;
// System.Int32 TMPro.TMP_Text::m_pageNumber
int32_t ___m_pageNumber_214;
// System.Single TMPro.TMP_Text::m_PageAscender
float ___m_PageAscender_215;
// System.Single TMPro.TMP_Text::m_maxTextAscender
float ___m_maxTextAscender_216;
// System.Single TMPro.TMP_Text::m_maxCapHeight
float ___m_maxCapHeight_217;
// System.Single TMPro.TMP_Text::m_ElementAscender
float ___m_ElementAscender_218;
// System.Single TMPro.TMP_Text::m_ElementDescender
float ___m_ElementDescender_219;
// System.Single TMPro.TMP_Text::m_maxLineAscender
float ___m_maxLineAscender_220;
// System.Single TMPro.TMP_Text::m_maxLineDescender
float ___m_maxLineDescender_221;
// System.Single TMPro.TMP_Text::m_startOfLineAscender
float ___m_startOfLineAscender_222;
// System.Single TMPro.TMP_Text::m_startOfLineDescender
float ___m_startOfLineDescender_223;
// System.Single TMPro.TMP_Text::m_lineOffset
float ___m_lineOffset_224;
// TMPro.Extents TMPro.TMP_Text::m_meshExtents
Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA ___m_meshExtents_225;
// UnityEngine.Color32 TMPro.TMP_Text::m_htmlColor
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___m_htmlColor_226;
// TMPro.TMP_TextProcessingStack`1<UnityEngine.Color32> TMPro.TMP_Text::m_colorStack
TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D ___m_colorStack_227;
// TMPro.TMP_TextProcessingStack`1<UnityEngine.Color32> TMPro.TMP_Text::m_underlineColorStack
TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D ___m_underlineColorStack_228;
// TMPro.TMP_TextProcessingStack`1<UnityEngine.Color32> TMPro.TMP_Text::m_strikethroughColorStack
TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D ___m_strikethroughColorStack_229;
// TMPro.TMP_TextProcessingStack`1<TMPro.HighlightState> TMPro.TMP_Text::m_HighlightStateStack
TMP_TextProcessingStack_1_t091E8E0507335193E71397075A9E75FFE125381E ___m_HighlightStateStack_230;
// TMPro.TMP_ColorGradient TMPro.TMP_Text::m_colorGradientPreset
TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461 * ___m_colorGradientPreset_231;
// TMPro.TMP_TextProcessingStack`1<TMPro.TMP_ColorGradient> TMPro.TMP_Text::m_colorGradientStack
TMP_TextProcessingStack_1_t598A1976548F7435C20001605BBCC77262756804 ___m_colorGradientStack_232;
// System.Boolean TMPro.TMP_Text::m_colorGradientPresetIsTinted
bool ___m_colorGradientPresetIsTinted_233;
// System.Single TMPro.TMP_Text::m_tabSpacing
float ___m_tabSpacing_234;
// System.Single TMPro.TMP_Text::m_spacing
float ___m_spacing_235;
// TMPro.TMP_TextProcessingStack`1<System.Int32>[] TMPro.TMP_Text::m_TextStyleStacks
TMP_TextProcessingStack_1U5BU5D_t1E4BEAC3D61A2AD0284E919166D0F38D21540A37* ___m_TextStyleStacks_236;
// System.Int32 TMPro.TMP_Text::m_TextStyleStackDepth
int32_t ___m_TextStyleStackDepth_237;
// TMPro.TMP_TextProcessingStack`1<System.Int32> TMPro.TMP_Text::m_ItalicAngleStack
TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA ___m_ItalicAngleStack_238;
// System.Int32 TMPro.TMP_Text::m_ItalicAngle
int32_t ___m_ItalicAngle_239;
// TMPro.TMP_TextProcessingStack`1<System.Int32> TMPro.TMP_Text::m_actionStack
TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA ___m_actionStack_240;
// System.Single TMPro.TMP_Text::m_padding
float ___m_padding_241;
// System.Single TMPro.TMP_Text::m_baselineOffset
float ___m_baselineOffset_242;
// TMPro.TMP_TextProcessingStack`1<System.Single> TMPro.TMP_Text::m_baselineOffsetStack
TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 ___m_baselineOffsetStack_243;
// System.Single TMPro.TMP_Text::m_xAdvance
float ___m_xAdvance_244;
// TMPro.TMP_TextElementType TMPro.TMP_Text::m_textElementType
int32_t ___m_textElementType_245;
// TMPro.TMP_TextElement TMPro.TMP_Text::m_cached_TextElement
TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832 * ___m_cached_TextElement_246;
// TMPro.TMP_Text/SpecialCharacter TMPro.TMP_Text::m_Ellipsis
SpecialCharacter_t06A60B3C91ABA764227413C096AE5060D50D844F ___m_Ellipsis_247;
// TMPro.TMP_Text/SpecialCharacter TMPro.TMP_Text::m_Underline
SpecialCharacter_t06A60B3C91ABA764227413C096AE5060D50D844F ___m_Underline_248;
// TMPro.TMP_SpriteAsset TMPro.TMP_Text::m_defaultSpriteAsset
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * ___m_defaultSpriteAsset_249;
// TMPro.TMP_SpriteAsset TMPro.TMP_Text::m_currentSpriteAsset
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * ___m_currentSpriteAsset_250;
// System.Int32 TMPro.TMP_Text::m_spriteCount
int32_t ___m_spriteCount_251;
// System.Int32 TMPro.TMP_Text::m_spriteIndex
int32_t ___m_spriteIndex_252;
// System.Int32 TMPro.TMP_Text::m_spriteAnimationID
int32_t ___m_spriteAnimationID_253;
// System.Boolean TMPro.TMP_Text::m_ignoreActiveState
bool ___m_ignoreActiveState_256;
// TMPro.TMP_Text/TextBackingContainer TMPro.TMP_Text::m_TextBackingArray
TextBackingContainer_t50AA56C265D2A3DB961E3DD200165FE78270562B ___m_TextBackingArray_257;
// System.Decimal[] TMPro.TMP_Text::k_Power
DecimalU5BU5D_tAA3302A4A6ACCE77638A2346993A0FAAE2F9FDBA* ___k_Power_258;
public:
inline static int32_t get_offset_of_m_text_36() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_text_36)); }
inline String_t* get_m_text_36() const { return ___m_text_36; }
inline String_t** get_address_of_m_text_36() { return &___m_text_36; }
inline void set_m_text_36(String_t* value)
{
___m_text_36 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_text_36), (void*)value);
}
inline static int32_t get_offset_of_m_IsTextBackingStringDirty_37() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_IsTextBackingStringDirty_37)); }
inline bool get_m_IsTextBackingStringDirty_37() const { return ___m_IsTextBackingStringDirty_37; }
inline bool* get_address_of_m_IsTextBackingStringDirty_37() { return &___m_IsTextBackingStringDirty_37; }
inline void set_m_IsTextBackingStringDirty_37(bool value)
{
___m_IsTextBackingStringDirty_37 = value;
}
inline static int32_t get_offset_of_m_TextPreprocessor_38() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_TextPreprocessor_38)); }
inline RuntimeObject* get_m_TextPreprocessor_38() const { return ___m_TextPreprocessor_38; }
inline RuntimeObject** get_address_of_m_TextPreprocessor_38() { return &___m_TextPreprocessor_38; }
inline void set_m_TextPreprocessor_38(RuntimeObject* value)
{
___m_TextPreprocessor_38 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TextPreprocessor_38), (void*)value);
}
inline static int32_t get_offset_of_m_isRightToLeft_39() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isRightToLeft_39)); }
inline bool get_m_isRightToLeft_39() const { return ___m_isRightToLeft_39; }
inline bool* get_address_of_m_isRightToLeft_39() { return &___m_isRightToLeft_39; }
inline void set_m_isRightToLeft_39(bool value)
{
___m_isRightToLeft_39 = value;
}
inline static int32_t get_offset_of_m_fontAsset_40() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_fontAsset_40)); }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * get_m_fontAsset_40() const { return ___m_fontAsset_40; }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 ** get_address_of_m_fontAsset_40() { return &___m_fontAsset_40; }
inline void set_m_fontAsset_40(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * value)
{
___m_fontAsset_40 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fontAsset_40), (void*)value);
}
inline static int32_t get_offset_of_m_currentFontAsset_41() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_currentFontAsset_41)); }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * get_m_currentFontAsset_41() const { return ___m_currentFontAsset_41; }
inline TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 ** get_address_of_m_currentFontAsset_41() { return &___m_currentFontAsset_41; }
inline void set_m_currentFontAsset_41(TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2 * value)
{
___m_currentFontAsset_41 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_currentFontAsset_41), (void*)value);
}
inline static int32_t get_offset_of_m_isSDFShader_42() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isSDFShader_42)); }
inline bool get_m_isSDFShader_42() const { return ___m_isSDFShader_42; }
inline bool* get_address_of_m_isSDFShader_42() { return &___m_isSDFShader_42; }
inline void set_m_isSDFShader_42(bool value)
{
___m_isSDFShader_42 = value;
}
inline static int32_t get_offset_of_m_sharedMaterial_43() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_sharedMaterial_43)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_m_sharedMaterial_43() const { return ___m_sharedMaterial_43; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_m_sharedMaterial_43() { return &___m_sharedMaterial_43; }
inline void set_m_sharedMaterial_43(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___m_sharedMaterial_43 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_sharedMaterial_43), (void*)value);
}
inline static int32_t get_offset_of_m_currentMaterial_44() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_currentMaterial_44)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_m_currentMaterial_44() const { return ___m_currentMaterial_44; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_m_currentMaterial_44() { return &___m_currentMaterial_44; }
inline void set_m_currentMaterial_44(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___m_currentMaterial_44 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_currentMaterial_44), (void*)value);
}
inline static int32_t get_offset_of_m_currentMaterialIndex_48() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_currentMaterialIndex_48)); }
inline int32_t get_m_currentMaterialIndex_48() const { return ___m_currentMaterialIndex_48; }
inline int32_t* get_address_of_m_currentMaterialIndex_48() { return &___m_currentMaterialIndex_48; }
inline void set_m_currentMaterialIndex_48(int32_t value)
{
___m_currentMaterialIndex_48 = value;
}
inline static int32_t get_offset_of_m_fontSharedMaterials_49() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_fontSharedMaterials_49)); }
inline MaterialU5BU5D_t3AE4936F3CA08FB9EE182A935E665EA9CDA5E492* get_m_fontSharedMaterials_49() const { return ___m_fontSharedMaterials_49; }
inline MaterialU5BU5D_t3AE4936F3CA08FB9EE182A935E665EA9CDA5E492** get_address_of_m_fontSharedMaterials_49() { return &___m_fontSharedMaterials_49; }
inline void set_m_fontSharedMaterials_49(MaterialU5BU5D_t3AE4936F3CA08FB9EE182A935E665EA9CDA5E492* value)
{
___m_fontSharedMaterials_49 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fontSharedMaterials_49), (void*)value);
}
inline static int32_t get_offset_of_m_fontMaterial_50() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_fontMaterial_50)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_m_fontMaterial_50() const { return ___m_fontMaterial_50; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_m_fontMaterial_50() { return &___m_fontMaterial_50; }
inline void set_m_fontMaterial_50(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___m_fontMaterial_50 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fontMaterial_50), (void*)value);
}
inline static int32_t get_offset_of_m_fontMaterials_51() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_fontMaterials_51)); }
inline MaterialU5BU5D_t3AE4936F3CA08FB9EE182A935E665EA9CDA5E492* get_m_fontMaterials_51() const { return ___m_fontMaterials_51; }
inline MaterialU5BU5D_t3AE4936F3CA08FB9EE182A935E665EA9CDA5E492** get_address_of_m_fontMaterials_51() { return &___m_fontMaterials_51; }
inline void set_m_fontMaterials_51(MaterialU5BU5D_t3AE4936F3CA08FB9EE182A935E665EA9CDA5E492* value)
{
___m_fontMaterials_51 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fontMaterials_51), (void*)value);
}
inline static int32_t get_offset_of_m_isMaterialDirty_52() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isMaterialDirty_52)); }
inline bool get_m_isMaterialDirty_52() const { return ___m_isMaterialDirty_52; }
inline bool* get_address_of_m_isMaterialDirty_52() { return &___m_isMaterialDirty_52; }
inline void set_m_isMaterialDirty_52(bool value)
{
___m_isMaterialDirty_52 = value;
}
inline static int32_t get_offset_of_m_fontColor32_53() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_fontColor32_53)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_m_fontColor32_53() const { return ___m_fontColor32_53; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_m_fontColor32_53() { return &___m_fontColor32_53; }
inline void set_m_fontColor32_53(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___m_fontColor32_53 = value;
}
inline static int32_t get_offset_of_m_fontColor_54() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_fontColor_54)); }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 get_m_fontColor_54() const { return ___m_fontColor_54; }
inline Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 * get_address_of_m_fontColor_54() { return &___m_fontColor_54; }
inline void set_m_fontColor_54(Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659 value)
{
___m_fontColor_54 = value;
}
inline static int32_t get_offset_of_m_underlineColor_56() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_underlineColor_56)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_m_underlineColor_56() const { return ___m_underlineColor_56; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_m_underlineColor_56() { return &___m_underlineColor_56; }
inline void set_m_underlineColor_56(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___m_underlineColor_56 = value;
}
inline static int32_t get_offset_of_m_strikethroughColor_57() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_strikethroughColor_57)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_m_strikethroughColor_57() const { return ___m_strikethroughColor_57; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_m_strikethroughColor_57() { return &___m_strikethroughColor_57; }
inline void set_m_strikethroughColor_57(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___m_strikethroughColor_57 = value;
}
inline static int32_t get_offset_of_m_enableVertexGradient_58() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_enableVertexGradient_58)); }
inline bool get_m_enableVertexGradient_58() const { return ___m_enableVertexGradient_58; }
inline bool* get_address_of_m_enableVertexGradient_58() { return &___m_enableVertexGradient_58; }
inline void set_m_enableVertexGradient_58(bool value)
{
___m_enableVertexGradient_58 = value;
}
inline static int32_t get_offset_of_m_colorMode_59() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_colorMode_59)); }
inline int32_t get_m_colorMode_59() const { return ___m_colorMode_59; }
inline int32_t* get_address_of_m_colorMode_59() { return &___m_colorMode_59; }
inline void set_m_colorMode_59(int32_t value)
{
___m_colorMode_59 = value;
}
inline static int32_t get_offset_of_m_fontColorGradient_60() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_fontColorGradient_60)); }
inline VertexGradient_t673FE70EC807F322353FB5B9A790207A57DBFC0D get_m_fontColorGradient_60() const { return ___m_fontColorGradient_60; }
inline VertexGradient_t673FE70EC807F322353FB5B9A790207A57DBFC0D * get_address_of_m_fontColorGradient_60() { return &___m_fontColorGradient_60; }
inline void set_m_fontColorGradient_60(VertexGradient_t673FE70EC807F322353FB5B9A790207A57DBFC0D value)
{
___m_fontColorGradient_60 = value;
}
inline static int32_t get_offset_of_m_fontColorGradientPreset_61() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_fontColorGradientPreset_61)); }
inline TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461 * get_m_fontColorGradientPreset_61() const { return ___m_fontColorGradientPreset_61; }
inline TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461 ** get_address_of_m_fontColorGradientPreset_61() { return &___m_fontColorGradientPreset_61; }
inline void set_m_fontColorGradientPreset_61(TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461 * value)
{
___m_fontColorGradientPreset_61 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_fontColorGradientPreset_61), (void*)value);
}
inline static int32_t get_offset_of_m_spriteAsset_62() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_spriteAsset_62)); }
inline TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * get_m_spriteAsset_62() const { return ___m_spriteAsset_62; }
inline TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 ** get_address_of_m_spriteAsset_62() { return &___m_spriteAsset_62; }
inline void set_m_spriteAsset_62(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * value)
{
___m_spriteAsset_62 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_spriteAsset_62), (void*)value);
}
inline static int32_t get_offset_of_m_tintAllSprites_63() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_tintAllSprites_63)); }
inline bool get_m_tintAllSprites_63() const { return ___m_tintAllSprites_63; }
inline bool* get_address_of_m_tintAllSprites_63() { return &___m_tintAllSprites_63; }
inline void set_m_tintAllSprites_63(bool value)
{
___m_tintAllSprites_63 = value;
}
inline static int32_t get_offset_of_m_tintSprite_64() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_tintSprite_64)); }
inline bool get_m_tintSprite_64() const { return ___m_tintSprite_64; }
inline bool* get_address_of_m_tintSprite_64() { return &___m_tintSprite_64; }
inline void set_m_tintSprite_64(bool value)
{
___m_tintSprite_64 = value;
}
inline static int32_t get_offset_of_m_spriteColor_65() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_spriteColor_65)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_m_spriteColor_65() const { return ___m_spriteColor_65; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_m_spriteColor_65() { return &___m_spriteColor_65; }
inline void set_m_spriteColor_65(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___m_spriteColor_65 = value;
}
inline static int32_t get_offset_of_m_StyleSheet_66() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_StyleSheet_66)); }
inline TMP_StyleSheet_t8E2FC777D06D295BE700B8EDE56389D3581BA94E * get_m_StyleSheet_66() const { return ___m_StyleSheet_66; }
inline TMP_StyleSheet_t8E2FC777D06D295BE700B8EDE56389D3581BA94E ** get_address_of_m_StyleSheet_66() { return &___m_StyleSheet_66; }
inline void set_m_StyleSheet_66(TMP_StyleSheet_t8E2FC777D06D295BE700B8EDE56389D3581BA94E * value)
{
___m_StyleSheet_66 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_StyleSheet_66), (void*)value);
}
inline static int32_t get_offset_of_m_TextStyle_67() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_TextStyle_67)); }
inline TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB * get_m_TextStyle_67() const { return ___m_TextStyle_67; }
inline TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB ** get_address_of_m_TextStyle_67() { return &___m_TextStyle_67; }
inline void set_m_TextStyle_67(TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB * value)
{
___m_TextStyle_67 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TextStyle_67), (void*)value);
}
inline static int32_t get_offset_of_m_TextStyleHashCode_68() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_TextStyleHashCode_68)); }
inline int32_t get_m_TextStyleHashCode_68() const { return ___m_TextStyleHashCode_68; }
inline int32_t* get_address_of_m_TextStyleHashCode_68() { return &___m_TextStyleHashCode_68; }
inline void set_m_TextStyleHashCode_68(int32_t value)
{
___m_TextStyleHashCode_68 = value;
}
inline static int32_t get_offset_of_m_overrideHtmlColors_69() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_overrideHtmlColors_69)); }
inline bool get_m_overrideHtmlColors_69() const { return ___m_overrideHtmlColors_69; }
inline bool* get_address_of_m_overrideHtmlColors_69() { return &___m_overrideHtmlColors_69; }
inline void set_m_overrideHtmlColors_69(bool value)
{
___m_overrideHtmlColors_69 = value;
}
inline static int32_t get_offset_of_m_faceColor_70() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_faceColor_70)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_m_faceColor_70() const { return ___m_faceColor_70; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_m_faceColor_70() { return &___m_faceColor_70; }
inline void set_m_faceColor_70(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___m_faceColor_70 = value;
}
inline static int32_t get_offset_of_m_outlineColor_71() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_outlineColor_71)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_m_outlineColor_71() const { return ___m_outlineColor_71; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_m_outlineColor_71() { return &___m_outlineColor_71; }
inline void set_m_outlineColor_71(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___m_outlineColor_71 = value;
}
inline static int32_t get_offset_of_m_outlineWidth_72() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_outlineWidth_72)); }
inline float get_m_outlineWidth_72() const { return ___m_outlineWidth_72; }
inline float* get_address_of_m_outlineWidth_72() { return &___m_outlineWidth_72; }
inline void set_m_outlineWidth_72(float value)
{
___m_outlineWidth_72 = value;
}
inline static int32_t get_offset_of_m_fontSize_73() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_fontSize_73)); }
inline float get_m_fontSize_73() const { return ___m_fontSize_73; }
inline float* get_address_of_m_fontSize_73() { return &___m_fontSize_73; }
inline void set_m_fontSize_73(float value)
{
___m_fontSize_73 = value;
}
inline static int32_t get_offset_of_m_currentFontSize_74() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_currentFontSize_74)); }
inline float get_m_currentFontSize_74() const { return ___m_currentFontSize_74; }
inline float* get_address_of_m_currentFontSize_74() { return &___m_currentFontSize_74; }
inline void set_m_currentFontSize_74(float value)
{
___m_currentFontSize_74 = value;
}
inline static int32_t get_offset_of_m_fontSizeBase_75() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_fontSizeBase_75)); }
inline float get_m_fontSizeBase_75() const { return ___m_fontSizeBase_75; }
inline float* get_address_of_m_fontSizeBase_75() { return &___m_fontSizeBase_75; }
inline void set_m_fontSizeBase_75(float value)
{
___m_fontSizeBase_75 = value;
}
inline static int32_t get_offset_of_m_sizeStack_76() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_sizeStack_76)); }
inline TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 get_m_sizeStack_76() const { return ___m_sizeStack_76; }
inline TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 * get_address_of_m_sizeStack_76() { return &___m_sizeStack_76; }
inline void set_m_sizeStack_76(TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 value)
{
___m_sizeStack_76 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_sizeStack_76))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_fontWeight_77() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_fontWeight_77)); }
inline int32_t get_m_fontWeight_77() const { return ___m_fontWeight_77; }
inline int32_t* get_address_of_m_fontWeight_77() { return &___m_fontWeight_77; }
inline void set_m_fontWeight_77(int32_t value)
{
___m_fontWeight_77 = value;
}
inline static int32_t get_offset_of_m_FontWeightInternal_78() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_FontWeightInternal_78)); }
inline int32_t get_m_FontWeightInternal_78() const { return ___m_FontWeightInternal_78; }
inline int32_t* get_address_of_m_FontWeightInternal_78() { return &___m_FontWeightInternal_78; }
inline void set_m_FontWeightInternal_78(int32_t value)
{
___m_FontWeightInternal_78 = value;
}
inline static int32_t get_offset_of_m_FontWeightStack_79() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_FontWeightStack_79)); }
inline TMP_TextProcessingStack_1_tC2FDE14AC486023AEB4D20CB306F9198CBE168C7 get_m_FontWeightStack_79() const { return ___m_FontWeightStack_79; }
inline TMP_TextProcessingStack_1_tC2FDE14AC486023AEB4D20CB306F9198CBE168C7 * get_address_of_m_FontWeightStack_79() { return &___m_FontWeightStack_79; }
inline void set_m_FontWeightStack_79(TMP_TextProcessingStack_1_tC2FDE14AC486023AEB4D20CB306F9198CBE168C7 value)
{
___m_FontWeightStack_79 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_FontWeightStack_79))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_enableAutoSizing_80() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_enableAutoSizing_80)); }
inline bool get_m_enableAutoSizing_80() const { return ___m_enableAutoSizing_80; }
inline bool* get_address_of_m_enableAutoSizing_80() { return &___m_enableAutoSizing_80; }
inline void set_m_enableAutoSizing_80(bool value)
{
___m_enableAutoSizing_80 = value;
}
inline static int32_t get_offset_of_m_maxFontSize_81() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_maxFontSize_81)); }
inline float get_m_maxFontSize_81() const { return ___m_maxFontSize_81; }
inline float* get_address_of_m_maxFontSize_81() { return &___m_maxFontSize_81; }
inline void set_m_maxFontSize_81(float value)
{
___m_maxFontSize_81 = value;
}
inline static int32_t get_offset_of_m_minFontSize_82() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_minFontSize_82)); }
inline float get_m_minFontSize_82() const { return ___m_minFontSize_82; }
inline float* get_address_of_m_minFontSize_82() { return &___m_minFontSize_82; }
inline void set_m_minFontSize_82(float value)
{
___m_minFontSize_82 = value;
}
inline static int32_t get_offset_of_m_AutoSizeIterationCount_83() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_AutoSizeIterationCount_83)); }
inline int32_t get_m_AutoSizeIterationCount_83() const { return ___m_AutoSizeIterationCount_83; }
inline int32_t* get_address_of_m_AutoSizeIterationCount_83() { return &___m_AutoSizeIterationCount_83; }
inline void set_m_AutoSizeIterationCount_83(int32_t value)
{
___m_AutoSizeIterationCount_83 = value;
}
inline static int32_t get_offset_of_m_AutoSizeMaxIterationCount_84() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_AutoSizeMaxIterationCount_84)); }
inline int32_t get_m_AutoSizeMaxIterationCount_84() const { return ___m_AutoSizeMaxIterationCount_84; }
inline int32_t* get_address_of_m_AutoSizeMaxIterationCount_84() { return &___m_AutoSizeMaxIterationCount_84; }
inline void set_m_AutoSizeMaxIterationCount_84(int32_t value)
{
___m_AutoSizeMaxIterationCount_84 = value;
}
inline static int32_t get_offset_of_m_IsAutoSizePointSizeSet_85() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_IsAutoSizePointSizeSet_85)); }
inline bool get_m_IsAutoSizePointSizeSet_85() const { return ___m_IsAutoSizePointSizeSet_85; }
inline bool* get_address_of_m_IsAutoSizePointSizeSet_85() { return &___m_IsAutoSizePointSizeSet_85; }
inline void set_m_IsAutoSizePointSizeSet_85(bool value)
{
___m_IsAutoSizePointSizeSet_85 = value;
}
inline static int32_t get_offset_of_m_fontSizeMin_86() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_fontSizeMin_86)); }
inline float get_m_fontSizeMin_86() const { return ___m_fontSizeMin_86; }
inline float* get_address_of_m_fontSizeMin_86() { return &___m_fontSizeMin_86; }
inline void set_m_fontSizeMin_86(float value)
{
___m_fontSizeMin_86 = value;
}
inline static int32_t get_offset_of_m_fontSizeMax_87() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_fontSizeMax_87)); }
inline float get_m_fontSizeMax_87() const { return ___m_fontSizeMax_87; }
inline float* get_address_of_m_fontSizeMax_87() { return &___m_fontSizeMax_87; }
inline void set_m_fontSizeMax_87(float value)
{
___m_fontSizeMax_87 = value;
}
inline static int32_t get_offset_of_m_fontStyle_88() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_fontStyle_88)); }
inline int32_t get_m_fontStyle_88() const { return ___m_fontStyle_88; }
inline int32_t* get_address_of_m_fontStyle_88() { return &___m_fontStyle_88; }
inline void set_m_fontStyle_88(int32_t value)
{
___m_fontStyle_88 = value;
}
inline static int32_t get_offset_of_m_FontStyleInternal_89() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_FontStyleInternal_89)); }
inline int32_t get_m_FontStyleInternal_89() const { return ___m_FontStyleInternal_89; }
inline int32_t* get_address_of_m_FontStyleInternal_89() { return &___m_FontStyleInternal_89; }
inline void set_m_FontStyleInternal_89(int32_t value)
{
___m_FontStyleInternal_89 = value;
}
inline static int32_t get_offset_of_m_fontStyleStack_90() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_fontStyleStack_90)); }
inline TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9 get_m_fontStyleStack_90() const { return ___m_fontStyleStack_90; }
inline TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9 * get_address_of_m_fontStyleStack_90() { return &___m_fontStyleStack_90; }
inline void set_m_fontStyleStack_90(TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9 value)
{
___m_fontStyleStack_90 = value;
}
inline static int32_t get_offset_of_m_isUsingBold_91() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isUsingBold_91)); }
inline bool get_m_isUsingBold_91() const { return ___m_isUsingBold_91; }
inline bool* get_address_of_m_isUsingBold_91() { return &___m_isUsingBold_91; }
inline void set_m_isUsingBold_91(bool value)
{
___m_isUsingBold_91 = value;
}
inline static int32_t get_offset_of_m_HorizontalAlignment_92() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_HorizontalAlignment_92)); }
inline int32_t get_m_HorizontalAlignment_92() const { return ___m_HorizontalAlignment_92; }
inline int32_t* get_address_of_m_HorizontalAlignment_92() { return &___m_HorizontalAlignment_92; }
inline void set_m_HorizontalAlignment_92(int32_t value)
{
___m_HorizontalAlignment_92 = value;
}
inline static int32_t get_offset_of_m_VerticalAlignment_93() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_VerticalAlignment_93)); }
inline int32_t get_m_VerticalAlignment_93() const { return ___m_VerticalAlignment_93; }
inline int32_t* get_address_of_m_VerticalAlignment_93() { return &___m_VerticalAlignment_93; }
inline void set_m_VerticalAlignment_93(int32_t value)
{
___m_VerticalAlignment_93 = value;
}
inline static int32_t get_offset_of_m_textAlignment_94() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_textAlignment_94)); }
inline int32_t get_m_textAlignment_94() const { return ___m_textAlignment_94; }
inline int32_t* get_address_of_m_textAlignment_94() { return &___m_textAlignment_94; }
inline void set_m_textAlignment_94(int32_t value)
{
___m_textAlignment_94 = value;
}
inline static int32_t get_offset_of_m_lineJustification_95() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_lineJustification_95)); }
inline int32_t get_m_lineJustification_95() const { return ___m_lineJustification_95; }
inline int32_t* get_address_of_m_lineJustification_95() { return &___m_lineJustification_95; }
inline void set_m_lineJustification_95(int32_t value)
{
___m_lineJustification_95 = value;
}
inline static int32_t get_offset_of_m_lineJustificationStack_96() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_lineJustificationStack_96)); }
inline TMP_TextProcessingStack_1_t860FCBD32172CBAC38125AB43150338E7CF55B1B get_m_lineJustificationStack_96() const { return ___m_lineJustificationStack_96; }
inline TMP_TextProcessingStack_1_t860FCBD32172CBAC38125AB43150338E7CF55B1B * get_address_of_m_lineJustificationStack_96() { return &___m_lineJustificationStack_96; }
inline void set_m_lineJustificationStack_96(TMP_TextProcessingStack_1_t860FCBD32172CBAC38125AB43150338E7CF55B1B value)
{
___m_lineJustificationStack_96 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_lineJustificationStack_96))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_textContainerLocalCorners_97() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_textContainerLocalCorners_97)); }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* get_m_textContainerLocalCorners_97() const { return ___m_textContainerLocalCorners_97; }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4** get_address_of_m_textContainerLocalCorners_97() { return &___m_textContainerLocalCorners_97; }
inline void set_m_textContainerLocalCorners_97(Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* value)
{
___m_textContainerLocalCorners_97 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_textContainerLocalCorners_97), (void*)value);
}
inline static int32_t get_offset_of_m_characterSpacing_98() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_characterSpacing_98)); }
inline float get_m_characterSpacing_98() const { return ___m_characterSpacing_98; }
inline float* get_address_of_m_characterSpacing_98() { return &___m_characterSpacing_98; }
inline void set_m_characterSpacing_98(float value)
{
___m_characterSpacing_98 = value;
}
inline static int32_t get_offset_of_m_cSpacing_99() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_cSpacing_99)); }
inline float get_m_cSpacing_99() const { return ___m_cSpacing_99; }
inline float* get_address_of_m_cSpacing_99() { return &___m_cSpacing_99; }
inline void set_m_cSpacing_99(float value)
{
___m_cSpacing_99 = value;
}
inline static int32_t get_offset_of_m_monoSpacing_100() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_monoSpacing_100)); }
inline float get_m_monoSpacing_100() const { return ___m_monoSpacing_100; }
inline float* get_address_of_m_monoSpacing_100() { return &___m_monoSpacing_100; }
inline void set_m_monoSpacing_100(float value)
{
___m_monoSpacing_100 = value;
}
inline static int32_t get_offset_of_m_wordSpacing_101() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_wordSpacing_101)); }
inline float get_m_wordSpacing_101() const { return ___m_wordSpacing_101; }
inline float* get_address_of_m_wordSpacing_101() { return &___m_wordSpacing_101; }
inline void set_m_wordSpacing_101(float value)
{
___m_wordSpacing_101 = value;
}
inline static int32_t get_offset_of_m_lineSpacing_102() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_lineSpacing_102)); }
inline float get_m_lineSpacing_102() const { return ___m_lineSpacing_102; }
inline float* get_address_of_m_lineSpacing_102() { return &___m_lineSpacing_102; }
inline void set_m_lineSpacing_102(float value)
{
___m_lineSpacing_102 = value;
}
inline static int32_t get_offset_of_m_lineSpacingDelta_103() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_lineSpacingDelta_103)); }
inline float get_m_lineSpacingDelta_103() const { return ___m_lineSpacingDelta_103; }
inline float* get_address_of_m_lineSpacingDelta_103() { return &___m_lineSpacingDelta_103; }
inline void set_m_lineSpacingDelta_103(float value)
{
___m_lineSpacingDelta_103 = value;
}
inline static int32_t get_offset_of_m_lineHeight_104() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_lineHeight_104)); }
inline float get_m_lineHeight_104() const { return ___m_lineHeight_104; }
inline float* get_address_of_m_lineHeight_104() { return &___m_lineHeight_104; }
inline void set_m_lineHeight_104(float value)
{
___m_lineHeight_104 = value;
}
inline static int32_t get_offset_of_m_IsDrivenLineSpacing_105() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_IsDrivenLineSpacing_105)); }
inline bool get_m_IsDrivenLineSpacing_105() const { return ___m_IsDrivenLineSpacing_105; }
inline bool* get_address_of_m_IsDrivenLineSpacing_105() { return &___m_IsDrivenLineSpacing_105; }
inline void set_m_IsDrivenLineSpacing_105(bool value)
{
___m_IsDrivenLineSpacing_105 = value;
}
inline static int32_t get_offset_of_m_lineSpacingMax_106() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_lineSpacingMax_106)); }
inline float get_m_lineSpacingMax_106() const { return ___m_lineSpacingMax_106; }
inline float* get_address_of_m_lineSpacingMax_106() { return &___m_lineSpacingMax_106; }
inline void set_m_lineSpacingMax_106(float value)
{
___m_lineSpacingMax_106 = value;
}
inline static int32_t get_offset_of_m_paragraphSpacing_107() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_paragraphSpacing_107)); }
inline float get_m_paragraphSpacing_107() const { return ___m_paragraphSpacing_107; }
inline float* get_address_of_m_paragraphSpacing_107() { return &___m_paragraphSpacing_107; }
inline void set_m_paragraphSpacing_107(float value)
{
___m_paragraphSpacing_107 = value;
}
inline static int32_t get_offset_of_m_charWidthMaxAdj_108() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_charWidthMaxAdj_108)); }
inline float get_m_charWidthMaxAdj_108() const { return ___m_charWidthMaxAdj_108; }
inline float* get_address_of_m_charWidthMaxAdj_108() { return &___m_charWidthMaxAdj_108; }
inline void set_m_charWidthMaxAdj_108(float value)
{
___m_charWidthMaxAdj_108 = value;
}
inline static int32_t get_offset_of_m_charWidthAdjDelta_109() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_charWidthAdjDelta_109)); }
inline float get_m_charWidthAdjDelta_109() const { return ___m_charWidthAdjDelta_109; }
inline float* get_address_of_m_charWidthAdjDelta_109() { return &___m_charWidthAdjDelta_109; }
inline void set_m_charWidthAdjDelta_109(float value)
{
___m_charWidthAdjDelta_109 = value;
}
inline static int32_t get_offset_of_m_enableWordWrapping_110() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_enableWordWrapping_110)); }
inline bool get_m_enableWordWrapping_110() const { return ___m_enableWordWrapping_110; }
inline bool* get_address_of_m_enableWordWrapping_110() { return &___m_enableWordWrapping_110; }
inline void set_m_enableWordWrapping_110(bool value)
{
___m_enableWordWrapping_110 = value;
}
inline static int32_t get_offset_of_m_isCharacterWrappingEnabled_111() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isCharacterWrappingEnabled_111)); }
inline bool get_m_isCharacterWrappingEnabled_111() const { return ___m_isCharacterWrappingEnabled_111; }
inline bool* get_address_of_m_isCharacterWrappingEnabled_111() { return &___m_isCharacterWrappingEnabled_111; }
inline void set_m_isCharacterWrappingEnabled_111(bool value)
{
___m_isCharacterWrappingEnabled_111 = value;
}
inline static int32_t get_offset_of_m_isNonBreakingSpace_112() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isNonBreakingSpace_112)); }
inline bool get_m_isNonBreakingSpace_112() const { return ___m_isNonBreakingSpace_112; }
inline bool* get_address_of_m_isNonBreakingSpace_112() { return &___m_isNonBreakingSpace_112; }
inline void set_m_isNonBreakingSpace_112(bool value)
{
___m_isNonBreakingSpace_112 = value;
}
inline static int32_t get_offset_of_m_isIgnoringAlignment_113() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isIgnoringAlignment_113)); }
inline bool get_m_isIgnoringAlignment_113() const { return ___m_isIgnoringAlignment_113; }
inline bool* get_address_of_m_isIgnoringAlignment_113() { return &___m_isIgnoringAlignment_113; }
inline void set_m_isIgnoringAlignment_113(bool value)
{
___m_isIgnoringAlignment_113 = value;
}
inline static int32_t get_offset_of_m_wordWrappingRatios_114() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_wordWrappingRatios_114)); }
inline float get_m_wordWrappingRatios_114() const { return ___m_wordWrappingRatios_114; }
inline float* get_address_of_m_wordWrappingRatios_114() { return &___m_wordWrappingRatios_114; }
inline void set_m_wordWrappingRatios_114(float value)
{
___m_wordWrappingRatios_114 = value;
}
inline static int32_t get_offset_of_m_overflowMode_115() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_overflowMode_115)); }
inline int32_t get_m_overflowMode_115() const { return ___m_overflowMode_115; }
inline int32_t* get_address_of_m_overflowMode_115() { return &___m_overflowMode_115; }
inline void set_m_overflowMode_115(int32_t value)
{
___m_overflowMode_115 = value;
}
inline static int32_t get_offset_of_m_firstOverflowCharacterIndex_116() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_firstOverflowCharacterIndex_116)); }
inline int32_t get_m_firstOverflowCharacterIndex_116() const { return ___m_firstOverflowCharacterIndex_116; }
inline int32_t* get_address_of_m_firstOverflowCharacterIndex_116() { return &___m_firstOverflowCharacterIndex_116; }
inline void set_m_firstOverflowCharacterIndex_116(int32_t value)
{
___m_firstOverflowCharacterIndex_116 = value;
}
inline static int32_t get_offset_of_m_linkedTextComponent_117() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_linkedTextComponent_117)); }
inline TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * get_m_linkedTextComponent_117() const { return ___m_linkedTextComponent_117; }
inline TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 ** get_address_of_m_linkedTextComponent_117() { return &___m_linkedTextComponent_117; }
inline void set_m_linkedTextComponent_117(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * value)
{
___m_linkedTextComponent_117 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_linkedTextComponent_117), (void*)value);
}
inline static int32_t get_offset_of_parentLinkedComponent_118() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___parentLinkedComponent_118)); }
inline TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * get_parentLinkedComponent_118() const { return ___parentLinkedComponent_118; }
inline TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 ** get_address_of_parentLinkedComponent_118() { return &___parentLinkedComponent_118; }
inline void set_parentLinkedComponent_118(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262 * value)
{
___parentLinkedComponent_118 = value;
Il2CppCodeGenWriteBarrier((void**)(&___parentLinkedComponent_118), (void*)value);
}
inline static int32_t get_offset_of_m_isTextTruncated_119() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isTextTruncated_119)); }
inline bool get_m_isTextTruncated_119() const { return ___m_isTextTruncated_119; }
inline bool* get_address_of_m_isTextTruncated_119() { return &___m_isTextTruncated_119; }
inline void set_m_isTextTruncated_119(bool value)
{
___m_isTextTruncated_119 = value;
}
inline static int32_t get_offset_of_m_enableKerning_120() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_enableKerning_120)); }
inline bool get_m_enableKerning_120() const { return ___m_enableKerning_120; }
inline bool* get_address_of_m_enableKerning_120() { return &___m_enableKerning_120; }
inline void set_m_enableKerning_120(bool value)
{
___m_enableKerning_120 = value;
}
inline static int32_t get_offset_of_m_GlyphHorizontalAdvanceAdjustment_121() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_GlyphHorizontalAdvanceAdjustment_121)); }
inline float get_m_GlyphHorizontalAdvanceAdjustment_121() const { return ___m_GlyphHorizontalAdvanceAdjustment_121; }
inline float* get_address_of_m_GlyphHorizontalAdvanceAdjustment_121() { return &___m_GlyphHorizontalAdvanceAdjustment_121; }
inline void set_m_GlyphHorizontalAdvanceAdjustment_121(float value)
{
___m_GlyphHorizontalAdvanceAdjustment_121 = value;
}
inline static int32_t get_offset_of_m_enableExtraPadding_122() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_enableExtraPadding_122)); }
inline bool get_m_enableExtraPadding_122() const { return ___m_enableExtraPadding_122; }
inline bool* get_address_of_m_enableExtraPadding_122() { return &___m_enableExtraPadding_122; }
inline void set_m_enableExtraPadding_122(bool value)
{
___m_enableExtraPadding_122 = value;
}
inline static int32_t get_offset_of_checkPaddingRequired_123() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___checkPaddingRequired_123)); }
inline bool get_checkPaddingRequired_123() const { return ___checkPaddingRequired_123; }
inline bool* get_address_of_checkPaddingRequired_123() { return &___checkPaddingRequired_123; }
inline void set_checkPaddingRequired_123(bool value)
{
___checkPaddingRequired_123 = value;
}
inline static int32_t get_offset_of_m_isRichText_124() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isRichText_124)); }
inline bool get_m_isRichText_124() const { return ___m_isRichText_124; }
inline bool* get_address_of_m_isRichText_124() { return &___m_isRichText_124; }
inline void set_m_isRichText_124(bool value)
{
___m_isRichText_124 = value;
}
inline static int32_t get_offset_of_m_parseCtrlCharacters_125() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_parseCtrlCharacters_125)); }
inline bool get_m_parseCtrlCharacters_125() const { return ___m_parseCtrlCharacters_125; }
inline bool* get_address_of_m_parseCtrlCharacters_125() { return &___m_parseCtrlCharacters_125; }
inline void set_m_parseCtrlCharacters_125(bool value)
{
___m_parseCtrlCharacters_125 = value;
}
inline static int32_t get_offset_of_m_isOverlay_126() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isOverlay_126)); }
inline bool get_m_isOverlay_126() const { return ___m_isOverlay_126; }
inline bool* get_address_of_m_isOverlay_126() { return &___m_isOverlay_126; }
inline void set_m_isOverlay_126(bool value)
{
___m_isOverlay_126 = value;
}
inline static int32_t get_offset_of_m_isOrthographic_127() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isOrthographic_127)); }
inline bool get_m_isOrthographic_127() const { return ___m_isOrthographic_127; }
inline bool* get_address_of_m_isOrthographic_127() { return &___m_isOrthographic_127; }
inline void set_m_isOrthographic_127(bool value)
{
___m_isOrthographic_127 = value;
}
inline static int32_t get_offset_of_m_isCullingEnabled_128() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isCullingEnabled_128)); }
inline bool get_m_isCullingEnabled_128() const { return ___m_isCullingEnabled_128; }
inline bool* get_address_of_m_isCullingEnabled_128() { return &___m_isCullingEnabled_128; }
inline void set_m_isCullingEnabled_128(bool value)
{
___m_isCullingEnabled_128 = value;
}
inline static int32_t get_offset_of_m_isMaskingEnabled_129() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isMaskingEnabled_129)); }
inline bool get_m_isMaskingEnabled_129() const { return ___m_isMaskingEnabled_129; }
inline bool* get_address_of_m_isMaskingEnabled_129() { return &___m_isMaskingEnabled_129; }
inline void set_m_isMaskingEnabled_129(bool value)
{
___m_isMaskingEnabled_129 = value;
}
inline static int32_t get_offset_of_isMaskUpdateRequired_130() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___isMaskUpdateRequired_130)); }
inline bool get_isMaskUpdateRequired_130() const { return ___isMaskUpdateRequired_130; }
inline bool* get_address_of_isMaskUpdateRequired_130() { return &___isMaskUpdateRequired_130; }
inline void set_isMaskUpdateRequired_130(bool value)
{
___isMaskUpdateRequired_130 = value;
}
inline static int32_t get_offset_of_m_ignoreCulling_131() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_ignoreCulling_131)); }
inline bool get_m_ignoreCulling_131() const { return ___m_ignoreCulling_131; }
inline bool* get_address_of_m_ignoreCulling_131() { return &___m_ignoreCulling_131; }
inline void set_m_ignoreCulling_131(bool value)
{
___m_ignoreCulling_131 = value;
}
inline static int32_t get_offset_of_m_horizontalMapping_132() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_horizontalMapping_132)); }
inline int32_t get_m_horizontalMapping_132() const { return ___m_horizontalMapping_132; }
inline int32_t* get_address_of_m_horizontalMapping_132() { return &___m_horizontalMapping_132; }
inline void set_m_horizontalMapping_132(int32_t value)
{
___m_horizontalMapping_132 = value;
}
inline static int32_t get_offset_of_m_verticalMapping_133() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_verticalMapping_133)); }
inline int32_t get_m_verticalMapping_133() const { return ___m_verticalMapping_133; }
inline int32_t* get_address_of_m_verticalMapping_133() { return &___m_verticalMapping_133; }
inline void set_m_verticalMapping_133(int32_t value)
{
___m_verticalMapping_133 = value;
}
inline static int32_t get_offset_of_m_uvLineOffset_134() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_uvLineOffset_134)); }
inline float get_m_uvLineOffset_134() const { return ___m_uvLineOffset_134; }
inline float* get_address_of_m_uvLineOffset_134() { return &___m_uvLineOffset_134; }
inline void set_m_uvLineOffset_134(float value)
{
___m_uvLineOffset_134 = value;
}
inline static int32_t get_offset_of_m_renderMode_135() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_renderMode_135)); }
inline int32_t get_m_renderMode_135() const { return ___m_renderMode_135; }
inline int32_t* get_address_of_m_renderMode_135() { return &___m_renderMode_135; }
inline void set_m_renderMode_135(int32_t value)
{
___m_renderMode_135 = value;
}
inline static int32_t get_offset_of_m_geometrySortingOrder_136() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_geometrySortingOrder_136)); }
inline int32_t get_m_geometrySortingOrder_136() const { return ___m_geometrySortingOrder_136; }
inline int32_t* get_address_of_m_geometrySortingOrder_136() { return &___m_geometrySortingOrder_136; }
inline void set_m_geometrySortingOrder_136(int32_t value)
{
___m_geometrySortingOrder_136 = value;
}
inline static int32_t get_offset_of_m_IsTextObjectScaleStatic_137() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_IsTextObjectScaleStatic_137)); }
inline bool get_m_IsTextObjectScaleStatic_137() const { return ___m_IsTextObjectScaleStatic_137; }
inline bool* get_address_of_m_IsTextObjectScaleStatic_137() { return &___m_IsTextObjectScaleStatic_137; }
inline void set_m_IsTextObjectScaleStatic_137(bool value)
{
___m_IsTextObjectScaleStatic_137 = value;
}
inline static int32_t get_offset_of_m_VertexBufferAutoSizeReduction_138() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_VertexBufferAutoSizeReduction_138)); }
inline bool get_m_VertexBufferAutoSizeReduction_138() const { return ___m_VertexBufferAutoSizeReduction_138; }
inline bool* get_address_of_m_VertexBufferAutoSizeReduction_138() { return &___m_VertexBufferAutoSizeReduction_138; }
inline void set_m_VertexBufferAutoSizeReduction_138(bool value)
{
___m_VertexBufferAutoSizeReduction_138 = value;
}
inline static int32_t get_offset_of_m_firstVisibleCharacter_139() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_firstVisibleCharacter_139)); }
inline int32_t get_m_firstVisibleCharacter_139() const { return ___m_firstVisibleCharacter_139; }
inline int32_t* get_address_of_m_firstVisibleCharacter_139() { return &___m_firstVisibleCharacter_139; }
inline void set_m_firstVisibleCharacter_139(int32_t value)
{
___m_firstVisibleCharacter_139 = value;
}
inline static int32_t get_offset_of_m_maxVisibleCharacters_140() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_maxVisibleCharacters_140)); }
inline int32_t get_m_maxVisibleCharacters_140() const { return ___m_maxVisibleCharacters_140; }
inline int32_t* get_address_of_m_maxVisibleCharacters_140() { return &___m_maxVisibleCharacters_140; }
inline void set_m_maxVisibleCharacters_140(int32_t value)
{
___m_maxVisibleCharacters_140 = value;
}
inline static int32_t get_offset_of_m_maxVisibleWords_141() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_maxVisibleWords_141)); }
inline int32_t get_m_maxVisibleWords_141() const { return ___m_maxVisibleWords_141; }
inline int32_t* get_address_of_m_maxVisibleWords_141() { return &___m_maxVisibleWords_141; }
inline void set_m_maxVisibleWords_141(int32_t value)
{
___m_maxVisibleWords_141 = value;
}
inline static int32_t get_offset_of_m_maxVisibleLines_142() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_maxVisibleLines_142)); }
inline int32_t get_m_maxVisibleLines_142() const { return ___m_maxVisibleLines_142; }
inline int32_t* get_address_of_m_maxVisibleLines_142() { return &___m_maxVisibleLines_142; }
inline void set_m_maxVisibleLines_142(int32_t value)
{
___m_maxVisibleLines_142 = value;
}
inline static int32_t get_offset_of_m_useMaxVisibleDescender_143() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_useMaxVisibleDescender_143)); }
inline bool get_m_useMaxVisibleDescender_143() const { return ___m_useMaxVisibleDescender_143; }
inline bool* get_address_of_m_useMaxVisibleDescender_143() { return &___m_useMaxVisibleDescender_143; }
inline void set_m_useMaxVisibleDescender_143(bool value)
{
___m_useMaxVisibleDescender_143 = value;
}
inline static int32_t get_offset_of_m_pageToDisplay_144() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_pageToDisplay_144)); }
inline int32_t get_m_pageToDisplay_144() const { return ___m_pageToDisplay_144; }
inline int32_t* get_address_of_m_pageToDisplay_144() { return &___m_pageToDisplay_144; }
inline void set_m_pageToDisplay_144(int32_t value)
{
___m_pageToDisplay_144 = value;
}
inline static int32_t get_offset_of_m_isNewPage_145() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isNewPage_145)); }
inline bool get_m_isNewPage_145() const { return ___m_isNewPage_145; }
inline bool* get_address_of_m_isNewPage_145() { return &___m_isNewPage_145; }
inline void set_m_isNewPage_145(bool value)
{
___m_isNewPage_145 = value;
}
inline static int32_t get_offset_of_m_margin_146() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_margin_146)); }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 get_m_margin_146() const { return ___m_margin_146; }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 * get_address_of_m_margin_146() { return &___m_margin_146; }
inline void set_m_margin_146(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 value)
{
___m_margin_146 = value;
}
inline static int32_t get_offset_of_m_marginLeft_147() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_marginLeft_147)); }
inline float get_m_marginLeft_147() const { return ___m_marginLeft_147; }
inline float* get_address_of_m_marginLeft_147() { return &___m_marginLeft_147; }
inline void set_m_marginLeft_147(float value)
{
___m_marginLeft_147 = value;
}
inline static int32_t get_offset_of_m_marginRight_148() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_marginRight_148)); }
inline float get_m_marginRight_148() const { return ___m_marginRight_148; }
inline float* get_address_of_m_marginRight_148() { return &___m_marginRight_148; }
inline void set_m_marginRight_148(float value)
{
___m_marginRight_148 = value;
}
inline static int32_t get_offset_of_m_marginWidth_149() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_marginWidth_149)); }
inline float get_m_marginWidth_149() const { return ___m_marginWidth_149; }
inline float* get_address_of_m_marginWidth_149() { return &___m_marginWidth_149; }
inline void set_m_marginWidth_149(float value)
{
___m_marginWidth_149 = value;
}
inline static int32_t get_offset_of_m_marginHeight_150() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_marginHeight_150)); }
inline float get_m_marginHeight_150() const { return ___m_marginHeight_150; }
inline float* get_address_of_m_marginHeight_150() { return &___m_marginHeight_150; }
inline void set_m_marginHeight_150(float value)
{
___m_marginHeight_150 = value;
}
inline static int32_t get_offset_of_m_width_151() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_width_151)); }
inline float get_m_width_151() const { return ___m_width_151; }
inline float* get_address_of_m_width_151() { return &___m_width_151; }
inline void set_m_width_151(float value)
{
___m_width_151 = value;
}
inline static int32_t get_offset_of_m_textInfo_152() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_textInfo_152)); }
inline TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547 * get_m_textInfo_152() const { return ___m_textInfo_152; }
inline TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547 ** get_address_of_m_textInfo_152() { return &___m_textInfo_152; }
inline void set_m_textInfo_152(TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547 * value)
{
___m_textInfo_152 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_textInfo_152), (void*)value);
}
inline static int32_t get_offset_of_m_havePropertiesChanged_153() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_havePropertiesChanged_153)); }
inline bool get_m_havePropertiesChanged_153() const { return ___m_havePropertiesChanged_153; }
inline bool* get_address_of_m_havePropertiesChanged_153() { return &___m_havePropertiesChanged_153; }
inline void set_m_havePropertiesChanged_153(bool value)
{
___m_havePropertiesChanged_153 = value;
}
inline static int32_t get_offset_of_m_isUsingLegacyAnimationComponent_154() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isUsingLegacyAnimationComponent_154)); }
inline bool get_m_isUsingLegacyAnimationComponent_154() const { return ___m_isUsingLegacyAnimationComponent_154; }
inline bool* get_address_of_m_isUsingLegacyAnimationComponent_154() { return &___m_isUsingLegacyAnimationComponent_154; }
inline void set_m_isUsingLegacyAnimationComponent_154(bool value)
{
___m_isUsingLegacyAnimationComponent_154 = value;
}
inline static int32_t get_offset_of_m_transform_155() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_transform_155)); }
inline Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * get_m_transform_155() const { return ___m_transform_155; }
inline Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 ** get_address_of_m_transform_155() { return &___m_transform_155; }
inline void set_m_transform_155(Transform_tA8193BB29D4D2C7EC04918F3ED1816345186C3F1 * value)
{
___m_transform_155 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_transform_155), (void*)value);
}
inline static int32_t get_offset_of_m_rectTransform_156() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_rectTransform_156)); }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * get_m_rectTransform_156() const { return ___m_rectTransform_156; }
inline RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 ** get_address_of_m_rectTransform_156() { return &___m_rectTransform_156; }
inline void set_m_rectTransform_156(RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072 * value)
{
___m_rectTransform_156 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_rectTransform_156), (void*)value);
}
inline static int32_t get_offset_of_m_PreviousRectTransformSize_157() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_PreviousRectTransformSize_157)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_PreviousRectTransformSize_157() const { return ___m_PreviousRectTransformSize_157; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_PreviousRectTransformSize_157() { return &___m_PreviousRectTransformSize_157; }
inline void set_m_PreviousRectTransformSize_157(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_PreviousRectTransformSize_157 = value;
}
inline static int32_t get_offset_of_m_PreviousPivotPosition_158() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_PreviousPivotPosition_158)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_PreviousPivotPosition_158() const { return ___m_PreviousPivotPosition_158; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_PreviousPivotPosition_158() { return &___m_PreviousPivotPosition_158; }
inline void set_m_PreviousPivotPosition_158(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_PreviousPivotPosition_158 = value;
}
inline static int32_t get_offset_of_U3CautoSizeTextContainerU3Ek__BackingField_159() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___U3CautoSizeTextContainerU3Ek__BackingField_159)); }
inline bool get_U3CautoSizeTextContainerU3Ek__BackingField_159() const { return ___U3CautoSizeTextContainerU3Ek__BackingField_159; }
inline bool* get_address_of_U3CautoSizeTextContainerU3Ek__BackingField_159() { return &___U3CautoSizeTextContainerU3Ek__BackingField_159; }
inline void set_U3CautoSizeTextContainerU3Ek__BackingField_159(bool value)
{
___U3CautoSizeTextContainerU3Ek__BackingField_159 = value;
}
inline static int32_t get_offset_of_m_autoSizeTextContainer_160() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_autoSizeTextContainer_160)); }
inline bool get_m_autoSizeTextContainer_160() const { return ___m_autoSizeTextContainer_160; }
inline bool* get_address_of_m_autoSizeTextContainer_160() { return &___m_autoSizeTextContainer_160; }
inline void set_m_autoSizeTextContainer_160(bool value)
{
___m_autoSizeTextContainer_160 = value;
}
inline static int32_t get_offset_of_m_mesh_161() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_mesh_161)); }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * get_m_mesh_161() const { return ___m_mesh_161; }
inline Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 ** get_address_of_m_mesh_161() { return &___m_mesh_161; }
inline void set_m_mesh_161(Mesh_t2F5992DBA650D5862B43D3823ACD997132A57DA6 * value)
{
___m_mesh_161 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_mesh_161), (void*)value);
}
inline static int32_t get_offset_of_m_isVolumetricText_162() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isVolumetricText_162)); }
inline bool get_m_isVolumetricText_162() const { return ___m_isVolumetricText_162; }
inline bool* get_address_of_m_isVolumetricText_162() { return &___m_isVolumetricText_162; }
inline void set_m_isVolumetricText_162(bool value)
{
___m_isVolumetricText_162 = value;
}
inline static int32_t get_offset_of_OnPreRenderText_165() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___OnPreRenderText_165)); }
inline Action_1_t170B3E821B49B45FA7134A2CF48A2E64CA371D42 * get_OnPreRenderText_165() const { return ___OnPreRenderText_165; }
inline Action_1_t170B3E821B49B45FA7134A2CF48A2E64CA371D42 ** get_address_of_OnPreRenderText_165() { return &___OnPreRenderText_165; }
inline void set_OnPreRenderText_165(Action_1_t170B3E821B49B45FA7134A2CF48A2E64CA371D42 * value)
{
___OnPreRenderText_165 = value;
Il2CppCodeGenWriteBarrier((void**)(&___OnPreRenderText_165), (void*)value);
}
inline static int32_t get_offset_of_m_spriteAnimator_166() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_spriteAnimator_166)); }
inline TMP_SpriteAnimator_t07C769A1F1F85B545DD32357826E08F569E3D902 * get_m_spriteAnimator_166() const { return ___m_spriteAnimator_166; }
inline TMP_SpriteAnimator_t07C769A1F1F85B545DD32357826E08F569E3D902 ** get_address_of_m_spriteAnimator_166() { return &___m_spriteAnimator_166; }
inline void set_m_spriteAnimator_166(TMP_SpriteAnimator_t07C769A1F1F85B545DD32357826E08F569E3D902 * value)
{
___m_spriteAnimator_166 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_spriteAnimator_166), (void*)value);
}
inline static int32_t get_offset_of_m_flexibleHeight_167() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_flexibleHeight_167)); }
inline float get_m_flexibleHeight_167() const { return ___m_flexibleHeight_167; }
inline float* get_address_of_m_flexibleHeight_167() { return &___m_flexibleHeight_167; }
inline void set_m_flexibleHeight_167(float value)
{
___m_flexibleHeight_167 = value;
}
inline static int32_t get_offset_of_m_flexibleWidth_168() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_flexibleWidth_168)); }
inline float get_m_flexibleWidth_168() const { return ___m_flexibleWidth_168; }
inline float* get_address_of_m_flexibleWidth_168() { return &___m_flexibleWidth_168; }
inline void set_m_flexibleWidth_168(float value)
{
___m_flexibleWidth_168 = value;
}
inline static int32_t get_offset_of_m_minWidth_169() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_minWidth_169)); }
inline float get_m_minWidth_169() const { return ___m_minWidth_169; }
inline float* get_address_of_m_minWidth_169() { return &___m_minWidth_169; }
inline void set_m_minWidth_169(float value)
{
___m_minWidth_169 = value;
}
inline static int32_t get_offset_of_m_minHeight_170() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_minHeight_170)); }
inline float get_m_minHeight_170() const { return ___m_minHeight_170; }
inline float* get_address_of_m_minHeight_170() { return &___m_minHeight_170; }
inline void set_m_minHeight_170(float value)
{
___m_minHeight_170 = value;
}
inline static int32_t get_offset_of_m_maxWidth_171() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_maxWidth_171)); }
inline float get_m_maxWidth_171() const { return ___m_maxWidth_171; }
inline float* get_address_of_m_maxWidth_171() { return &___m_maxWidth_171; }
inline void set_m_maxWidth_171(float value)
{
___m_maxWidth_171 = value;
}
inline static int32_t get_offset_of_m_maxHeight_172() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_maxHeight_172)); }
inline float get_m_maxHeight_172() const { return ___m_maxHeight_172; }
inline float* get_address_of_m_maxHeight_172() { return &___m_maxHeight_172; }
inline void set_m_maxHeight_172(float value)
{
___m_maxHeight_172 = value;
}
inline static int32_t get_offset_of_m_LayoutElement_173() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_LayoutElement_173)); }
inline LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF * get_m_LayoutElement_173() const { return ___m_LayoutElement_173; }
inline LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF ** get_address_of_m_LayoutElement_173() { return &___m_LayoutElement_173; }
inline void set_m_LayoutElement_173(LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF * value)
{
___m_LayoutElement_173 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_LayoutElement_173), (void*)value);
}
inline static int32_t get_offset_of_m_preferredWidth_174() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_preferredWidth_174)); }
inline float get_m_preferredWidth_174() const { return ___m_preferredWidth_174; }
inline float* get_address_of_m_preferredWidth_174() { return &___m_preferredWidth_174; }
inline void set_m_preferredWidth_174(float value)
{
___m_preferredWidth_174 = value;
}
inline static int32_t get_offset_of_m_renderedWidth_175() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_renderedWidth_175)); }
inline float get_m_renderedWidth_175() const { return ___m_renderedWidth_175; }
inline float* get_address_of_m_renderedWidth_175() { return &___m_renderedWidth_175; }
inline void set_m_renderedWidth_175(float value)
{
___m_renderedWidth_175 = value;
}
inline static int32_t get_offset_of_m_isPreferredWidthDirty_176() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isPreferredWidthDirty_176)); }
inline bool get_m_isPreferredWidthDirty_176() const { return ___m_isPreferredWidthDirty_176; }
inline bool* get_address_of_m_isPreferredWidthDirty_176() { return &___m_isPreferredWidthDirty_176; }
inline void set_m_isPreferredWidthDirty_176(bool value)
{
___m_isPreferredWidthDirty_176 = value;
}
inline static int32_t get_offset_of_m_preferredHeight_177() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_preferredHeight_177)); }
inline float get_m_preferredHeight_177() const { return ___m_preferredHeight_177; }
inline float* get_address_of_m_preferredHeight_177() { return &___m_preferredHeight_177; }
inline void set_m_preferredHeight_177(float value)
{
___m_preferredHeight_177 = value;
}
inline static int32_t get_offset_of_m_renderedHeight_178() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_renderedHeight_178)); }
inline float get_m_renderedHeight_178() const { return ___m_renderedHeight_178; }
inline float* get_address_of_m_renderedHeight_178() { return &___m_renderedHeight_178; }
inline void set_m_renderedHeight_178(float value)
{
___m_renderedHeight_178 = value;
}
inline static int32_t get_offset_of_m_isPreferredHeightDirty_179() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isPreferredHeightDirty_179)); }
inline bool get_m_isPreferredHeightDirty_179() const { return ___m_isPreferredHeightDirty_179; }
inline bool* get_address_of_m_isPreferredHeightDirty_179() { return &___m_isPreferredHeightDirty_179; }
inline void set_m_isPreferredHeightDirty_179(bool value)
{
___m_isPreferredHeightDirty_179 = value;
}
inline static int32_t get_offset_of_m_isCalculatingPreferredValues_180() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isCalculatingPreferredValues_180)); }
inline bool get_m_isCalculatingPreferredValues_180() const { return ___m_isCalculatingPreferredValues_180; }
inline bool* get_address_of_m_isCalculatingPreferredValues_180() { return &___m_isCalculatingPreferredValues_180; }
inline void set_m_isCalculatingPreferredValues_180(bool value)
{
___m_isCalculatingPreferredValues_180 = value;
}
inline static int32_t get_offset_of_m_layoutPriority_181() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_layoutPriority_181)); }
inline int32_t get_m_layoutPriority_181() const { return ___m_layoutPriority_181; }
inline int32_t* get_address_of_m_layoutPriority_181() { return &___m_layoutPriority_181; }
inline void set_m_layoutPriority_181(int32_t value)
{
___m_layoutPriority_181 = value;
}
inline static int32_t get_offset_of_m_isLayoutDirty_182() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isLayoutDirty_182)); }
inline bool get_m_isLayoutDirty_182() const { return ___m_isLayoutDirty_182; }
inline bool* get_address_of_m_isLayoutDirty_182() { return &___m_isLayoutDirty_182; }
inline void set_m_isLayoutDirty_182(bool value)
{
___m_isLayoutDirty_182 = value;
}
inline static int32_t get_offset_of_m_isAwake_183() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isAwake_183)); }
inline bool get_m_isAwake_183() const { return ___m_isAwake_183; }
inline bool* get_address_of_m_isAwake_183() { return &___m_isAwake_183; }
inline void set_m_isAwake_183(bool value)
{
___m_isAwake_183 = value;
}
inline static int32_t get_offset_of_m_isWaitingOnResourceLoad_184() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isWaitingOnResourceLoad_184)); }
inline bool get_m_isWaitingOnResourceLoad_184() const { return ___m_isWaitingOnResourceLoad_184; }
inline bool* get_address_of_m_isWaitingOnResourceLoad_184() { return &___m_isWaitingOnResourceLoad_184; }
inline void set_m_isWaitingOnResourceLoad_184(bool value)
{
___m_isWaitingOnResourceLoad_184 = value;
}
inline static int32_t get_offset_of_m_inputSource_185() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_inputSource_185)); }
inline int32_t get_m_inputSource_185() const { return ___m_inputSource_185; }
inline int32_t* get_address_of_m_inputSource_185() { return &___m_inputSource_185; }
inline void set_m_inputSource_185(int32_t value)
{
___m_inputSource_185 = value;
}
inline static int32_t get_offset_of_m_fontScaleMultiplier_186() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_fontScaleMultiplier_186)); }
inline float get_m_fontScaleMultiplier_186() const { return ___m_fontScaleMultiplier_186; }
inline float* get_address_of_m_fontScaleMultiplier_186() { return &___m_fontScaleMultiplier_186; }
inline void set_m_fontScaleMultiplier_186(float value)
{
___m_fontScaleMultiplier_186 = value;
}
inline static int32_t get_offset_of_tag_LineIndent_190() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___tag_LineIndent_190)); }
inline float get_tag_LineIndent_190() const { return ___tag_LineIndent_190; }
inline float* get_address_of_tag_LineIndent_190() { return &___tag_LineIndent_190; }
inline void set_tag_LineIndent_190(float value)
{
___tag_LineIndent_190 = value;
}
inline static int32_t get_offset_of_tag_Indent_191() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___tag_Indent_191)); }
inline float get_tag_Indent_191() const { return ___tag_Indent_191; }
inline float* get_address_of_tag_Indent_191() { return &___tag_Indent_191; }
inline void set_tag_Indent_191(float value)
{
___tag_Indent_191 = value;
}
inline static int32_t get_offset_of_m_indentStack_192() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_indentStack_192)); }
inline TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 get_m_indentStack_192() const { return ___m_indentStack_192; }
inline TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 * get_address_of_m_indentStack_192() { return &___m_indentStack_192; }
inline void set_m_indentStack_192(TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 value)
{
___m_indentStack_192 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_indentStack_192))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_tag_NoParsing_193() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___tag_NoParsing_193)); }
inline bool get_tag_NoParsing_193() const { return ___tag_NoParsing_193; }
inline bool* get_address_of_tag_NoParsing_193() { return &___tag_NoParsing_193; }
inline void set_tag_NoParsing_193(bool value)
{
___tag_NoParsing_193 = value;
}
inline static int32_t get_offset_of_m_isParsingText_194() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isParsingText_194)); }
inline bool get_m_isParsingText_194() const { return ___m_isParsingText_194; }
inline bool* get_address_of_m_isParsingText_194() { return &___m_isParsingText_194; }
inline void set_m_isParsingText_194(bool value)
{
___m_isParsingText_194 = value;
}
inline static int32_t get_offset_of_m_FXMatrix_195() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_FXMatrix_195)); }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 get_m_FXMatrix_195() const { return ___m_FXMatrix_195; }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 * get_address_of_m_FXMatrix_195() { return &___m_FXMatrix_195; }
inline void set_m_FXMatrix_195(Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 value)
{
___m_FXMatrix_195 = value;
}
inline static int32_t get_offset_of_m_isFXMatrixSet_196() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_isFXMatrixSet_196)); }
inline bool get_m_isFXMatrixSet_196() const { return ___m_isFXMatrixSet_196; }
inline bool* get_address_of_m_isFXMatrixSet_196() { return &___m_isFXMatrixSet_196; }
inline void set_m_isFXMatrixSet_196(bool value)
{
___m_isFXMatrixSet_196 = value;
}
inline static int32_t get_offset_of_m_TextProcessingArray_197() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_TextProcessingArray_197)); }
inline UnicodeCharU5BU5D_tB233FC88865130D0B1EA18DA685C2AF41FB134F7* get_m_TextProcessingArray_197() const { return ___m_TextProcessingArray_197; }
inline UnicodeCharU5BU5D_tB233FC88865130D0B1EA18DA685C2AF41FB134F7** get_address_of_m_TextProcessingArray_197() { return &___m_TextProcessingArray_197; }
inline void set_m_TextProcessingArray_197(UnicodeCharU5BU5D_tB233FC88865130D0B1EA18DA685C2AF41FB134F7* value)
{
___m_TextProcessingArray_197 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TextProcessingArray_197), (void*)value);
}
inline static int32_t get_offset_of_m_InternalTextProcessingArraySize_198() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_InternalTextProcessingArraySize_198)); }
inline int32_t get_m_InternalTextProcessingArraySize_198() const { return ___m_InternalTextProcessingArraySize_198; }
inline int32_t* get_address_of_m_InternalTextProcessingArraySize_198() { return &___m_InternalTextProcessingArraySize_198; }
inline void set_m_InternalTextProcessingArraySize_198(int32_t value)
{
___m_InternalTextProcessingArraySize_198 = value;
}
inline static int32_t get_offset_of_m_internalCharacterInfo_199() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_internalCharacterInfo_199)); }
inline TMP_CharacterInfoU5BU5D_t7128C1B46CF6AB1374135FA31D41ABF23882B970* get_m_internalCharacterInfo_199() const { return ___m_internalCharacterInfo_199; }
inline TMP_CharacterInfoU5BU5D_t7128C1B46CF6AB1374135FA31D41ABF23882B970** get_address_of_m_internalCharacterInfo_199() { return &___m_internalCharacterInfo_199; }
inline void set_m_internalCharacterInfo_199(TMP_CharacterInfoU5BU5D_t7128C1B46CF6AB1374135FA31D41ABF23882B970* value)
{
___m_internalCharacterInfo_199 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_internalCharacterInfo_199), (void*)value);
}
inline static int32_t get_offset_of_m_totalCharacterCount_200() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_totalCharacterCount_200)); }
inline int32_t get_m_totalCharacterCount_200() const { return ___m_totalCharacterCount_200; }
inline int32_t* get_address_of_m_totalCharacterCount_200() { return &___m_totalCharacterCount_200; }
inline void set_m_totalCharacterCount_200(int32_t value)
{
___m_totalCharacterCount_200 = value;
}
inline static int32_t get_offset_of_m_characterCount_207() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_characterCount_207)); }
inline int32_t get_m_characterCount_207() const { return ___m_characterCount_207; }
inline int32_t* get_address_of_m_characterCount_207() { return &___m_characterCount_207; }
inline void set_m_characterCount_207(int32_t value)
{
___m_characterCount_207 = value;
}
inline static int32_t get_offset_of_m_firstCharacterOfLine_208() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_firstCharacterOfLine_208)); }
inline int32_t get_m_firstCharacterOfLine_208() const { return ___m_firstCharacterOfLine_208; }
inline int32_t* get_address_of_m_firstCharacterOfLine_208() { return &___m_firstCharacterOfLine_208; }
inline void set_m_firstCharacterOfLine_208(int32_t value)
{
___m_firstCharacterOfLine_208 = value;
}
inline static int32_t get_offset_of_m_firstVisibleCharacterOfLine_209() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_firstVisibleCharacterOfLine_209)); }
inline int32_t get_m_firstVisibleCharacterOfLine_209() const { return ___m_firstVisibleCharacterOfLine_209; }
inline int32_t* get_address_of_m_firstVisibleCharacterOfLine_209() { return &___m_firstVisibleCharacterOfLine_209; }
inline void set_m_firstVisibleCharacterOfLine_209(int32_t value)
{
___m_firstVisibleCharacterOfLine_209 = value;
}
inline static int32_t get_offset_of_m_lastCharacterOfLine_210() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_lastCharacterOfLine_210)); }
inline int32_t get_m_lastCharacterOfLine_210() const { return ___m_lastCharacterOfLine_210; }
inline int32_t* get_address_of_m_lastCharacterOfLine_210() { return &___m_lastCharacterOfLine_210; }
inline void set_m_lastCharacterOfLine_210(int32_t value)
{
___m_lastCharacterOfLine_210 = value;
}
inline static int32_t get_offset_of_m_lastVisibleCharacterOfLine_211() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_lastVisibleCharacterOfLine_211)); }
inline int32_t get_m_lastVisibleCharacterOfLine_211() const { return ___m_lastVisibleCharacterOfLine_211; }
inline int32_t* get_address_of_m_lastVisibleCharacterOfLine_211() { return &___m_lastVisibleCharacterOfLine_211; }
inline void set_m_lastVisibleCharacterOfLine_211(int32_t value)
{
___m_lastVisibleCharacterOfLine_211 = value;
}
inline static int32_t get_offset_of_m_lineNumber_212() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_lineNumber_212)); }
inline int32_t get_m_lineNumber_212() const { return ___m_lineNumber_212; }
inline int32_t* get_address_of_m_lineNumber_212() { return &___m_lineNumber_212; }
inline void set_m_lineNumber_212(int32_t value)
{
___m_lineNumber_212 = value;
}
inline static int32_t get_offset_of_m_lineVisibleCharacterCount_213() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_lineVisibleCharacterCount_213)); }
inline int32_t get_m_lineVisibleCharacterCount_213() const { return ___m_lineVisibleCharacterCount_213; }
inline int32_t* get_address_of_m_lineVisibleCharacterCount_213() { return &___m_lineVisibleCharacterCount_213; }
inline void set_m_lineVisibleCharacterCount_213(int32_t value)
{
___m_lineVisibleCharacterCount_213 = value;
}
inline static int32_t get_offset_of_m_pageNumber_214() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_pageNumber_214)); }
inline int32_t get_m_pageNumber_214() const { return ___m_pageNumber_214; }
inline int32_t* get_address_of_m_pageNumber_214() { return &___m_pageNumber_214; }
inline void set_m_pageNumber_214(int32_t value)
{
___m_pageNumber_214 = value;
}
inline static int32_t get_offset_of_m_PageAscender_215() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_PageAscender_215)); }
inline float get_m_PageAscender_215() const { return ___m_PageAscender_215; }
inline float* get_address_of_m_PageAscender_215() { return &___m_PageAscender_215; }
inline void set_m_PageAscender_215(float value)
{
___m_PageAscender_215 = value;
}
inline static int32_t get_offset_of_m_maxTextAscender_216() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_maxTextAscender_216)); }
inline float get_m_maxTextAscender_216() const { return ___m_maxTextAscender_216; }
inline float* get_address_of_m_maxTextAscender_216() { return &___m_maxTextAscender_216; }
inline void set_m_maxTextAscender_216(float value)
{
___m_maxTextAscender_216 = value;
}
inline static int32_t get_offset_of_m_maxCapHeight_217() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_maxCapHeight_217)); }
inline float get_m_maxCapHeight_217() const { return ___m_maxCapHeight_217; }
inline float* get_address_of_m_maxCapHeight_217() { return &___m_maxCapHeight_217; }
inline void set_m_maxCapHeight_217(float value)
{
___m_maxCapHeight_217 = value;
}
inline static int32_t get_offset_of_m_ElementAscender_218() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_ElementAscender_218)); }
inline float get_m_ElementAscender_218() const { return ___m_ElementAscender_218; }
inline float* get_address_of_m_ElementAscender_218() { return &___m_ElementAscender_218; }
inline void set_m_ElementAscender_218(float value)
{
___m_ElementAscender_218 = value;
}
inline static int32_t get_offset_of_m_ElementDescender_219() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_ElementDescender_219)); }
inline float get_m_ElementDescender_219() const { return ___m_ElementDescender_219; }
inline float* get_address_of_m_ElementDescender_219() { return &___m_ElementDescender_219; }
inline void set_m_ElementDescender_219(float value)
{
___m_ElementDescender_219 = value;
}
inline static int32_t get_offset_of_m_maxLineAscender_220() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_maxLineAscender_220)); }
inline float get_m_maxLineAscender_220() const { return ___m_maxLineAscender_220; }
inline float* get_address_of_m_maxLineAscender_220() { return &___m_maxLineAscender_220; }
inline void set_m_maxLineAscender_220(float value)
{
___m_maxLineAscender_220 = value;
}
inline static int32_t get_offset_of_m_maxLineDescender_221() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_maxLineDescender_221)); }
inline float get_m_maxLineDescender_221() const { return ___m_maxLineDescender_221; }
inline float* get_address_of_m_maxLineDescender_221() { return &___m_maxLineDescender_221; }
inline void set_m_maxLineDescender_221(float value)
{
___m_maxLineDescender_221 = value;
}
inline static int32_t get_offset_of_m_startOfLineAscender_222() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_startOfLineAscender_222)); }
inline float get_m_startOfLineAscender_222() const { return ___m_startOfLineAscender_222; }
inline float* get_address_of_m_startOfLineAscender_222() { return &___m_startOfLineAscender_222; }
inline void set_m_startOfLineAscender_222(float value)
{
___m_startOfLineAscender_222 = value;
}
inline static int32_t get_offset_of_m_startOfLineDescender_223() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_startOfLineDescender_223)); }
inline float get_m_startOfLineDescender_223() const { return ___m_startOfLineDescender_223; }
inline float* get_address_of_m_startOfLineDescender_223() { return &___m_startOfLineDescender_223; }
inline void set_m_startOfLineDescender_223(float value)
{
___m_startOfLineDescender_223 = value;
}
inline static int32_t get_offset_of_m_lineOffset_224() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_lineOffset_224)); }
inline float get_m_lineOffset_224() const { return ___m_lineOffset_224; }
inline float* get_address_of_m_lineOffset_224() { return &___m_lineOffset_224; }
inline void set_m_lineOffset_224(float value)
{
___m_lineOffset_224 = value;
}
inline static int32_t get_offset_of_m_meshExtents_225() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_meshExtents_225)); }
inline Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA get_m_meshExtents_225() const { return ___m_meshExtents_225; }
inline Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA * get_address_of_m_meshExtents_225() { return &___m_meshExtents_225; }
inline void set_m_meshExtents_225(Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA value)
{
___m_meshExtents_225 = value;
}
inline static int32_t get_offset_of_m_htmlColor_226() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_htmlColor_226)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_m_htmlColor_226() const { return ___m_htmlColor_226; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_m_htmlColor_226() { return &___m_htmlColor_226; }
inline void set_m_htmlColor_226(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___m_htmlColor_226 = value;
}
inline static int32_t get_offset_of_m_colorStack_227() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_colorStack_227)); }
inline TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D get_m_colorStack_227() const { return ___m_colorStack_227; }
inline TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D * get_address_of_m_colorStack_227() { return &___m_colorStack_227; }
inline void set_m_colorStack_227(TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D value)
{
___m_colorStack_227 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_colorStack_227))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_underlineColorStack_228() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_underlineColorStack_228)); }
inline TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D get_m_underlineColorStack_228() const { return ___m_underlineColorStack_228; }
inline TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D * get_address_of_m_underlineColorStack_228() { return &___m_underlineColorStack_228; }
inline void set_m_underlineColorStack_228(TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D value)
{
___m_underlineColorStack_228 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_underlineColorStack_228))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_strikethroughColorStack_229() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_strikethroughColorStack_229)); }
inline TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D get_m_strikethroughColorStack_229() const { return ___m_strikethroughColorStack_229; }
inline TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D * get_address_of_m_strikethroughColorStack_229() { return &___m_strikethroughColorStack_229; }
inline void set_m_strikethroughColorStack_229(TMP_TextProcessingStack_1_tCB10A5934F69ED17BBB7F709D74D60038177414D value)
{
___m_strikethroughColorStack_229 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_strikethroughColorStack_229))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_HighlightStateStack_230() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_HighlightStateStack_230)); }
inline TMP_TextProcessingStack_1_t091E8E0507335193E71397075A9E75FFE125381E get_m_HighlightStateStack_230() const { return ___m_HighlightStateStack_230; }
inline TMP_TextProcessingStack_1_t091E8E0507335193E71397075A9E75FFE125381E * get_address_of_m_HighlightStateStack_230() { return &___m_HighlightStateStack_230; }
inline void set_m_HighlightStateStack_230(TMP_TextProcessingStack_1_t091E8E0507335193E71397075A9E75FFE125381E value)
{
___m_HighlightStateStack_230 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_HighlightStateStack_230))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_colorGradientPreset_231() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_colorGradientPreset_231)); }
inline TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461 * get_m_colorGradientPreset_231() const { return ___m_colorGradientPreset_231; }
inline TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461 ** get_address_of_m_colorGradientPreset_231() { return &___m_colorGradientPreset_231; }
inline void set_m_colorGradientPreset_231(TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461 * value)
{
___m_colorGradientPreset_231 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_colorGradientPreset_231), (void*)value);
}
inline static int32_t get_offset_of_m_colorGradientStack_232() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_colorGradientStack_232)); }
inline TMP_TextProcessingStack_1_t598A1976548F7435C20001605BBCC77262756804 get_m_colorGradientStack_232() const { return ___m_colorGradientStack_232; }
inline TMP_TextProcessingStack_1_t598A1976548F7435C20001605BBCC77262756804 * get_address_of_m_colorGradientStack_232() { return &___m_colorGradientStack_232; }
inline void set_m_colorGradientStack_232(TMP_TextProcessingStack_1_t598A1976548F7435C20001605BBCC77262756804 value)
{
___m_colorGradientStack_232 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_colorGradientStack_232))->___itemStack_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_colorGradientStack_232))->___m_DefaultItem_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_colorGradientPresetIsTinted_233() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_colorGradientPresetIsTinted_233)); }
inline bool get_m_colorGradientPresetIsTinted_233() const { return ___m_colorGradientPresetIsTinted_233; }
inline bool* get_address_of_m_colorGradientPresetIsTinted_233() { return &___m_colorGradientPresetIsTinted_233; }
inline void set_m_colorGradientPresetIsTinted_233(bool value)
{
___m_colorGradientPresetIsTinted_233 = value;
}
inline static int32_t get_offset_of_m_tabSpacing_234() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_tabSpacing_234)); }
inline float get_m_tabSpacing_234() const { return ___m_tabSpacing_234; }
inline float* get_address_of_m_tabSpacing_234() { return &___m_tabSpacing_234; }
inline void set_m_tabSpacing_234(float value)
{
___m_tabSpacing_234 = value;
}
inline static int32_t get_offset_of_m_spacing_235() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_spacing_235)); }
inline float get_m_spacing_235() const { return ___m_spacing_235; }
inline float* get_address_of_m_spacing_235() { return &___m_spacing_235; }
inline void set_m_spacing_235(float value)
{
___m_spacing_235 = value;
}
inline static int32_t get_offset_of_m_TextStyleStacks_236() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_TextStyleStacks_236)); }
inline TMP_TextProcessingStack_1U5BU5D_t1E4BEAC3D61A2AD0284E919166D0F38D21540A37* get_m_TextStyleStacks_236() const { return ___m_TextStyleStacks_236; }
inline TMP_TextProcessingStack_1U5BU5D_t1E4BEAC3D61A2AD0284E919166D0F38D21540A37** get_address_of_m_TextStyleStacks_236() { return &___m_TextStyleStacks_236; }
inline void set_m_TextStyleStacks_236(TMP_TextProcessingStack_1U5BU5D_t1E4BEAC3D61A2AD0284E919166D0F38D21540A37* value)
{
___m_TextStyleStacks_236 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TextStyleStacks_236), (void*)value);
}
inline static int32_t get_offset_of_m_TextStyleStackDepth_237() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_TextStyleStackDepth_237)); }
inline int32_t get_m_TextStyleStackDepth_237() const { return ___m_TextStyleStackDepth_237; }
inline int32_t* get_address_of_m_TextStyleStackDepth_237() { return &___m_TextStyleStackDepth_237; }
inline void set_m_TextStyleStackDepth_237(int32_t value)
{
___m_TextStyleStackDepth_237 = value;
}
inline static int32_t get_offset_of_m_ItalicAngleStack_238() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_ItalicAngleStack_238)); }
inline TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA get_m_ItalicAngleStack_238() const { return ___m_ItalicAngleStack_238; }
inline TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA * get_address_of_m_ItalicAngleStack_238() { return &___m_ItalicAngleStack_238; }
inline void set_m_ItalicAngleStack_238(TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA value)
{
___m_ItalicAngleStack_238 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_ItalicAngleStack_238))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_ItalicAngle_239() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_ItalicAngle_239)); }
inline int32_t get_m_ItalicAngle_239() const { return ___m_ItalicAngle_239; }
inline int32_t* get_address_of_m_ItalicAngle_239() { return &___m_ItalicAngle_239; }
inline void set_m_ItalicAngle_239(int32_t value)
{
___m_ItalicAngle_239 = value;
}
inline static int32_t get_offset_of_m_actionStack_240() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_actionStack_240)); }
inline TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA get_m_actionStack_240() const { return ___m_actionStack_240; }
inline TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA * get_address_of_m_actionStack_240() { return &___m_actionStack_240; }
inline void set_m_actionStack_240(TMP_TextProcessingStack_1_tAD0A40D35721F31D8FE2C344F705515FDF0F7DBA value)
{
___m_actionStack_240 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_actionStack_240))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_padding_241() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_padding_241)); }
inline float get_m_padding_241() const { return ___m_padding_241; }
inline float* get_address_of_m_padding_241() { return &___m_padding_241; }
inline void set_m_padding_241(float value)
{
___m_padding_241 = value;
}
inline static int32_t get_offset_of_m_baselineOffset_242() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_baselineOffset_242)); }
inline float get_m_baselineOffset_242() const { return ___m_baselineOffset_242; }
inline float* get_address_of_m_baselineOffset_242() { return &___m_baselineOffset_242; }
inline void set_m_baselineOffset_242(float value)
{
___m_baselineOffset_242 = value;
}
inline static int32_t get_offset_of_m_baselineOffsetStack_243() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_baselineOffsetStack_243)); }
inline TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 get_m_baselineOffsetStack_243() const { return ___m_baselineOffsetStack_243; }
inline TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 * get_address_of_m_baselineOffsetStack_243() { return &___m_baselineOffsetStack_243; }
inline void set_m_baselineOffsetStack_243(TMP_TextProcessingStack_1_t0C5DDA1BDCC56D66F8465350BB1E55E94AAEBE17 value)
{
___m_baselineOffsetStack_243 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_baselineOffsetStack_243))->___itemStack_0), (void*)NULL);
}
inline static int32_t get_offset_of_m_xAdvance_244() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_xAdvance_244)); }
inline float get_m_xAdvance_244() const { return ___m_xAdvance_244; }
inline float* get_address_of_m_xAdvance_244() { return &___m_xAdvance_244; }
inline void set_m_xAdvance_244(float value)
{
___m_xAdvance_244 = value;
}
inline static int32_t get_offset_of_m_textElementType_245() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_textElementType_245)); }
inline int32_t get_m_textElementType_245() const { return ___m_textElementType_245; }
inline int32_t* get_address_of_m_textElementType_245() { return &___m_textElementType_245; }
inline void set_m_textElementType_245(int32_t value)
{
___m_textElementType_245 = value;
}
inline static int32_t get_offset_of_m_cached_TextElement_246() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_cached_TextElement_246)); }
inline TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832 * get_m_cached_TextElement_246() const { return ___m_cached_TextElement_246; }
inline TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832 ** get_address_of_m_cached_TextElement_246() { return &___m_cached_TextElement_246; }
inline void set_m_cached_TextElement_246(TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832 * value)
{
___m_cached_TextElement_246 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_cached_TextElement_246), (void*)value);
}
inline static int32_t get_offset_of_m_Ellipsis_247() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_Ellipsis_247)); }
inline SpecialCharacter_t06A60B3C91ABA764227413C096AE5060D50D844F get_m_Ellipsis_247() const { return ___m_Ellipsis_247; }
inline SpecialCharacter_t06A60B3C91ABA764227413C096AE5060D50D844F * get_address_of_m_Ellipsis_247() { return &___m_Ellipsis_247; }
inline void set_m_Ellipsis_247(SpecialCharacter_t06A60B3C91ABA764227413C096AE5060D50D844F value)
{
___m_Ellipsis_247 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_Ellipsis_247))->___character_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_Ellipsis_247))->___fontAsset_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_Ellipsis_247))->___material_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_Underline_248() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_Underline_248)); }
inline SpecialCharacter_t06A60B3C91ABA764227413C096AE5060D50D844F get_m_Underline_248() const { return ___m_Underline_248; }
inline SpecialCharacter_t06A60B3C91ABA764227413C096AE5060D50D844F * get_address_of_m_Underline_248() { return &___m_Underline_248; }
inline void set_m_Underline_248(SpecialCharacter_t06A60B3C91ABA764227413C096AE5060D50D844F value)
{
___m_Underline_248 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_Underline_248))->___character_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_Underline_248))->___fontAsset_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_Underline_248))->___material_2), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_defaultSpriteAsset_249() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_defaultSpriteAsset_249)); }
inline TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * get_m_defaultSpriteAsset_249() const { return ___m_defaultSpriteAsset_249; }
inline TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 ** get_address_of_m_defaultSpriteAsset_249() { return &___m_defaultSpriteAsset_249; }
inline void set_m_defaultSpriteAsset_249(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * value)
{
___m_defaultSpriteAsset_249 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_defaultSpriteAsset_249), (void*)value);
}
inline static int32_t get_offset_of_m_currentSpriteAsset_250() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_currentSpriteAsset_250)); }
inline TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * get_m_currentSpriteAsset_250() const { return ___m_currentSpriteAsset_250; }
inline TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 ** get_address_of_m_currentSpriteAsset_250() { return &___m_currentSpriteAsset_250; }
inline void set_m_currentSpriteAsset_250(TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714 * value)
{
___m_currentSpriteAsset_250 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_currentSpriteAsset_250), (void*)value);
}
inline static int32_t get_offset_of_m_spriteCount_251() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_spriteCount_251)); }
inline int32_t get_m_spriteCount_251() const { return ___m_spriteCount_251; }
inline int32_t* get_address_of_m_spriteCount_251() { return &___m_spriteCount_251; }
inline void set_m_spriteCount_251(int32_t value)
{
___m_spriteCount_251 = value;
}
inline static int32_t get_offset_of_m_spriteIndex_252() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_spriteIndex_252)); }
inline int32_t get_m_spriteIndex_252() const { return ___m_spriteIndex_252; }
inline int32_t* get_address_of_m_spriteIndex_252() { return &___m_spriteIndex_252; }
inline void set_m_spriteIndex_252(int32_t value)
{
___m_spriteIndex_252 = value;
}
inline static int32_t get_offset_of_m_spriteAnimationID_253() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_spriteAnimationID_253)); }
inline int32_t get_m_spriteAnimationID_253() const { return ___m_spriteAnimationID_253; }
inline int32_t* get_address_of_m_spriteAnimationID_253() { return &___m_spriteAnimationID_253; }
inline void set_m_spriteAnimationID_253(int32_t value)
{
___m_spriteAnimationID_253 = value;
}
inline static int32_t get_offset_of_m_ignoreActiveState_256() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_ignoreActiveState_256)); }
inline bool get_m_ignoreActiveState_256() const { return ___m_ignoreActiveState_256; }
inline bool* get_address_of_m_ignoreActiveState_256() { return &___m_ignoreActiveState_256; }
inline void set_m_ignoreActiveState_256(bool value)
{
___m_ignoreActiveState_256 = value;
}
inline static int32_t get_offset_of_m_TextBackingArray_257() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___m_TextBackingArray_257)); }
inline TextBackingContainer_t50AA56C265D2A3DB961E3DD200165FE78270562B get_m_TextBackingArray_257() const { return ___m_TextBackingArray_257; }
inline TextBackingContainer_t50AA56C265D2A3DB961E3DD200165FE78270562B * get_address_of_m_TextBackingArray_257() { return &___m_TextBackingArray_257; }
inline void set_m_TextBackingArray_257(TextBackingContainer_t50AA56C265D2A3DB961E3DD200165FE78270562B value)
{
___m_TextBackingArray_257 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_TextBackingArray_257))->___m_Array_0), (void*)NULL);
}
inline static int32_t get_offset_of_k_Power_258() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262, ___k_Power_258)); }
inline DecimalU5BU5D_tAA3302A4A6ACCE77638A2346993A0FAAE2F9FDBA* get_k_Power_258() const { return ___k_Power_258; }
inline DecimalU5BU5D_tAA3302A4A6ACCE77638A2346993A0FAAE2F9FDBA** get_address_of_k_Power_258() { return &___k_Power_258; }
inline void set_k_Power_258(DecimalU5BU5D_tAA3302A4A6ACCE77638A2346993A0FAAE2F9FDBA* value)
{
___k_Power_258 = value;
Il2CppCodeGenWriteBarrier((void**)(&___k_Power_258), (void*)value);
}
};
struct TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields
{
public:
// TMPro.MaterialReference[] TMPro.TMP_Text::m_materialReferences
MaterialReferenceU5BU5D_t06D1C1249B8051EC092684920106F77B6FC203FD* ___m_materialReferences_45;
// System.Collections.Generic.Dictionary`2<System.Int32,System.Int32> TMPro.TMP_Text::m_materialReferenceIndexLookup
Dictionary_2_t49CB072CAA9184D326107FA696BB354C43EB5E08 * ___m_materialReferenceIndexLookup_46;
// TMPro.TMP_TextProcessingStack`1<TMPro.MaterialReference> TMPro.TMP_Text::m_materialReferenceStack
TMP_TextProcessingStack_1_t7C34F5D4D2FC429E4551885C16EFDF05B8D2A6E3 ___m_materialReferenceStack_47;
// UnityEngine.Color32 TMPro.TMP_Text::s_colorWhite
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D ___s_colorWhite_55;
// System.Func`3<System.Int32,System.String,TMPro.TMP_FontAsset> TMPro.TMP_Text::OnFontAssetRequest
Func_3_tD4EA9DBB68453335E80C2917C93BDE503A28F3F0 * ___OnFontAssetRequest_163;
// System.Func`3<System.Int32,System.String,TMPro.TMP_SpriteAsset> TMPro.TMP_Text::OnSpriteAssetRequest
Func_3_t540BC7F75C78E0C70D6C37F2D220418DABC4B9EA * ___OnSpriteAssetRequest_164;
// System.Char[] TMPro.TMP_Text::m_htmlTag
CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* ___m_htmlTag_187;
// TMPro.RichTextTagAttribute[] TMPro.TMP_Text::m_xmlAttribute
RichTextTagAttributeU5BU5D_t81DC8CE2ED156F9CA996E2DC8A64A973A156D615* ___m_xmlAttribute_188;
// System.Single[] TMPro.TMP_Text::m_attributeParameterValues
SingleU5BU5D_t47E8DBF5B597C122478D1FFBD9DD57399A0650FA* ___m_attributeParameterValues_189;
// TMPro.WordWrapState TMPro.TMP_Text::m_SavedWordWrapState
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 ___m_SavedWordWrapState_201;
// TMPro.WordWrapState TMPro.TMP_Text::m_SavedLineState
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 ___m_SavedLineState_202;
// TMPro.WordWrapState TMPro.TMP_Text::m_SavedEllipsisState
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 ___m_SavedEllipsisState_203;
// TMPro.WordWrapState TMPro.TMP_Text::m_SavedLastValidState
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 ___m_SavedLastValidState_204;
// TMPro.WordWrapState TMPro.TMP_Text::m_SavedSoftLineBreakState
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 ___m_SavedSoftLineBreakState_205;
// TMPro.TMP_TextProcessingStack`1<TMPro.WordWrapState> TMPro.TMP_Text::m_EllipsisInsertionCandidateStack
TMP_TextProcessingStack_1_t09C36897DBFF463BB173E0ED3612A8D49A8EE2D7 ___m_EllipsisInsertionCandidateStack_206;
// Unity.Profiling.ProfilerMarker TMPro.TMP_Text::k_ParseTextMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_ParseTextMarker_254;
// Unity.Profiling.ProfilerMarker TMPro.TMP_Text::k_InsertNewLineMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_InsertNewLineMarker_255;
// UnityEngine.Vector2 TMPro.TMP_Text::k_LargePositiveVector2
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___k_LargePositiveVector2_259;
// UnityEngine.Vector2 TMPro.TMP_Text::k_LargeNegativeVector2
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___k_LargeNegativeVector2_260;
// System.Single TMPro.TMP_Text::k_LargePositiveFloat
float ___k_LargePositiveFloat_261;
// System.Single TMPro.TMP_Text::k_LargeNegativeFloat
float ___k_LargeNegativeFloat_262;
// System.Int32 TMPro.TMP_Text::k_LargePositiveInt
int32_t ___k_LargePositiveInt_263;
// System.Int32 TMPro.TMP_Text::k_LargeNegativeInt
int32_t ___k_LargeNegativeInt_264;
public:
inline static int32_t get_offset_of_m_materialReferences_45() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___m_materialReferences_45)); }
inline MaterialReferenceU5BU5D_t06D1C1249B8051EC092684920106F77B6FC203FD* get_m_materialReferences_45() const { return ___m_materialReferences_45; }
inline MaterialReferenceU5BU5D_t06D1C1249B8051EC092684920106F77B6FC203FD** get_address_of_m_materialReferences_45() { return &___m_materialReferences_45; }
inline void set_m_materialReferences_45(MaterialReferenceU5BU5D_t06D1C1249B8051EC092684920106F77B6FC203FD* value)
{
___m_materialReferences_45 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_materialReferences_45), (void*)value);
}
inline static int32_t get_offset_of_m_materialReferenceIndexLookup_46() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___m_materialReferenceIndexLookup_46)); }
inline Dictionary_2_t49CB072CAA9184D326107FA696BB354C43EB5E08 * get_m_materialReferenceIndexLookup_46() const { return ___m_materialReferenceIndexLookup_46; }
inline Dictionary_2_t49CB072CAA9184D326107FA696BB354C43EB5E08 ** get_address_of_m_materialReferenceIndexLookup_46() { return &___m_materialReferenceIndexLookup_46; }
inline void set_m_materialReferenceIndexLookup_46(Dictionary_2_t49CB072CAA9184D326107FA696BB354C43EB5E08 * value)
{
___m_materialReferenceIndexLookup_46 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_materialReferenceIndexLookup_46), (void*)value);
}
inline static int32_t get_offset_of_m_materialReferenceStack_47() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___m_materialReferenceStack_47)); }
inline TMP_TextProcessingStack_1_t7C34F5D4D2FC429E4551885C16EFDF05B8D2A6E3 get_m_materialReferenceStack_47() const { return ___m_materialReferenceStack_47; }
inline TMP_TextProcessingStack_1_t7C34F5D4D2FC429E4551885C16EFDF05B8D2A6E3 * get_address_of_m_materialReferenceStack_47() { return &___m_materialReferenceStack_47; }
inline void set_m_materialReferenceStack_47(TMP_TextProcessingStack_1_t7C34F5D4D2FC429E4551885C16EFDF05B8D2A6E3 value)
{
___m_materialReferenceStack_47 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_materialReferenceStack_47))->___itemStack_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_materialReferenceStack_47))->___m_DefaultItem_2))->___fontAsset_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_materialReferenceStack_47))->___m_DefaultItem_2))->___spriteAsset_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_materialReferenceStack_47))->___m_DefaultItem_2))->___material_3), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_materialReferenceStack_47))->___m_DefaultItem_2))->___fallbackMaterial_6), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_s_colorWhite_55() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___s_colorWhite_55)); }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D get_s_colorWhite_55() const { return ___s_colorWhite_55; }
inline Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D * get_address_of_s_colorWhite_55() { return &___s_colorWhite_55; }
inline void set_s_colorWhite_55(Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D value)
{
___s_colorWhite_55 = value;
}
inline static int32_t get_offset_of_OnFontAssetRequest_163() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___OnFontAssetRequest_163)); }
inline Func_3_tD4EA9DBB68453335E80C2917C93BDE503A28F3F0 * get_OnFontAssetRequest_163() const { return ___OnFontAssetRequest_163; }
inline Func_3_tD4EA9DBB68453335E80C2917C93BDE503A28F3F0 ** get_address_of_OnFontAssetRequest_163() { return &___OnFontAssetRequest_163; }
inline void set_OnFontAssetRequest_163(Func_3_tD4EA9DBB68453335E80C2917C93BDE503A28F3F0 * value)
{
___OnFontAssetRequest_163 = value;
Il2CppCodeGenWriteBarrier((void**)(&___OnFontAssetRequest_163), (void*)value);
}
inline static int32_t get_offset_of_OnSpriteAssetRequest_164() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___OnSpriteAssetRequest_164)); }
inline Func_3_t540BC7F75C78E0C70D6C37F2D220418DABC4B9EA * get_OnSpriteAssetRequest_164() const { return ___OnSpriteAssetRequest_164; }
inline Func_3_t540BC7F75C78E0C70D6C37F2D220418DABC4B9EA ** get_address_of_OnSpriteAssetRequest_164() { return &___OnSpriteAssetRequest_164; }
inline void set_OnSpriteAssetRequest_164(Func_3_t540BC7F75C78E0C70D6C37F2D220418DABC4B9EA * value)
{
___OnSpriteAssetRequest_164 = value;
Il2CppCodeGenWriteBarrier((void**)(&___OnSpriteAssetRequest_164), (void*)value);
}
inline static int32_t get_offset_of_m_htmlTag_187() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___m_htmlTag_187)); }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* get_m_htmlTag_187() const { return ___m_htmlTag_187; }
inline CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34** get_address_of_m_htmlTag_187() { return &___m_htmlTag_187; }
inline void set_m_htmlTag_187(CharU5BU5D_t7B7FC5BC8091AA3B9CB0B29CDD80B5EE9254AA34* value)
{
___m_htmlTag_187 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_htmlTag_187), (void*)value);
}
inline static int32_t get_offset_of_m_xmlAttribute_188() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___m_xmlAttribute_188)); }
inline RichTextTagAttributeU5BU5D_t81DC8CE2ED156F9CA996E2DC8A64A973A156D615* get_m_xmlAttribute_188() const { return ___m_xmlAttribute_188; }
inline RichTextTagAttributeU5BU5D_t81DC8CE2ED156F9CA996E2DC8A64A973A156D615** get_address_of_m_xmlAttribute_188() { return &___m_xmlAttribute_188; }
inline void set_m_xmlAttribute_188(RichTextTagAttributeU5BU5D_t81DC8CE2ED156F9CA996E2DC8A64A973A156D615* value)
{
___m_xmlAttribute_188 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_xmlAttribute_188), (void*)value);
}
inline static int32_t get_offset_of_m_attributeParameterValues_189() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___m_attributeParameterValues_189)); }
inline SingleU5BU5D_t47E8DBF5B597C122478D1FFBD9DD57399A0650FA* get_m_attributeParameterValues_189() const { return ___m_attributeParameterValues_189; }
inline SingleU5BU5D_t47E8DBF5B597C122478D1FFBD9DD57399A0650FA** get_address_of_m_attributeParameterValues_189() { return &___m_attributeParameterValues_189; }
inline void set_m_attributeParameterValues_189(SingleU5BU5D_t47E8DBF5B597C122478D1FFBD9DD57399A0650FA* value)
{
___m_attributeParameterValues_189 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_attributeParameterValues_189), (void*)value);
}
inline static int32_t get_offset_of_m_SavedWordWrapState_201() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___m_SavedWordWrapState_201)); }
inline WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 get_m_SavedWordWrapState_201() const { return ___m_SavedWordWrapState_201; }
inline WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 * get_address_of_m_SavedWordWrapState_201() { return &___m_SavedWordWrapState_201; }
inline void set_m_SavedWordWrapState_201(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 value)
{
___m_SavedWordWrapState_201 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SavedWordWrapState_201))->___textInfo_35), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedWordWrapState_201))->___italicAngleStack_42))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedWordWrapState_201))->___colorStack_43))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedWordWrapState_201))->___underlineColorStack_44))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedWordWrapState_201))->___strikethroughColorStack_45))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedWordWrapState_201))->___highlightColorStack_46))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedWordWrapState_201))->___highlightStateStack_47))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedWordWrapState_201))->___colorGradientStack_48))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedWordWrapState_201))->___colorGradientStack_48))->___m_DefaultItem_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedWordWrapState_201))->___sizeStack_49))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedWordWrapState_201))->___indentStack_50))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedWordWrapState_201))->___fontWeightStack_51))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedWordWrapState_201))->___styleStack_52))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedWordWrapState_201))->___baselineStack_53))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedWordWrapState_201))->___actionStack_54))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedWordWrapState_201))->___materialReferenceStack_55))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_SavedWordWrapState_201))->___materialReferenceStack_55))->___m_DefaultItem_2))->___fontAsset_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_SavedWordWrapState_201))->___materialReferenceStack_55))->___m_DefaultItem_2))->___spriteAsset_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_SavedWordWrapState_201))->___materialReferenceStack_55))->___m_DefaultItem_2))->___material_3), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_SavedWordWrapState_201))->___materialReferenceStack_55))->___m_DefaultItem_2))->___fallbackMaterial_6), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedWordWrapState_201))->___lineJustificationStack_56))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SavedWordWrapState_201))->___currentFontAsset_58), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SavedWordWrapState_201))->___currentSpriteAsset_59), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SavedWordWrapState_201))->___currentMaterial_60), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_SavedLineState_202() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___m_SavedLineState_202)); }
inline WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 get_m_SavedLineState_202() const { return ___m_SavedLineState_202; }
inline WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 * get_address_of_m_SavedLineState_202() { return &___m_SavedLineState_202; }
inline void set_m_SavedLineState_202(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 value)
{
___m_SavedLineState_202 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SavedLineState_202))->___textInfo_35), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLineState_202))->___italicAngleStack_42))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLineState_202))->___colorStack_43))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLineState_202))->___underlineColorStack_44))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLineState_202))->___strikethroughColorStack_45))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLineState_202))->___highlightColorStack_46))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLineState_202))->___highlightStateStack_47))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLineState_202))->___colorGradientStack_48))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLineState_202))->___colorGradientStack_48))->___m_DefaultItem_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLineState_202))->___sizeStack_49))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLineState_202))->___indentStack_50))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLineState_202))->___fontWeightStack_51))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLineState_202))->___styleStack_52))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLineState_202))->___baselineStack_53))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLineState_202))->___actionStack_54))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLineState_202))->___materialReferenceStack_55))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_SavedLineState_202))->___materialReferenceStack_55))->___m_DefaultItem_2))->___fontAsset_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_SavedLineState_202))->___materialReferenceStack_55))->___m_DefaultItem_2))->___spriteAsset_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_SavedLineState_202))->___materialReferenceStack_55))->___m_DefaultItem_2))->___material_3), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_SavedLineState_202))->___materialReferenceStack_55))->___m_DefaultItem_2))->___fallbackMaterial_6), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLineState_202))->___lineJustificationStack_56))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SavedLineState_202))->___currentFontAsset_58), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SavedLineState_202))->___currentSpriteAsset_59), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SavedLineState_202))->___currentMaterial_60), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_SavedEllipsisState_203() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___m_SavedEllipsisState_203)); }
inline WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 get_m_SavedEllipsisState_203() const { return ___m_SavedEllipsisState_203; }
inline WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 * get_address_of_m_SavedEllipsisState_203() { return &___m_SavedEllipsisState_203; }
inline void set_m_SavedEllipsisState_203(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 value)
{
___m_SavedEllipsisState_203 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SavedEllipsisState_203))->___textInfo_35), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedEllipsisState_203))->___italicAngleStack_42))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedEllipsisState_203))->___colorStack_43))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedEllipsisState_203))->___underlineColorStack_44))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedEllipsisState_203))->___strikethroughColorStack_45))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedEllipsisState_203))->___highlightColorStack_46))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedEllipsisState_203))->___highlightStateStack_47))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedEllipsisState_203))->___colorGradientStack_48))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedEllipsisState_203))->___colorGradientStack_48))->___m_DefaultItem_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedEllipsisState_203))->___sizeStack_49))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedEllipsisState_203))->___indentStack_50))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedEllipsisState_203))->___fontWeightStack_51))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedEllipsisState_203))->___styleStack_52))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedEllipsisState_203))->___baselineStack_53))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedEllipsisState_203))->___actionStack_54))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedEllipsisState_203))->___materialReferenceStack_55))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_SavedEllipsisState_203))->___materialReferenceStack_55))->___m_DefaultItem_2))->___fontAsset_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_SavedEllipsisState_203))->___materialReferenceStack_55))->___m_DefaultItem_2))->___spriteAsset_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_SavedEllipsisState_203))->___materialReferenceStack_55))->___m_DefaultItem_2))->___material_3), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_SavedEllipsisState_203))->___materialReferenceStack_55))->___m_DefaultItem_2))->___fallbackMaterial_6), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedEllipsisState_203))->___lineJustificationStack_56))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SavedEllipsisState_203))->___currentFontAsset_58), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SavedEllipsisState_203))->___currentSpriteAsset_59), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SavedEllipsisState_203))->___currentMaterial_60), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_SavedLastValidState_204() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___m_SavedLastValidState_204)); }
inline WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 get_m_SavedLastValidState_204() const { return ___m_SavedLastValidState_204; }
inline WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 * get_address_of_m_SavedLastValidState_204() { return &___m_SavedLastValidState_204; }
inline void set_m_SavedLastValidState_204(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 value)
{
___m_SavedLastValidState_204 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SavedLastValidState_204))->___textInfo_35), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLastValidState_204))->___italicAngleStack_42))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLastValidState_204))->___colorStack_43))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLastValidState_204))->___underlineColorStack_44))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLastValidState_204))->___strikethroughColorStack_45))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLastValidState_204))->___highlightColorStack_46))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLastValidState_204))->___highlightStateStack_47))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLastValidState_204))->___colorGradientStack_48))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLastValidState_204))->___colorGradientStack_48))->___m_DefaultItem_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLastValidState_204))->___sizeStack_49))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLastValidState_204))->___indentStack_50))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLastValidState_204))->___fontWeightStack_51))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLastValidState_204))->___styleStack_52))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLastValidState_204))->___baselineStack_53))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLastValidState_204))->___actionStack_54))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLastValidState_204))->___materialReferenceStack_55))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_SavedLastValidState_204))->___materialReferenceStack_55))->___m_DefaultItem_2))->___fontAsset_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_SavedLastValidState_204))->___materialReferenceStack_55))->___m_DefaultItem_2))->___spriteAsset_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_SavedLastValidState_204))->___materialReferenceStack_55))->___m_DefaultItem_2))->___material_3), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_SavedLastValidState_204))->___materialReferenceStack_55))->___m_DefaultItem_2))->___fallbackMaterial_6), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedLastValidState_204))->___lineJustificationStack_56))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SavedLastValidState_204))->___currentFontAsset_58), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SavedLastValidState_204))->___currentSpriteAsset_59), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SavedLastValidState_204))->___currentMaterial_60), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_SavedSoftLineBreakState_205() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___m_SavedSoftLineBreakState_205)); }
inline WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 get_m_SavedSoftLineBreakState_205() const { return ___m_SavedSoftLineBreakState_205; }
inline WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 * get_address_of_m_SavedSoftLineBreakState_205() { return &___m_SavedSoftLineBreakState_205; }
inline void set_m_SavedSoftLineBreakState_205(WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99 value)
{
___m_SavedSoftLineBreakState_205 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SavedSoftLineBreakState_205))->___textInfo_35), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedSoftLineBreakState_205))->___italicAngleStack_42))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedSoftLineBreakState_205))->___colorStack_43))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedSoftLineBreakState_205))->___underlineColorStack_44))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedSoftLineBreakState_205))->___strikethroughColorStack_45))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedSoftLineBreakState_205))->___highlightColorStack_46))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedSoftLineBreakState_205))->___highlightStateStack_47))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedSoftLineBreakState_205))->___colorGradientStack_48))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedSoftLineBreakState_205))->___colorGradientStack_48))->___m_DefaultItem_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedSoftLineBreakState_205))->___sizeStack_49))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedSoftLineBreakState_205))->___indentStack_50))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedSoftLineBreakState_205))->___fontWeightStack_51))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedSoftLineBreakState_205))->___styleStack_52))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedSoftLineBreakState_205))->___baselineStack_53))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedSoftLineBreakState_205))->___actionStack_54))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedSoftLineBreakState_205))->___materialReferenceStack_55))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_SavedSoftLineBreakState_205))->___materialReferenceStack_55))->___m_DefaultItem_2))->___fontAsset_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_SavedSoftLineBreakState_205))->___materialReferenceStack_55))->___m_DefaultItem_2))->___spriteAsset_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_SavedSoftLineBreakState_205))->___materialReferenceStack_55))->___m_DefaultItem_2))->___material_3), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_SavedSoftLineBreakState_205))->___materialReferenceStack_55))->___m_DefaultItem_2))->___fallbackMaterial_6), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_SavedSoftLineBreakState_205))->___lineJustificationStack_56))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SavedSoftLineBreakState_205))->___currentFontAsset_58), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SavedSoftLineBreakState_205))->___currentSpriteAsset_59), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&(((&___m_SavedSoftLineBreakState_205))->___currentMaterial_60), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_m_EllipsisInsertionCandidateStack_206() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___m_EllipsisInsertionCandidateStack_206)); }
inline TMP_TextProcessingStack_1_t09C36897DBFF463BB173E0ED3612A8D49A8EE2D7 get_m_EllipsisInsertionCandidateStack_206() const { return ___m_EllipsisInsertionCandidateStack_206; }
inline TMP_TextProcessingStack_1_t09C36897DBFF463BB173E0ED3612A8D49A8EE2D7 * get_address_of_m_EllipsisInsertionCandidateStack_206() { return &___m_EllipsisInsertionCandidateStack_206; }
inline void set_m_EllipsisInsertionCandidateStack_206(TMP_TextProcessingStack_1_t09C36897DBFF463BB173E0ED3612A8D49A8EE2D7 value)
{
___m_EllipsisInsertionCandidateStack_206 = value;
Il2CppCodeGenWriteBarrier((void**)&(((&___m_EllipsisInsertionCandidateStack_206))->___itemStack_0), (void*)NULL);
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___textInfo_35), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___italicAngleStack_42))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___colorStack_43))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___underlineColorStack_44))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___strikethroughColorStack_45))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___highlightColorStack_46))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___highlightStateStack_47))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___colorGradientStack_48))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___colorGradientStack_48))->___m_DefaultItem_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___sizeStack_49))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___indentStack_50))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___fontWeightStack_51))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___styleStack_52))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___baselineStack_53))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___actionStack_54))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___materialReferenceStack_55))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___materialReferenceStack_55))->___m_DefaultItem_2))->___fontAsset_1), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___materialReferenceStack_55))->___m_DefaultItem_2))->___spriteAsset_2), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___materialReferenceStack_55))->___m_DefaultItem_2))->___material_3), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___materialReferenceStack_55))->___m_DefaultItem_2))->___fallbackMaterial_6), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___lineJustificationStack_56))->___itemStack_0), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___currentFontAsset_58), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___currentSpriteAsset_59), (void*)NULL);
#endif
#if IL2CPP_ENABLE_STRICT_WRITE_BARRIERS
Il2CppCodeGenWriteBarrier((void**)&((&(((&___m_EllipsisInsertionCandidateStack_206))->___m_DefaultItem_2))->___currentMaterial_60), (void*)NULL);
#endif
}
inline static int32_t get_offset_of_k_ParseTextMarker_254() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___k_ParseTextMarker_254)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_ParseTextMarker_254() const { return ___k_ParseTextMarker_254; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_ParseTextMarker_254() { return &___k_ParseTextMarker_254; }
inline void set_k_ParseTextMarker_254(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_ParseTextMarker_254 = value;
}
inline static int32_t get_offset_of_k_InsertNewLineMarker_255() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___k_InsertNewLineMarker_255)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_InsertNewLineMarker_255() const { return ___k_InsertNewLineMarker_255; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_InsertNewLineMarker_255() { return &___k_InsertNewLineMarker_255; }
inline void set_k_InsertNewLineMarker_255(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_InsertNewLineMarker_255 = value;
}
inline static int32_t get_offset_of_k_LargePositiveVector2_259() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___k_LargePositiveVector2_259)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_k_LargePositiveVector2_259() const { return ___k_LargePositiveVector2_259; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_k_LargePositiveVector2_259() { return &___k_LargePositiveVector2_259; }
inline void set_k_LargePositiveVector2_259(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___k_LargePositiveVector2_259 = value;
}
inline static int32_t get_offset_of_k_LargeNegativeVector2_260() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___k_LargeNegativeVector2_260)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_k_LargeNegativeVector2_260() const { return ___k_LargeNegativeVector2_260; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_k_LargeNegativeVector2_260() { return &___k_LargeNegativeVector2_260; }
inline void set_k_LargeNegativeVector2_260(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___k_LargeNegativeVector2_260 = value;
}
inline static int32_t get_offset_of_k_LargePositiveFloat_261() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___k_LargePositiveFloat_261)); }
inline float get_k_LargePositiveFloat_261() const { return ___k_LargePositiveFloat_261; }
inline float* get_address_of_k_LargePositiveFloat_261() { return &___k_LargePositiveFloat_261; }
inline void set_k_LargePositiveFloat_261(float value)
{
___k_LargePositiveFloat_261 = value;
}
inline static int32_t get_offset_of_k_LargeNegativeFloat_262() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___k_LargeNegativeFloat_262)); }
inline float get_k_LargeNegativeFloat_262() const { return ___k_LargeNegativeFloat_262; }
inline float* get_address_of_k_LargeNegativeFloat_262() { return &___k_LargeNegativeFloat_262; }
inline void set_k_LargeNegativeFloat_262(float value)
{
___k_LargeNegativeFloat_262 = value;
}
inline static int32_t get_offset_of_k_LargePositiveInt_263() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___k_LargePositiveInt_263)); }
inline int32_t get_k_LargePositiveInt_263() const { return ___k_LargePositiveInt_263; }
inline int32_t* get_address_of_k_LargePositiveInt_263() { return &___k_LargePositiveInt_263; }
inline void set_k_LargePositiveInt_263(int32_t value)
{
___k_LargePositiveInt_263 = value;
}
inline static int32_t get_offset_of_k_LargeNegativeInt_264() { return static_cast<int32_t>(offsetof(TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields, ___k_LargeNegativeInt_264)); }
inline int32_t get_k_LargeNegativeInt_264() const { return ___k_LargeNegativeInt_264; }
inline int32_t* get_address_of_k_LargeNegativeInt_264() { return &___k_LargeNegativeInt_264; }
inline void set_k_LargeNegativeInt_264(int32_t value)
{
___k_LargeNegativeInt_264 = value;
}
};
// UnityEngine.UI.Text
struct Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1 : public MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE
{
public:
// UnityEngine.UI.FontData UnityEngine.UI.Text::m_FontData
FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738 * ___m_FontData_36;
// System.String UnityEngine.UI.Text::m_Text
String_t* ___m_Text_37;
// UnityEngine.TextGenerator UnityEngine.UI.Text::m_TextCache
TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70 * ___m_TextCache_38;
// UnityEngine.TextGenerator UnityEngine.UI.Text::m_TextCacheForLayout
TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70 * ___m_TextCacheForLayout_39;
// System.Boolean UnityEngine.UI.Text::m_DisableFontTextureRebuiltCallback
bool ___m_DisableFontTextureRebuiltCallback_41;
// UnityEngine.UIVertex[] UnityEngine.UI.Text::m_TempVerts
UIVertexU5BU5D_tE3D523C48DFEBC775876720DE2539A79FB7E5E5A* ___m_TempVerts_42;
public:
inline static int32_t get_offset_of_m_FontData_36() { return static_cast<int32_t>(offsetof(Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1, ___m_FontData_36)); }
inline FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738 * get_m_FontData_36() const { return ___m_FontData_36; }
inline FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738 ** get_address_of_m_FontData_36() { return &___m_FontData_36; }
inline void set_m_FontData_36(FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738 * value)
{
___m_FontData_36 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_FontData_36), (void*)value);
}
inline static int32_t get_offset_of_m_Text_37() { return static_cast<int32_t>(offsetof(Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1, ___m_Text_37)); }
inline String_t* get_m_Text_37() const { return ___m_Text_37; }
inline String_t** get_address_of_m_Text_37() { return &___m_Text_37; }
inline void set_m_Text_37(String_t* value)
{
___m_Text_37 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_Text_37), (void*)value);
}
inline static int32_t get_offset_of_m_TextCache_38() { return static_cast<int32_t>(offsetof(Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1, ___m_TextCache_38)); }
inline TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70 * get_m_TextCache_38() const { return ___m_TextCache_38; }
inline TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70 ** get_address_of_m_TextCache_38() { return &___m_TextCache_38; }
inline void set_m_TextCache_38(TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70 * value)
{
___m_TextCache_38 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TextCache_38), (void*)value);
}
inline static int32_t get_offset_of_m_TextCacheForLayout_39() { return static_cast<int32_t>(offsetof(Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1, ___m_TextCacheForLayout_39)); }
inline TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70 * get_m_TextCacheForLayout_39() const { return ___m_TextCacheForLayout_39; }
inline TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70 ** get_address_of_m_TextCacheForLayout_39() { return &___m_TextCacheForLayout_39; }
inline void set_m_TextCacheForLayout_39(TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70 * value)
{
___m_TextCacheForLayout_39 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TextCacheForLayout_39), (void*)value);
}
inline static int32_t get_offset_of_m_DisableFontTextureRebuiltCallback_41() { return static_cast<int32_t>(offsetof(Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1, ___m_DisableFontTextureRebuiltCallback_41)); }
inline bool get_m_DisableFontTextureRebuiltCallback_41() const { return ___m_DisableFontTextureRebuiltCallback_41; }
inline bool* get_address_of_m_DisableFontTextureRebuiltCallback_41() { return &___m_DisableFontTextureRebuiltCallback_41; }
inline void set_m_DisableFontTextureRebuiltCallback_41(bool value)
{
___m_DisableFontTextureRebuiltCallback_41 = value;
}
inline static int32_t get_offset_of_m_TempVerts_42() { return static_cast<int32_t>(offsetof(Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1, ___m_TempVerts_42)); }
inline UIVertexU5BU5D_tE3D523C48DFEBC775876720DE2539A79FB7E5E5A* get_m_TempVerts_42() const { return ___m_TempVerts_42; }
inline UIVertexU5BU5D_tE3D523C48DFEBC775876720DE2539A79FB7E5E5A** get_address_of_m_TempVerts_42() { return &___m_TempVerts_42; }
inline void set_m_TempVerts_42(UIVertexU5BU5D_tE3D523C48DFEBC775876720DE2539A79FB7E5E5A* value)
{
___m_TempVerts_42 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_TempVerts_42), (void*)value);
}
};
struct Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1_StaticFields
{
public:
// UnityEngine.Material UnityEngine.UI.Text::s_DefaultText
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___s_DefaultText_40;
public:
inline static int32_t get_offset_of_s_DefaultText_40() { return static_cast<int32_t>(offsetof(Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1_StaticFields, ___s_DefaultText_40)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_s_DefaultText_40() const { return ___s_DefaultText_40; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_s_DefaultText_40() { return &___s_DefaultText_40; }
inline void set_s_DefaultText_40(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___s_DefaultText_40 = value;
Il2CppCodeGenWriteBarrier((void**)(&___s_DefaultText_40), (void*)value);
}
};
// UnityEngine.EventSystems.TouchInputModule
struct TouchInputModule_tC92ADD4A36C73348565AD94F128327F6D44DBB9B : public PointerInputModule_tD7460503C6A4E1060914FFD213535AEF6AE2F421
{
public:
// UnityEngine.Vector2 UnityEngine.EventSystems.TouchInputModule::m_LastMousePosition
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_LastMousePosition_16;
// UnityEngine.Vector2 UnityEngine.EventSystems.TouchInputModule::m_MousePosition
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 ___m_MousePosition_17;
// UnityEngine.EventSystems.PointerEventData UnityEngine.EventSystems.TouchInputModule::m_InputPointerEvent
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 * ___m_InputPointerEvent_18;
// System.Boolean UnityEngine.EventSystems.TouchInputModule::m_ForceModuleActive
bool ___m_ForceModuleActive_19;
public:
inline static int32_t get_offset_of_m_LastMousePosition_16() { return static_cast<int32_t>(offsetof(TouchInputModule_tC92ADD4A36C73348565AD94F128327F6D44DBB9B, ___m_LastMousePosition_16)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_LastMousePosition_16() const { return ___m_LastMousePosition_16; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_LastMousePosition_16() { return &___m_LastMousePosition_16; }
inline void set_m_LastMousePosition_16(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_LastMousePosition_16 = value;
}
inline static int32_t get_offset_of_m_MousePosition_17() { return static_cast<int32_t>(offsetof(TouchInputModule_tC92ADD4A36C73348565AD94F128327F6D44DBB9B, ___m_MousePosition_17)); }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 get_m_MousePosition_17() const { return ___m_MousePosition_17; }
inline Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 * get_address_of_m_MousePosition_17() { return &___m_MousePosition_17; }
inline void set_m_MousePosition_17(Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9 value)
{
___m_MousePosition_17 = value;
}
inline static int32_t get_offset_of_m_InputPointerEvent_18() { return static_cast<int32_t>(offsetof(TouchInputModule_tC92ADD4A36C73348565AD94F128327F6D44DBB9B, ___m_InputPointerEvent_18)); }
inline PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 * get_m_InputPointerEvent_18() const { return ___m_InputPointerEvent_18; }
inline PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 ** get_address_of_m_InputPointerEvent_18() { return &___m_InputPointerEvent_18; }
inline void set_m_InputPointerEvent_18(PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954 * value)
{
___m_InputPointerEvent_18 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_InputPointerEvent_18), (void*)value);
}
inline static int32_t get_offset_of_m_ForceModuleActive_19() { return static_cast<int32_t>(offsetof(TouchInputModule_tC92ADD4A36C73348565AD94F128327F6D44DBB9B, ___m_ForceModuleActive_19)); }
inline bool get_m_ForceModuleActive_19() const { return ___m_ForceModuleActive_19; }
inline bool* get_address_of_m_ForceModuleActive_19() { return &___m_ForceModuleActive_19; }
inline void set_m_ForceModuleActive_19(bool value)
{
___m_ForceModuleActive_19 = value;
}
};
// UnityEngine.UI.VerticalLayoutGroup
struct VerticalLayoutGroup_t18FC738F7F168EC2C879630C51B75CC0726F287A : public HorizontalOrVerticalLayoutGroup_tAEE7FC9DCA8F7E95D4DE560305B3A219008A8108
{
public:
public:
};
// TMPro.TextMeshPro
struct TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4 : public TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262
{
public:
// System.Boolean TMPro.TextMeshPro::m_hasFontAssetChanged
bool ___m_hasFontAssetChanged_265;
// System.Single TMPro.TextMeshPro::m_previousLossyScaleY
float ___m_previousLossyScaleY_266;
// UnityEngine.Renderer TMPro.TextMeshPro::m_renderer
Renderer_t58147AB5B00224FE1460FD47542DC0DA7EC9378C * ___m_renderer_267;
// UnityEngine.MeshFilter TMPro.TextMeshPro::m_meshFilter
MeshFilter_t763BB2BBF3881176AD25E4570E6DD215BA0AA51A * ___m_meshFilter_268;
// System.Boolean TMPro.TextMeshPro::m_isFirstAllocation
bool ___m_isFirstAllocation_269;
// System.Int32 TMPro.TextMeshPro::m_max_characters
int32_t ___m_max_characters_270;
// System.Int32 TMPro.TextMeshPro::m_max_numberOfLines
int32_t ___m_max_numberOfLines_271;
// TMPro.TMP_SubMesh[] TMPro.TextMeshPro::m_subTextObjects
TMP_SubMeshU5BU5D_t2EF6E7C00AD0C05C7BD3E565CF716B62BED324A2* ___m_subTextObjects_272;
// TMPro.MaskingTypes TMPro.TextMeshPro::m_maskType
int32_t ___m_maskType_273;
// UnityEngine.Matrix4x4 TMPro.TextMeshPro::m_EnvMapMatrix
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 ___m_EnvMapMatrix_274;
// UnityEngine.Vector3[] TMPro.TextMeshPro::m_RectTransformCorners
Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* ___m_RectTransformCorners_275;
// System.Boolean TMPro.TextMeshPro::m_isRegisteredForEvents
bool ___m_isRegisteredForEvents_276;
// System.Int32 TMPro.TextMeshPro::_SortingLayer
int32_t ____SortingLayer_297;
// System.Int32 TMPro.TextMeshPro::_SortingLayerID
int32_t ____SortingLayerID_298;
// System.Int32 TMPro.TextMeshPro::_SortingOrder
int32_t ____SortingOrder_299;
// System.Action`1<TMPro.TMP_TextInfo> TMPro.TextMeshPro::OnPreRenderText
Action_1_t170B3E821B49B45FA7134A2CF48A2E64CA371D42 * ___OnPreRenderText_300;
// System.Boolean TMPro.TextMeshPro::m_currentAutoSizeMode
bool ___m_currentAutoSizeMode_301;
public:
inline static int32_t get_offset_of_m_hasFontAssetChanged_265() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4, ___m_hasFontAssetChanged_265)); }
inline bool get_m_hasFontAssetChanged_265() const { return ___m_hasFontAssetChanged_265; }
inline bool* get_address_of_m_hasFontAssetChanged_265() { return &___m_hasFontAssetChanged_265; }
inline void set_m_hasFontAssetChanged_265(bool value)
{
___m_hasFontAssetChanged_265 = value;
}
inline static int32_t get_offset_of_m_previousLossyScaleY_266() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4, ___m_previousLossyScaleY_266)); }
inline float get_m_previousLossyScaleY_266() const { return ___m_previousLossyScaleY_266; }
inline float* get_address_of_m_previousLossyScaleY_266() { return &___m_previousLossyScaleY_266; }
inline void set_m_previousLossyScaleY_266(float value)
{
___m_previousLossyScaleY_266 = value;
}
inline static int32_t get_offset_of_m_renderer_267() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4, ___m_renderer_267)); }
inline Renderer_t58147AB5B00224FE1460FD47542DC0DA7EC9378C * get_m_renderer_267() const { return ___m_renderer_267; }
inline Renderer_t58147AB5B00224FE1460FD47542DC0DA7EC9378C ** get_address_of_m_renderer_267() { return &___m_renderer_267; }
inline void set_m_renderer_267(Renderer_t58147AB5B00224FE1460FD47542DC0DA7EC9378C * value)
{
___m_renderer_267 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_renderer_267), (void*)value);
}
inline static int32_t get_offset_of_m_meshFilter_268() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4, ___m_meshFilter_268)); }
inline MeshFilter_t763BB2BBF3881176AD25E4570E6DD215BA0AA51A * get_m_meshFilter_268() const { return ___m_meshFilter_268; }
inline MeshFilter_t763BB2BBF3881176AD25E4570E6DD215BA0AA51A ** get_address_of_m_meshFilter_268() { return &___m_meshFilter_268; }
inline void set_m_meshFilter_268(MeshFilter_t763BB2BBF3881176AD25E4570E6DD215BA0AA51A * value)
{
___m_meshFilter_268 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_meshFilter_268), (void*)value);
}
inline static int32_t get_offset_of_m_isFirstAllocation_269() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4, ___m_isFirstAllocation_269)); }
inline bool get_m_isFirstAllocation_269() const { return ___m_isFirstAllocation_269; }
inline bool* get_address_of_m_isFirstAllocation_269() { return &___m_isFirstAllocation_269; }
inline void set_m_isFirstAllocation_269(bool value)
{
___m_isFirstAllocation_269 = value;
}
inline static int32_t get_offset_of_m_max_characters_270() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4, ___m_max_characters_270)); }
inline int32_t get_m_max_characters_270() const { return ___m_max_characters_270; }
inline int32_t* get_address_of_m_max_characters_270() { return &___m_max_characters_270; }
inline void set_m_max_characters_270(int32_t value)
{
___m_max_characters_270 = value;
}
inline static int32_t get_offset_of_m_max_numberOfLines_271() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4, ___m_max_numberOfLines_271)); }
inline int32_t get_m_max_numberOfLines_271() const { return ___m_max_numberOfLines_271; }
inline int32_t* get_address_of_m_max_numberOfLines_271() { return &___m_max_numberOfLines_271; }
inline void set_m_max_numberOfLines_271(int32_t value)
{
___m_max_numberOfLines_271 = value;
}
inline static int32_t get_offset_of_m_subTextObjects_272() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4, ___m_subTextObjects_272)); }
inline TMP_SubMeshU5BU5D_t2EF6E7C00AD0C05C7BD3E565CF716B62BED324A2* get_m_subTextObjects_272() const { return ___m_subTextObjects_272; }
inline TMP_SubMeshU5BU5D_t2EF6E7C00AD0C05C7BD3E565CF716B62BED324A2** get_address_of_m_subTextObjects_272() { return &___m_subTextObjects_272; }
inline void set_m_subTextObjects_272(TMP_SubMeshU5BU5D_t2EF6E7C00AD0C05C7BD3E565CF716B62BED324A2* value)
{
___m_subTextObjects_272 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_subTextObjects_272), (void*)value);
}
inline static int32_t get_offset_of_m_maskType_273() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4, ___m_maskType_273)); }
inline int32_t get_m_maskType_273() const { return ___m_maskType_273; }
inline int32_t* get_address_of_m_maskType_273() { return &___m_maskType_273; }
inline void set_m_maskType_273(int32_t value)
{
___m_maskType_273 = value;
}
inline static int32_t get_offset_of_m_EnvMapMatrix_274() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4, ___m_EnvMapMatrix_274)); }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 get_m_EnvMapMatrix_274() const { return ___m_EnvMapMatrix_274; }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 * get_address_of_m_EnvMapMatrix_274() { return &___m_EnvMapMatrix_274; }
inline void set_m_EnvMapMatrix_274(Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 value)
{
___m_EnvMapMatrix_274 = value;
}
inline static int32_t get_offset_of_m_RectTransformCorners_275() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4, ___m_RectTransformCorners_275)); }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* get_m_RectTransformCorners_275() const { return ___m_RectTransformCorners_275; }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4** get_address_of_m_RectTransformCorners_275() { return &___m_RectTransformCorners_275; }
inline void set_m_RectTransformCorners_275(Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* value)
{
___m_RectTransformCorners_275 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RectTransformCorners_275), (void*)value);
}
inline static int32_t get_offset_of_m_isRegisteredForEvents_276() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4, ___m_isRegisteredForEvents_276)); }
inline bool get_m_isRegisteredForEvents_276() const { return ___m_isRegisteredForEvents_276; }
inline bool* get_address_of_m_isRegisteredForEvents_276() { return &___m_isRegisteredForEvents_276; }
inline void set_m_isRegisteredForEvents_276(bool value)
{
___m_isRegisteredForEvents_276 = value;
}
inline static int32_t get_offset_of__SortingLayer_297() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4, ____SortingLayer_297)); }
inline int32_t get__SortingLayer_297() const { return ____SortingLayer_297; }
inline int32_t* get_address_of__SortingLayer_297() { return &____SortingLayer_297; }
inline void set__SortingLayer_297(int32_t value)
{
____SortingLayer_297 = value;
}
inline static int32_t get_offset_of__SortingLayerID_298() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4, ____SortingLayerID_298)); }
inline int32_t get__SortingLayerID_298() const { return ____SortingLayerID_298; }
inline int32_t* get_address_of__SortingLayerID_298() { return &____SortingLayerID_298; }
inline void set__SortingLayerID_298(int32_t value)
{
____SortingLayerID_298 = value;
}
inline static int32_t get_offset_of__SortingOrder_299() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4, ____SortingOrder_299)); }
inline int32_t get__SortingOrder_299() const { return ____SortingOrder_299; }
inline int32_t* get_address_of__SortingOrder_299() { return &____SortingOrder_299; }
inline void set__SortingOrder_299(int32_t value)
{
____SortingOrder_299 = value;
}
inline static int32_t get_offset_of_OnPreRenderText_300() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4, ___OnPreRenderText_300)); }
inline Action_1_t170B3E821B49B45FA7134A2CF48A2E64CA371D42 * get_OnPreRenderText_300() const { return ___OnPreRenderText_300; }
inline Action_1_t170B3E821B49B45FA7134A2CF48A2E64CA371D42 ** get_address_of_OnPreRenderText_300() { return &___OnPreRenderText_300; }
inline void set_OnPreRenderText_300(Action_1_t170B3E821B49B45FA7134A2CF48A2E64CA371D42 * value)
{
___OnPreRenderText_300 = value;
Il2CppCodeGenWriteBarrier((void**)(&___OnPreRenderText_300), (void*)value);
}
inline static int32_t get_offset_of_m_currentAutoSizeMode_301() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4, ___m_currentAutoSizeMode_301)); }
inline bool get_m_currentAutoSizeMode_301() const { return ___m_currentAutoSizeMode_301; }
inline bool* get_address_of_m_currentAutoSizeMode_301() { return &___m_currentAutoSizeMode_301; }
inline void set_m_currentAutoSizeMode_301(bool value)
{
___m_currentAutoSizeMode_301 = value;
}
};
struct TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields
{
public:
// Unity.Profiling.ProfilerMarker TMPro.TextMeshPro::k_GenerateTextMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_GenerateTextMarker_277;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshPro::k_SetArraySizesMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_SetArraySizesMarker_278;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshPro::k_GenerateTextPhaseIMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_GenerateTextPhaseIMarker_279;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshPro::k_ParseMarkupTextMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_ParseMarkupTextMarker_280;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshPro::k_CharacterLookupMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_CharacterLookupMarker_281;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshPro::k_HandleGPOSFeaturesMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_HandleGPOSFeaturesMarker_282;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshPro::k_CalculateVerticesPositionMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_CalculateVerticesPositionMarker_283;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshPro::k_ComputeTextMetricsMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_ComputeTextMetricsMarker_284;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshPro::k_HandleVisibleCharacterMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_HandleVisibleCharacterMarker_285;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshPro::k_HandleWhiteSpacesMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_HandleWhiteSpacesMarker_286;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshPro::k_HandleHorizontalLineBreakingMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_HandleHorizontalLineBreakingMarker_287;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshPro::k_HandleVerticalLineBreakingMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_HandleVerticalLineBreakingMarker_288;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshPro::k_SaveGlyphVertexDataMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_SaveGlyphVertexDataMarker_289;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshPro::k_ComputeCharacterAdvanceMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_ComputeCharacterAdvanceMarker_290;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshPro::k_HandleCarriageReturnMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_HandleCarriageReturnMarker_291;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshPro::k_HandleLineTerminationMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_HandleLineTerminationMarker_292;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshPro::k_SavePageInfoMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_SavePageInfoMarker_293;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshPro::k_SaveProcessingStatesMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_SaveProcessingStatesMarker_294;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshPro::k_GenerateTextPhaseIIMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_GenerateTextPhaseIIMarker_295;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshPro::k_GenerateTextPhaseIIIMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_GenerateTextPhaseIIIMarker_296;
public:
inline static int32_t get_offset_of_k_GenerateTextMarker_277() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields, ___k_GenerateTextMarker_277)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_GenerateTextMarker_277() const { return ___k_GenerateTextMarker_277; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_GenerateTextMarker_277() { return &___k_GenerateTextMarker_277; }
inline void set_k_GenerateTextMarker_277(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_GenerateTextMarker_277 = value;
}
inline static int32_t get_offset_of_k_SetArraySizesMarker_278() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields, ___k_SetArraySizesMarker_278)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_SetArraySizesMarker_278() const { return ___k_SetArraySizesMarker_278; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_SetArraySizesMarker_278() { return &___k_SetArraySizesMarker_278; }
inline void set_k_SetArraySizesMarker_278(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_SetArraySizesMarker_278 = value;
}
inline static int32_t get_offset_of_k_GenerateTextPhaseIMarker_279() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields, ___k_GenerateTextPhaseIMarker_279)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_GenerateTextPhaseIMarker_279() const { return ___k_GenerateTextPhaseIMarker_279; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_GenerateTextPhaseIMarker_279() { return &___k_GenerateTextPhaseIMarker_279; }
inline void set_k_GenerateTextPhaseIMarker_279(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_GenerateTextPhaseIMarker_279 = value;
}
inline static int32_t get_offset_of_k_ParseMarkupTextMarker_280() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields, ___k_ParseMarkupTextMarker_280)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_ParseMarkupTextMarker_280() const { return ___k_ParseMarkupTextMarker_280; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_ParseMarkupTextMarker_280() { return &___k_ParseMarkupTextMarker_280; }
inline void set_k_ParseMarkupTextMarker_280(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_ParseMarkupTextMarker_280 = value;
}
inline static int32_t get_offset_of_k_CharacterLookupMarker_281() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields, ___k_CharacterLookupMarker_281)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_CharacterLookupMarker_281() const { return ___k_CharacterLookupMarker_281; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_CharacterLookupMarker_281() { return &___k_CharacterLookupMarker_281; }
inline void set_k_CharacterLookupMarker_281(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_CharacterLookupMarker_281 = value;
}
inline static int32_t get_offset_of_k_HandleGPOSFeaturesMarker_282() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields, ___k_HandleGPOSFeaturesMarker_282)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_HandleGPOSFeaturesMarker_282() const { return ___k_HandleGPOSFeaturesMarker_282; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_HandleGPOSFeaturesMarker_282() { return &___k_HandleGPOSFeaturesMarker_282; }
inline void set_k_HandleGPOSFeaturesMarker_282(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_HandleGPOSFeaturesMarker_282 = value;
}
inline static int32_t get_offset_of_k_CalculateVerticesPositionMarker_283() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields, ___k_CalculateVerticesPositionMarker_283)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_CalculateVerticesPositionMarker_283() const { return ___k_CalculateVerticesPositionMarker_283; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_CalculateVerticesPositionMarker_283() { return &___k_CalculateVerticesPositionMarker_283; }
inline void set_k_CalculateVerticesPositionMarker_283(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_CalculateVerticesPositionMarker_283 = value;
}
inline static int32_t get_offset_of_k_ComputeTextMetricsMarker_284() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields, ___k_ComputeTextMetricsMarker_284)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_ComputeTextMetricsMarker_284() const { return ___k_ComputeTextMetricsMarker_284; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_ComputeTextMetricsMarker_284() { return &___k_ComputeTextMetricsMarker_284; }
inline void set_k_ComputeTextMetricsMarker_284(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_ComputeTextMetricsMarker_284 = value;
}
inline static int32_t get_offset_of_k_HandleVisibleCharacterMarker_285() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields, ___k_HandleVisibleCharacterMarker_285)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_HandleVisibleCharacterMarker_285() const { return ___k_HandleVisibleCharacterMarker_285; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_HandleVisibleCharacterMarker_285() { return &___k_HandleVisibleCharacterMarker_285; }
inline void set_k_HandleVisibleCharacterMarker_285(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_HandleVisibleCharacterMarker_285 = value;
}
inline static int32_t get_offset_of_k_HandleWhiteSpacesMarker_286() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields, ___k_HandleWhiteSpacesMarker_286)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_HandleWhiteSpacesMarker_286() const { return ___k_HandleWhiteSpacesMarker_286; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_HandleWhiteSpacesMarker_286() { return &___k_HandleWhiteSpacesMarker_286; }
inline void set_k_HandleWhiteSpacesMarker_286(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_HandleWhiteSpacesMarker_286 = value;
}
inline static int32_t get_offset_of_k_HandleHorizontalLineBreakingMarker_287() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields, ___k_HandleHorizontalLineBreakingMarker_287)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_HandleHorizontalLineBreakingMarker_287() const { return ___k_HandleHorizontalLineBreakingMarker_287; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_HandleHorizontalLineBreakingMarker_287() { return &___k_HandleHorizontalLineBreakingMarker_287; }
inline void set_k_HandleHorizontalLineBreakingMarker_287(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_HandleHorizontalLineBreakingMarker_287 = value;
}
inline static int32_t get_offset_of_k_HandleVerticalLineBreakingMarker_288() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields, ___k_HandleVerticalLineBreakingMarker_288)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_HandleVerticalLineBreakingMarker_288() const { return ___k_HandleVerticalLineBreakingMarker_288; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_HandleVerticalLineBreakingMarker_288() { return &___k_HandleVerticalLineBreakingMarker_288; }
inline void set_k_HandleVerticalLineBreakingMarker_288(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_HandleVerticalLineBreakingMarker_288 = value;
}
inline static int32_t get_offset_of_k_SaveGlyphVertexDataMarker_289() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields, ___k_SaveGlyphVertexDataMarker_289)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_SaveGlyphVertexDataMarker_289() const { return ___k_SaveGlyphVertexDataMarker_289; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_SaveGlyphVertexDataMarker_289() { return &___k_SaveGlyphVertexDataMarker_289; }
inline void set_k_SaveGlyphVertexDataMarker_289(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_SaveGlyphVertexDataMarker_289 = value;
}
inline static int32_t get_offset_of_k_ComputeCharacterAdvanceMarker_290() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields, ___k_ComputeCharacterAdvanceMarker_290)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_ComputeCharacterAdvanceMarker_290() const { return ___k_ComputeCharacterAdvanceMarker_290; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_ComputeCharacterAdvanceMarker_290() { return &___k_ComputeCharacterAdvanceMarker_290; }
inline void set_k_ComputeCharacterAdvanceMarker_290(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_ComputeCharacterAdvanceMarker_290 = value;
}
inline static int32_t get_offset_of_k_HandleCarriageReturnMarker_291() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields, ___k_HandleCarriageReturnMarker_291)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_HandleCarriageReturnMarker_291() const { return ___k_HandleCarriageReturnMarker_291; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_HandleCarriageReturnMarker_291() { return &___k_HandleCarriageReturnMarker_291; }
inline void set_k_HandleCarriageReturnMarker_291(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_HandleCarriageReturnMarker_291 = value;
}
inline static int32_t get_offset_of_k_HandleLineTerminationMarker_292() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields, ___k_HandleLineTerminationMarker_292)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_HandleLineTerminationMarker_292() const { return ___k_HandleLineTerminationMarker_292; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_HandleLineTerminationMarker_292() { return &___k_HandleLineTerminationMarker_292; }
inline void set_k_HandleLineTerminationMarker_292(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_HandleLineTerminationMarker_292 = value;
}
inline static int32_t get_offset_of_k_SavePageInfoMarker_293() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields, ___k_SavePageInfoMarker_293)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_SavePageInfoMarker_293() const { return ___k_SavePageInfoMarker_293; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_SavePageInfoMarker_293() { return &___k_SavePageInfoMarker_293; }
inline void set_k_SavePageInfoMarker_293(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_SavePageInfoMarker_293 = value;
}
inline static int32_t get_offset_of_k_SaveProcessingStatesMarker_294() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields, ___k_SaveProcessingStatesMarker_294)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_SaveProcessingStatesMarker_294() const { return ___k_SaveProcessingStatesMarker_294; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_SaveProcessingStatesMarker_294() { return &___k_SaveProcessingStatesMarker_294; }
inline void set_k_SaveProcessingStatesMarker_294(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_SaveProcessingStatesMarker_294 = value;
}
inline static int32_t get_offset_of_k_GenerateTextPhaseIIMarker_295() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields, ___k_GenerateTextPhaseIIMarker_295)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_GenerateTextPhaseIIMarker_295() const { return ___k_GenerateTextPhaseIIMarker_295; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_GenerateTextPhaseIIMarker_295() { return &___k_GenerateTextPhaseIIMarker_295; }
inline void set_k_GenerateTextPhaseIIMarker_295(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_GenerateTextPhaseIIMarker_295 = value;
}
inline static int32_t get_offset_of_k_GenerateTextPhaseIIIMarker_296() { return static_cast<int32_t>(offsetof(TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields, ___k_GenerateTextPhaseIIIMarker_296)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_GenerateTextPhaseIIIMarker_296() const { return ___k_GenerateTextPhaseIIIMarker_296; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_GenerateTextPhaseIIIMarker_296() { return &___k_GenerateTextPhaseIIIMarker_296; }
inline void set_k_GenerateTextPhaseIIIMarker_296(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_GenerateTextPhaseIIIMarker_296 = value;
}
};
// TMPro.TextMeshProUGUI
struct TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1 : public TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262
{
public:
// System.Boolean TMPro.TextMeshProUGUI::m_hasFontAssetChanged
bool ___m_hasFontAssetChanged_265;
// TMPro.TMP_SubMeshUI[] TMPro.TextMeshProUGUI::m_subTextObjects
TMP_SubMeshUIU5BU5D_t6295BD0FE7FDE873A040F84487061A1902B0B552* ___m_subTextObjects_266;
// System.Single TMPro.TextMeshProUGUI::m_previousLossyScaleY
float ___m_previousLossyScaleY_267;
// UnityEngine.Vector3[] TMPro.TextMeshProUGUI::m_RectTransformCorners
Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* ___m_RectTransformCorners_268;
// UnityEngine.CanvasRenderer TMPro.TextMeshProUGUI::m_canvasRenderer
CanvasRenderer_tCF8ABE659F7C3A6ED0D99A988D0BDFB651310F0E * ___m_canvasRenderer_269;
// UnityEngine.Canvas TMPro.TextMeshProUGUI::m_canvas
Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA * ___m_canvas_270;
// System.Single TMPro.TextMeshProUGUI::m_CanvasScaleFactor
float ___m_CanvasScaleFactor_271;
// System.Boolean TMPro.TextMeshProUGUI::m_isFirstAllocation
bool ___m_isFirstAllocation_272;
// System.Int32 TMPro.TextMeshProUGUI::m_max_characters
int32_t ___m_max_characters_273;
// UnityEngine.Material TMPro.TextMeshProUGUI::m_baseMaterial
Material_t8927C00353A72755313F046D0CE85178AE8218EE * ___m_baseMaterial_274;
// System.Boolean TMPro.TextMeshProUGUI::m_isScrollRegionSet
bool ___m_isScrollRegionSet_275;
// UnityEngine.Vector4 TMPro.TextMeshProUGUI::m_maskOffset
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 ___m_maskOffset_276;
// UnityEngine.Matrix4x4 TMPro.TextMeshProUGUI::m_EnvMapMatrix
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 ___m_EnvMapMatrix_277;
// System.Boolean TMPro.TextMeshProUGUI::m_isRegisteredForEvents
bool ___m_isRegisteredForEvents_278;
// System.Boolean TMPro.TextMeshProUGUI::m_isRebuildingLayout
bool ___m_isRebuildingLayout_299;
// UnityEngine.Coroutine TMPro.TextMeshProUGUI::m_DelayedGraphicRebuild
Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * ___m_DelayedGraphicRebuild_300;
// UnityEngine.Coroutine TMPro.TextMeshProUGUI::m_DelayedMaterialRebuild
Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * ___m_DelayedMaterialRebuild_301;
// UnityEngine.Rect TMPro.TextMeshProUGUI::m_ClipRect
Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 ___m_ClipRect_302;
// System.Boolean TMPro.TextMeshProUGUI::m_ValidRect
bool ___m_ValidRect_303;
// System.Action`1<TMPro.TMP_TextInfo> TMPro.TextMeshProUGUI::OnPreRenderText
Action_1_t170B3E821B49B45FA7134A2CF48A2E64CA371D42 * ___OnPreRenderText_304;
public:
inline static int32_t get_offset_of_m_hasFontAssetChanged_265() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1, ___m_hasFontAssetChanged_265)); }
inline bool get_m_hasFontAssetChanged_265() const { return ___m_hasFontAssetChanged_265; }
inline bool* get_address_of_m_hasFontAssetChanged_265() { return &___m_hasFontAssetChanged_265; }
inline void set_m_hasFontAssetChanged_265(bool value)
{
___m_hasFontAssetChanged_265 = value;
}
inline static int32_t get_offset_of_m_subTextObjects_266() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1, ___m_subTextObjects_266)); }
inline TMP_SubMeshUIU5BU5D_t6295BD0FE7FDE873A040F84487061A1902B0B552* get_m_subTextObjects_266() const { return ___m_subTextObjects_266; }
inline TMP_SubMeshUIU5BU5D_t6295BD0FE7FDE873A040F84487061A1902B0B552** get_address_of_m_subTextObjects_266() { return &___m_subTextObjects_266; }
inline void set_m_subTextObjects_266(TMP_SubMeshUIU5BU5D_t6295BD0FE7FDE873A040F84487061A1902B0B552* value)
{
___m_subTextObjects_266 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_subTextObjects_266), (void*)value);
}
inline static int32_t get_offset_of_m_previousLossyScaleY_267() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1, ___m_previousLossyScaleY_267)); }
inline float get_m_previousLossyScaleY_267() const { return ___m_previousLossyScaleY_267; }
inline float* get_address_of_m_previousLossyScaleY_267() { return &___m_previousLossyScaleY_267; }
inline void set_m_previousLossyScaleY_267(float value)
{
___m_previousLossyScaleY_267 = value;
}
inline static int32_t get_offset_of_m_RectTransformCorners_268() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1, ___m_RectTransformCorners_268)); }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* get_m_RectTransformCorners_268() const { return ___m_RectTransformCorners_268; }
inline Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4** get_address_of_m_RectTransformCorners_268() { return &___m_RectTransformCorners_268; }
inline void set_m_RectTransformCorners_268(Vector3U5BU5D_t5FB88EAA33E46838BDC2ABDAEA3E8727491CB9E4* value)
{
___m_RectTransformCorners_268 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_RectTransformCorners_268), (void*)value);
}
inline static int32_t get_offset_of_m_canvasRenderer_269() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1, ___m_canvasRenderer_269)); }
inline CanvasRenderer_tCF8ABE659F7C3A6ED0D99A988D0BDFB651310F0E * get_m_canvasRenderer_269() const { return ___m_canvasRenderer_269; }
inline CanvasRenderer_tCF8ABE659F7C3A6ED0D99A988D0BDFB651310F0E ** get_address_of_m_canvasRenderer_269() { return &___m_canvasRenderer_269; }
inline void set_m_canvasRenderer_269(CanvasRenderer_tCF8ABE659F7C3A6ED0D99A988D0BDFB651310F0E * value)
{
___m_canvasRenderer_269 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_canvasRenderer_269), (void*)value);
}
inline static int32_t get_offset_of_m_canvas_270() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1, ___m_canvas_270)); }
inline Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA * get_m_canvas_270() const { return ___m_canvas_270; }
inline Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA ** get_address_of_m_canvas_270() { return &___m_canvas_270; }
inline void set_m_canvas_270(Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA * value)
{
___m_canvas_270 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_canvas_270), (void*)value);
}
inline static int32_t get_offset_of_m_CanvasScaleFactor_271() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1, ___m_CanvasScaleFactor_271)); }
inline float get_m_CanvasScaleFactor_271() const { return ___m_CanvasScaleFactor_271; }
inline float* get_address_of_m_CanvasScaleFactor_271() { return &___m_CanvasScaleFactor_271; }
inline void set_m_CanvasScaleFactor_271(float value)
{
___m_CanvasScaleFactor_271 = value;
}
inline static int32_t get_offset_of_m_isFirstAllocation_272() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1, ___m_isFirstAllocation_272)); }
inline bool get_m_isFirstAllocation_272() const { return ___m_isFirstAllocation_272; }
inline bool* get_address_of_m_isFirstAllocation_272() { return &___m_isFirstAllocation_272; }
inline void set_m_isFirstAllocation_272(bool value)
{
___m_isFirstAllocation_272 = value;
}
inline static int32_t get_offset_of_m_max_characters_273() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1, ___m_max_characters_273)); }
inline int32_t get_m_max_characters_273() const { return ___m_max_characters_273; }
inline int32_t* get_address_of_m_max_characters_273() { return &___m_max_characters_273; }
inline void set_m_max_characters_273(int32_t value)
{
___m_max_characters_273 = value;
}
inline static int32_t get_offset_of_m_baseMaterial_274() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1, ___m_baseMaterial_274)); }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE * get_m_baseMaterial_274() const { return ___m_baseMaterial_274; }
inline Material_t8927C00353A72755313F046D0CE85178AE8218EE ** get_address_of_m_baseMaterial_274() { return &___m_baseMaterial_274; }
inline void set_m_baseMaterial_274(Material_t8927C00353A72755313F046D0CE85178AE8218EE * value)
{
___m_baseMaterial_274 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_baseMaterial_274), (void*)value);
}
inline static int32_t get_offset_of_m_isScrollRegionSet_275() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1, ___m_isScrollRegionSet_275)); }
inline bool get_m_isScrollRegionSet_275() const { return ___m_isScrollRegionSet_275; }
inline bool* get_address_of_m_isScrollRegionSet_275() { return &___m_isScrollRegionSet_275; }
inline void set_m_isScrollRegionSet_275(bool value)
{
___m_isScrollRegionSet_275 = value;
}
inline static int32_t get_offset_of_m_maskOffset_276() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1, ___m_maskOffset_276)); }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 get_m_maskOffset_276() const { return ___m_maskOffset_276; }
inline Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 * get_address_of_m_maskOffset_276() { return &___m_maskOffset_276; }
inline void set_m_maskOffset_276(Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7 value)
{
___m_maskOffset_276 = value;
}
inline static int32_t get_offset_of_m_EnvMapMatrix_277() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1, ___m_EnvMapMatrix_277)); }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 get_m_EnvMapMatrix_277() const { return ___m_EnvMapMatrix_277; }
inline Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 * get_address_of_m_EnvMapMatrix_277() { return &___m_EnvMapMatrix_277; }
inline void set_m_EnvMapMatrix_277(Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461 value)
{
___m_EnvMapMatrix_277 = value;
}
inline static int32_t get_offset_of_m_isRegisteredForEvents_278() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1, ___m_isRegisteredForEvents_278)); }
inline bool get_m_isRegisteredForEvents_278() const { return ___m_isRegisteredForEvents_278; }
inline bool* get_address_of_m_isRegisteredForEvents_278() { return &___m_isRegisteredForEvents_278; }
inline void set_m_isRegisteredForEvents_278(bool value)
{
___m_isRegisteredForEvents_278 = value;
}
inline static int32_t get_offset_of_m_isRebuildingLayout_299() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1, ___m_isRebuildingLayout_299)); }
inline bool get_m_isRebuildingLayout_299() const { return ___m_isRebuildingLayout_299; }
inline bool* get_address_of_m_isRebuildingLayout_299() { return &___m_isRebuildingLayout_299; }
inline void set_m_isRebuildingLayout_299(bool value)
{
___m_isRebuildingLayout_299 = value;
}
inline static int32_t get_offset_of_m_DelayedGraphicRebuild_300() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1, ___m_DelayedGraphicRebuild_300)); }
inline Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * get_m_DelayedGraphicRebuild_300() const { return ___m_DelayedGraphicRebuild_300; }
inline Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 ** get_address_of_m_DelayedGraphicRebuild_300() { return &___m_DelayedGraphicRebuild_300; }
inline void set_m_DelayedGraphicRebuild_300(Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * value)
{
___m_DelayedGraphicRebuild_300 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DelayedGraphicRebuild_300), (void*)value);
}
inline static int32_t get_offset_of_m_DelayedMaterialRebuild_301() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1, ___m_DelayedMaterialRebuild_301)); }
inline Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * get_m_DelayedMaterialRebuild_301() const { return ___m_DelayedMaterialRebuild_301; }
inline Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 ** get_address_of_m_DelayedMaterialRebuild_301() { return &___m_DelayedMaterialRebuild_301; }
inline void set_m_DelayedMaterialRebuild_301(Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7 * value)
{
___m_DelayedMaterialRebuild_301 = value;
Il2CppCodeGenWriteBarrier((void**)(&___m_DelayedMaterialRebuild_301), (void*)value);
}
inline static int32_t get_offset_of_m_ClipRect_302() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1, ___m_ClipRect_302)); }
inline Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 get_m_ClipRect_302() const { return ___m_ClipRect_302; }
inline Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 * get_address_of_m_ClipRect_302() { return &___m_ClipRect_302; }
inline void set_m_ClipRect_302(Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878 value)
{
___m_ClipRect_302 = value;
}
inline static int32_t get_offset_of_m_ValidRect_303() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1, ___m_ValidRect_303)); }
inline bool get_m_ValidRect_303() const { return ___m_ValidRect_303; }
inline bool* get_address_of_m_ValidRect_303() { return &___m_ValidRect_303; }
inline void set_m_ValidRect_303(bool value)
{
___m_ValidRect_303 = value;
}
inline static int32_t get_offset_of_OnPreRenderText_304() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1, ___OnPreRenderText_304)); }
inline Action_1_t170B3E821B49B45FA7134A2CF48A2E64CA371D42 * get_OnPreRenderText_304() const { return ___OnPreRenderText_304; }
inline Action_1_t170B3E821B49B45FA7134A2CF48A2E64CA371D42 ** get_address_of_OnPreRenderText_304() { return &___OnPreRenderText_304; }
inline void set_OnPreRenderText_304(Action_1_t170B3E821B49B45FA7134A2CF48A2E64CA371D42 * value)
{
___OnPreRenderText_304 = value;
Il2CppCodeGenWriteBarrier((void**)(&___OnPreRenderText_304), (void*)value);
}
};
struct TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields
{
public:
// Unity.Profiling.ProfilerMarker TMPro.TextMeshProUGUI::k_GenerateTextMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_GenerateTextMarker_279;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshProUGUI::k_SetArraySizesMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_SetArraySizesMarker_280;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshProUGUI::k_GenerateTextPhaseIMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_GenerateTextPhaseIMarker_281;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshProUGUI::k_ParseMarkupTextMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_ParseMarkupTextMarker_282;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshProUGUI::k_CharacterLookupMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_CharacterLookupMarker_283;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshProUGUI::k_HandleGPOSFeaturesMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_HandleGPOSFeaturesMarker_284;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshProUGUI::k_CalculateVerticesPositionMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_CalculateVerticesPositionMarker_285;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshProUGUI::k_ComputeTextMetricsMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_ComputeTextMetricsMarker_286;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshProUGUI::k_HandleVisibleCharacterMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_HandleVisibleCharacterMarker_287;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshProUGUI::k_HandleWhiteSpacesMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_HandleWhiteSpacesMarker_288;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshProUGUI::k_HandleHorizontalLineBreakingMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_HandleHorizontalLineBreakingMarker_289;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshProUGUI::k_HandleVerticalLineBreakingMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_HandleVerticalLineBreakingMarker_290;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshProUGUI::k_SaveGlyphVertexDataMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_SaveGlyphVertexDataMarker_291;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshProUGUI::k_ComputeCharacterAdvanceMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_ComputeCharacterAdvanceMarker_292;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshProUGUI::k_HandleCarriageReturnMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_HandleCarriageReturnMarker_293;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshProUGUI::k_HandleLineTerminationMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_HandleLineTerminationMarker_294;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshProUGUI::k_SavePageInfoMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_SavePageInfoMarker_295;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshProUGUI::k_SaveProcessingStatesMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_SaveProcessingStatesMarker_296;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshProUGUI::k_GenerateTextPhaseIIMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_GenerateTextPhaseIIMarker_297;
// Unity.Profiling.ProfilerMarker TMPro.TextMeshProUGUI::k_GenerateTextPhaseIIIMarker
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 ___k_GenerateTextPhaseIIIMarker_298;
public:
inline static int32_t get_offset_of_k_GenerateTextMarker_279() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields, ___k_GenerateTextMarker_279)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_GenerateTextMarker_279() const { return ___k_GenerateTextMarker_279; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_GenerateTextMarker_279() { return &___k_GenerateTextMarker_279; }
inline void set_k_GenerateTextMarker_279(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_GenerateTextMarker_279 = value;
}
inline static int32_t get_offset_of_k_SetArraySizesMarker_280() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields, ___k_SetArraySizesMarker_280)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_SetArraySizesMarker_280() const { return ___k_SetArraySizesMarker_280; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_SetArraySizesMarker_280() { return &___k_SetArraySizesMarker_280; }
inline void set_k_SetArraySizesMarker_280(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_SetArraySizesMarker_280 = value;
}
inline static int32_t get_offset_of_k_GenerateTextPhaseIMarker_281() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields, ___k_GenerateTextPhaseIMarker_281)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_GenerateTextPhaseIMarker_281() const { return ___k_GenerateTextPhaseIMarker_281; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_GenerateTextPhaseIMarker_281() { return &___k_GenerateTextPhaseIMarker_281; }
inline void set_k_GenerateTextPhaseIMarker_281(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_GenerateTextPhaseIMarker_281 = value;
}
inline static int32_t get_offset_of_k_ParseMarkupTextMarker_282() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields, ___k_ParseMarkupTextMarker_282)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_ParseMarkupTextMarker_282() const { return ___k_ParseMarkupTextMarker_282; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_ParseMarkupTextMarker_282() { return &___k_ParseMarkupTextMarker_282; }
inline void set_k_ParseMarkupTextMarker_282(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_ParseMarkupTextMarker_282 = value;
}
inline static int32_t get_offset_of_k_CharacterLookupMarker_283() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields, ___k_CharacterLookupMarker_283)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_CharacterLookupMarker_283() const { return ___k_CharacterLookupMarker_283; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_CharacterLookupMarker_283() { return &___k_CharacterLookupMarker_283; }
inline void set_k_CharacterLookupMarker_283(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_CharacterLookupMarker_283 = value;
}
inline static int32_t get_offset_of_k_HandleGPOSFeaturesMarker_284() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields, ___k_HandleGPOSFeaturesMarker_284)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_HandleGPOSFeaturesMarker_284() const { return ___k_HandleGPOSFeaturesMarker_284; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_HandleGPOSFeaturesMarker_284() { return &___k_HandleGPOSFeaturesMarker_284; }
inline void set_k_HandleGPOSFeaturesMarker_284(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_HandleGPOSFeaturesMarker_284 = value;
}
inline static int32_t get_offset_of_k_CalculateVerticesPositionMarker_285() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields, ___k_CalculateVerticesPositionMarker_285)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_CalculateVerticesPositionMarker_285() const { return ___k_CalculateVerticesPositionMarker_285; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_CalculateVerticesPositionMarker_285() { return &___k_CalculateVerticesPositionMarker_285; }
inline void set_k_CalculateVerticesPositionMarker_285(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_CalculateVerticesPositionMarker_285 = value;
}
inline static int32_t get_offset_of_k_ComputeTextMetricsMarker_286() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields, ___k_ComputeTextMetricsMarker_286)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_ComputeTextMetricsMarker_286() const { return ___k_ComputeTextMetricsMarker_286; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_ComputeTextMetricsMarker_286() { return &___k_ComputeTextMetricsMarker_286; }
inline void set_k_ComputeTextMetricsMarker_286(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_ComputeTextMetricsMarker_286 = value;
}
inline static int32_t get_offset_of_k_HandleVisibleCharacterMarker_287() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields, ___k_HandleVisibleCharacterMarker_287)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_HandleVisibleCharacterMarker_287() const { return ___k_HandleVisibleCharacterMarker_287; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_HandleVisibleCharacterMarker_287() { return &___k_HandleVisibleCharacterMarker_287; }
inline void set_k_HandleVisibleCharacterMarker_287(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_HandleVisibleCharacterMarker_287 = value;
}
inline static int32_t get_offset_of_k_HandleWhiteSpacesMarker_288() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields, ___k_HandleWhiteSpacesMarker_288)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_HandleWhiteSpacesMarker_288() const { return ___k_HandleWhiteSpacesMarker_288; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_HandleWhiteSpacesMarker_288() { return &___k_HandleWhiteSpacesMarker_288; }
inline void set_k_HandleWhiteSpacesMarker_288(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_HandleWhiteSpacesMarker_288 = value;
}
inline static int32_t get_offset_of_k_HandleHorizontalLineBreakingMarker_289() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields, ___k_HandleHorizontalLineBreakingMarker_289)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_HandleHorizontalLineBreakingMarker_289() const { return ___k_HandleHorizontalLineBreakingMarker_289; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_HandleHorizontalLineBreakingMarker_289() { return &___k_HandleHorizontalLineBreakingMarker_289; }
inline void set_k_HandleHorizontalLineBreakingMarker_289(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_HandleHorizontalLineBreakingMarker_289 = value;
}
inline static int32_t get_offset_of_k_HandleVerticalLineBreakingMarker_290() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields, ___k_HandleVerticalLineBreakingMarker_290)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_HandleVerticalLineBreakingMarker_290() const { return ___k_HandleVerticalLineBreakingMarker_290; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_HandleVerticalLineBreakingMarker_290() { return &___k_HandleVerticalLineBreakingMarker_290; }
inline void set_k_HandleVerticalLineBreakingMarker_290(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_HandleVerticalLineBreakingMarker_290 = value;
}
inline static int32_t get_offset_of_k_SaveGlyphVertexDataMarker_291() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields, ___k_SaveGlyphVertexDataMarker_291)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_SaveGlyphVertexDataMarker_291() const { return ___k_SaveGlyphVertexDataMarker_291; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_SaveGlyphVertexDataMarker_291() { return &___k_SaveGlyphVertexDataMarker_291; }
inline void set_k_SaveGlyphVertexDataMarker_291(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_SaveGlyphVertexDataMarker_291 = value;
}
inline static int32_t get_offset_of_k_ComputeCharacterAdvanceMarker_292() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields, ___k_ComputeCharacterAdvanceMarker_292)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_ComputeCharacterAdvanceMarker_292() const { return ___k_ComputeCharacterAdvanceMarker_292; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_ComputeCharacterAdvanceMarker_292() { return &___k_ComputeCharacterAdvanceMarker_292; }
inline void set_k_ComputeCharacterAdvanceMarker_292(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_ComputeCharacterAdvanceMarker_292 = value;
}
inline static int32_t get_offset_of_k_HandleCarriageReturnMarker_293() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields, ___k_HandleCarriageReturnMarker_293)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_HandleCarriageReturnMarker_293() const { return ___k_HandleCarriageReturnMarker_293; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_HandleCarriageReturnMarker_293() { return &___k_HandleCarriageReturnMarker_293; }
inline void set_k_HandleCarriageReturnMarker_293(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_HandleCarriageReturnMarker_293 = value;
}
inline static int32_t get_offset_of_k_HandleLineTerminationMarker_294() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields, ___k_HandleLineTerminationMarker_294)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_HandleLineTerminationMarker_294() const { return ___k_HandleLineTerminationMarker_294; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_HandleLineTerminationMarker_294() { return &___k_HandleLineTerminationMarker_294; }
inline void set_k_HandleLineTerminationMarker_294(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_HandleLineTerminationMarker_294 = value;
}
inline static int32_t get_offset_of_k_SavePageInfoMarker_295() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields, ___k_SavePageInfoMarker_295)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_SavePageInfoMarker_295() const { return ___k_SavePageInfoMarker_295; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_SavePageInfoMarker_295() { return &___k_SavePageInfoMarker_295; }
inline void set_k_SavePageInfoMarker_295(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_SavePageInfoMarker_295 = value;
}
inline static int32_t get_offset_of_k_SaveProcessingStatesMarker_296() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields, ___k_SaveProcessingStatesMarker_296)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_SaveProcessingStatesMarker_296() const { return ___k_SaveProcessingStatesMarker_296; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_SaveProcessingStatesMarker_296() { return &___k_SaveProcessingStatesMarker_296; }
inline void set_k_SaveProcessingStatesMarker_296(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_SaveProcessingStatesMarker_296 = value;
}
inline static int32_t get_offset_of_k_GenerateTextPhaseIIMarker_297() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields, ___k_GenerateTextPhaseIIMarker_297)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_GenerateTextPhaseIIMarker_297() const { return ___k_GenerateTextPhaseIIMarker_297; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_GenerateTextPhaseIIMarker_297() { return &___k_GenerateTextPhaseIIMarker_297; }
inline void set_k_GenerateTextPhaseIIMarker_297(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_GenerateTextPhaseIIMarker_297 = value;
}
inline static int32_t get_offset_of_k_GenerateTextPhaseIIIMarker_298() { return static_cast<int32_t>(offsetof(TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields, ___k_GenerateTextPhaseIIIMarker_298)); }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 get_k_GenerateTextPhaseIIIMarker_298() const { return ___k_GenerateTextPhaseIIIMarker_298; }
inline ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 * get_address_of_k_GenerateTextPhaseIIIMarker_298() { return &___k_GenerateTextPhaseIIIMarker_298; }
inline void set_k_GenerateTextPhaseIIIMarker_298(ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1 value)
{
___k_GenerateTextPhaseIIIMarker_298 = value;
}
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
#ifdef __clang__
#pragma clang diagnostic push
#pragma clang diagnostic ignored "-Winvalid-offsetof"
#pragma clang diagnostic ignored "-Wunused-variable"
#endif
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable4[1] =
{
RuntimeClassHandle_t17BD4DFB8076D46569E233713BAD805FBE77A655::get_offset_of_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable5[1] =
{
RuntimeRemoteClassHandle_t66BDDE3C92A62304AC03C09C19B8352EF4A494FD::get_offset_of_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable6[1] =
{
RuntimeGenericParamInfoHandle_tAF13B59FB7CB580DECA0FFED2339AF273F287679::get_offset_of_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable7[1] =
{
RuntimeEventHandle_t5F61E20F5B0D4FE658026FF0A8870F4E05DEFE32::get_offset_of_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable8[1] =
{
RuntimePropertyHandle_t843D2A2D5C9669456565E0F68CD088C7503CDAF0::get_offset_of_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable9[1] =
{
RuntimeGPtrArrayHandle_tFFF90E5789EADA37BC5B24EE93680549771445B7::get_offset_of_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable11[5] =
{
RemoteClass_t2AA6BAAC498863265F1C9186436C782645A4A902::get_offset_of_default_vtable_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
RemoteClass_t2AA6BAAC498863265F1C9186436C782645A4A902::get_offset_of_xdomain_vtable_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
RemoteClass_t2AA6BAAC498863265F1C9186436C782645A4A902::get_offset_of_proxy_class_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
RemoteClass_t2AA6BAAC498863265F1C9186436C782645A4A902::get_offset_of_proxy_class_name_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
RemoteClass_t2AA6BAAC498863265F1C9186436C782645A4A902::get_offset_of_interface_count_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable13[5] =
{
GenericParamInfo_tE1D2256CC7F056DE11A394C74F8EA8071207C6D2::get_offset_of_pklass_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
GenericParamInfo_tE1D2256CC7F056DE11A394C74F8EA8071207C6D2::get_offset_of_name_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
GenericParamInfo_tE1D2256CC7F056DE11A394C74F8EA8071207C6D2::get_offset_of_flags_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
GenericParamInfo_tE1D2256CC7F056DE11A394C74F8EA8071207C6D2::get_offset_of_token_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
GenericParamInfo_tE1D2256CC7F056DE11A394C74F8EA8071207C6D2::get_offset_of_constraints_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable14[2] =
{
GPtrArray_t481A0359CDF30AF32FB5B6D0DDBA2C26F55E3555::get_offset_of_data_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
GPtrArray_t481A0359CDF30AF32FB5B6D0DDBA2C26F55E3555::get_offset_of_len_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable15[3] =
{
HandleStackMark_t193A80FD787AAE63D7656AAAB45A98188380B4AC::get_offset_of_size_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
HandleStackMark_t193A80FD787AAE63D7656AAAB45A98188380B4AC::get_offset_of_interior_size_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
HandleStackMark_t193A80FD787AAE63D7656AAAB45A98188380B4AC::get_offset_of_chunk_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable16[18] =
{
MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965::get_offset_of_error_code_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965::get_offset_of_hidden_0_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965::get_offset_of_hidden_1_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965::get_offset_of_hidden_2_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965::get_offset_of_hidden_3_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965::get_offset_of_hidden_4_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965::get_offset_of_hidden_5_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965::get_offset_of_hidden_6_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965::get_offset_of_hidden_7_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965::get_offset_of_hidden_8_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965::get_offset_of_hidden_11_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965::get_offset_of_hidden_12_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965::get_offset_of_hidden_13_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965::get_offset_of_hidden_14_13() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965::get_offset_of_hidden_15_14() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965::get_offset_of_hidden_16_15() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965::get_offset_of_hidden_17_16() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoError_tC9A9120C2F31726ACC275E17219D29886F28E965::get_offset_of_hidden_18_17() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable18[1] =
{
U3Cpublic_key_tokenU3Ee__FixedBuffer_tB14A2D5EC9933696DC9FA36ED40856172409A82E::get_offset_of_FixedElementField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable19[13] =
{
MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6::get_offset_of_name_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6::get_offset_of_culture_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6::get_offset_of_hash_value_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6::get_offset_of_public_key_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6::get_offset_of_public_key_token_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6::get_offset_of_hash_alg_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6::get_offset_of_hash_len_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6::get_offset_of_flags_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6::get_offset_of_major_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6::get_offset_of_minor_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6::get_offset_of_build_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6::get_offset_of_revision_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoAssemblyName_tE20314AD2C276E3F43032CF6331539F0C89ED4A6::get_offset_of_arch_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable20[1] =
{
SafeGPtrArrayHandle_tAEC97FDEAA1FFF2E1C1475EECB98B945EF86141A::get_offset_of_handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable21[2] =
{
SafeStringMarshal_t3F5BD5E96CFBAF124814DED946144CF39A82F11E::get_offset_of_str_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
SafeStringMarshal_t3F5BD5E96CFBAF124814DED946144CF39A82F11E::get_offset_of_marshaled_string_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable22[3] =
{
SecurityParser_tC9E18353931E28EE00489103D73FF6CD562F2118::get_offset_of_root_12(),
SecurityParser_tC9E18353931E28EE00489103D73FF6CD562F2118::get_offset_of_current_13(),
SecurityParser_tC9E18353931E28EE00489103D73FF6CD562F2118::get_offset_of_stack_14(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable25[2] =
{
AttrListImpl_t3FA46929BCFFF60313A5940AAB20513699DC58BA::get_offset_of_attrNames_0(),
AttrListImpl_t3FA46929BCFFF60313A5940AAB20513699DC58BA::get_offset_of_attrValues_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable26[12] =
{
SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7::get_offset_of_handler_0(),
SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7::get_offset_of_reader_1(),
SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7::get_offset_of_elementNames_2(),
SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7::get_offset_of_xmlSpaces_3(),
SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7::get_offset_of_xmlSpace_4(),
SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7::get_offset_of_buffer_5(),
SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7::get_offset_of_nameBuffer_6(),
SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7::get_offset_of_isWhitespace_7(),
SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7::get_offset_of_attributes_8(),
SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7::get_offset_of_line_9(),
SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7::get_offset_of_column_10(),
SmallXmlParser_t67E5C1C6417A9CB0679E68D8A4E0095E9D2B54D7::get_offset_of_resetColumn_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable27[2] =
{
SmallXmlParserException_t89B4B23345549519E0B9C8DC9F24A07748E3A45C::get_offset_of_line_17(),
SmallXmlParserException_t89B4B23345549519E0B9C8DC9F24A07748E3A45C::get_offset_of_column_18(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable28[5] =
{
TableRange_t0D96EE3F7B1008C60DD683B3A6985C602854E6F1::get_offset_of_Start_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TableRange_t0D96EE3F7B1008C60DD683B3A6985C602854E6F1::get_offset_of_End_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
TableRange_t0D96EE3F7B1008C60DD683B3A6985C602854E6F1::get_offset_of_Count_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
TableRange_t0D96EE3F7B1008C60DD683B3A6985C602854E6F1::get_offset_of_IndexStart_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
TableRange_t0D96EE3F7B1008C60DD683B3A6985C602854E6F1::get_offset_of_IndexEnd_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable29[4] =
{
CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81::get_offset_of_ranges_0(),
CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81::get_offset_of_TotalCount_1(),
CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81::get_offset_of_defaultIndex_2(),
CodePointIndexer_t0A6A7AB35984E2136E67DB8EF953A28C6553FD81::get_offset_of_defaultCP_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable30[4] =
{
TailoringInfo_t4758E387C3F277F71A15B53A99782DD712EF654A::get_offset_of_LCID_0(),
TailoringInfo_t4758E387C3F277F71A15B53A99782DD712EF654A::get_offset_of_TailoringIndex_1(),
TailoringInfo_t4758E387C3F277F71A15B53A99782DD712EF654A::get_offset_of_TailoringCount_2(),
TailoringInfo_t4758E387C3F277F71A15B53A99782DD712EF654A::get_offset_of_FrenchSort_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable31[4] =
{
Contraction_tF86B7E5A40F48611CB1245D2A9E7DD926F1E01FA::get_offset_of_Index_0(),
Contraction_tF86B7E5A40F48611CB1245D2A9E7DD926F1E01FA::get_offset_of_Source_1(),
Contraction_tF86B7E5A40F48611CB1245D2A9E7DD926F1E01FA::get_offset_of_Replacement_2(),
Contraction_tF86B7E5A40F48611CB1245D2A9E7DD926F1E01FA::get_offset_of_SortKey_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable32[1] =
{
ContractionComparer_t2065A7932E4721614DDC9CDC01C19267120F04D5_StaticFields::get_offset_of_Instance_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable33[2] =
{
Level2Map_t26846E0D6A6A0C5990567628ECE6CAAE22BAAB6C::get_offset_of_Source_0(),
Level2Map_t26846E0D6A6A0C5990567628ECE6CAAE22BAAB6C::get_offset_of_Replace_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable34[2] =
{
U3CU3Ec_t9C71671E3FC435799269A2109CBA9DDB7D43CC0F_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_t9C71671E3FC435799269A2109CBA9DDB7D43CC0F_StaticFields::get_offset_of_U3CU3E9__17_0_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable35[19] =
{
MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields::get_offset_of_MaxExpansionLength_0(),
MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields::get_offset_of_ignorableFlags_1(),
MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields::get_offset_of_categories_2(),
MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields::get_offset_of_level1_3(),
MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields::get_offset_of_level2_4(),
MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields::get_offset_of_level3_5(),
MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields::get_offset_of_cjkCHScategory_6(),
MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields::get_offset_of_cjkCHTcategory_7(),
MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields::get_offset_of_cjkJAcategory_8(),
MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields::get_offset_of_cjkKOcategory_9(),
MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields::get_offset_of_cjkCHSlv1_10(),
MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields::get_offset_of_cjkCHTlv1_11(),
MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields::get_offset_of_cjkJAlv1_12(),
MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields::get_offset_of_cjkKOlv1_13(),
MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields::get_offset_of_cjkKOlv2_14(),
MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields::get_offset_of_tailoringArr_15(),
MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields::get_offset_of_tailoringInfos_16(),
MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields::get_offset_of_forLock_17(),
MSCompatUnicodeTable_t46D5D29A0AF117D0BEE1CD7CBAEAFB2DA2B640E5_StaticFields::get_offset_of_isReady_18(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable36[7] =
{
MSCompatUnicodeTableUtil_t52325CB7A2FB0EAA73F5A8F026A9DE49305EB1F2_StaticFields::get_offset_of_Ignorable_0(),
MSCompatUnicodeTableUtil_t52325CB7A2FB0EAA73F5A8F026A9DE49305EB1F2_StaticFields::get_offset_of_Category_1(),
MSCompatUnicodeTableUtil_t52325CB7A2FB0EAA73F5A8F026A9DE49305EB1F2_StaticFields::get_offset_of_Level1_2(),
MSCompatUnicodeTableUtil_t52325CB7A2FB0EAA73F5A8F026A9DE49305EB1F2_StaticFields::get_offset_of_Level2_3(),
MSCompatUnicodeTableUtil_t52325CB7A2FB0EAA73F5A8F026A9DE49305EB1F2_StaticFields::get_offset_of_Level3_4(),
MSCompatUnicodeTableUtil_t52325CB7A2FB0EAA73F5A8F026A9DE49305EB1F2_StaticFields::get_offset_of_CjkCHS_5(),
MSCompatUnicodeTableUtil_t52325CB7A2FB0EAA73F5A8F026A9DE49305EB1F2_StaticFields::get_offset_of_Cjk_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable37[5] =
{
NormalizationTableUtil_t865AED8E1847CE25F58C497D3C5D12EECD7C245B_StaticFields::get_offset_of_Prop_0(),
NormalizationTableUtil_t865AED8E1847CE25F58C497D3C5D12EECD7C245B_StaticFields::get_offset_of_Map_1(),
NormalizationTableUtil_t865AED8E1847CE25F58C497D3C5D12EECD7C245B_StaticFields::get_offset_of_Combining_2(),
NormalizationTableUtil_t865AED8E1847CE25F58C497D3C5D12EECD7C245B_StaticFields::get_offset_of_Composite_3(),
NormalizationTableUtil_t865AED8E1847CE25F58C497D3C5D12EECD7C245B_StaticFields::get_offset_of_Helper_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable38[7] =
{
Context_t00F5A97F58A430A83FACCF26EC762FB5CAD4955C::get_offset_of_Option_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Context_t00F5A97F58A430A83FACCF26EC762FB5CAD4955C::get_offset_of_NeverMatchFlags_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Context_t00F5A97F58A430A83FACCF26EC762FB5CAD4955C::get_offset_of_AlwaysMatchFlags_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Context_t00F5A97F58A430A83FACCF26EC762FB5CAD4955C::get_offset_of_Buffer1_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Context_t00F5A97F58A430A83FACCF26EC762FB5CAD4955C::get_offset_of_Buffer2_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
Context_t00F5A97F58A430A83FACCF26EC762FB5CAD4955C::get_offset_of_PrevCode_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
Context_t00F5A97F58A430A83FACCF26EC762FB5CAD4955C::get_offset_of_PrevSortKey_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable39[2] =
{
PreviousInfo_tCD0C7991EC3577337B904B409E0E82224098E6A5::get_offset_of_Code_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
PreviousInfo_tCD0C7991EC3577337B904B409E0E82224098E6A5::get_offset_of_SortKey_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable40[5] =
{
Escape_t0479DB63473055AD46754E698B2114579D5D944E::get_offset_of_Source_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Escape_t0479DB63473055AD46754E698B2114579D5D944E::get_offset_of_Index_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Escape_t0479DB63473055AD46754E698B2114579D5D944E::get_offset_of_Start_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Escape_t0479DB63473055AD46754E698B2114579D5D944E::get_offset_of_End_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Escape_t0479DB63473055AD46754E698B2114579D5D944E::get_offset_of_Optional_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable41[6] =
{
ExtenderType_tB8BCD35D87A7D8B638D94C4FAB4F5FCEF64C4A29::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable42[14] =
{
SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266_StaticFields::get_offset_of_QuickCheckDisabled_0(),
SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266_StaticFields::get_offset_of_invariant_1(),
SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266::get_offset_of_textInfo_2(),
SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266::get_offset_of_cjkIndexer_3(),
SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266::get_offset_of_contractions_4(),
SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266::get_offset_of_level2Maps_5(),
SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266::get_offset_of_unsafeFlags_6(),
SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266::get_offset_of_cjkCatTable_7(),
SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266::get_offset_of_cjkLv1Table_8(),
SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266::get_offset_of_cjkLv2Table_9(),
SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266::get_offset_of_cjkLv2Indexer_10(),
SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266::get_offset_of_lcid_11(),
SimpleCollator_t60F8CB5F37FA4A008E484C0BD0429E65E5904266::get_offset_of_frenchSort_12(),
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable43[22] =
{
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_l1b_0(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_l2b_1(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_l3b_2(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_l4sb_3(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_l4tb_4(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_l4kb_5(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_l4wb_6(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_l5b_7(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_source_8(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_l1_9(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_l2_10(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_l3_11(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_l4s_12(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_l4t_13(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_l4k_14(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_l4w_15(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_l5_16(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_lcid_17(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_options_18(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_processLevel2_19(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_frenchSort_20(),
SortKeyBuffer_tC504A8568F40EEEACF4E1FCE20B28924FAB559FE::get_offset_of_frenchSorted_21(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable46[7] =
{
Registry_tF384B4040EFD1EAD69F4E703381C3DA2D8B81C65_StaticFields::get_offset_of_ClassesRoot_0(),
Registry_tF384B4040EFD1EAD69F4E703381C3DA2D8B81C65_StaticFields::get_offset_of_CurrentConfig_1(),
Registry_tF384B4040EFD1EAD69F4E703381C3DA2D8B81C65_StaticFields::get_offset_of_CurrentUser_2(),
Registry_tF384B4040EFD1EAD69F4E703381C3DA2D8B81C65_StaticFields::get_offset_of_DynData_3(),
Registry_tF384B4040EFD1EAD69F4E703381C3DA2D8B81C65_StaticFields::get_offset_of_LocalMachine_4(),
Registry_tF384B4040EFD1EAD69F4E703381C3DA2D8B81C65_StaticFields::get_offset_of_PerformanceData_5(),
Registry_tF384B4040EFD1EAD69F4E703381C3DA2D8B81C65_StaticFields::get_offset_of_Users_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable47[8] =
{
RegistryHive_t2461D8203373439CACCA8D08A989BA8EC1675709::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable48[7] =
{
RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268::get_offset_of_handle_1(),
RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268::get_offset_of_safe_handle_2(),
RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268::get_offset_of_hive_3(),
RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268::get_offset_of_qname_4(),
RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268::get_offset_of_isRemoteRoot_5(),
RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268::get_offset_of_isWritable_6(),
RegistryKey_t1EF11DB6AC49AC065AF744487033109254215268_StaticFields::get_offset_of_RegistryApi_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable49[9] =
{
RegistryValueKind_t94542CBA8F614FB3998DA5975ACBA30B36FA1FF9::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable50[3] =
{
RegistryValueOptions_t0A732A887823EDB29FA7A9D644C00B483210C4EA::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable51[1] =
{
ExpandString_t9106B59E06E44175F3056DE2461ECAA5E4F95230::get_offset_of_value_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable53[10] =
{
KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF_StaticFields::get_offset_of_key_to_handler_0(),
KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF_StaticFields::get_offset_of_dir_to_handler_1(),
KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF::get_offset_of_Dir_2(),
KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF::get_offset_of_ActualDir_3(),
KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF::get_offset_of_IsVolatile_4(),
KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF::get_offset_of_values_5(),
KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF::get_offset_of_file_6(),
KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF::get_offset_of_dirty_7(),
KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF_StaticFields::get_offset_of_user_store_8(),
KeyHandler_tB9094857C733957C9D709512D2AD478828B119FF_StaticFields::get_offset_of_machine_store_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable55[1] =
{
Win32RegistryApi_t62018042705CDFC186719F012DAEFE11D789957B::get_offset_of_NativeBytesPerCharacter_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable56[2] =
{
WIN32_FIND_DATA_tE88493B22E1CDD2E595CA4F800949555399AB3C7::get_offset_of_dwFileAttributes_0(),
WIN32_FIND_DATA_tE88493B22E1CDD2E595CA4F800949555399AB3C7::get_offset_of_cFileName_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable66[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable67[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable68[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable69[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable70[5] =
{
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable71[6] =
{
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable72[7] =
{
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable73[8] =
{
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable74[3] =
{
ArrayEnumerator_tDE9ED3F94A2C580188D156806F5AD64DC601D3A6::get_offset_of__array_0(),
ArrayEnumerator_tDE9ED3F94A2C580188D156806F5AD64DC601D3A6::get_offset_of__index_1(),
ArrayEnumerator_tDE9ED3F94A2C580188D156806F5AD64DC601D3A6::get_offset_of__endIndex_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable75[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable76[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable77[3] =
{
SorterObjectArray_t60785845A840F9562AA723FF11ECA3597C5A9FD1::get_offset_of_keys_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
SorterObjectArray_t60785845A840F9562AA723FF11ECA3597C5A9FD1::get_offset_of_items_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
SorterObjectArray_t60785845A840F9562AA723FF11ECA3597C5A9FD1::get_offset_of_comparer_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable78[3] =
{
SorterGenericArray_t2369B44171030E280B31E4036E95D06C4810BBB9::get_offset_of_keys_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
SorterGenericArray_t2369B44171030E280B31E4036E95D06C4810BBB9::get_offset_of_items_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
SorterGenericArray_t2369B44171030E280B31E4036E95D06C4810BBB9::get_offset_of_comparer_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable82[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable83[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable84[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable85[1] =
{
MonoTODOAttribute_tFB984CBAF37A9C93E915C007BD1427614691907B::get_offset_of_comment_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable86[1] =
{
AggregateException_t45A871D3DBDA3E28FBCD8DF21F6772238FC55BD1::get_offset_of_m_innerExceptions_17(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable87[1] =
{
AppContextSwitches_tB32AD47AEBBE99D856C1BC9ACFDAB18C959E4A21_StaticFields::get_offset_of_ThrowExceptionIfDisposedCancellationTokenSource_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable88[1] =
{
__Filters_tAF4A49AFB460D93A6F8DFE00DAF3D2A087A653A7_StaticFields::get_offset_of_Instance_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable89[1] =
{
LocalDataStoreHolder_tF51C9DD735A89132114AE47E3EB51C11D0FED146::get_offset_of_m_Store_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable90[2] =
{
LocalDataStoreElement_t3274C5FC8B3A921FC6D9F45A6B992ED73AD06BE7::get_offset_of_m_value_0(),
LocalDataStoreElement_t3274C5FC8B3A921FC6D9F45A6B992ED73AD06BE7::get_offset_of_m_cookie_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable91[2] =
{
LocalDataStore_t0E725C41DF754333CDF1E6FA151711B6E88FEF65::get_offset_of_m_DataTable_0(),
LocalDataStore_t0E725C41DF754333CDF1E6FA151711B6E88FEF65::get_offset_of_m_Manager_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable92[3] =
{
LocalDataStoreSlot_t89250F25A06E480B8052287EEB620C6C64AAF2D5::get_offset_of_m_mgr_0(),
LocalDataStoreSlot_t89250F25A06E480B8052287EEB620C6C64AAF2D5::get_offset_of_m_slot_1(),
LocalDataStoreSlot_t89250F25A06E480B8052287EEB620C6C64AAF2D5::get_offset_of_m_cookie_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable93[5] =
{
LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A::get_offset_of_m_SlotInfoTable_0(),
LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A::get_offset_of_m_FirstAvailableSlot_1(),
LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A::get_offset_of_m_ManagedLocalDataStores_2(),
LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A::get_offset_of_m_KeyToSlotMap_3(),
LocalDataStoreMgr_t6CC44D0584911B6A6C6823115F858FC34AB4A80A::get_offset_of_m_CookieGenerator_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable110[1] =
{
ArgumentException_t505FA8C11E883F2D96C797AD9D396490794DEE00::get_offset_of_m_paramName_17(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable112[2] =
{
ArgumentOutOfRangeException_tFAF23713820951D4A09ABBFE5CC091E445A6F3D8_StaticFields::get_offset_of__rangeMessage_18(),
ArgumentOutOfRangeException_tFAF23713820951D4A09ABBFE5CC091E445A6F3D8::get_offset_of_m_actualValue_19(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable117[17] =
{
AttributeTargets_t5F71273DFE1D0CA9B8109F02A023A7DBA9BFC923::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable118[4] =
{
AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C::get_offset_of_m_attributeTarget_0(),
AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C::get_offset_of_m_allowMultiple_1(),
AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C::get_offset_of_m_inherited_2(),
AttributeUsageAttribute_tBB0BAAA82036E6FCDD80A688BBD039F6FFD8EA1C_StaticFields::get_offset_of_Default_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable119[2] =
{
BadImageFormatException_t3BC0184883CA1CB226CDED7E76E91927184C683A::get_offset_of__fileName_17(),
BadImageFormatException_t3BC0184883CA1CB226CDED7E76E91927184C683A::get_offset_of__fusionLog_18(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable120[1] =
{
BitConverter_t8DCBA24B909F1B221372AF2B37C76DCF614BA654_StaticFields::get_offset_of_IsLittleEndian_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable121[7] =
{
Boolean_t07D1E3F34E4813023D64F584DFF7B34C9D922F37::get_offset_of_m_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
Boolean_t07D1E3F34E4813023D64F584DFF7B34C9D922F37_StaticFields::get_offset_of_TrueString_5(),
Boolean_t07D1E3F34E4813023D64F584DFF7B34C9D922F37_StaticFields::get_offset_of_FalseString_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable123[3] =
{
Byte_t0111FAB8B8685667EDDAF77683F0D8F86B659056::get_offset_of_m_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable125[9] =
{
Char_tFF60D8E7E89A20BE2294A003734341BD1DF43E14::get_offset_of_m_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
Char_tFF60D8E7E89A20BE2294A003734341BD1DF43E14_StaticFields::get_offset_of_categoryForLatin1_3(),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable126[3] =
{
CharEnumerator_t307E02F1AF2C2C98EE2FFEEE3045A790F2140D75::get_offset_of_str_0(),
CharEnumerator_t307E02F1AF2C2C98EE2FFEEE3045A790F2140D75::get_offset_of_index_1(),
CharEnumerator_t307E02F1AF2C2C98EE2FFEEE3045A790F2140D75::get_offset_of_currentElement_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable127[1] =
{
CLSCompliantAttribute_tA28EF6D4ADBD3C5C429DE9A70DD1E927C8906249::get_offset_of_m_compliant_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable129[2] =
{
ConsoleCancelEventArgs_tF32E2D8954FDDFA9C5C9EBE291DF44C2A5D67C01::get_offset_of__type_1(),
ConsoleCancelEventArgs_tF32E2D8954FDDFA9C5C9EBE291DF44C2A5D67C01::get_offset_of__cancel_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable130[17] =
{
ConsoleColor_t70ABA059B827F2A223299FBC4FD8D878518B2970::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable131[145] =
{
ConsoleKey_t4708A928547D666CF632F6F46340F476155566D4::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable132[3] =
{
ConsoleKeyInfo_tDA8AC07839288484FCB167A81B4FBA92ECCEAF88::get_offset_of__keyChar_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ConsoleKeyInfo_tDA8AC07839288484FCB167A81B4FBA92ECCEAF88::get_offset_of__key_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ConsoleKeyInfo_tDA8AC07839288484FCB167A81B4FBA92ECCEAF88::get_offset_of__mods_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable133[4] =
{
ConsoleModifiers_t8465A8BC80F4BDB8816D80AA7CBE483DC7D01EBE::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable134[3] =
{
ConsoleSpecialKey_t8A289581D03BD70CA7DD22E29E0CE5CFAF3FBD5C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable137[3] =
{
Base64FormattingOptions_t0AE17E3053C9D48FA35CA36C58CCFEE99CC6A3FA::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable138[4] =
{
Convert_tDA947A979C1DAB4F09C461FAFD94FE194743A671_StaticFields::get_offset_of_ConvertTypes_0(),
Convert_tDA947A979C1DAB4F09C461FAFD94FE194743A671_StaticFields::get_offset_of_EnumType_1(),
Convert_tDA947A979C1DAB4F09C461FAFD94FE194743A671_StaticFields::get_offset_of_base64Table_2(),
Convert_tDA947A979C1DAB4F09C461FAFD94FE194743A671_StaticFields::get_offset_of_DBNull_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable139[45] =
{
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405_StaticFields::get_offset_of_DaysToMonth365_29(),
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405_StaticFields::get_offset_of_DaysToMonth366_30(),
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405_StaticFields::get_offset_of_MinValue_31(),
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405_StaticFields::get_offset_of_MaxValue_32(),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
DateTime_tEAF2CD16E071DF5441F40822E4CFE880E5245405::get_offset_of_dateData_44() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable140[4] =
{
DateTimeKind_tA0B5F3F88991AC3B7F24393E15B54062722571D0::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable141[4] =
{
DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5_StaticFields::get_offset_of_MinValue_0(),
DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5_StaticFields::get_offset_of_MaxValue_1(),
DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5::get_offset_of_m_dateTime_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeOffset_t205B59B1EFB6646DCE3CC50553377BF6023615B5::get_offset_of_m_offsetMinutes_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable142[8] =
{
DayOfWeek_t9E9D87E7A85C119F741167E9F8C613ABFB0A4AC7::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable143[1] =
{
DBNull_t0CFB3A03916C4AE0938C140E6A5487CEC8169C28_StaticFields::get_offset_of_Value_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable144[18] =
{
0,
0,
0,
0,
0,
0,
Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7_StaticFields::get_offset_of_Powers10_6(),
Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7_StaticFields::get_offset_of_Zero_7(),
Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7_StaticFields::get_offset_of_One_8(),
Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7_StaticFields::get_offset_of_MinusOne_9(),
Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7_StaticFields::get_offset_of_MaxValue_10(),
Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7_StaticFields::get_offset_of_MinValue_11(),
Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7_StaticFields::get_offset_of_NearNegativeZero_12(),
Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7_StaticFields::get_offset_of_NearPositiveZero_13(),
Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7::get_offset_of_flags_14() + static_cast<int32_t>(sizeof(RuntimeObject)),
Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7::get_offset_of_hi_15() + static_cast<int32_t>(sizeof(RuntimeObject)),
Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7::get_offset_of_lo_16() + static_cast<int32_t>(sizeof(RuntimeObject)),
Decimal_t2978B229CA86D3B7BA66A0AEEE014E0DE4F940D7::get_offset_of_mid_17() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable145[3] =
{
BinderState_t7D6BA6A794E92B5B3C56B638A52AA8932EA3BBA2::get_offset_of_m_argsMap_0(),
BinderState_t7D6BA6A794E92B5B3C56B638A52AA8932EA3BBA2::get_offset_of_m_originalSize_1(),
BinderState_t7D6BA6A794E92B5B3C56B638A52AA8932EA3BBA2::get_offset_of_m_isParamArray_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable146[2] =
{
U3CU3Ec_t8E13ABBD257B1FDD18CD40A774D631087D521F67_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_t8E13ABBD257B1FDD18CD40A774D631087D521F67_StaticFields::get_offset_of_U3CU3E9__3_0_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable150[8] =
{
Double_t42821932CB52DE2057E685D0E1AF3DE5033D2181::get_offset_of_m_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
Double_t42821932CB52DE2057E685D0E1AF3DE5033D2181_StaticFields::get_offset_of_NegativeZero_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable151[1] =
{
Empty_t728D155406C292550A3E2BBFEF2A5495A4A05303_StaticFields::get_offset_of_Value_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable153[2] =
{
ValuesAndNames_tA5AA76EB07994B4DFB08076774EADC438D77D0E4::get_offset_of_Values_0(),
ValuesAndNames_tA5AA76EB07994B4DFB08076774EADC438D77D0E4::get_offset_of_Names_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable154[2] =
{
Enum_t23B90B40F60E677A8025267341651C94AE079CDA_StaticFields::get_offset_of_enumSeperatorCharArray_0(),
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable155[1] =
{
EventArgs_tBCAACA538A5195B6D6C8DFCC3524A2A4A67FD8BA_StaticFields::get_offset_of_Empty_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable158[4] =
{
ExceptionMessageKind_t61CE451DC0AD2042B16CC081FE8A13D5E806AE20::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable159[17] =
{
Exception_t_StaticFields::get_offset_of_s_EDILock_0(),
Exception_t::get_offset_of__className_1(),
Exception_t::get_offset_of__message_2(),
Exception_t::get_offset_of__data_3(),
Exception_t::get_offset_of__innerException_4(),
Exception_t::get_offset_of__helpURL_5(),
Exception_t::get_offset_of__stackTrace_6(),
Exception_t::get_offset_of__stackTraceString_7(),
Exception_t::get_offset_of__remoteStackTraceString_8(),
Exception_t::get_offset_of__remoteStackIndex_9(),
Exception_t::get_offset_of__dynamicMethods_10(),
Exception_t::get_offset_of__HResult_11(),
Exception_t::get_offset_of__source_12(),
Exception_t::get_offset_of__safeSerializationManager_13(),
Exception_t::get_offset_of_captured_traces_14(),
Exception_t::get_offset_of_native_trace_ips_15(),
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable164[1] =
{
GC_tD6F0377620BF01385965FD29272CF088A4309C0D_StaticFields::get_offset_of_EPHEMERON_TOMBSTONE_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable165[3] =
{
DateTimeFormat_t03C933B58093015648423B6A1A79C999650F2E4A_StaticFields::get_offset_of_NullOffset_0(),
DateTimeFormat_t03C933B58093015648423B6A1A79C999650F2E4A_StaticFields::get_offset_of_allStandardFormats_1(),
DateTimeFormat_t03C933B58093015648423B6A1A79C999650F2E4A_StaticFields::get_offset_of_fixedNumberFormats_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable167[22] =
{
DTT_t6EFD5350415223C2D00AF4EE629968B1E9950514::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable168[4] =
{
TM_t03D2966F618270C85678E2E753D94475B43FC5F3::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable169[40] =
{
DS_tDF27C0EE2AC6378F219DF5A696E237F7B7B5581E::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable170[2] =
{
DateTimeParse_t76510C36C2811C8A20E2A305B0368499793F714F_StaticFields::get_offset_of_m_hebrewNumberParser_0(),
DateTimeParse_t76510C36C2811C8A20E2A305B0368499793F714F_StaticFields::get_offset_of_dateParsingStates_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable171[7] =
{
__DTString_t594255B76730E715A2A5655F8238B0029484B27A::get_offset_of_Value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
__DTString_t594255B76730E715A2A5655F8238B0029484B27A::get_offset_of_Index_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
__DTString_t594255B76730E715A2A5655F8238B0029484B27A::get_offset_of_len_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
__DTString_t594255B76730E715A2A5655F8238B0029484B27A::get_offset_of_m_current_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
__DTString_t594255B76730E715A2A5655F8238B0029484B27A::get_offset_of_m_info_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
__DTString_t594255B76730E715A2A5655F8238B0029484B27A::get_offset_of_m_checkDigitToken_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
__DTString_t594255B76730E715A2A5655F8238B0029484B27A_StaticFields::get_offset_of_WhiteSpaceChecks_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable172[6] =
{
DTSubStringType_t1EDFE671440A047DB9FC47F0A33A9A53CD4E3708::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable173[5] =
{
DTSubString_t17C1E5092BC79CB2A5DA8B2B4AB2047B2BE51F74::get_offset_of_s_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
DTSubString_t17C1E5092BC79CB2A5DA8B2B4AB2047B2BE51F74::get_offset_of_index_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
DTSubString_t17C1E5092BC79CB2A5DA8B2B4AB2047B2BE51F74::get_offset_of_length_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
DTSubString_t17C1E5092BC79CB2A5DA8B2B4AB2047B2BE51F74::get_offset_of_type_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
DTSubString_t17C1E5092BC79CB2A5DA8B2B4AB2047B2BE51F74::get_offset_of_value_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable174[3] =
{
DateTimeToken_t8DF1931E9C0576940C954BB19A549F43409172FC::get_offset_of_dtt_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeToken_t8DF1931E9C0576940C954BB19A549F43409172FC::get_offset_of_suffix_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeToken_t8DF1931E9C0576940C954BB19A549F43409172FC::get_offset_of_num_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable175[10] =
{
DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE::get_offset_of_num_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE::get_offset_of_numCount_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE::get_offset_of_month_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE::get_offset_of_year_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE::get_offset_of_dayOfWeek_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE::get_offset_of_era_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE::get_offset_of_timeMark_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE::get_offset_of_fraction_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE::get_offset_of_hasSameDateAndTimeSeparators_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeRawInfo_t0054428F65AC1EA6EADE6C93D4075B3D96A47ECE::get_offset_of_timeZone_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable176[6] =
{
ParseFailureKind_t40447F7993B949EF7D44052DBD89ACDEBEE4B7C9::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable177[16] =
{
ParseFlags_tAA2AAC09BAF2AFD8A8432E97F3F57BAF7794B011::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable178[16] =
{
DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0::get_offset_of_Year_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0::get_offset_of_Month_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0::get_offset_of_Day_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0::get_offset_of_Hour_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0::get_offset_of_Minute_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0::get_offset_of_Second_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0::get_offset_of_fraction_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0::get_offset_of_era_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0::get_offset_of_flags_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0::get_offset_of_timeZoneOffset_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0::get_offset_of_calendar_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0::get_offset_of_parsedDate_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0::get_offset_of_failure_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0::get_offset_of_failureMessageID_13() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0::get_offset_of_failureMessageFormatArgument_14() + static_cast<int32_t>(sizeof(RuntimeObject)),
DateTimeResult_t44941ADE58F716AB71DABBFE9BE490F0331F3EF0::get_offset_of_failureArgumentName_15() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable179[33] =
{
TokenType_tC708A43A29DB65495842F3E3A5058D23CDDCD192::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable180[16] =
{
GuidStyles_tA83941DD1F9E36A5394542DBFFF510FE856CC549::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable181[4] =
{
GuidParseThrowStyle_t9DDB4572C47CE33F794D599ECE1410948ECDFA94::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable182[7] =
{
ParseFailureKind_t51F39689A9BD56BB80DD716B165828B57958CB3C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable183[7] =
{
GuidResult_t0DA162EF4F1F1C93059A6A44E1C5CCE6F2924A6E::get_offset_of_parsedGuid_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
GuidResult_t0DA162EF4F1F1C93059A6A44E1C5CCE6F2924A6E::get_offset_of_throwStyle_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
GuidResult_t0DA162EF4F1F1C93059A6A44E1C5CCE6F2924A6E::get_offset_of_m_failure_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
GuidResult_t0DA162EF4F1F1C93059A6A44E1C5CCE6F2924A6E::get_offset_of_m_failureMessageID_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
GuidResult_t0DA162EF4F1F1C93059A6A44E1C5CCE6F2924A6E::get_offset_of_m_failureMessageFormatArgument_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
GuidResult_t0DA162EF4F1F1C93059A6A44E1C5CCE6F2924A6E::get_offset_of_m_failureArgumentName_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
GuidResult_t0DA162EF4F1F1C93059A6A44E1C5CCE6F2924A6E::get_offset_of_m_innerException_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable184[15] =
{
Guid_t_StaticFields::get_offset_of_Empty_0(),
Guid_t::get_offset_of__a_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Guid_t::get_offset_of__b_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Guid_t::get_offset_of__c_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Guid_t::get_offset_of__d_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
Guid_t::get_offset_of__e_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
Guid_t::get_offset_of__f_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
Guid_t::get_offset_of__g_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
Guid_t::get_offset_of__h_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
Guid_t::get_offset_of__i_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
Guid_t::get_offset_of__j_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
Guid_t::get_offset_of__k_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
Guid_t_StaticFields::get_offset_of__rngAccess_12(),
Guid_t_StaticFields::get_offset_of__rng_13(),
Guid_t_StaticFields::get_offset_of__fastRng_14(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable196[3] =
{
Int16_tD0F031114106263BB459DA1F099FF9F42691295A::get_offset_of_m_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable197[3] =
{
Int32_tFDE5F8CD43D10453F6A2E0C77FE48C6CC7009046::get_offset_of_m_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable198[3] =
{
Int64_t378EE0D608BD3107E77238E85F30D2BBD46981F3::get_offset_of_m_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable203[5] =
{
Math_tA269614262430118C9FC5C4D9EF4F61C812568F0_StaticFields::get_offset_of_doubleRoundLimit_0(),
0,
Math_tA269614262430118C9FC5C4D9EF4F61C812568F0_StaticFields::get_offset_of_roundPower10Double_2(),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable207[3] =
{
MissingMemberException_t890E7665FD7C812DAD826E4B5CF55F20F16CF639::get_offset_of_ClassName_17(),
MissingMemberException_t890E7665FD7C812DAD826E4B5CF55F20F16CF639::get_offset_of_MemberName_18(),
MissingMemberException_t890E7665FD7C812DAD826E4B5CF55F20F16CF639::get_offset_of_Signature_19(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable208[1] =
{
MissingMethodException_t84403BAD115335684834149401CDDFF3BDD42B41::get_offset_of_signature_20(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable214[6] =
{
NumberBuffer_t5EC5B27BA4105EA147F2DE7CE7B96D7E9EAC9271_StaticFields::get_offset_of_NumberBufferBytes_0(),
NumberBuffer_t5EC5B27BA4105EA147F2DE7CE7B96D7E9EAC9271::get_offset_of_baseAddress_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
NumberBuffer_t5EC5B27BA4105EA147F2DE7CE7B96D7E9EAC9271::get_offset_of_digits_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
NumberBuffer_t5EC5B27BA4105EA147F2DE7CE7B96D7E9EAC9271::get_offset_of_precision_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
NumberBuffer_t5EC5B27BA4105EA147F2DE7CE7B96D7E9EAC9271::get_offset_of_scale_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
NumberBuffer_t5EC5B27BA4105EA147F2DE7CE7B96D7E9EAC9271::get_offset_of_sign_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable216[1] =
{
ObjectDisposedException_t29EF6F519F16BA477EC682F23E8344BB1E9A958A::get_offset_of_objectName_17(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable217[2] =
{
ObsoleteAttribute_t14BAC1669C0409EB9F28D72D664FFA6764ACD671::get_offset_of__message_0(),
ObsoleteAttribute_t14BAC1669C0409EB9F28D72D664FFA6764ACD671::get_offset_of__error_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable218[1] =
{
OperationCanceledException_tA90317406FAE39FB4E2C6AA84E12135E1D56B6FB::get_offset_of__cancellationToken_17(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable222[7] =
{
ParamsArray_t23479E79CB44DA9007429A97C23DAB83F26857CB_StaticFields::get_offset_of_oneArgArray_0(),
ParamsArray_t23479E79CB44DA9007429A97C23DAB83F26857CB_StaticFields::get_offset_of_twoArgArray_1(),
ParamsArray_t23479E79CB44DA9007429A97C23DAB83F26857CB_StaticFields::get_offset_of_threeArgArray_2(),
ParamsArray_t23479E79CB44DA9007429A97C23DAB83F26857CB::get_offset_of_arg0_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
ParamsArray_t23479E79CB44DA9007429A97C23DAB83F26857CB::get_offset_of_arg1_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
ParamsArray_t23479E79CB44DA9007429A97C23DAB83F26857CB::get_offset_of_arg2_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
ParamsArray_t23479E79CB44DA9007429A97C23DAB83F26857CB::get_offset_of_args_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable224[6] =
{
0,
0,
0,
Random_t6C9E9775A149D0ADCFEB4B252C408F03EE870118::get_offset_of_inext_3(),
Random_t6C9E9775A149D0ADCFEB4B252C408F03EE870118::get_offset_of_inextp_4(),
Random_t6C9E9775A149D0ADCFEB4B252C408F03EE870118::get_offset_of_SeedArray_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable226[11] =
{
TypeNameFormatFlags_tA16E9510A374D96E7C92AF3718EB988D5973C6C0::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable227[5] =
{
TypeNameKind_t2D224F37B8CFF00AA90CF2B5489F82016ECF535A::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable228[5] =
{
MemberListType_t2620B1297DEF6B44633225E024C4C7F74AEC9848::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable229[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable230[19] =
{
RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07_StaticFields::get_offset_of_ValueType_10(),
RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07_StaticFields::get_offset_of_EnumType_11(),
RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07_StaticFields::get_offset_of_ObjectType_12(),
RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07_StaticFields::get_offset_of_StringType_13(),
RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07_StaticFields::get_offset_of_DelegateType_14(),
RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07_StaticFields::get_offset_of_s_SICtorParamTypes_15(),
0,
0,
0,
0,
0,
0,
0,
0,
0,
RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07_StaticFields::get_offset_of_s_typedRef_25(),
RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07::get_offset_of_type_info_26(),
RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07::get_offset_of_GenericCache_27(),
RuntimeType_t4F49C0B3B2871AECF65AF5FA3E42BAB5B0C1FD07::get_offset_of_m_serializationCtor_28(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable232[3] =
{
SByte_t928712DD662DC29BA4FAAE8CE2230AFB23447F0B::get_offset_of_m_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable234[7] =
{
Single_tE07797BA3C98D4CA9B5A19413C19A76688AB899E::get_offset_of_m_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable236[8] =
{
String_t::get_offset_of_m_stringLength_0(),
String_t::get_offset_of_m_firstChar_1(),
0,
0,
0,
String_t_StaticFields::get_offset_of_Empty_5(),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable237[3] =
{
StringSplitOptions_tCBE57E9DF0385CEE90AEE9C25D18BD20E30D29D3::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable238[4] =
{
StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6_StaticFields::get_offset_of__invariantCulture_0(),
StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6_StaticFields::get_offset_of__invariantCultureIgnoreCase_1(),
StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6_StaticFields::get_offset_of__ordinal_2(),
StringComparer_t69EC059128AD0CAE268CA1A1C33125DAC9D7F8D6_StaticFields::get_offset_of__ordinalIgnoreCase_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable239[3] =
{
CultureAwareComparer_t268E42F92F9F23A3A18A1811762DC761224C9DCE::get_offset_of__compareInfo_4(),
CultureAwareComparer_t268E42F92F9F23A3A18A1811762DC761224C9DCE::get_offset_of__ignoreCase_5(),
CultureAwareComparer_t268E42F92F9F23A3A18A1811762DC761224C9DCE::get_offset_of__options_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable240[1] =
{
OrdinalComparer_t5F0E9ECB5F06B80EA00DB6EACB0BD52342F4C0A3::get_offset_of__ignoreCase_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable244[29] =
{
ExceptionArgument_t750CCD4C657BCB2C185560CC68330BC0313B8737::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable245[47] =
{
ExceptionResource_tD29FDAA391137C7766FB63B5F13FA0F12AF6C3FA::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable247[25] =
{
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203_StaticFields::get_offset_of_Zero_19(),
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203_StaticFields::get_offset_of_MaxValue_20(),
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203_StaticFields::get_offset_of_MinValue_21(),
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203::get_offset_of__ticks_22() + static_cast<int32_t>(sizeof(RuntimeObject)),
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203_StaticFields::get_offset_of__legacyConfigChecked_23(),
TimeSpan_t4F6A0E13E703B65365CFCAB58E05EE0AF3EE6203_StaticFields::get_offset_of__legacyMode_24(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable248[3] =
{
TimeZoneInfoOptions_tF48851CCFC1456EEA16FB89983651FD6039AB4FB::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable249[6] =
{
AdjustmentRule_t15EC10F91D4E8CC287CF8610D8D24BD636A23304::get_offset_of_m_dateStart_0(),
AdjustmentRule_t15EC10F91D4E8CC287CF8610D8D24BD636A23304::get_offset_of_m_dateEnd_1(),
AdjustmentRule_t15EC10F91D4E8CC287CF8610D8D24BD636A23304::get_offset_of_m_daylightDelta_2(),
AdjustmentRule_t15EC10F91D4E8CC287CF8610D8D24BD636A23304::get_offset_of_m_daylightTransitionStart_3(),
AdjustmentRule_t15EC10F91D4E8CC287CF8610D8D24BD636A23304::get_offset_of_m_daylightTransitionEnd_4(),
AdjustmentRule_t15EC10F91D4E8CC287CF8610D8D24BD636A23304::get_offset_of_m_baseUtcOffsetDelta_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable250[6] =
{
TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A::get_offset_of_m_timeOfDay_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A::get_offset_of_m_month_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A::get_offset_of_m_week_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A::get_offset_of_m_day_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A::get_offset_of_m_dayOfWeek_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
TransitionTime_tD3B9CE442418566444BB123BA7297AE071D0D47A::get_offset_of_m_isFixedDateRule_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable251[8] =
{
SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4::get_offset_of_wYear_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4::get_offset_of_wMonth_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4::get_offset_of_wDayOfWeek_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4::get_offset_of_wDay_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4::get_offset_of_wHour_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4::get_offset_of_wMinute_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4::get_offset_of_wSecond_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
SYSTEMTIME_tDB5B1D262445C33D2FE644CCC1353DFB26184BA4::get_offset_of_wMilliseconds_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable252[7] =
{
TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578::get_offset_of_Bias_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578::get_offset_of_StandardName_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578::get_offset_of_StandardDate_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578::get_offset_of_StandardBias_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578::get_offset_of_DaylightName_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578::get_offset_of_DaylightDate_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
TIME_ZONE_INFORMATION_t895CF3EE73EA839A7D135CD7187F514DA758F578::get_offset_of_DaylightBias_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable253[3] =
{
DYNAMIC_TIME_ZONE_INFORMATION_t2A935E4357B99965B322E468058134B139805895::get_offset_of_TZI_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
DYNAMIC_TIME_ZONE_INFORMATION_t2A935E4357B99965B322E468058134B139805895::get_offset_of_TimeZoneKeyName_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
DYNAMIC_TIME_ZONE_INFORMATION_t2A935E4357B99965B322E468058134B139805895::get_offset_of_DynamicDaylightTimeDisabled_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable254[2] =
{
U3CU3Ec_t24F903F915888347E8B19C16314DF4C75387324E_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_t24F903F915888347E8B19C16314DF4C75387324E_StaticFields::get_offset_of_U3CU3E9__19_0_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable255[15] =
{
TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074::get_offset_of_baseUtcOffset_0(),
TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074::get_offset_of_daylightDisplayName_1(),
TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074::get_offset_of_displayName_2(),
TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074::get_offset_of_id_3(),
TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074_StaticFields::get_offset_of_local_4(),
TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074::get_offset_of_transitions_5(),
TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074_StaticFields::get_offset_of_readlinkNotFound_6(),
TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074::get_offset_of_standardDisplayName_7(),
TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074::get_offset_of_supportsDaylightSavingTime_8(),
TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074_StaticFields::get_offset_of_utc_9(),
TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074_StaticFields::get_offset_of_timeZoneDirectory_10(),
TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074::get_offset_of_adjustmentRules_11(),
TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074_StaticFields::get_offset_of_timeZoneKey_12(),
TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074_StaticFields::get_offset_of_localZoneKey_13(),
TimeZoneInfo_t6988042963E068DC7DE283E2D0902C0B8A40C074_StaticFields::get_offset_of_systemTimeZones_14(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable257[10] =
{
Type_t_StaticFields::get_offset_of_FilterAttribute_0(),
Type_t_StaticFields::get_offset_of_FilterName_1(),
Type_t_StaticFields::get_offset_of_FilterNameIgnoreCase_2(),
Type_t_StaticFields::get_offset_of_Missing_3(),
Type_t_StaticFields::get_offset_of_Delimiter_4(),
Type_t_StaticFields::get_offset_of_EmptyTypes_5(),
Type_t_StaticFields::get_offset_of_defaultBinder_6(),
0,
0,
Type_t::get_offset_of__impl_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable258[3] =
{
TypedReference_tE1755FC30D207D9552DE27539E907EE92C8C073A::get_offset_of_type_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TypedReference_tE1755FC30D207D9552DE27539E907EE92C8C073A::get_offset_of_Value_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
TypedReference_tE1755FC30D207D9552DE27539E907EE92C8C073A::get_offset_of_Type_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable259[1] =
{
TypeInitializationException_tFBB52C455ED2509387E598E8C0877D464B6EC7B8::get_offset_of__typeName_17(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable260[4] =
{
TypeLoadException_t57F05DC978AA8B70B0CE1AB2EF99D7F97FE428E7::get_offset_of_ClassName_17(),
TypeLoadException_t57F05DC978AA8B70B0CE1AB2EF99D7F97FE428E7::get_offset_of_AssemblyName_18(),
TypeLoadException_t57F05DC978AA8B70B0CE1AB2EF99D7F97FE428E7::get_offset_of_MessageArg_19(),
TypeLoadException_t57F05DC978AA8B70B0CE1AB2EF99D7F97FE428E7::get_offset_of_ResourceId_20(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable261[3] =
{
UInt16_t894EA9D4FB7C799B244E7BBF2DF0EEEDBC77A8BD::get_offset_of_m_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable262[3] =
{
UInt32_tE60352A06233E4E69DD198BCC67142159F686B15::get_offset_of_m_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable263[3] =
{
UInt64_tEC57511B3E3CA2DBA1BEBD434C6983E31C943281::get_offset_of_m_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable265[2] =
{
UnhandledExceptionEventArgs_tFA66D5AA8F6337DEF8E2B494B3B8C377C9FDB885::get_offset_of__Exception_1(),
UnhandledExceptionEventArgs_tFA66D5AA8F6337DEF8E2B494B3B8C377C9FDB885::get_offset_of__IsTerminating_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable267[8] =
{
UnitySerializationHolder_tC37284C3EDCF2C91B5AB93206565CCCFD6ACC49B::get_offset_of_m_instantiation_0(),
UnitySerializationHolder_tC37284C3EDCF2C91B5AB93206565CCCFD6ACC49B::get_offset_of_m_elementTypes_1(),
UnitySerializationHolder_tC37284C3EDCF2C91B5AB93206565CCCFD6ACC49B::get_offset_of_m_genericParameterPosition_2(),
UnitySerializationHolder_tC37284C3EDCF2C91B5AB93206565CCCFD6ACC49B::get_offset_of_m_declaringType_3(),
UnitySerializationHolder_tC37284C3EDCF2C91B5AB93206565CCCFD6ACC49B::get_offset_of_m_declaringMethod_4(),
UnitySerializationHolder_tC37284C3EDCF2C91B5AB93206565CCCFD6ACC49B::get_offset_of_m_data_5(),
UnitySerializationHolder_tC37284C3EDCF2C91B5AB93206565CCCFD6ACC49B::get_offset_of_m_assemblyName_6(),
UnitySerializationHolder_tC37284C3EDCF2C91B5AB93206565CCCFD6ACC49B::get_offset_of_m_unityType_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable268[3] =
{
UnSafeCharBuffer_tC2F1C142D69686631C1660F318C983106FF36F23::get_offset_of_m_buffer_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
UnSafeCharBuffer_tC2F1C142D69686631C1660F318C983106FF36F23::get_offset_of_m_totalSize_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
UnSafeCharBuffer_tC2F1C142D69686631C1660F318C983106FF36F23::get_offset_of_m_length_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable269[6] =
{
Version_tBDAEDED25425A1D09910468B8BD1759115646E3C::get_offset_of__Major_0(),
Version_tBDAEDED25425A1D09910468B8BD1759115646E3C::get_offset_of__Minor_1(),
Version_tBDAEDED25425A1D09910468B8BD1759115646E3C::get_offset_of__Build_2(),
Version_tBDAEDED25425A1D09910468B8BD1759115646E3C::get_offset_of__Revision_3(),
Version_tBDAEDED25425A1D09910468B8BD1759115646E3C_StaticFields::get_offset_of_SeparatorsArray_4(),
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable270[23] =
{
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A::get_offset_of__mono_app_domain_1(),
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A_StaticFields::get_offset_of__process_guid_2(),
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A_ThreadStaticFields::get_offset_of_type_resolve_in_progress_3() | THREAD_LOCAL_STATIC_MASK,
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A_ThreadStaticFields::get_offset_of_assembly_resolve_in_progress_4() | THREAD_LOCAL_STATIC_MASK,
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A_ThreadStaticFields::get_offset_of_assembly_resolve_in_progress_refonly_5() | THREAD_LOCAL_STATIC_MASK,
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A::get_offset_of__evidence_6(),
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A::get_offset_of__granted_7(),
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A::get_offset_of__principalPolicy_8(),
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A_ThreadStaticFields::get_offset_of__principal_9() | THREAD_LOCAL_STATIC_MASK,
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A_StaticFields::get_offset_of_default_domain_10(),
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A::get_offset_of_AssemblyLoad_11(),
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A::get_offset_of_AssemblyResolve_12(),
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A::get_offset_of_DomainUnload_13(),
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A::get_offset_of_ProcessExit_14(),
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A::get_offset_of_ResourceResolve_15(),
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A::get_offset_of_TypeResolve_16(),
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A::get_offset_of_UnhandledException_17(),
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A::get_offset_of_FirstChanceException_18(),
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A::get_offset_of__domain_manager_19(),
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A::get_offset_of_ReflectionOnlyAssemblyResolve_20(),
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A::get_offset_of__activation_21(),
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A::get_offset_of__applicationIdentity_22(),
AppDomain_tBEB6322D51DCB12C09A56A49886C2D09BA1C1A8A::get_offset_of_compatibility_switch_23(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable272[2] =
{
CompatibilitySwitches_tC460ACEE669B13F7C9D2FEA284D77D8B4AF9616E_StaticFields::get_offset_of_IsAppEarlierThanSilverlight4_0(),
CompatibilitySwitches_tC460ACEE669B13F7C9D2FEA284D77D8B4AF9616E_StaticFields::get_offset_of_IsAppEarlierThanWindowsPhone8_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable273[48] =
{
SpecialFolder_t6103ABF21BDF31D4FF825E2761E4616153810B76::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable274[4] =
{
SpecialFolderOption_t8567C5CCECB798A718D6F1E23E7595CC5E7998C8::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable275[3] =
{
0,
Environment_tBCC20ED506D491BFC121CAEA0AAD63D421BDC32C_StaticFields::get_offset_of_nl_1(),
Environment_tBCC20ED506D491BFC121CAEA0AAD63D421BDC32C_StaticFields::get_offset_of_os_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable277[2] =
{
MonoTypeInfo_tD048FE6E8A79174435DD9BA986294B02C68DFC79::get_offset_of_full_name_0(),
MonoTypeInfo_tD048FE6E8A79174435DD9BA986294B02C68DFC79::get_offset_of_default_ctor_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable279[23] =
{
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_application_base_0(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_application_name_1(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_cache_path_2(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_configuration_file_3(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_dynamic_base_4(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_license_file_5(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_private_bin_path_6(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_private_bin_path_probe_7(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_shadow_copy_directories_8(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_shadow_copy_files_9(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_publisher_policy_10(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_path_changed_11(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_loader_optimization_12(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_disallow_binding_redirects_13(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_disallow_code_downloads_14(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of__activationArguments_15(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_domain_initializer_16(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_application_trust_17(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_domain_initializer_args_18(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_disallow_appbase_probe_19(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_configuration_bytes_20(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_serialized_non_primitives_21(),
AppDomainSetup_tF2C6AD0D3A09543EAC7388BD3F6500E8527F63A8::get_offset_of_U3CTargetFrameworkNameU3Ek__BackingField_22(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable280[4] =
{
ArgIterator_tF91CEFF61447A64067263C155A95893E339CF029::get_offset_of_sig_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ArgIterator_tF91CEFF61447A64067263C155A95893E339CF029::get_offset_of_args_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ArgIterator_tF91CEFF61447A64067263C155A95893E339CF029::get_offset_of_next_arg_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
ArgIterator_tF91CEFF61447A64067263C155A95893E339CF029::get_offset_of_num_args_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable281[1] =
{
AssemblyLoadEventArgs_tD98BB6DC3D935FD1EBF381956ECABA2009ADE08F::get_offset_of_m_loadedAssembly_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable284[2] =
{
WindowsConsole_t58EC7E343EDA088F88F23C034CFE1A9C951E3E98_StaticFields::get_offset_of_ctrlHandlerAdded_0(),
WindowsConsole_t58EC7E343EDA088F88F23C034CFE1A9C951E3E98_StaticFields::get_offset_of_cancelHandler_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable286[7] =
{
Console_t79987B1B5914E76054A8CBE506B9E11936A8BC07_StaticFields::get_offset_of_stdout_0(),
Console_t79987B1B5914E76054A8CBE506B9E11936A8BC07_StaticFields::get_offset_of_stderr_1(),
Console_t79987B1B5914E76054A8CBE506B9E11936A8BC07_StaticFields::get_offset_of_stdin_2(),
Console_t79987B1B5914E76054A8CBE506B9E11936A8BC07_StaticFields::get_offset_of_inputEncoding_3(),
Console_t79987B1B5914E76054A8CBE506B9E11936A8BC07_StaticFields::get_offset_of_outputEncoding_4(),
Console_t79987B1B5914E76054A8CBE506B9E11936A8BC07_StaticFields::get_offset_of_cancel_event_5(),
Console_t79987B1B5914E76054A8CBE506B9E11936A8BC07_StaticFields::get_offset_of_cancel_handler_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable287[3] =
{
ConsoleDriver_tFC1E81F456E9440AB760A599AA5BB301BBD12B11_StaticFields::get_offset_of_driver_0(),
ConsoleDriver_tFC1E81F456E9440AB760A599AA5BB301BBD12B11_StaticFields::get_offset_of_is_console_1(),
ConsoleDriver_tFC1E81F456E9440AB760A599AA5BB301BBD12B11_StaticFields::get_offset_of_called_isatty_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable288[3] =
{
DelegateData_t17DD30660E330C49381DAA99F934BE75CB11F288::get_offset_of_target_type_0(),
DelegateData_t17DD30660E330C49381DAA99F934BE75CB11F288::get_offset_of_method_name_1(),
DelegateData_t17DD30660E330C49381DAA99F934BE75CB11F288::get_offset_of_curried_first_arg_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable289[11] =
{
Delegate_t::get_offset_of_method_ptr_0(),
Delegate_t::get_offset_of_invoke_impl_1(),
Delegate_t::get_offset_of_m_target_2(),
Delegate_t::get_offset_of_method_3(),
Delegate_t::get_offset_of_delegate_trampoline_4(),
Delegate_t::get_offset_of_extra_arg_5(),
Delegate_t::get_offset_of_method_code_6(),
Delegate_t::get_offset_of_method_info_7(),
Delegate_t::get_offset_of_original_method_info_8(),
Delegate_t::get_offset_of_data_9(),
Delegate_t::get_offset_of_method_is_virtual_10(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable290[7] =
{
DelegateEntry_tEE26E044FFE7CDC60A1509459E5D4E8AF9CB0FF5::get_offset_of_type_0(),
DelegateEntry_tEE26E044FFE7CDC60A1509459E5D4E8AF9CB0FF5::get_offset_of_assembly_1(),
DelegateEntry_tEE26E044FFE7CDC60A1509459E5D4E8AF9CB0FF5::get_offset_of_target_2(),
DelegateEntry_tEE26E044FFE7CDC60A1509459E5D4E8AF9CB0FF5::get_offset_of_targetTypeAssembly_3(),
DelegateEntry_tEE26E044FFE7CDC60A1509459E5D4E8AF9CB0FF5::get_offset_of_targetTypeName_4(),
DelegateEntry_tEE26E044FFE7CDC60A1509459E5D4E8AF9CB0FF5::get_offset_of_methodName_5(),
DelegateEntry_tEE26E044FFE7CDC60A1509459E5D4E8AF9CB0FF5::get_offset_of_delegateEntry_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable291[1] =
{
DelegateSerializationHolder_tD460EC87221856DCEF7025E9F542510187365417::get_offset_of__delegate_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable292[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable293[1] =
{
SByteEnum_t763C8BF0B780CA53AF0D3AB19F359D3C825972F5::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable294[1] =
{
Int16Enum_t8F38DD869202FA95A59D0B6F6DAEAD2C20DF2D59::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable295[1] =
{
Int32Enum_t9B63F771913F2B6D586F1173B44A41FBE26F6B5C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable296[1] =
{
Int64Enum_t2CE791037BDB61851CB6BA3FBEBAB94E8E873253::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable297[1] =
{
ByteEnum_t39285A9D8C7F88982FF718C04A9FA1AE64827307::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable298[1] =
{
UInt16Enum_tF2B459B3D0051061056FFACAB957767640B848ED::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable299[1] =
{
UInt32Enum_t205AC9FF1DBA9F24788030B596D7BE3A2E808EF1::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable300[1] =
{
UInt64Enum_t94236D49DD46DDA5B4234598664C266AA8E89C6E::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable302[2] =
{
IntPtr_t::get_offset_of_m_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
IntPtr_t_StaticFields::get_offset_of_Zero_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable304[1] =
{
MarshalByRefObject_tD4DF91B488B284F899417EC468D8E50E933306A8::get_offset_of__identity_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable305[6] =
{
MonoAsyncCall_t4BAF695CDD88BF675F1E67C0CF12E3115D3F158E::get_offset_of_msg_0(),
MonoAsyncCall_t4BAF695CDD88BF675F1E67C0CF12E3115D3F158E::get_offset_of_cb_method_1(),
MonoAsyncCall_t4BAF695CDD88BF675F1E67C0CF12E3115D3F158E::get_offset_of_cb_target_2(),
MonoAsyncCall_t4BAF695CDD88BF675F1E67C0CF12E3115D3F158E::get_offset_of_state_3(),
MonoAsyncCall_t4BAF695CDD88BF675F1E67C0CF12E3115D3F158E::get_offset_of_res_4(),
MonoAsyncCall_t4BAF695CDD88BF675F1E67C0CF12E3115D3F158E::get_offset_of_out_args_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable306[2] =
{
AttributeInfo_t66BEC026953AEC2DC867E21ADD1F5BF9E5840A87::get_offset_of__usage_0(),
AttributeInfo_t66BEC026953AEC2DC867E21ADD1F5BF9E5840A87::get_offset_of__inheritanceLevel_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable307[3] =
{
MonoCustomAttrs_t67893E3BB245F2047816008E6CF61ACD3763F5C3_StaticFields::get_offset_of_corlib_0(),
MonoCustomAttrs_t67893E3BB245F2047816008E6CF61ACD3763F5C3_ThreadStaticFields::get_offset_of_usage_cache_1() | THREAD_LOCAL_STATIC_MASK,
MonoCustomAttrs_t67893E3BB245F2047816008E6CF61ACD3763F5C3_StaticFields::get_offset_of_DefaultAttributeUsage_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable308[2] =
{
MonoListItem_t12EB9510366FAE396334B0C3532759C91BBFB09E::get_offset_of_next_0(),
MonoListItem_t12EB9510366FAE396334B0C3532759C91BBFB09E::get_offset_of_data_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable310[1] =
{
MulticastDelegate_t::get_offset_of_delegates_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable311[1] =
{
NullConsoleDriver_t3058C380AC0EE30623EA9DEE30426BEBD5B89A4D_StaticFields::get_offset_of_EmptyConsoleKeyInfo_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable313[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable314[14] =
{
CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C::get_offset_of_UseGroup_0(),
CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C::get_offset_of_DecimalDigits_1(),
CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C::get_offset_of_DecimalPointPos_2(),
CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C::get_offset_of_DecimalTailSharpDigits_3(),
CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C::get_offset_of_IntegerDigits_4(),
CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C::get_offset_of_IntegerHeadSharpDigits_5(),
CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C::get_offset_of_IntegerHeadPos_6(),
CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C::get_offset_of_UseExponent_7(),
CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C::get_offset_of_ExponentDigits_8(),
CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C::get_offset_of_ExponentTailSharpDigits_9(),
CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C::get_offset_of_ExponentNegativeSignOnly_10(),
CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C::get_offset_of_DividePlaces_11(),
CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C::get_offset_of_Percents_12(),
CustomInfo_tE9F55B32A025DC65149CD78B38A80A588AEE5D8C::get_offset_of_Permilles_13(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable315[26] =
{
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24_StaticFields::get_offset_of_MantissaBitsTable_0(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24_StaticFields::get_offset_of_TensExponentTable_1(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24_StaticFields::get_offset_of_DigitLowerTable_2(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24_StaticFields::get_offset_of_DigitUpperTable_3(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24_StaticFields::get_offset_of_TenPowersList_4(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24_StaticFields::get_offset_of_DecHexDigits_5(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24::get_offset_of__nfi_6(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24::get_offset_of__cbuf_7(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24::get_offset_of__NaN_8(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24::get_offset_of__infinity_9(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24::get_offset_of__isCustomFormat_10(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24::get_offset_of__specifierIsUpper_11(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24::get_offset_of__positive_12(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24::get_offset_of__specifier_13(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24::get_offset_of__precision_14(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24::get_offset_of__defPrecision_15(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24::get_offset_of__digitsLen_16(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24::get_offset_of__offset_17(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24::get_offset_of__decPointPos_18(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24::get_offset_of__val1_19(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24::get_offset_of__val2_20(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24::get_offset_of__val3_21(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24::get_offset_of__val4_22(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24::get_offset_of__ind_23(),
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24_ThreadStaticFields::get_offset_of_threadNumberFormatter_24() | THREAD_LOCAL_STATIC_MASK,
NumberFormatter_t048A6D70E54D87C0C5FFA05784436A052F9E6F24_ThreadStaticFields::get_offset_of_userFormatProvider_25() | THREAD_LOCAL_STATIC_MASK,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable317[3] =
{
OperatingSystem_tBB911FE4834884FD79AF78F2B07C19B938491463::get_offset_of__platform_0(),
OperatingSystem_tBB911FE4834884FD79AF78F2B07C19B938491463::get_offset_of__version_1(),
OperatingSystem_tBB911FE4834884FD79AF78F2B07C19B938491463::get_offset_of__servicePack_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable318[8] =
{
PlatformID_tAE7D984C08AF0DB2E5398AAE4842B704DBDDE159::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable319[2] =
{
ResolveEventArgs_tAB226AF199EA6A6E70F4482348AC5AAB2DEFBB3D::get_offset_of_m_Name_1(),
ResolveEventArgs_tAB226AF199EA6A6E70F4482348AC5AAB2DEFBB3D::get_offset_of_m_Requesting_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable321[1] =
{
RuntimeArgumentHandle_t190D798B5562AF53212D00C61A4519F705CBC27A::get_offset_of_args_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable322[1] =
{
RuntimeFieldHandle_t7BE65FC857501059EBAC9772C93B02CD413D9C96::get_offset_of_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable323[1] =
{
RuntimeMethodHandle_t8974037C4FE5F6C3AE7D3731057CDB2891A21C9A::get_offset_of_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable324[1] =
{
RuntimeTypeHandle_tC33965ADA3E041E0C94AF05E5CB527B56482CEF9::get_offset_of_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable325[7] =
{
StringComparison_tCC9F72B9B1E2C3C6D2566DD0D3A61E1621048998::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable326[44] =
{
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03_StaticFields::get_offset_of_native_terminal_size_0(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03_StaticFields::get_offset_of_terminal_size_1(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03_StaticFields::get_offset_of_locations_2(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_reader_3(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_cursorLeft_4(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_cursorTop_5(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_title_6(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_titleFormat_7(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_cursorVisible_8(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_csrVisible_9(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_csrInvisible_10(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_clear_11(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_bell_12(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_term_13(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_stdin_14(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_stdout_15(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_windowWidth_16(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_windowHeight_17(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_bufferHeight_18(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_bufferWidth_19(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_buffer_20(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_readpos_21(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_writepos_22(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_keypadXmit_23(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_keypadLocal_24(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_inited_25(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_initLock_26(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_initKeys_27(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_origPair_28(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_origColors_29(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_cursorAddress_30(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_fgcolor_31(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_setfgcolor_32(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_setbgcolor_33(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_maxColors_34(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_noGetPosition_35(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_keymap_36(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_rootmap_37(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_rl_startx_38(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_rl_starty_39(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_control_characters_40(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03_StaticFields::get_offset_of__consoleColorToAnsiCode_41(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_echobuf_42(),
TermInfoDriver_t4BA3410FC3FAB83D567ADF15C94124D8148A0E03::get_offset_of_echon_43(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable327[2] =
{
FormatParam_tA765680E7894569CC4BDEB5DF722F646311E23EE::get_offset_of__int32_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
FormatParam_tA765680E7894569CC4BDEB5DF722F646311E23EE::get_offset_of__string_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable328[2] =
{
LowLevelStack_t2806989725D172838E82BE0AF369B5FF4A780A89::get_offset_of__arr_0(),
LowLevelStack_t2806989725D172838E82BE0AF369B5FF4A780A89::get_offset_of__count_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable329[1] =
{
ParameterizedStrings_t7D0C78F4AB917B3D3E3AB516CF0EFBE128369937_ThreadStaticFields::get_offset_of__cachedStack_0() | THREAD_LOCAL_STATIC_MASK,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable330[2] =
{
ByteMatcher_t22B28B6FEEDB86326E893675F4C6B5C74E66F5D7::get_offset_of_map_0(),
ByteMatcher_t22B28B6FEEDB86326E893675F4C6B5C74E66F5D7::get_offset_of_starts_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable331[35] =
{
TermInfoNumbers_t8DD3F0D75078B9A6494EC85B5C07995689EE8412::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable332[6] =
{
TermInfoReader_t2E8E4A86C0450CF03E110E870EB8378C7A617F62::get_offset_of_boolSize_0(),
TermInfoReader_t2E8E4A86C0450CF03E110E870EB8378C7A617F62::get_offset_of_numSize_1(),
TermInfoReader_t2E8E4A86C0450CF03E110E870EB8378C7A617F62::get_offset_of_strOffsets_2(),
TermInfoReader_t2E8E4A86C0450CF03E110E870EB8378C7A617F62::get_offset_of_buffer_3(),
TermInfoReader_t2E8E4A86C0450CF03E110E870EB8378C7A617F62::get_offset_of_booleansOffset_4(),
TermInfoReader_t2E8E4A86C0450CF03E110E870EB8378C7A617F62::get_offset_of_intOffset_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable333[396] =
{
TermInfoStrings_tC2CD768002EED548C9D83DCA65B040248D9BD7B5::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable334[1] =
{
TimeZone_t7BDF23D00BD0964D237E34664984422C85EB43F5_StaticFields::get_offset_of_tz_lock_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable335[1] =
{
CurrentSystemTimeZone_t1D374DF5A6A47A1790B1BF8759342E40E0CD129A::get_offset_of_LocalTimeZone_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable336[3] =
{
TimeType_tE37C25AC39BA57BBB8D27E9F20FFED6E4EB9CCDF::get_offset_of_Offset_0(),
TimeType_tE37C25AC39BA57BBB8D27E9F20FFED6E4EB9CCDF::get_offset_of_IsDst_1(),
TimeType_tE37C25AC39BA57BBB8D27E9F20FFED6E4EB9CCDF::get_offset_of_Name_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable337[19] =
{
TypeCode_tCB39BAB5CFB7A1E0BCB521413E3C46B81C31AA7C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable342[2] =
{
Display_tB07FE33B5E37AC259B2FCC8EC820AC5CEDEAC41E::get_offset_of_displayName_0(),
Display_tB07FE33B5E37AC259B2FCC8EC820AC5CEDEAC41E::get_offset_of_internal_name_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable345[2] =
{
ArraySpec_t55EDEFDF074B81F0B487A6A395E21F3111DABF90::get_offset_of_dimensions_0(),
ArraySpec_t55EDEFDF074B81F0B487A6A395E21F3111DABF90::get_offset_of_bound_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable346[1] =
{
PointerSpec_tB19B3428FE50C5A17DB422F2951C51167FB18597::get_offset_of_pointer_level_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable347[4] =
{
DisplayNameFormat_tF42BE9AF429E47348F6DF90A17947869EF4D0077::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable348[7] =
{
TypeSpec_tE9E80FF0411D2895C6D07A09A5B02E65D6AFCF29::get_offset_of_name_0(),
TypeSpec_tE9E80FF0411D2895C6D07A09A5B02E65D6AFCF29::get_offset_of_assembly_name_1(),
TypeSpec_tE9E80FF0411D2895C6D07A09A5B02E65D6AFCF29::get_offset_of_nested_2(),
TypeSpec_tE9E80FF0411D2895C6D07A09A5B02E65D6AFCF29::get_offset_of_generic_params_3(),
TypeSpec_tE9E80FF0411D2895C6D07A09A5B02E65D6AFCF29::get_offset_of_modifier_spec_4(),
TypeSpec_tE9E80FF0411D2895C6D07A09A5B02E65D6AFCF29::get_offset_of_is_byref_5(),
TypeSpec_tE9E80FF0411D2895C6D07A09A5B02E65D6AFCF29::get_offset_of_display_fullname_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable349[2] =
{
UIntPtr_t_StaticFields::get_offset_of_Zero_0(),
UIntPtr_t::get_offset_of__pointer_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable351[20] =
{
Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3::get_offset_of_vt_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3::get_offset_of_wReserved1_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3::get_offset_of_wReserved2_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3::get_offset_of_wReserved3_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3::get_offset_of_llVal_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3::get_offset_of_lVal_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3::get_offset_of_bVal_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3::get_offset_of_iVal_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3::get_offset_of_fltVal_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3::get_offset_of_dblVal_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3::get_offset_of_boolVal_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3::get_offset_of_bstrVal_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3::get_offset_of_cVal_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3::get_offset_of_uiVal_13() + static_cast<int32_t>(sizeof(RuntimeObject)),
Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3::get_offset_of_ulVal_14() + static_cast<int32_t>(sizeof(RuntimeObject)),
Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3::get_offset_of_ullVal_15() + static_cast<int32_t>(sizeof(RuntimeObject)),
Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3::get_offset_of_intVal_16() + static_cast<int32_t>(sizeof(RuntimeObject)),
Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3::get_offset_of_uintVal_17() + static_cast<int32_t>(sizeof(RuntimeObject)),
Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3::get_offset_of_pdispVal_18() + static_cast<int32_t>(sizeof(RuntimeObject)),
Variant_tB3A065A241B47FCB6E70C49943CFD731165999B3::get_offset_of_bRecord_19() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable352[2] =
{
BRECORD_t299169DA96A40F5CFBDB18FBE6AEF30A071C4998::get_offset_of_pvRecord_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
BRECORD_t299169DA96A40F5CFBDB18FBE6AEF30A071C4998::get_offset_of_pRecInfo_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable354[2] =
{
WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76::get_offset_of_isLongReference_0(),
WeakReference_tB8558D16C98417FD98C920C42C0CC5C9FF825C76::get_offset_of_gcHandle_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable355[9] =
{
InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8::get_offset_of_EventType_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8::get_offset_of_KeyDown_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8::get_offset_of_RepeatCount_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8::get_offset_of_VirtualKeyCode_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8::get_offset_of_VirtualScanCode_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8::get_offset_of_Character_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8::get_offset_of_ControlKeyState_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8::get_offset_of_pad1_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
InputRecord_t041607D11686DA35B10AE9E9F71E2448ACDCB1A8::get_offset_of_pad2_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable356[2] =
{
Coord_tC91F4C76F249B7D08375D2F4066B39D2E5B35766::get_offset_of_X_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Coord_tC91F4C76F249B7D08375D2F4066B39D2E5B35766::get_offset_of_Y_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable357[4] =
{
SmallRect_t0A4A1C7A4F34C84275DBF802F4DE0264A45EB43F::get_offset_of_Left_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
SmallRect_t0A4A1C7A4F34C84275DBF802F4DE0264A45EB43F::get_offset_of_Top_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
SmallRect_t0A4A1C7A4F34C84275DBF802F4DE0264A45EB43F::get_offset_of_Right_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
SmallRect_t0A4A1C7A4F34C84275DBF802F4DE0264A45EB43F::get_offset_of_Bottom_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable358[5] =
{
ConsoleScreenBufferInfo_t0884F260F47C08B473A0E54E153E74C6DC540949::get_offset_of_Size_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ConsoleScreenBufferInfo_t0884F260F47C08B473A0E54E153E74C6DC540949::get_offset_of_CursorPosition_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ConsoleScreenBufferInfo_t0884F260F47C08B473A0E54E153E74C6DC540949::get_offset_of_Attribute_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
ConsoleScreenBufferInfo_t0884F260F47C08B473A0E54E153E74C6DC540949::get_offset_of_Window_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
ConsoleScreenBufferInfo_t0884F260F47C08B473A0E54E153E74C6DC540949::get_offset_of_MaxWindowSize_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable359[4] =
{
Handles_t69351434B4566A7EC1ADA622BA26B44D3005E336::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable360[3] =
{
WindowsConsoleDriver_t9BCFD85631535991EF359B3E2AECDBA36ED4F7C2::get_offset_of_inputHandle_0(),
WindowsConsoleDriver_t9BCFD85631535991EF359B3E2AECDBA36ED4F7C2::get_offset_of_outputHandle_1(),
WindowsConsoleDriver_t9BCFD85631535991EF359B3E2AECDBA36ED4F7C2::get_offset_of_defaultAttribute_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable362[7] =
{
AssemblyHashAlgorithm_tAC2C042FAE3F5BCF6BEFA05671C2BE09A85D6E66::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable363[4] =
{
AssemblyVersionCompatibility_t686857D4C42019A45D4309AB80A2517E3D34BEDD::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable365[2] =
{
Decoder_t91B2ED8AEC25AA24D23A00265203BE992B12C370::get_offset_of_m_fallback_0(),
Decoder_t91B2ED8AEC25AA24D23A00265203BE992B12C370::get_offset_of_m_fallbackBuffer_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable366[3] =
{
InternalDecoderBestFitFallback_t059F0AABF14B5871F34FA66582723C76670BF78E::get_offset_of_encoding_4(),
InternalDecoderBestFitFallback_t059F0AABF14B5871F34FA66582723C76670BF78E::get_offset_of_arrayBestFit_5(),
InternalDecoderBestFitFallback_t059F0AABF14B5871F34FA66582723C76670BF78E::get_offset_of_cReplacement_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable367[5] =
{
InternalDecoderBestFitFallbackBuffer_t5ECE18A8B9F5DA1E7B30E39071EF73E2E54C941F::get_offset_of_cBestFit_2(),
InternalDecoderBestFitFallbackBuffer_t5ECE18A8B9F5DA1E7B30E39071EF73E2E54C941F::get_offset_of_iCount_3(),
InternalDecoderBestFitFallbackBuffer_t5ECE18A8B9F5DA1E7B30E39071EF73E2E54C941F::get_offset_of_iSize_4(),
InternalDecoderBestFitFallbackBuffer_t5ECE18A8B9F5DA1E7B30E39071EF73E2E54C941F::get_offset_of_oFallback_5(),
InternalDecoderBestFitFallbackBuffer_t5ECE18A8B9F5DA1E7B30E39071EF73E2E54C941F_StaticFields::get_offset_of_s_InternalSyncObject_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable370[2] =
{
DecoderFallbackException_t05B842E06AEA23EA108BAB05F0B96A77BCCD97DB::get_offset_of_bytesUnknown_18(),
DecoderFallbackException_t05B842E06AEA23EA108BAB05F0B96A77BCCD97DB::get_offset_of_index_19(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable371[4] =
{
DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D::get_offset_of_bIsMicrosoftBestFitFallback_0(),
DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D_StaticFields::get_offset_of_replacementFallback_1(),
DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D_StaticFields::get_offset_of_exceptionFallback_2(),
DecoderFallback_tF86D337D6576E81E5DA285E5673183EBC66DEF8D_StaticFields::get_offset_of_s_InternalSyncObject_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable372[2] =
{
DecoderFallbackBuffer_t236B3D4172A9BAD1C2150ED78958227F8F20C94B::get_offset_of_byteStart_0(),
DecoderFallbackBuffer_t236B3D4172A9BAD1C2150ED78958227F8F20C94B::get_offset_of_charEnd_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable373[4] =
{
DecoderNLS_tE5B1B7D68B698C0B65FBEE94EAE2453FFD3D538A::get_offset_of_m_encoding_2(),
DecoderNLS_tE5B1B7D68B698C0B65FBEE94EAE2453FFD3D538A::get_offset_of_m_mustFlush_3(),
DecoderNLS_tE5B1B7D68B698C0B65FBEE94EAE2453FFD3D538A::get_offset_of_m_throwOnOverflow_4(),
DecoderNLS_tE5B1B7D68B698C0B65FBEE94EAE2453FFD3D538A::get_offset_of_m_bytesUsed_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable374[1] =
{
DecoderReplacementFallback_t8DA345EC4EF3A35A2667365F691EE69408A62130::get_offset_of_strDefault_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable375[3] =
{
DecoderReplacementFallbackBuffer_t11D71E853A1417EAFAEA7A18AB77D176C6E2CB94::get_offset_of_strDefault_2(),
DecoderReplacementFallbackBuffer_t11D71E853A1417EAFAEA7A18AB77D176C6E2CB94::get_offset_of_fallbackCount_3(),
DecoderReplacementFallbackBuffer_t11D71E853A1417EAFAEA7A18AB77D176C6E2CB94::get_offset_of_fallbackIndex_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable376[2] =
{
Encoder_t5095F24D3B1D0F70D08762B980731B9F1ADEE56A::get_offset_of_m_fallback_0(),
Encoder_t5095F24D3B1D0F70D08762B980731B9F1ADEE56A::get_offset_of_m_fallbackBuffer_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable377[2] =
{
InternalEncoderBestFitFallback_t2D50677152BF029FCA77A56F7CA652303E661074::get_offset_of_encoding_4(),
InternalEncoderBestFitFallback_t2D50677152BF029FCA77A56F7CA652303E661074::get_offset_of_arrayBestFit_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable378[5] =
{
InternalEncoderBestFitFallbackBuffer_t7022B7C2AAADADF5C2C7BEA840E8D5190DE53B7B::get_offset_of_cBestFit_7(),
InternalEncoderBestFitFallbackBuffer_t7022B7C2AAADADF5C2C7BEA840E8D5190DE53B7B::get_offset_of_oFallback_8(),
InternalEncoderBestFitFallbackBuffer_t7022B7C2AAADADF5C2C7BEA840E8D5190DE53B7B::get_offset_of_iCount_9(),
InternalEncoderBestFitFallbackBuffer_t7022B7C2AAADADF5C2C7BEA840E8D5190DE53B7B::get_offset_of_iSize_10(),
InternalEncoderBestFitFallbackBuffer_t7022B7C2AAADADF5C2C7BEA840E8D5190DE53B7B_StaticFields::get_offset_of_s_InternalSyncObject_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable381[4] =
{
EncoderFallbackException_tB7D7CA748E82780F0427A7D4B2525185CD72A202::get_offset_of_charUnknown_18(),
EncoderFallbackException_tB7D7CA748E82780F0427A7D4B2525185CD72A202::get_offset_of_charUnknownHigh_19(),
EncoderFallbackException_tB7D7CA748E82780F0427A7D4B2525185CD72A202::get_offset_of_charUnknownLow_20(),
EncoderFallbackException_tB7D7CA748E82780F0427A7D4B2525185CD72A202::get_offset_of_index_21(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable382[4] =
{
EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4::get_offset_of_bIsMicrosoftBestFitFallback_0(),
EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4_StaticFields::get_offset_of_replacementFallback_1(),
EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4_StaticFields::get_offset_of_exceptionFallback_2(),
EncoderFallback_t02AC990075E17EB09F0D7E4831C3B3F264025CC4_StaticFields::get_offset_of_s_InternalSyncObject_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable383[7] =
{
EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0::get_offset_of_charStart_0(),
EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0::get_offset_of_charEnd_1(),
EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0::get_offset_of_encoder_2(),
EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0::get_offset_of_setEncoder_3(),
EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0::get_offset_of_bUsedEncoder_4(),
EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0::get_offset_of_bFallingBack_5(),
EncoderFallbackBuffer_t088B2EDCFB7C53978D7C5F962DE31BE01D6968E0::get_offset_of_iRecursionCount_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable384[5] =
{
EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712::get_offset_of_charLeftOver_2(),
EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712::get_offset_of_m_encoding_3(),
EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712::get_offset_of_m_mustFlush_4(),
EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712::get_offset_of_m_throwOnOverflow_5(),
EncoderNLS_tB071198C3F300408FDED1BD2C822F46A25115712::get_offset_of_m_charsUsed_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable385[1] =
{
EncoderReplacementFallback_t61E36A507D7FA8034B49F86DBE560EC77A6A8418::get_offset_of_strDefault_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable386[3] =
{
EncoderReplacementFallbackBuffer_t478DE6137BD6E7CE7AAA4880F98A71492AB6CE27::get_offset_of_strDefault_7(),
EncoderReplacementFallbackBuffer_t478DE6137BD6E7CE7AAA4880F98A71492AB6CE27::get_offset_of_fallbackCount_8(),
EncoderReplacementFallbackBuffer_t478DE6137BD6E7CE7AAA4880F98A71492AB6CE27::get_offset_of_fallbackIndex_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable387[3] =
{
DefaultEncoder_t015F8B83FAD721CEF8784F8DB5AA2B3A6308153C::get_offset_of_m_encoding_2(),
DefaultEncoder_t015F8B83FAD721CEF8784F8DB5AA2B3A6308153C::get_offset_of_m_hasInitializedEncoding_3(),
DefaultEncoder_t015F8B83FAD721CEF8784F8DB5AA2B3A6308153C::get_offset_of_charLeftOver_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable388[2] =
{
DefaultDecoder_tD4100CA49008DD8B1C8A5F2B6F82215538AD2C0C::get_offset_of_m_encoding_2(),
DefaultDecoder_tD4100CA49008DD8B1C8A5F2B6F82215538AD2C0C::get_offset_of_m_hasInitializedEncoding_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable389[10] =
{
EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A::get_offset_of_chars_0(),
EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A::get_offset_of_charStart_1(),
EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A::get_offset_of_charEnd_2(),
EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A::get_offset_of_charCountResult_3(),
EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A::get_offset_of_enc_4(),
EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A::get_offset_of_decoder_5(),
EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A::get_offset_of_byteStart_6(),
EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A::get_offset_of_byteEnd_7(),
EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A::get_offset_of_bytes_8(),
EncodingCharBuffer_tF095008932F595BDB9EDA64A6442ADC8C4C70B9A::get_offset_of_fallbackBuffer_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable390[10] =
{
EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A::get_offset_of_bytes_0(),
EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A::get_offset_of_byteStart_1(),
EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A::get_offset_of_byteEnd_2(),
EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A::get_offset_of_chars_3(),
EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A::get_offset_of_charStart_4(),
EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A::get_offset_of_charEnd_5(),
EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A::get_offset_of_byteCountResult_6(),
EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A::get_offset_of_enc_7(),
EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A::get_offset_of_encoder_8(),
EncodingByteBuffer_t9E8CFB75576E3C12618B0166A58879A3E68C0C7A::get_offset_of_fallbackBuffer_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable391[16] =
{
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields::get_offset_of_defaultEncoding_0(),
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields::get_offset_of_unicodeEncoding_1(),
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields::get_offset_of_bigEndianUnicode_2(),
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields::get_offset_of_utf7Encoding_3(),
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields::get_offset_of_utf8Encoding_4(),
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields::get_offset_of_utf32Encoding_5(),
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields::get_offset_of_asciiEncoding_6(),
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields::get_offset_of_latin1Encoding_7(),
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields::get_offset_of_encodings_8(),
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827::get_offset_of_m_codePage_9(),
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827::get_offset_of_dataItem_10(),
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827::get_offset_of_m_deserializedFromEverett_11(),
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827::get_offset_of_m_isReadOnly_12(),
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827::get_offset_of_encoderFallback_13(),
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827::get_offset_of_decoderFallback_14(),
Encoding_tE901442411E2E70039D2A4AE77FB81C3D6064827_StaticFields::get_offset_of_s_InternalSyncObject_15(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable393[2] =
{
EncodingProvider_t9032B68D7624B1164911D5084FA25EDE3DCC9DB9_StaticFields::get_offset_of_s_InternalSyncObject_0(),
EncodingProvider_t9032B68D7624B1164911D5084FA25EDE3DCC9DB9_StaticFields::get_offset_of_s_providers_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable394[1] =
{
Latin1Encoding_t4AD383342243272698FF8CC4E6CF093B105DA016_StaticFields::get_offset_of_arrayCharBestFit_16(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable395[11] =
{
StringBuilder_t::get_offset_of_m_ChunkChars_0(),
StringBuilder_t::get_offset_of_m_ChunkPrevious_1(),
StringBuilder_t::get_offset_of_m_ChunkLength_2(),
StringBuilder_t::get_offset_of_m_ChunkOffset_3(),
StringBuilder_t::get_offset_of_m_MaxCapacity_4(),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable396[1] =
{
StringBuilderCache_t43FF29E2107ABA63A4A31EC7399E34D53532BC78_ThreadStaticFields::get_offset_of_CachedInstance_0() | THREAD_LOCAL_STATIC_MASK,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable397[2] =
{
Decoder_tC3DC16951ED8FCF98278FC7F0804070A9C218109::get_offset_of_lastByte_6(),
Decoder_tC3DC16951ED8FCF98278FC7F0804070A9C218109::get_offset_of_lastChar_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable398[4] =
{
UnicodeEncoding_tBB60B97AFC49D6246F28BF16D3E09822FCCACC68::get_offset_of_isThrowException_16(),
UnicodeEncoding_tBB60B97AFC49D6246F28BF16D3E09822FCCACC68::get_offset_of_bigEndian_17(),
UnicodeEncoding_tBB60B97AFC49D6246F28BF16D3E09822FCCACC68::get_offset_of_byteOrderMark_18(),
UnicodeEncoding_tBB60B97AFC49D6246F28BF16D3E09822FCCACC68_StaticFields::get_offset_of_highLowPatternMask_19(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable399[2] =
{
UTF32Decoder_t38867B08AD03138702C713129B79529EC4528DB7::get_offset_of_iChar_6(),
UTF32Decoder_t38867B08AD03138702C713129B79529EC4528DB7::get_offset_of_readByteCount_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable400[3] =
{
UTF32Encoding_t54B51C8FAC5B2EAB4BDFACBBA06DB6117A38D014::get_offset_of_emitUTF32ByteOrderMark_16(),
UTF32Encoding_t54B51C8FAC5B2EAB4BDFACBBA06DB6117A38D014::get_offset_of_isThrowException_17(),
UTF32Encoding_t54B51C8FAC5B2EAB4BDFACBBA06DB6117A38D014::get_offset_of_bigEndian_18(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable401[3] =
{
Decoder_t6C0639E0DF1E52128429AC770CA9F2557A8E54C9::get_offset_of_bits_6(),
Decoder_t6C0639E0DF1E52128429AC770CA9F2557A8E54C9::get_offset_of_bitCount_7(),
Decoder_t6C0639E0DF1E52128429AC770CA9F2557A8E54C9::get_offset_of_firstByte_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable402[2] =
{
Encoder_tF895184EA91019AA3995A8547FD56A3E0D16D1B4::get_offset_of_bits_7(),
Encoder_tF895184EA91019AA3995A8547FD56A3E0D16D1B4::get_offset_of_bitCount_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable404[3] =
{
DecoderUTF7FallbackBuffer_tED3431DB4A6B4F48D1F1433A8E672F8B110D819A::get_offset_of_cFallback_2(),
DecoderUTF7FallbackBuffer_tED3431DB4A6B4F48D1F1433A8E672F8B110D819A::get_offset_of_iCount_3(),
DecoderUTF7FallbackBuffer_tED3431DB4A6B4F48D1F1433A8E672F8B110D819A::get_offset_of_iSize_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable405[4] =
{
UTF7Encoding_tA5454D96973119953BD301F20B9E59C77B5FA076::get_offset_of_base64Bytes_16(),
UTF7Encoding_tA5454D96973119953BD301F20B9E59C77B5FA076::get_offset_of_base64Values_17(),
UTF7Encoding_tA5454D96973119953BD301F20B9E59C77B5FA076::get_offset_of_directEncode_18(),
UTF7Encoding_tA5454D96973119953BD301F20B9E59C77B5FA076::get_offset_of_m_allowOptionals_19(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable406[1] =
{
UTF8Encoder_t3408DBF93D79A981F50954F660E33BA13FE29FD3::get_offset_of_surrogateChar_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable407[1] =
{
UTF8Decoder_tD2359F0F52206B911EBC3222E627191C829F4C65::get_offset_of_bits_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable408[2] =
{
UTF8Encoding_t6EE88BC62116B5328F6CF4E39C9CC49EED2ED282::get_offset_of_emitUTF8Identifier_16(),
UTF8Encoding_t6EE88BC62116B5328F6CF4E39C9CC49EED2ED282::get_offset_of_isThrowException_17(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable409[4] =
{
NormalizationCheck_tE9DFCAFD6FED76B46276F7B228B3E6684EF248DA::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable410[8] =
{
Normalization_t44B7E310FFDD9FE973C492E2964A7C3ABABD213F_StaticFields::get_offset_of_props_0(),
Normalization_t44B7E310FFDD9FE973C492E2964A7C3ABABD213F_StaticFields::get_offset_of_mappedChars_1(),
Normalization_t44B7E310FFDD9FE973C492E2964A7C3ABABD213F_StaticFields::get_offset_of_charMapIndex_2(),
Normalization_t44B7E310FFDD9FE973C492E2964A7C3ABABD213F_StaticFields::get_offset_of_helperIndex_3(),
Normalization_t44B7E310FFDD9FE973C492E2964A7C3ABABD213F_StaticFields::get_offset_of_mapIdxToComposite_4(),
Normalization_t44B7E310FFDD9FE973C492E2964A7C3ABABD213F_StaticFields::get_offset_of_combiningClass_5(),
Normalization_t44B7E310FFDD9FE973C492E2964A7C3ABABD213F_StaticFields::get_offset_of_forLock_6(),
Normalization_t44B7E310FFDD9FE973C492E2964A7C3ABABD213F_StaticFields::get_offset_of_isReady_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable411[4] =
{
EncodingHelper_tC74BF8FA85B5E9051C84B21C3FE278233ED21A3E_StaticFields::get_offset_of_utf8EncodingWithoutMarkers_0(),
EncodingHelper_tC74BF8FA85B5E9051C84B21C3FE278233ED21A3E_StaticFields::get_offset_of_lockobj_1(),
EncodingHelper_tC74BF8FA85B5E9051C84B21C3FE278233ED21A3E_StaticFields::get_offset_of_i18nAssembly_2(),
EncodingHelper_tC74BF8FA85B5E9051C84B21C3FE278233ED21A3E_StaticFields::get_offset_of_i18nDisabled_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable412[5] =
{
NormalizationForm_tCCA9D5E33FA919BB4CA5AC071CE95B428F1BC91E::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable413[1] =
{
FastResourceComparer_tB7209D9F84211D726E260A068C0C6C82E290DD3D_StaticFields::get_offset_of_Default_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable414[1] =
{
FileBasedResourceGroveler_t5B18F88DB937DAFCD0D1312FB1F52AC8CC28D805::get_offset_of__mediator_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable417[1] =
{
ManifestBasedResourceGroveler_t9C99FB753107EC7B31BC4B0564545A3B0F912483::get_offset_of__mediator_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable419[2] =
{
NeutralResourcesLanguageAttribute_t14C9436446C8E9EB3C2244D386AF1C84ADC80FB2::get_offset_of__culture_0(),
NeutralResourcesLanguageAttribute_t14C9436446C8E9EB3C2244D386AF1C84ADC80FB2::get_offset_of__fallbackLoc_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable421[1] =
{
ResourceManagerMediator_t8562CDD205C5617282C599DB2E52D0440602903C::get_offset_of__rm_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable422[18] =
{
ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A::get_offset_of_ResourceSets_0(),
ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A::get_offset_of__resourceSets_1(),
ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A::get_offset_of_MainAssembly_2(),
ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A::get_offset_of__neutralResourcesCulture_3(),
ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A::get_offset_of__lastUsedResourceCache_4(),
ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A::get_offset_of_UseManifest_5(),
ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A::get_offset_of_UseSatelliteAssem_6(),
ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A::get_offset_of__fallbackLoc_7(),
ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A::get_offset_of__callingAssembly_8(),
ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A::get_offset_of_m_callingAssembly_9(),
ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A::get_offset_of_resourceGroveler_10(),
ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A_StaticFields::get_offset_of_MagicNumber_11(),
ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A_StaticFields::get_offset_of_HeaderVersionNumber_12(),
ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A_StaticFields::get_offset_of__minResourceSet_13(),
ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A_StaticFields::get_offset_of_ResReaderTypeName_14(),
ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A_StaticFields::get_offset_of_ResSetTypeName_15(),
ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A_StaticFields::get_offset_of_MscorlibName_16(),
ResourceManager_t015B887ECBCB2AEE41F774C390F25EB507B06B8A_StaticFields::get_offset_of_DEBUG_17(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable423[2] =
{
ResourceLocator_t3D496606F94367D5D6B24DA9DC0A3B46E6B53B11::get_offset_of__value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ResourceLocator_t3D496606F94367D5D6B24DA9DC0A3B46E6B53B11::get_offset_of__dataPos_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable424[4] =
{
ResourceEnumerator_t294F4937CEAB5CA70E284536DA9645E2900FC0C1::get_offset_of__reader_0(),
ResourceEnumerator_t294F4937CEAB5CA70E284536DA9645E2900FC0C1::get_offset_of__currentIsValid_1(),
ResourceEnumerator_t294F4937CEAB5CA70E284536DA9645E2900FC0C1::get_offset_of__currentName_2(),
ResourceEnumerator_t294F4937CEAB5CA70E284536DA9645E2900FC0C1::get_offset_of__dataPosition_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable425[14] =
{
ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492::get_offset_of__store_0(),
ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492::get_offset_of__resCache_1(),
ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492::get_offset_of__nameSectionOffset_2(),
ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492::get_offset_of__dataSectionOffset_3(),
ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492::get_offset_of__nameHashes_4(),
ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492::get_offset_of__nameHashesPtr_5(),
ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492::get_offset_of__namePositions_6(),
ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492::get_offset_of__namePositionsPtr_7(),
ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492::get_offset_of__typeTable_8(),
ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492::get_offset_of__typeNamePositions_9(),
ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492::get_offset_of__objFormatter_10(),
ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492::get_offset_of__numResources_11(),
ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492::get_offset_of__ums_12(),
ResourceReader_tC8A3D1DC4FDF2CBC92782B9BD71194279D655492::get_offset_of__version_13(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable426[3] =
{
ResourceSet_t04B4806442F31EFE5374C485BB883BBA6F75566F::get_offset_of_Reader_0(),
ResourceSet_t04B4806442F31EFE5374C485BB883BBA6F75566F::get_offset_of_Table_1(),
ResourceSet_t04B4806442F31EFE5374C485BB883BBA6F75566F::get_offset_of__caseInsensitiveTable_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable427[22] =
{
ResourceTypeCode_t4AE457F699E48FF36523029D776124B4264B570C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable428[5] =
{
0,
RuntimeResourceSet_tE6CEE5AD87FD9B32ABB7C6738D4B04104FE5CE3A::get_offset_of__resCache_4(),
RuntimeResourceSet_tE6CEE5AD87FD9B32ABB7C6738D4B04104FE5CE3A::get_offset_of__defaultReader_5(),
RuntimeResourceSet_tE6CEE5AD87FD9B32ABB7C6738D4B04104FE5CE3A::get_offset_of__caseInsensitiveTable_6(),
RuntimeResourceSet_tE6CEE5AD87FD9B32ABB7C6738D4B04104FE5CE3A::get_offset_of__haveReadFromReader_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable429[1] =
{
SatelliteContractVersionAttribute_tA77BDC45FEEFE11823E95476FC8AE60B007906D2::get_offset_of__version_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable430[3] =
{
UltimateResourceFallbackLocation_tA4EBEA627CD0C386314EBB60D7A4225C435D0F0B::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable434[1] =
{
AssemblyCopyrightAttribute_tA6A09319EF50B48D962810032000DEE7B12904EC::get_offset_of_m_copyright_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable435[1] =
{
AssemblyTrademarkAttribute_t0602679435F8EBECC5DDB55CFE3A7A4A4CA2B5E2::get_offset_of_m_trademark_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable436[1] =
{
AssemblyProductAttribute_t6BB0E0F76C752E14A4C26B4D1E230019068601CA::get_offset_of_m_product_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable437[1] =
{
AssemblyCompanyAttribute_t642AAB097D7DEAAB623BEBE4664327E9B01D1DE4::get_offset_of_m_company_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable438[1] =
{
AssemblyDescriptionAttribute_tF4460CCB289F6E2F71841792BBC7E6907DF612B3::get_offset_of_m_description_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable439[1] =
{
AssemblyTitleAttribute_tABB894D0792C7F307694CC796C8AE5D6A20382E7::get_offset_of_m_title_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable440[1] =
{
AssemblyConfigurationAttribute_t071B324A83314FBA14A43F37BE7206C420218B7C::get_offset_of_m_configuration_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable441[1] =
{
AssemblyDefaultAliasAttribute_tBED24B7B2D875CB2BD712ABC4099024C2505B7AA::get_offset_of_m_defaultAlias_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable442[1] =
{
AssemblyInformationalVersionAttribute_t962229DBE84C4A66FB0B542E9AEBC510F55950D0::get_offset_of_m_informationalVersion_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable443[1] =
{
AssemblyFileVersionAttribute_tCC1036D0566155DC5688D9230EF3C07D82A1896F::get_offset_of__version_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable444[1] =
{
AssemblyKeyFileAttribute_tEF26145AA8A5F35C218FE543113825F133CC6253::get_offset_of_m_keyFile_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable445[1] =
{
AssemblyDelaySignAttribute_tB66445498441723DC06E545FAA1CF0F128A1FE38::get_offset_of_m_delaySign_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable446[6] =
{
AssemblyNameFlags_t18020151897CB7FD3FA390EE3999ECCA3FEA7622::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable447[3] =
{
AssemblyContentType_t3D610214A4025EDAEA27C569340C2AC5B0B828AE::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable448[7] =
{
ProcessorArchitecture_t80DDC787E34DBB9769E1CA90689FDB0131D60AAB::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable450[21] =
{
BindingFlags_tAAAB07D9AC588F0D55D844E51D7035E96DF94733::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable451[6] =
{
CallingConventions_t9EE04367ABED67A03DB2971F80F83D3EBA9C04E0::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable452[1] =
{
DefaultMemberAttribute_t8C9B3330DEA69EE364962477FF14FD2CFE30D4B5::get_offset_of_m_memberName_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable453[5] =
{
EventAttributes_tB9D0F1AFC5F87943B08F651B84B33029A69ACF23::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable454[20] =
{
FieldAttributes_tEB0BC525FE67F2A6591D21D668E1564C91ADD52B::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable455[9] =
{
GenericParameterAttributes_t9B99651DEB2A0F5909E135A8A1011237D3DF50CB::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable460[23] =
{
PInvokeAttributes_tEB10F99146CE38810C489B1CA3BF7225568EDD15::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable463[6] =
{
MemberInfoSerializationHolder_tBBDB4F481704D2A4F3BACBB96B08386C88EEC0C7::get_offset_of_m_memberName_0(),
MemberInfoSerializationHolder_tBBDB4F481704D2A4F3BACBB96B08386C88EEC0C7::get_offset_of_m_reflectedType_1(),
MemberInfoSerializationHolder_tBBDB4F481704D2A4F3BACBB96B08386C88EEC0C7::get_offset_of_m_signature_2(),
MemberInfoSerializationHolder_tBBDB4F481704D2A4F3BACBB96B08386C88EEC0C7::get_offset_of_m_signature2_3(),
MemberInfoSerializationHolder_tBBDB4F481704D2A4F3BACBB96B08386C88EEC0C7::get_offset_of_m_memberType_4(),
MemberInfoSerializationHolder_tBBDB4F481704D2A4F3BACBB96B08386C88EEC0C7::get_offset_of_m_info_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable464[10] =
{
MemberTypes_tA4C0F24E8DE2439AA9E716F96FF8D394F26A5EDE::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable465[25] =
{
MethodAttributes_t1978E962D7528E48D6BCFCECE50B014A91AAAB85::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable467[5] =
{
ExceptionHandlingClauseOptions_tFDAF45D6BDAD055E7F90C79FDFB16DC7DF9259ED::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable468[17] =
{
MethodImplAttributes_t01BE592D8A1DFBF4C959509F244B5B53F8235C15::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable470[1] =
{
Missing_t053C7B066255E5D0AC65556F9D4C9AF83D4B1BA2_StaticFields::get_offset_of_Value_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable471[12] =
{
ParameterAttributes_t79BD378DEC3F187D9773B9A4EDE573866E930218::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable472[1] =
{
ParameterModifier_tC1C793BD8B003B24010657487AFD17A4BA3DF6EA::get_offset_of__byRef_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable473[2] =
{
Pointer_t97714CA5B772F5B09030CBEEBD58AAEBDE819DAF::get_offset_of__ptr_0(),
Pointer_t97714CA5B772F5B09030CBEEBD58AAEBDE819DAF::get_offset_of__ptrType_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable474[9] =
{
PropertyAttributes_tD4697434E7DA092DDE18E7D5863B2BC2EA5CD3C1::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable475[2] =
{
ReflectionTypeLoadException_tF7B3556875F394EC77B674893C9322FA1DC21F6C::get_offset_of__classes_17(),
ReflectionTypeLoadException_tF7B3556875F394EC77B674893C9322FA1DC21F6C::get_offset_of__exceptions_18(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable479[33] =
{
TypeAttributes_tFFF101857AC57180CED728A4371F4214F8C67410::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable483[10] =
{
Assembly_t::get_offset_of__mono_assembly_0(),
Assembly_t::get_offset_of_resolve_event_holder_1(),
Assembly_t::get_offset_of__evidence_2(),
Assembly_t::get_offset_of__minimum_3(),
Assembly_t::get_offset_of__optional_4(),
Assembly_t::get_offset_of__refuse_5(),
Assembly_t::get_offset_of__granted_6(),
Assembly_t::get_offset_of__denied_7(),
Assembly_t::get_offset_of_fromByteArray_8(),
Assembly_t::get_offset_of_assemblyName_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable484[16] =
{
AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824::get_offset_of_name_0(),
AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824::get_offset_of_codebase_1(),
AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824::get_offset_of_major_2(),
AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824::get_offset_of_minor_3(),
AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824::get_offset_of_build_4(),
AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824::get_offset_of_revision_5(),
AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824::get_offset_of_cultureinfo_6(),
AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824::get_offset_of_flags_7(),
AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824::get_offset_of_hashalg_8(),
AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824::get_offset_of_keypair_9(),
AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824::get_offset_of_publicKey_10(),
AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824::get_offset_of_keyToken_11(),
AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824::get_offset_of_versioncompat_12(),
AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824::get_offset_of_version_13(),
AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824::get_offset_of_processor_architecture_14(),
AssemblyName_t066E458E26373ECD644F79643E9D4483212C9824::get_offset_of_contentType_15(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable485[2] =
{
ConstructorInfo_t449AEC508DCA508EE46784C4F2716545488ACD5B_StaticFields::get_offset_of_ConstructorName_0(),
ConstructorInfo_t449AEC508DCA508EE46784C4F2716545488ACD5B_StaticFields::get_offset_of_TypeConstructorName_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable486[3] =
{
LazyCAttrData_tD37F889F6B356AF76AB242D449CAEEFAE826F8C3::get_offset_of_assembly_0(),
LazyCAttrData_tD37F889F6B356AF76AB242D449CAEEFAE826F8C3::get_offset_of_data_1(),
LazyCAttrData_tD37F889F6B356AF76AB242D449CAEEFAE826F8C3::get_offset_of_data_length_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable487[4] =
{
CustomAttributeData_t4F8D66DDB6D3F7E8C39AF85752A0CC9679A4CE85::get_offset_of_ctorInfo_0(),
CustomAttributeData_t4F8D66DDB6D3F7E8C39AF85752A0CC9679A4CE85::get_offset_of_ctorArgs_1(),
CustomAttributeData_t4F8D66DDB6D3F7E8C39AF85752A0CC9679A4CE85::get_offset_of_namedArgs_2(),
CustomAttributeData_t4F8D66DDB6D3F7E8C39AF85752A0CC9679A4CE85::get_offset_of_lazyData_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable489[2] =
{
CustomAttributeNamedArgument_t618778691CF7F5B44F7177210A817A29D3DAEDDA::get_offset_of_typedArgument_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
CustomAttributeNamedArgument_t618778691CF7F5B44F7177210A817A29D3DAEDDA::get_offset_of_memberInfo_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable490[2] =
{
CustomAttributeTypedArgument_tE7152E8FACDD29A8E0040E151C86F436FA8E6910::get_offset_of_argumentType_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
CustomAttributeTypedArgument_tE7152E8FACDD29A8E0040E151C86F436FA8E6910::get_offset_of_value_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable492[1] =
{
EventInfo_t::get_offset_of_cached_add_event_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable493[7] =
{
ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104::get_offset_of_catch_type_0(),
ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104::get_offset_of_filter_offset_1(),
ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104::get_offset_of_flags_2(),
ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104::get_offset_of_try_offset_3(),
ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104::get_offset_of_try_length_4(),
ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104::get_offset_of_handler_offset_5(),
ExceptionHandlingClause_t5ECB535787E9B1D0DF95061E051CAEDDBB363104::get_offset_of_handler_length_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable495[3] =
{
LocalVariableInfo_t886B53D36BA0B4BA37FEEB6DB4834A6933FDAF61::get_offset_of_type_0(),
LocalVariableInfo_t886B53D36BA0B4BA37FEEB6DB4834A6933FDAF61::get_offset_of_is_pinned_1(),
LocalVariableInfo_t886B53D36BA0B4BA37FEEB6DB4834A6933FDAF61::get_offset_of_position_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable496[6] =
{
MethodBody_t994D7AC5F4F2C64BBDFA87CF62D9520EDBC44975::get_offset_of_clauses_0(),
MethodBody_t994D7AC5F4F2C64BBDFA87CF62D9520EDBC44975::get_offset_of_locals_1(),
MethodBody_t994D7AC5F4F2C64BBDFA87CF62D9520EDBC44975::get_offset_of_il_2(),
MethodBody_t994D7AC5F4F2C64BBDFA87CF62D9520EDBC44975::get_offset_of_init_locals_3(),
MethodBody_t994D7AC5F4F2C64BBDFA87CF62D9520EDBC44975::get_offset_of_sig_token_4(),
MethodBody_t994D7AC5F4F2C64BBDFA87CF62D9520EDBC44975::get_offset_of_max_stack_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable497[10] =
{
Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7_StaticFields::get_offset_of_FilterTypeName_0(),
Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7_StaticFields::get_offset_of_FilterTypeNameIgnoreCase_1(),
Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7::get_offset_of__impl_2(),
Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7::get_offset_of_assembly_3(),
Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7::get_offset_of_fqname_4(),
Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7::get_offset_of_name_5(),
Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7::get_offset_of_scopename_6(),
Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7::get_offset_of_is_resource_7(),
Module_tAAF0DBC4FB20AB46035441C66C41A8DB813C8CD7::get_offset_of_token_8(),
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable500[8] =
{
MonoEventInfo_t0748824AF7D8732CE1A1D0F67436972A448CB59F::get_offset_of_declaring_type_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoEventInfo_t0748824AF7D8732CE1A1D0F67436972A448CB59F::get_offset_of_reflected_type_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoEventInfo_t0748824AF7D8732CE1A1D0F67436972A448CB59F::get_offset_of_name_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoEventInfo_t0748824AF7D8732CE1A1D0F67436972A448CB59F::get_offset_of_add_method_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoEventInfo_t0748824AF7D8732CE1A1D0F67436972A448CB59F::get_offset_of_remove_method_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoEventInfo_t0748824AF7D8732CE1A1D0F67436972A448CB59F::get_offset_of_raise_method_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoEventInfo_t0748824AF7D8732CE1A1D0F67436972A448CB59F::get_offset_of_attrs_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoEventInfo_t0748824AF7D8732CE1A1D0F67436972A448CB59F::get_offset_of_other_methods_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable502[2] =
{
MonoEvent_t::get_offset_of_klass_1(),
MonoEvent_t::get_offset_of_handle_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable505[5] =
{
MonoField_t::get_offset_of_klass_0(),
MonoField_t::get_offset_of_fhandle_1(),
MonoField_t::get_offset_of_name_2(),
MonoField_t::get_offset_of_type_3(),
MonoField_t::get_offset_of_attrs_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable506[5] =
{
MonoMethodInfo_tE93FDE712D5034241FFC36C41D315D9EDD2C2D38::get_offset_of_parent_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoMethodInfo_tE93FDE712D5034241FFC36C41D315D9EDD2C2D38::get_offset_of_ret_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoMethodInfo_tE93FDE712D5034241FFC36C41D315D9EDD2C2D38::get_offset_of_attrs_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoMethodInfo_tE93FDE712D5034241FFC36C41D315D9EDD2C2D38::get_offset_of_iattrs_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoMethodInfo_tE93FDE712D5034241FFC36C41D315D9EDD2C2D38::get_offset_of_callconv_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable508[3] =
{
MonoMethod_t::get_offset_of_mhandle_0(),
MonoMethod_t::get_offset_of_name_1(),
MonoMethod_t::get_offset_of_reftype_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable510[3] =
{
MonoCMethod_t5591743036BD4964AD4CFC5C5FE5F945E9E44097::get_offset_of_mhandle_2(),
MonoCMethod_t5591743036BD4964AD4CFC5C5FE5F945E9E44097::get_offset_of_name_3(),
MonoCMethod_t5591743036BD4964AD4CFC5C5FE5F945E9E44097::get_offset_of_reftype_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable515[6] =
{
MonoPropertyInfo_tA5A058F3C4CD862912818E54A4B6152F21433B82::get_offset_of_parent_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoPropertyInfo_tA5A058F3C4CD862912818E54A4B6152F21433B82::get_offset_of_declaring_type_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoPropertyInfo_tA5A058F3C4CD862912818E54A4B6152F21433B82::get_offset_of_name_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoPropertyInfo_tA5A058F3C4CD862912818E54A4B6152F21433B82::get_offset_of_get_method_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoPropertyInfo_tA5A058F3C4CD862912818E54A4B6152F21433B82::get_offset_of_set_method_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoPropertyInfo_tA5A058F3C4CD862912818E54A4B6152F21433B82::get_offset_of_attrs_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable516[7] =
{
PInfo_tA2A7DDE9FEBB5094D5B84BD73638EDAFC2689635::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable521[5] =
{
MonoProperty_t::get_offset_of_klass_0(),
MonoProperty_t::get_offset_of_prop_1(),
MonoProperty_t::get_offset_of_info_2(),
MonoProperty_t::get_offset_of_cached_3(),
MonoProperty_t::get_offset_of_cached_getter_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable522[7] =
{
ParameterInfo_t9D9DBDD93E685815E35F4F6D6F58E90EBC8852B7::get_offset_of_ClassImpl_0(),
ParameterInfo_t9D9DBDD93E685815E35F4F6D6F58E90EBC8852B7::get_offset_of_DefaultValueImpl_1(),
ParameterInfo_t9D9DBDD93E685815E35F4F6D6F58E90EBC8852B7::get_offset_of_MemberImpl_2(),
ParameterInfo_t9D9DBDD93E685815E35F4F6D6F58E90EBC8852B7::get_offset_of_NameImpl_3(),
ParameterInfo_t9D9DBDD93E685815E35F4F6D6F58E90EBC8852B7::get_offset_of_PositionImpl_4(),
ParameterInfo_t9D9DBDD93E685815E35F4F6D6F58E90EBC8852B7::get_offset_of_AttrsImpl_5(),
ParameterInfo_t9D9DBDD93E685815E35F4F6D6F58E90EBC8852B7::get_offset_of_marshalAs_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable524[4] =
{
StrongNameKeyPair_tCA4C0AB8B98C6C03134BC8AB17DD4C76D8091FDF::get_offset_of__publicKey_0(),
StrongNameKeyPair_tCA4C0AB8B98C6C03134BC8AB17DD4C76D8091FDF::get_offset_of__keyPairContainer_1(),
StrongNameKeyPair_tCA4C0AB8B98C6C03134BC8AB17DD4C76D8091FDF::get_offset_of__keyPairExported_2(),
StrongNameKeyPair_tCA4C0AB8B98C6C03134BC8AB17DD4C76D8091FDF::get_offset_of__keyPairArray_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable533[4] =
{
LocalBuilder_t7D66C7BAA00271B00F8FDBE1F3D85A6223E99E16::get_offset_of_name_3(),
LocalBuilder_t7D66C7BAA00271B00F8FDBE1F3D85A6223E99E16::get_offset_of_ilgen_4(),
LocalBuilder_t7D66C7BAA00271B00F8FDBE1F3D85A6223E99E16::get_offset_of_startOffset_5(),
LocalBuilder_t7D66C7BAA00271B00F8FDBE1F3D85A6223E99E16::get_offset_of_endOffset_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable539[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable542[10] =
{
BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128::get_offset_of_m_stream_0(),
BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128::get_offset_of_m_buffer_1(),
BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128::get_offset_of_m_decoder_2(),
BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128::get_offset_of_m_charBytes_3(),
BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128::get_offset_of_m_singleChar_4(),
BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128::get_offset_of_m_charBuffer_5(),
BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128::get_offset_of_m_maxCharsSize_6(),
BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128::get_offset_of_m_2BytesPerChar_7(),
BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128::get_offset_of_m_isMemoryStream_8(),
BinaryReader_t4F45C15FF44F8E1C105704A21FFBE58D60015128::get_offset_of_m_leaveOpen_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable543[8] =
{
BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F_StaticFields::get_offset_of_Null_0(),
BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F::get_offset_of_OutStream_1(),
BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F::get_offset_of__buffer_2(),
BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F::get_offset_of__encoding_3(),
BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F::get_offset_of__encoder_4(),
BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F::get_offset_of__leaveOpen_5(),
BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F::get_offset_of__largeByteBuffer_6(),
BinaryWriter_t70074014C7FE27CD9F7500C3F02C4AB61D35554F::get_offset_of__maxChars_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable544[3] =
{
SearchData_t96E91410F24E0F7642D8E79E2941BC08C5928FA5::get_offset_of_fullPath_0(),
SearchData_t96E91410F24E0F7642D8E79E2941BC08C5928FA5::get_offset_of_userPath_1(),
SearchData_t96E91410F24E0F7642D8E79E2941BC08C5928FA5::get_offset_of_searchOption_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable549[2] =
{
FileLoadException_tBC0C288BF22D1EC6368CA47EDC597624C7A804CC::get_offset_of__fileName_18(),
FileLoadException_tBC0C288BF22D1EC6368CA47EDC597624C7A804CC::get_offset_of__fusionLog_19(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable550[2] =
{
FileNotFoundException_tD3939F67D0DF6571BFEDB3656CF7A4EB5AC65AC8::get_offset_of__fileName_18(),
FileNotFoundException_tD3939F67D0DF6571BFEDB3656CF7A4EB5AC65AC8::get_offset_of__fusionLog_19(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable552[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable553[12] =
{
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable555[2] =
{
StringResultHandler_t4FFFE75CE7D0BA0CE8DEBFFBEBEE0219E61D40C5::get_offset_of__includeFiles_0(),
StringResultHandler_t4FFFE75CE7D0BA0CE8DEBFFBEBEE0219E61D40C5::get_offset_of__includeDirs_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable556[3] =
{
SearchResult_t01645319F2B5E9C2948FE1F409A4450F4512880A::get_offset_of_fullPath_0(),
SearchResult_t01645319F2B5E9C2948FE1F409A4450F4512880A::get_offset_of_userPath_1(),
SearchResult_t01645319F2B5E9C2948FE1F409A4450F4512880A::get_offset_of_findData_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable558[5] =
{
FileSystemInfo_t4479D65BB34DEAFCDA2A98F8B797D7C19EFDA246::get_offset_of__data_1(),
FileSystemInfo_t4479D65BB34DEAFCDA2A98F8B797D7C19EFDA246::get_offset_of__dataInitialised_2(),
FileSystemInfo_t4479D65BB34DEAFCDA2A98F8B797D7C19EFDA246::get_offset_of_FullPath_3(),
FileSystemInfo_t4479D65BB34DEAFCDA2A98F8B797D7C19EFDA246::get_offset_of_OriginalPath_4(),
FileSystemInfo_t4479D65BB34DEAFCDA2A98F8B797D7C19EFDA246::get_offset_of__displayPath_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable559[1] =
{
IOException_t09E5C01DA4748C36D703728C4668C5CDF3882EBA::get_offset_of__maybeFullPath_17(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable560[10] =
{
MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C::get_offset_of__buffer_4(),
MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C::get_offset_of__origin_5(),
MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C::get_offset_of__position_6(),
MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C::get_offset_of__length_7(),
MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C::get_offset_of__capacity_8(),
MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C::get_offset_of__expandable_9(),
MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C::get_offset_of__writable_10(),
MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C::get_offset_of__exposable_11(),
MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C::get_offset_of__isOpen_12(),
MemoryStream_t0B450399DD6D0175074FED99DD321D65771C9E1C::get_offset_of__lastReadTask_13(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable562[2] =
{
PinnedBufferMemoryStream_tDB1B8D639F3D8F7E60BA9E050BC48C575E573E78::get_offset_of__array_12(),
PinnedBufferMemoryStream_tDB1B8D639F3D8F7E60BA9E050BC48C575E573E78::get_offset_of__pinningHandle_13(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable563[8] =
{
ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974::get_offset_of__isRead_25(),
ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974::get_offset_of__stream_26(),
ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974::get_offset_of__buffer_27(),
ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974::get_offset_of__offset_28(),
ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974::get_offset_of__count_29(),
ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974::get_offset_of__callback_30(),
ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974::get_offset_of__context_31(),
ReadWriteTask_t32CD2C230786712954C1DB518DBE420A1F4C7974_StaticFields::get_offset_of_s_invokeAsyncCallback_32(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable565[2] =
{
U3CU3Ec_t0B9BA392160C64553C28F93C014479CD7CDC88CB_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_t0B9BA392160C64553C28F93C014479CD7CDC88CB_StaticFields::get_offset_of_U3CU3E9__12_0_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable566[6] =
{
SynchronousAsyncResult_tB356BE7E9E910B37D095E422E8B012ED3F6C04E6::get_offset_of__stateObject_0(),
SynchronousAsyncResult_tB356BE7E9E910B37D095E422E8B012ED3F6C04E6::get_offset_of__isWrite_1(),
SynchronousAsyncResult_tB356BE7E9E910B37D095E422E8B012ED3F6C04E6::get_offset_of__waitHandle_2(),
SynchronousAsyncResult_tB356BE7E9E910B37D095E422E8B012ED3F6C04E6::get_offset_of__exceptionInfo_3(),
SynchronousAsyncResult_tB356BE7E9E910B37D095E422E8B012ED3F6C04E6::get_offset_of__endXxxCalled_4(),
SynchronousAsyncResult_tB356BE7E9E910B37D095E422E8B012ED3F6C04E6::get_offset_of__bytesRead_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable567[5] =
{
U3CU3Ec_t8E2310BF5B8643372A8753716E0D339210883CAC_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_t8E2310BF5B8643372A8753716E0D339210883CAC_StaticFields::get_offset_of_U3CU3E9__4_0_1(),
U3CU3Ec_t8E2310BF5B8643372A8753716E0D339210883CAC_StaticFields::get_offset_of_U3CU3E9__39_0_2(),
U3CU3Ec_t8E2310BF5B8643372A8753716E0D339210883CAC_StaticFields::get_offset_of_U3CU3E9__46_0_3(),
U3CU3Ec_t8E2310BF5B8643372A8753716E0D339210883CAC_StaticFields::get_offset_of_U3CU3E9__47_0_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable568[3] =
{
Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB_StaticFields::get_offset_of_Null_1(),
Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB::get_offset_of__activeReadWriteTask_2(),
Stream_t5DC87DD578C2C5298D98E7802E92DEABB66E2ECB::get_offset_of__asyncActiveSemaphore_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable570[17] =
{
StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3_StaticFields::get_offset_of_Null_4(),
StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3::get_offset_of_stream_5(),
StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3::get_offset_of_encoding_6(),
StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3::get_offset_of_decoder_7(),
StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3::get_offset_of_byteBuffer_8(),
StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3::get_offset_of_charBuffer_9(),
StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3::get_offset_of__preamble_10(),
StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3::get_offset_of_charPos_11(),
StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3::get_offset_of_charLen_12(),
StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3::get_offset_of_byteLen_13(),
StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3::get_offset_of_bytePos_14(),
StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3::get_offset_of__maxCharsPerBuffer_15(),
StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3::get_offset_of__detectEncoding_16(),
StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3::get_offset_of__checkPreamble_17(),
StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3::get_offset_of__isBlocked_18(),
StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3::get_offset_of__closable_19(),
StreamReader_tA857ACC7ABF9AA4638E1291E6D2539C14D2963D3::get_offset_of__asyncReadTask_20(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable571[13] =
{
StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6_StaticFields::get_offset_of_Null_11(),
StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6::get_offset_of_stream_12(),
StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6::get_offset_of_encoding_13(),
StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6::get_offset_of_encoder_14(),
StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6::get_offset_of_byteBuffer_15(),
StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6::get_offset_of_charBuffer_16(),
StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6::get_offset_of_charPos_17(),
StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6::get_offset_of_charLen_18(),
StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6::get_offset_of_autoFlush_19(),
StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6::get_offset_of_haveWrittenPreamble_20(),
StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6::get_offset_of_closable_21(),
StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6::get_offset_of__asyncWriteTask_22(),
StreamWriter_t3E267B7F3C9522AF936C26ABF158398BB779FAF6_StaticFields::get_offset_of__UTF8NoBOM_23(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable572[3] =
{
StringReader_t74E352C280EAC22C878867444978741F19E1F895::get_offset_of__s_4(),
StringReader_t74E352C280EAC22C878867444978741F19E1F895::get_offset_of__pos_5(),
StringReader_t74E352C280EAC22C878867444978741F19E1F895::get_offset_of__length_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable574[1] =
{
SyncTextReader_tA4C7DEEF5A129E5D1287BDE2D5335AD7F8EEAA84::get_offset_of__in_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable575[1] =
{
U3CU3Ec_t5ECA46CBAA9AA77646C20CB57E986587D87A71BF_StaticFields::get_offset_of_U3CU3E9_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable576[3] =
{
TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F_StaticFields::get_offset_of__ReadLineDelegate_1(),
TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F_StaticFields::get_offset_of__ReadDelegate_2(),
TextReader_t25B06DCA1906FEAD02150DB14313EBEA4CD78D2F_StaticFields::get_offset_of_Null_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable578[1] =
{
SyncTextWriter_t4B1FF6119ABECE598E0666C85337FA3F11FF785D::get_offset_of__out_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable579[1] =
{
U3CU3Ec_t1A707D491A359996794A63E517A0665899B4893A_StaticFields::get_offset_of_U3CU3E9_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable580[10] =
{
TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643_StaticFields::get_offset_of_Null_1(),
TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643_StaticFields::get_offset_of__WriteCharDelegate_2(),
TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643_StaticFields::get_offset_of__WriteStringDelegate_3(),
TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643_StaticFields::get_offset_of__WriteCharArrayRangeDelegate_4(),
TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643_StaticFields::get_offset_of__WriteLineCharDelegate_5(),
TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643_StaticFields::get_offset_of__WriteLineStringDelegate_6(),
TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643_StaticFields::get_offset_of__WriteLineCharArrayRangeDelegate_7(),
TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643_StaticFields::get_offset_of__FlushDelegate_8(),
TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643::get_offset_of_CoreNewLine_9(),
TextWriter_t4CB195237F3B6CADD850FBC3604A049C7C564643::get_offset_of_InternalFormatProvider_10(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable581[8] =
{
UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62::get_offset_of__buffer_4(),
UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62::get_offset_of__mem_5(),
UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62::get_offset_of__length_6(),
UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62::get_offset_of__capacity_7(),
UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62::get_offset_of__position_8(),
UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62::get_offset_of__offset_9(),
UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62::get_offset_of__access_10(),
UnmanagedMemoryStream_tCF65E90F0047A6F54D79A6A5E681BC98AE6C2F62::get_offset_of__isOpen_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable583[2] =
{
DirectoryInfo_t4EF3610F45F0D234800D01ADA8F3F476AE0CF5CD::get_offset_of_current_6(),
DirectoryInfo_t4EF3610F45F0D234800D01ADA8F3F476AE0CF5CD::get_offset_of_parent_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable585[4] =
{
FileAccess_t09E176678AB8520C44024354E0DB2F01D40A2F5B::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable586[17] =
{
FileAttributes_t47DBB9A73CF80C7CA21C9AAB8D5336C92D32C1AE::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable587[7] =
{
FileMode_t7AB84351F909CC2A0F99B798E50C6E8610994336::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable588[8] =
{
FileOptions_t83C5A0A606E5184DF8E5720503CA94E559A61330::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable589[7] =
{
FileShare_t335C3032B91F35BECF45855A61AF9FA5BB9C07BB::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable592[17] =
{
FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26_StaticFields::get_offset_of_buf_recycle_4(),
FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26_StaticFields::get_offset_of_buf_recycle_lock_5(),
FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26::get_offset_of_buf_6(),
FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26::get_offset_of_name_7(),
FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26::get_offset_of_safeHandle_8(),
FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26::get_offset_of_isExposed_9(),
FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26::get_offset_of_append_startpos_10(),
FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26::get_offset_of_access_11(),
FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26::get_offset_of_owner_12(),
FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26::get_offset_of_async_13(),
FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26::get_offset_of_canseek_14(),
FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26::get_offset_of_anonymous_15(),
FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26::get_offset_of_buf_dirty_16(),
FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26::get_offset_of_buf_size_17(),
FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26::get_offset_of_buf_length_18(),
FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26::get_offset_of_buf_offset_19(),
FileStream_t6342275F1C1E26F5EEB5AD510933C95B78A5DA26::get_offset_of_buf_start_20(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable593[7] =
{
FileStreamAsyncResult_t7613F8A2E6E3FE326E6362BD9E1B143B66B02475::get_offset_of_state_0(),
FileStreamAsyncResult_t7613F8A2E6E3FE326E6362BD9E1B143B66B02475::get_offset_of_wh_1(),
FileStreamAsyncResult_t7613F8A2E6E3FE326E6362BD9E1B143B66B02475::get_offset_of_cb_2(),
FileStreamAsyncResult_t7613F8A2E6E3FE326E6362BD9E1B143B66B02475::get_offset_of_Count_3(),
FileStreamAsyncResult_t7613F8A2E6E3FE326E6362BD9E1B143B66B02475::get_offset_of_OriginalCount_4(),
FileStreamAsyncResult_t7613F8A2E6E3FE326E6362BD9E1B143B66B02475::get_offset_of_BytesRead_5(),
FileStreamAsyncResult_t7613F8A2E6E3FE326E6362BD9E1B143B66B02475::get_offset_of_realcb_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable594[6] =
{
MonoFileType_t8D82EB0622157BB364384F3B1A3746AA2CD0A810::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable595[2] =
{
MonoIO_t0C62EC04843C9D276C9DFB8B12D9D1FD8F81B24B_StaticFields::get_offset_of_InvalidHandle_0(),
MonoIO_t0C62EC04843C9D276C9DFB8B12D9D1FD8F81B24B_StaticFields::get_offset_of_dump_handles_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable596[27] =
{
MonoIOError_tE69AD4B8D16952BC0D765CB0BC7D4CB627E90CC8::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable597[5] =
{
MonoIOStat_t24C11A45B0B5F84242B31BA1EF48458595FF5F71::get_offset_of_fileAttributes_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoIOStat_t24C11A45B0B5F84242B31BA1EF48458595FF5F71::get_offset_of_Length_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoIOStat_t24C11A45B0B5F84242B31BA1EF48458595FF5F71::get_offset_of_CreationTime_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoIOStat_t24C11A45B0B5F84242B31BA1EF48458595FF5F71::get_offset_of_LastAccessTime_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
MonoIOStat_t24C11A45B0B5F84242B31BA1EF48458595FF5F71::get_offset_of_LastWriteTime_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable598[10] =
{
Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields::get_offset_of_InvalidPathChars_0(),
Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields::get_offset_of_AltDirectorySeparatorChar_1(),
Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields::get_offset_of_DirectorySeparatorChar_2(),
Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields::get_offset_of_PathSeparator_3(),
Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields::get_offset_of_DirectorySeparatorStr_4(),
Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields::get_offset_of_VolumeSeparatorChar_5(),
Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields::get_offset_of_PathSeparatorChars_6(),
Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields::get_offset_of_dirEqualsVolume_7(),
Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields::get_offset_of_trimEndCharsWindows_8(),
Path_tF1D95B78D57C1C1211BA6633FF2AC22FD6C48921_StaticFields::get_offset_of_trimEndCharsUnix_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable599[3] =
{
SearchOption_tD088231E1E225D39BB408AEF566091138555C261::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable600[4] =
{
SeekOrigin_t4A91B37D046CD7A6578066059AE9F6269A888D4F::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable601[2] =
{
UnexceptionalStreamReader_tF156423F6B6C03B87A99DD979FB9CDFE17F821C8_StaticFields::get_offset_of_newline_21(),
UnexceptionalStreamReader_tF156423F6B6C03B87A99DD979FB9CDFE17F821C8_StaticFields::get_offset_of_newlineChar_22(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable603[1] =
{
CStreamReader_tF270C75526507F4F57000088E805BDC8B4C2BD53::get_offset_of_driver_21(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable604[1] =
{
CStreamWriter_tBC3C3F9F3E738D2FF586EF7A680A077D5AA3D27A::get_offset_of_driver_24(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable606[5] =
{
CharUnicodeInfo_t9D4692B295E2A9DA68C289734E499AE3F4B41876_StaticFields::get_offset_of_s_pCategoryLevel1Index_0(),
CharUnicodeInfo_t9D4692B295E2A9DA68C289734E499AE3F4B41876_StaticFields::get_offset_of_s_pCategoriesValue_1(),
CharUnicodeInfo_t9D4692B295E2A9DA68C289734E499AE3F4B41876_StaticFields::get_offset_of_s_pNumericLevel1Index_2(),
CharUnicodeInfo_t9D4692B295E2A9DA68C289734E499AE3F4B41876_StaticFields::get_offset_of_s_pNumericValues_3(),
CharUnicodeInfo_t9D4692B295E2A9DA68C289734E499AE3F4B41876_StaticFields::get_offset_of_s_pDigitValues_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable607[42] =
{
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A::get_offset_of_m_currentEraValue_38(),
Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A::get_offset_of_m_isReadOnly_39(),
0,
Calendar_t3D638AEAB45F029DF47138EDA4CF9A7CBBB1C32A::get_offset_of_twoDigitYearMax_41(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable608[21] =
{
0,
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4::get_offset_of_sNativeName_1(),
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4::get_offset_of_saShortDates_2(),
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4::get_offset_of_saYearMonths_3(),
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4::get_offset_of_saLongDates_4(),
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4::get_offset_of_sMonthDay_5(),
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4::get_offset_of_saEraNames_6(),
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4::get_offset_of_saAbbrevEraNames_7(),
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4::get_offset_of_saAbbrevEnglishEraNames_8(),
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4::get_offset_of_saDayNames_9(),
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4::get_offset_of_saAbbrevDayNames_10(),
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4::get_offset_of_saSuperShortDayNames_11(),
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4::get_offset_of_saMonthNames_12(),
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4::get_offset_of_saAbbrevMonthNames_13(),
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4::get_offset_of_saMonthGenitiveNames_14(),
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4::get_offset_of_saAbbrevMonthGenitiveNames_15(),
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4::get_offset_of_saLeapYearMonthNames_16(),
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4::get_offset_of_iTwoDigitYearMax_17(),
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4::get_offset_of_iCurrentEra_18(),
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4::get_offset_of_bUseUserOverrides_19(),
CalendarData_t76EF6EAAED8C2BC4089643722CE589E213F7B4A4_StaticFields::get_offset_of_Invariant_20(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable609[10] =
{
CompareOptions_tD3D7F165240DC4D784A11B1E2F21DC0D6D18E725::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable610[25] =
{
0,
0,
0,
CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9::get_offset_of_m_name_3(),
CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9::get_offset_of_m_sortName_4(),
CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9::get_offset_of_win32LCID_5(),
CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9::get_offset_of_culture_6(),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9::get_offset_of_m_SortVersion_20(),
CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9::get_offset_of_collator_21(),
CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9_StaticFields::get_offset_of_collators_22(),
CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9_StaticFields::get_offset_of_managedCollation_23(),
CompareInfo_t4AB62EC32E8AF1E469E315620C7E3FB8B0CAE0C9_StaticFields::get_offset_of_managedCollationChecked_24(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable611[2] =
{
CultureNotFoundException_tF7A5916D7F7C5CC3780AF5C14DE18006B4DD161C::get_offset_of_m_invalidCultureName_18(),
CultureNotFoundException_tF7A5916D7F7C5CC3780AF5C14DE18006B4DD161C::get_offset_of_m_invalidCultureId_19(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable612[4] =
{
MonthNameStyles_tF770578825A9E416BD1D6CEE2BB06A9C58EB391C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable613[9] =
{
DateTimeFormatFlags_tDB584B32BB07C708469EE8DEF8A903A105B4B4B7::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable614[84] =
{
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90_StaticFields::get_offset_of_invariantInfo_0(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_m_cultureData_1(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_m_name_2(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_m_langName_3(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_m_compareInfo_4(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_m_cultureInfo_5(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_amDesignator_6(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_pmDesignator_7(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_dateSeparator_8(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_generalShortTimePattern_9(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_generalLongTimePattern_10(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_timeSeparator_11(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_monthDayPattern_12(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_dateTimeOffsetPattern_13(),
0,
0,
0,
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_calendar_17(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_firstDayOfWeek_18(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_calendarWeekRule_19(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_fullDateTimePattern_20(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_abbreviatedDayNames_21(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_m_superShortDayNames_22(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_dayNames_23(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_abbreviatedMonthNames_24(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_monthNames_25(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_genitiveMonthNames_26(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_m_genitiveAbbreviatedMonthNames_27(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_leapYearMonthNames_28(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_longDatePattern_29(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_shortDatePattern_30(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_yearMonthPattern_31(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_longTimePattern_32(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_shortTimePattern_33(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_allYearMonthPatterns_34(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_allShortDatePatterns_35(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_allLongDatePatterns_36(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_allShortTimePatterns_37(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_allLongTimePatterns_38(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_m_eraNames_39(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_m_abbrevEraNames_40(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_m_abbrevEnglishEraNames_41(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_optionalCalendars_42(),
0,
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_m_isReadOnly_44(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_formatFlags_45(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90_StaticFields::get_offset_of_preferExistingTokens_46(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_CultureID_47(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_m_useUserOverride_48(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_bUseCalendarInfo_49(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_nDataItem_50(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_m_isDefaultCalendar_51(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90_StaticFields::get_offset_of_s_calendarNativeNames_52(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_m_dateWords_53(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_m_fullTimeSpanPositivePattern_54(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_m_fullTimeSpanNegativePattern_55(),
0,
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90::get_offset_of_m_dtfiTokenHash_57(),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90_StaticFields::get_offset_of_s_jajpDTFI_82(),
DateTimeFormatInfo_t0B9F6CA631A51CFC98A3C6031CF8069843137C90_StaticFields::get_offset_of_s_zhtwDTFI_83(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable615[3] =
{
TokenHashValue_tB0AE1E936B85B34D296293DC063F53900B629BBE::get_offset_of_tokenString_0(),
TokenHashValue_tB0AE1E936B85B34D296293DC063F53900B629BBE::get_offset_of_tokenType_1(),
TokenHashValue_tB0AE1E936B85B34D296293DC063F53900B629BBE::get_offset_of_tokenValue_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable616[8] =
{
FORMATFLAGS_t7085FFE4DB9BD9B7A0EB0F0B47925B87AF1BB289::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable617[25] =
{
CalendarId_t0C4E88243F644E3AD08A8D7DEB2A731A175B39DE::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable618[6] =
{
FoundDatePattern_t3AC878FCC3BB2BCE4A7E017237643A9B1A83C18F::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable619[3] =
{
DateTimeFormatInfoScanner_t8CD1ED645792B1F173DD15B84109A377C7B68CB8::get_offset_of_m_dateWords_0(),
DateTimeFormatInfoScanner_t8CD1ED645792B1F173DD15B84109A377C7B68CB8_StaticFields::get_offset_of_s_knownWords_1(),
DateTimeFormatInfoScanner_t8CD1ED645792B1F173DD15B84109A377C7B68CB8::get_offset_of_m_ymdFlags_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable620[11] =
{
DateTimeStyles_t2E18E2817B83F518AD684A16EB44A96EE6E765D4::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable621[4] =
{
GregorianCalendar_tABB0DE5379F7854B653A5E2577CE330D42933F6B::get_offset_of_m_type_42(),
GregorianCalendar_tABB0DE5379F7854B653A5E2577CE330D42933F6B_StaticFields::get_offset_of_DaysToMonth365_43(),
GregorianCalendar_tABB0DE5379F7854B653A5E2577CE330D42933F6B_StaticFields::get_offset_of_DaysToMonth366_44(),
GregorianCalendar_tABB0DE5379F7854B653A5E2577CE330D42933F6B_StaticFields::get_offset_of_s_defaultInstance_45(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable622[8] =
{
EraInfo_t875FC9B7F74DFEE82FE0AF982944ED735FECA1FD::get_offset_of_era_0(),
EraInfo_t875FC9B7F74DFEE82FE0AF982944ED735FECA1FD::get_offset_of_ticks_1(),
EraInfo_t875FC9B7F74DFEE82FE0AF982944ED735FECA1FD::get_offset_of_yearOffset_2(),
EraInfo_t875FC9B7F74DFEE82FE0AF982944ED735FECA1FD::get_offset_of_minEraYear_3(),
EraInfo_t875FC9B7F74DFEE82FE0AF982944ED735FECA1FD::get_offset_of_maxEraYear_4(),
EraInfo_t875FC9B7F74DFEE82FE0AF982944ED735FECA1FD::get_offset_of_eraName_5(),
EraInfo_t875FC9B7F74DFEE82FE0AF982944ED735FECA1FD::get_offset_of_abbrevEraName_6(),
EraInfo_t875FC9B7F74DFEE82FE0AF982944ED735FECA1FD::get_offset_of_englishEraName_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable623[8] =
{
GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85_StaticFields::get_offset_of_DaysToMonth365_0(),
GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85_StaticFields::get_offset_of_DaysToMonth366_1(),
GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85::get_offset_of_m_maxYear_2(),
GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85::get_offset_of_m_minYear_3(),
GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85::get_offset_of_m_Cal_4(),
GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85::get_offset_of_m_EraInfo_5(),
GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85::get_offset_of_m_eras_6(),
GregorianCalendarHelper_t2EC3E1E00C613F5C894292A04D5C04ABDA13EB85::get_offset_of_m_minDate_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable624[7] =
{
GregorianCalendarTypes_tAC1C99C90A14D63647E2E16F9E26EA2B04673FA2::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable625[2] =
{
HebrewNumberParsingContext_tEC0DF1BCF433A972F49ECAC68A9DA7B19259475D::get_offset_of_state_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
HebrewNumberParsingContext_tEC0DF1BCF433A972F49ECAC68A9DA7B19259475D::get_offset_of_result_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable626[5] =
{
HebrewNumberParsingState_tCC5AD57E627BB5707BC54BCADD4BD1836E7A2B84::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable627[12] =
{
HebrewToken_tCAC03AC410250160108C8C0B08FB79ADF92DDC60::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable628[2] =
{
HebrewValue_tB7953B7CFBB62B491971C26F7A0DB2AE199C8337::get_offset_of_token_0(),
HebrewValue_tB7953B7CFBB62B491971C26F7A0DB2AE199C8337::get_offset_of_value_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable629[20] =
{
HS_t4807019F38C2D1E3FABAE1D593EFD6EE9918817D::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable630[3] =
{
HebrewNumber_t8F0EF59F99E80D016D6750CD37AD68B8B252900C_StaticFields::get_offset_of_HebrewValues_0(),
HebrewNumber_t8F0EF59F99E80D016D6750CD37AD68B8B252900C_StaticFields::get_offset_of_maxHebrewNumberCh_1(),
HebrewNumber_t8F0EF59F99E80D016D6750CD37AD68B8B252900C_StaticFields::get_offset_of_NumberPasingState_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable631[4] =
{
JapaneseCalendar_t9B3E6C121CD0B742AC6413D33DE394DE3E3C6360_StaticFields::get_offset_of_calendarMinValue_42(),
JapaneseCalendar_t9B3E6C121CD0B742AC6413D33DE394DE3E3C6360_StaticFields::get_offset_of_japaneseEraInfo_43(),
JapaneseCalendar_t9B3E6C121CD0B742AC6413D33DE394DE3E3C6360_StaticFields::get_offset_of_s_defaultInstance_44(),
JapaneseCalendar_t9B3E6C121CD0B742AC6413D33DE394DE3E3C6360::get_offset_of_helper_45(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable632[36] =
{
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D_StaticFields::get_offset_of_invariantInfo_0(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_numberGroupSizes_1(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_currencyGroupSizes_2(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_percentGroupSizes_3(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_positiveSign_4(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_negativeSign_5(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_numberDecimalSeparator_6(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_numberGroupSeparator_7(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_currencyGroupSeparator_8(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_currencyDecimalSeparator_9(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_currencySymbol_10(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_ansiCurrencySymbol_11(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_nanSymbol_12(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_positiveInfinitySymbol_13(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_negativeInfinitySymbol_14(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_percentDecimalSeparator_15(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_percentGroupSeparator_16(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_percentSymbol_17(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_perMilleSymbol_18(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_nativeDigits_19(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_m_dataItem_20(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_numberDecimalDigits_21(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_currencyDecimalDigits_22(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_currencyPositivePattern_23(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_currencyNegativePattern_24(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_numberNegativePattern_25(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_percentPositivePattern_26(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_percentNegativePattern_27(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_percentDecimalDigits_28(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_digitSubstitution_29(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_isReadOnly_30(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_m_useUserOverride_31(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_m_isInvariant_32(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_validForParseAsNumber_33(),
NumberFormatInfo_t58780B43B6A840C38FD10C50CDFE2128884CAD1D::get_offset_of_validForParseAsCurrency_34(),
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable633[18] =
{
NumberStyles_t379EFBF2535E1C950DEC8042704BB663BF636594::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable634[2] =
{
SortVersion_t4500287E608FE7BBAB01A3AB0F1073F772EF62AA::get_offset_of_m_NlsVersion_0(),
SortVersion_t4500287E608FE7BBAB01A3AB0F1073F772EF62AA::get_offset_of_m_SortId_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable635[4] =
{
TaiwanCalendar_tF03DACFCF8C6BC8EDD68CADE289D6A32FBBC516C_StaticFields::get_offset_of_taiwanEraInfo_42(),
TaiwanCalendar_tF03DACFCF8C6BC8EDD68CADE289D6A32FBBC516C_StaticFields::get_offset_of_s_defaultInstance_43(),
TaiwanCalendar_tF03DACFCF8C6BC8EDD68CADE289D6A32FBBC516C::get_offset_of_helper_44(),
TaiwanCalendar_tF03DACFCF8C6BC8EDD68CADE289D6A32FBBC516C_StaticFields::get_offset_of_calendarMinValue_45(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable636[12] =
{
TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C::get_offset_of_m_listSeparator_0(),
TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C::get_offset_of_m_isReadOnly_1(),
TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C::get_offset_of_m_cultureName_2(),
TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C::get_offset_of_m_cultureData_3(),
TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C::get_offset_of_m_textInfoName_4(),
TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C::get_offset_of_m_IsAsciiCasingSameAsInvariant_5(),
TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C_StaticFields::get_offset_of_s_Invariant_6(),
TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C::get_offset_of_customCultureName_7(),
TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C::get_offset_of_m_nDataItem_8(),
TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C::get_offset_of_m_useUserOverride_9(),
TextInfo_tE823D0684BFE8B203501C9B2B38585E8F06E872C::get_offset_of_m_win32LangID_10(),
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable637[4] =
{
Pattern_t5B2F35E57DF8A6B732D89E5723D12E2C100B6D2C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable638[7] =
{
FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94::get_offset_of_AppCompatLiteral_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94::get_offset_of_dd_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94::get_offset_of_hh_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94::get_offset_of_mm_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94::get_offset_of_ss_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94::get_offset_of_ff_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
FormatLiterals_t8EC4E080425C3E3AE6627A6BB7F5B487680E3C94::get_offset_of_literals_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable639[2] =
{
TimeSpanFormat_t36D33E3F9C6CB409D8F762607ABAC3F9153EFEE4_StaticFields::get_offset_of_PositiveInvariantFormatLiterals_0(),
TimeSpanFormat_t36D33E3F9C6CB409D8F762607ABAC3F9153EFEE4_StaticFields::get_offset_of_NegativeInvariantFormatLiterals_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable640[31] =
{
UnicodeCategory_t6F1DA413FEAE6D03B02A0AD747327E865AFF8A38::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable641[4] =
{
SortKey_tBBD5A739AC7187C1514CBA47698C1D5E36877F52::get_offset_of_source_0(),
SortKey_tBBD5A739AC7187C1514CBA47698C1D5E36877F52::get_offset_of_key_1(),
SortKey_tBBD5A739AC7187C1514CBA47698C1D5E36877F52::get_offset_of_options_2(),
SortKey_tBBD5A739AC7187C1514CBA47698C1D5E36877F52::get_offset_of_lcid_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable642[21] =
{
CultureData_t53CDF1C5F789A28897415891667799420D3C5529::get_offset_of_sAM1159_0(),
CultureData_t53CDF1C5F789A28897415891667799420D3C5529::get_offset_of_sPM2359_1(),
CultureData_t53CDF1C5F789A28897415891667799420D3C5529::get_offset_of_sTimeSeparator_2(),
CultureData_t53CDF1C5F789A28897415891667799420D3C5529::get_offset_of_saLongTimes_3(),
CultureData_t53CDF1C5F789A28897415891667799420D3C5529::get_offset_of_saShortTimes_4(),
CultureData_t53CDF1C5F789A28897415891667799420D3C5529::get_offset_of_iFirstDayOfWeek_5(),
CultureData_t53CDF1C5F789A28897415891667799420D3C5529::get_offset_of_iFirstWeekOfYear_6(),
CultureData_t53CDF1C5F789A28897415891667799420D3C5529::get_offset_of_waCalendars_7(),
CultureData_t53CDF1C5F789A28897415891667799420D3C5529::get_offset_of_calendars_8(),
CultureData_t53CDF1C5F789A28897415891667799420D3C5529::get_offset_of_sISO639Language_9(),
CultureData_t53CDF1C5F789A28897415891667799420D3C5529::get_offset_of_sRealName_10(),
CultureData_t53CDF1C5F789A28897415891667799420D3C5529::get_offset_of_bUseOverrides_11(),
CultureData_t53CDF1C5F789A28897415891667799420D3C5529::get_offset_of_calendarId_12(),
CultureData_t53CDF1C5F789A28897415891667799420D3C5529::get_offset_of_numberIndex_13(),
CultureData_t53CDF1C5F789A28897415891667799420D3C5529::get_offset_of_iDefaultAnsiCodePage_14(),
CultureData_t53CDF1C5F789A28897415891667799420D3C5529::get_offset_of_iDefaultOemCodePage_15(),
CultureData_t53CDF1C5F789A28897415891667799420D3C5529::get_offset_of_iDefaultMacCodePage_16(),
CultureData_t53CDF1C5F789A28897415891667799420D3C5529::get_offset_of_iDefaultEbcdicCodePage_17(),
CultureData_t53CDF1C5F789A28897415891667799420D3C5529::get_offset_of_isRightToLeft_18(),
CultureData_t53CDF1C5F789A28897415891667799420D3C5529::get_offset_of_sListSeparator_19(),
CultureData_t53CDF1C5F789A28897415891667799420D3C5529_StaticFields::get_offset_of_s_Invariant_20(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable643[5] =
{
CodePageDataItem_t09A62F57142BF0456C8F414898A37E79BCC9F09E::get_offset_of_m_dataIndex_0(),
CodePageDataItem_t09A62F57142BF0456C8F414898A37E79BCC9F09E::get_offset_of_m_uiFamilyCodePage_1(),
CodePageDataItem_t09A62F57142BF0456C8F414898A37E79BCC9F09E::get_offset_of_m_webName_2(),
CodePageDataItem_t09A62F57142BF0456C8F414898A37E79BCC9F09E::get_offset_of_m_flags_3(),
CodePageDataItem_t09A62F57142BF0456C8F414898A37E79BCC9F09E_StaticFields::get_offset_of_sep_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable644[5] =
{
EncodingTable_t694F812B48CC2BA6D23BDF77EA7E71E330497529_StaticFields::get_offset_of_encodingDataPtr_0(),
EncodingTable_t694F812B48CC2BA6D23BDF77EA7E71E330497529_StaticFields::get_offset_of_codePageDataPtr_1(),
EncodingTable_t694F812B48CC2BA6D23BDF77EA7E71E330497529_StaticFields::get_offset_of_lastEncodingItem_2(),
EncodingTable_t694F812B48CC2BA6D23BDF77EA7E71E330497529_StaticFields::get_offset_of_hashByName_3(),
EncodingTable_t694F812B48CC2BA6D23BDF77EA7E71E330497529_StaticFields::get_offset_of_hashByCodePage_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable645[2] =
{
InternalEncodingDataItem_t2854F84125B1F420ABB3AA251C75E288EC87568C::get_offset_of_webName_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
InternalEncodingDataItem_t2854F84125B1F420ABB3AA251C75E288EC87568C::get_offset_of_codePage_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable646[4] =
{
InternalCodePageDataItem_t885932F372A8EEC39396B0D57CC93AC72E2A3DA7::get_offset_of_codePage_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
InternalCodePageDataItem_t885932F372A8EEC39396B0D57CC93AC72E2A3DA7::get_offset_of_uiFamilyCodePage_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
InternalCodePageDataItem_t885932F372A8EEC39396B0D57CC93AC72E2A3DA7::get_offset_of_flags_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
InternalCodePageDataItem_t885932F372A8EEC39396B0D57CC93AC72E2A3DA7::get_offset_of_Names_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable647[8] =
{
TextInfoToUpperData_t4E0FBAA2D572DF72E87C53DD5E2E2AF7C5A7892B_StaticFields::get_offset_of_range_00e0_0586_0(),
TextInfoToUpperData_t4E0FBAA2D572DF72E87C53DD5E2E2AF7C5A7892B_StaticFields::get_offset_of_range_1e01_1ff3_1(),
TextInfoToUpperData_t4E0FBAA2D572DF72E87C53DD5E2E2AF7C5A7892B_StaticFields::get_offset_of_range_2170_2184_2(),
TextInfoToUpperData_t4E0FBAA2D572DF72E87C53DD5E2E2AF7C5A7892B_StaticFields::get_offset_of_range_24d0_24e9_3(),
TextInfoToUpperData_t4E0FBAA2D572DF72E87C53DD5E2E2AF7C5A7892B_StaticFields::get_offset_of_range_2c30_2ce3_4(),
TextInfoToUpperData_t4E0FBAA2D572DF72E87C53DD5E2E2AF7C5A7892B_StaticFields::get_offset_of_range_2d00_2d25_5(),
TextInfoToUpperData_t4E0FBAA2D572DF72E87C53DD5E2E2AF7C5A7892B_StaticFields::get_offset_of_range_a641_a697_6(),
TextInfoToUpperData_t4E0FBAA2D572DF72E87C53DD5E2E2AF7C5A7892B_StaticFields::get_offset_of_range_a723_a78c_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable648[9] =
{
TextInfoToLowerData_tF86AB77938F5B622C7DAF81DB7FB79E19697DA6C_StaticFields::get_offset_of_range_00c0_0556_0(),
TextInfoToLowerData_tF86AB77938F5B622C7DAF81DB7FB79E19697DA6C_StaticFields::get_offset_of_range_10a0_10c5_1(),
TextInfoToLowerData_tF86AB77938F5B622C7DAF81DB7FB79E19697DA6C_StaticFields::get_offset_of_range_1e00_1ffc_2(),
TextInfoToLowerData_tF86AB77938F5B622C7DAF81DB7FB79E19697DA6C_StaticFields::get_offset_of_range_2160_216f_3(),
TextInfoToLowerData_tF86AB77938F5B622C7DAF81DB7FB79E19697DA6C_StaticFields::get_offset_of_range_24b6_24cf_4(),
TextInfoToLowerData_tF86AB77938F5B622C7DAF81DB7FB79E19697DA6C_StaticFields::get_offset_of_range_2c00_2c2e_5(),
TextInfoToLowerData_tF86AB77938F5B622C7DAF81DB7FB79E19697DA6C_StaticFields::get_offset_of_range_2c60_2ce2_6(),
TextInfoToLowerData_tF86AB77938F5B622C7DAF81DB7FB79E19697DA6C_StaticFields::get_offset_of_range_a640_a696_7(),
TextInfoToLowerData_tF86AB77938F5B622C7DAF81DB7FB79E19697DA6C_StaticFields::get_offset_of_range_a722_a78b_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable649[6] =
{
Data_tD2910A75571233E80DF4714C1F6CBB1852B3BF68::get_offset_of_ansi_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Data_tD2910A75571233E80DF4714C1F6CBB1852B3BF68::get_offset_of_ebcdic_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Data_tD2910A75571233E80DF4714C1F6CBB1852B3BF68::get_offset_of_mac_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Data_tD2910A75571233E80DF4714C1F6CBB1852B3BF68::get_offset_of_oem_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Data_tD2910A75571233E80DF4714C1F6CBB1852B3BF68::get_offset_of_right_to_left_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
Data_tD2910A75571233E80DF4714C1F6CBB1852B3BF68::get_offset_of_list_sep_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable650[38] =
{
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_StaticFields::get_offset_of_invariant_culture_info_0(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_StaticFields::get_offset_of_shared_table_lock_1(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_StaticFields::get_offset_of_default_current_culture_2(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_m_isReadOnly_3(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_cultureID_4(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_parent_lcid_5(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_datetime_index_6(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_number_index_7(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_default_calendar_type_8(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_m_useUserOverride_9(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_numInfo_10(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_dateTimeInfo_11(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_textInfo_12(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_m_name_13(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_englishname_14(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_nativename_15(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_iso3lang_16(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_iso2lang_17(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_win3lang_18(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_territory_19(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_native_calendar_names_20(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_compareInfo_21(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_textinfo_data_22(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_m_dataItem_23(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_calendar_24(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_parent_culture_25(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_constructed_26(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_cached_serialized_form_27(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_m_cultureData_28(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98::get_offset_of_m_isInherited_29(),
0,
0,
0,
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_StaticFields::get_offset_of_s_DefaultThreadCurrentUICulture_33(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_StaticFields::get_offset_of_s_DefaultThreadCurrentCulture_34(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_StaticFields::get_offset_of_shared_by_number_35(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_StaticFields::get_offset_of_shared_by_name_36(),
CultureInfo_t1B787142231DB79ABDCE0659823F908A040E9A98_StaticFields::get_offset_of_IsTaiwanSku_37(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable651[3] =
{
IdnMapping_t67B9D8097DD4884E92E705C8D3099C26CA660E1C::get_offset_of_allow_unassigned_0(),
IdnMapping_t67B9D8097DD4884E92E705C8D3099C26CA660E1C::get_offset_of_use_std3_1(),
IdnMapping_t67B9D8097DD4884E92E705C8D3099C26CA660E1C::get_offset_of_puny_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable652[8] =
{
Bootstring_t39E09D4C4B98FECD2C042751FA27A6FA98BB3882::get_offset_of_delimiter_0(),
Bootstring_t39E09D4C4B98FECD2C042751FA27A6FA98BB3882::get_offset_of_base_num_1(),
Bootstring_t39E09D4C4B98FECD2C042751FA27A6FA98BB3882::get_offset_of_tmin_2(),
Bootstring_t39E09D4C4B98FECD2C042751FA27A6FA98BB3882::get_offset_of_tmax_3(),
Bootstring_t39E09D4C4B98FECD2C042751FA27A6FA98BB3882::get_offset_of_skew_4(),
Bootstring_t39E09D4C4B98FECD2C042751FA27A6FA98BB3882::get_offset_of_damp_5(),
Bootstring_t39E09D4C4B98FECD2C042751FA27A6FA98BB3882::get_offset_of_initial_bias_6(),
Bootstring_t39E09D4C4B98FECD2C042751FA27A6FA98BB3882::get_offset_of_initial_n_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable654[11] =
{
RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A_StaticFields::get_offset_of_currentRegion_0(),
RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A::get_offset_of_regionId_1(),
RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A::get_offset_of_iso2Name_2(),
RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A::get_offset_of_iso3Name_3(),
RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A::get_offset_of_win3Name_4(),
RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A::get_offset_of_englishName_5(),
RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A::get_offset_of_nativeName_6(),
RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A::get_offset_of_currencySymbol_7(),
RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A::get_offset_of_isoCurrencySymbol_8(),
RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A::get_offset_of_currencyEnglishName_9(),
RegionInfo_t3F61C7100AA2F796A6BC57D31F1EFA76F6DCE59A::get_offset_of_currencyNativeName_10(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable655[1] =
{
HashHelpers_tEA03E030A3F934CC05FC15577E6B61BBE8282501_StaticFields::get_offset_of_RandomSeed_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable656[2] =
{
CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD::get_offset_of_m_source_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
CancellationToken_tC9D68381C9164A4BA10397257E87ADC832AF5FFD_StaticFields::get_offset_of_s_ActionToActionObjShunt_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable657[2] =
{
CancellationTokenRegistration_t407059AA0E00ABE74F43C533E7D035C4BA451F6A::get_offset_of_m_callbackInfo_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
CancellationTokenRegistration_t407059AA0E00ABE74F43C533E7D035C4BA451F6A::get_offset_of_m_registrationInfo_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable658[13] =
{
CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3_StaticFields::get_offset_of__staticSource_Set_0(),
CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3_StaticFields::get_offset_of__staticSource_NotCancelable_1(),
CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3_StaticFields::get_offset_of_s_nLists_2(),
CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3::get_offset_of_m_kernelEvent_3(),
CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3::get_offset_of_m_registeredCallbacksLists_4(),
CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3::get_offset_of_m_state_5(),
CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3::get_offset_of_m_threadIDExecutingCallbacks_6(),
CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3::get_offset_of_m_disposed_7(),
CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3::get_offset_of_m_linkingRegistrations_8(),
CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3_StaticFields::get_offset_of_s_LinkedTokenCancelDelegate_9(),
CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3::get_offset_of_m_executingCallback_10(),
CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3::get_offset_of_m_timer_11(),
CancellationTokenSource_t78B989179DE23EDD36F870FFEE20A15D6D3C65B3_StaticFields::get_offset_of_s_timerCallback_12(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable659[2] =
{
CancellationCallbackCoreWorkArguments_t9ECCD883EF9DF3283696D1CE1F7A81C0F075923E::get_offset_of_m_currArrayFragment_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
CancellationCallbackCoreWorkArguments_t9ECCD883EF9DF3283696D1CE1F7A81C0F075923E::get_offset_of_m_currArrayIndex_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable660[6] =
{
CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B::get_offset_of_Callback_0(),
CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B::get_offset_of_StateForCallback_1(),
CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B::get_offset_of_TargetSyncContext_2(),
CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B::get_offset_of_TargetExecutionContext_3(),
CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B::get_offset_of_CancellationTokenSource_4(),
CancellationCallbackInfo_t7FC8CF6DB4845FCB0138771E86AE058710B1117B_StaticFields::get_offset_of_s_executionContextCallback_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable661[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable662[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable663[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable665[4] =
{
ManualResetEventSlim_tDEDF52539E364C425BA581F3AAF42843AFAD366E::get_offset_of_m_lock_0(),
ManualResetEventSlim_tDEDF52539E364C425BA581F3AAF42843AFAD366E::get_offset_of_m_eventObj_1(),
ManualResetEventSlim_tDEDF52539E364C425BA581F3AAF42843AFAD366E::get_offset_of_m_combinedState_2(),
ManualResetEventSlim_tDEDF52539E364C425BA581F3AAF42843AFAD366E_StaticFields::get_offset_of_s_cancellationTokenCallback_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable666[2] =
{
TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E::get_offset_of_Prev_25(),
TaskNode_tD3014A57510D018F890E6524AC62F9417E2E6C4E::get_offset_of_Next_26(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable667[10] =
{
U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F::get_offset_of_U3CU3E1__state_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F::get_offset_of_U3CU3Et__builder_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F::get_offset_of_cancellationToken_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F::get_offset_of_asyncWaiter_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F::get_offset_of_millisecondsTimeout_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F::get_offset_of_U3CctsU3E5__1_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F::get_offset_of_U3CU3E4__this_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F::get_offset_of_U3CU3E7__wrap1_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F::get_offset_of_U3CU3Eu__1_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
U3CWaitUntilCountOrTimeoutAsyncU3Ed__31_t227D1F5F19C948CA8C23C80B5F19147D4AAED14F::get_offset_of_U3CU3Eu__2_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable668[9] =
{
SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385::get_offset_of_m_currentCount_0(),
SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385::get_offset_of_m_maxCount_1(),
SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385::get_offset_of_m_waitCount_2(),
SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385::get_offset_of_m_lockObj_3(),
SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385::get_offset_of_m_waitHandle_4(),
SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385::get_offset_of_m_asyncHead_5(),
SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385::get_offset_of_m_asyncTail_6(),
SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385_StaticFields::get_offset_of_s_trueTask_7(),
SemaphoreSlim_t3EF85FC980AE57957BEBB6B78E81DE2E3233D385_StaticFields::get_offset_of_s_cancellationTokenCanceledEventHandler_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable670[2] =
{
SpinLock_t9860D503E59EFE08CF5241E2BA0C33397BF78F5D::get_offset_of_m_owner_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpinLock_t9860D503E59EFE08CF5241E2BA0C33397BF78F5D_StaticFields::get_offset_of_MAXIMUM_WAITERS_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable671[1] =
{
SpinWait_tEBEEDAE5AEEBBDDEA635932A22308A8398C9AED9::get_offset_of_m_count_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable672[2] =
{
PlatformHelper_tF07DADE72B13BC22B013B744AD253732AE626811_StaticFields::get_offset_of_s_processorCount_0(),
PlatformHelper_tF07DADE72B13BC22B013B744AD253732AE626811_StaticFields::get_offset_of_s_lastProcessorCountRefreshTicks_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable674[2] =
{
AbandonedMutexException_t992765CD98FBF7A0CFB0A8795116F8F770092242::get_offset_of_m_MutexIndex_17(),
AbandonedMutexException_t992765CD98FBF7A0CFB0A8795116F8F770092242::get_offset_of_m_Mutex_18(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable677[3] =
{
EventResetMode_tB7B112299A76E5476A66C3EBCBACC1870EB342A8::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable680[4] =
{
ExecutionContextSwitcher_t11B7DEE83408478EE3D5E29C988E5385AA9D7277::get_offset_of_outerEC_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ExecutionContextSwitcher_t11B7DEE83408478EE3D5E29C988E5385AA9D7277::get_offset_of_outerECBelongsToScope_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ExecutionContextSwitcher_t11B7DEE83408478EE3D5E29C988E5385AA9D7277::get_offset_of_hecsw_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
ExecutionContextSwitcher_t11B7DEE83408478EE3D5E29C988E5385AA9D7277::get_offset_of_thread_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable681[5] =
{
Flags_t84E4B7439C575026B3A9D10B43AC61B9709011E4::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable682[1] =
{
Reader_t6C70587C0F5A8CE8367A0407E3109E196764848C::get_offset_of_m_ec_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable683[4] =
{
CaptureOptions_t9DBDF67BE8DFE3AC07C9AF489F95FC8C14CB9C9E::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable684[8] =
{
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414::get_offset_of__syncContext_0(),
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414::get_offset_of__syncContextNoFlow_1(),
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414::get_offset_of__logicalCallContext_2(),
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414::get_offset_of__illogicalCallContext_3(),
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414::get_offset_of__flags_4(),
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414::get_offset_of__localValues_5(),
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414::get_offset_of__localChangeNotifications_6(),
ExecutionContext_t16AC73BB21FEEEAD34A017877AC18DD8BB836414_StaticFields::get_offset_of_s_dummyDefaultEC_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable694[2] =
{
InvocationContext_tB21651DEE9C5EA7BA248F342731E4BAE3B5890F8::get_offset_of_m_Delegate_0(),
InvocationContext_tB21651DEE9C5EA7BA248F342731E4BAE3B5890F8::get_offset_of_m_State_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable695[2] =
{
U3CU3Ec_tFF9BE01C85B19F8D2AC32AEB69AE274E6D080C9F_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_tFF9BE01C85B19F8D2AC32AEB69AE274E6D080C9F_StaticFields::get_offset_of_U3CU3E9__3_0_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable696[2] =
{
OSSpecificSynchronizationContext_t73D67CF04305A4BB0182BFCCC5B661F8ECCF8F72::get_offset_of_m_OSSynchronizationContext_0(),
OSSpecificSynchronizationContext_t73D67CF04305A4BB0182BFCCC5B661F8ECCF8F72_StaticFields::get_offset_of_s_ContextCache_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable698[4] =
{
ThreadHelper_t7958FA16432CE4696D922D505D04B5AA66560E2C::get_offset_of__start_0(),
ThreadHelper_t7958FA16432CE4696D922D505D04B5AA66560E2C::get_offset_of__startArg_1(),
ThreadHelper_t7958FA16432CE4696D922D505D04B5AA66560E2C::get_offset_of__executionContext_2(),
ThreadHelper_t7958FA16432CE4696D922D505D04B5AA66560E2C_StaticFields::get_offset_of__ccb_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable699[15] =
{
Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414_StaticFields::get_offset_of_s_LocalDataStoreMgr_0(),
Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414_ThreadStaticFields::get_offset_of_s_LocalDataStore_1() | THREAD_LOCAL_STATIC_MASK,
Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414_ThreadStaticFields::get_offset_of_m_CurrentCulture_2() | THREAD_LOCAL_STATIC_MASK,
Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414_ThreadStaticFields::get_offset_of_m_CurrentUICulture_3() | THREAD_LOCAL_STATIC_MASK,
Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414_StaticFields::get_offset_of_s_asyncLocalCurrentCulture_4(),
Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414_StaticFields::get_offset_of_s_asyncLocalCurrentUICulture_5(),
Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414::get_offset_of_internal_thread_6(),
Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414::get_offset_of_m_ThreadStartArg_7(),
Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414::get_offset_of_pending_exception_8(),
Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414::get_offset_of_principal_9(),
Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414::get_offset_of_principal_version_10(),
Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414_ThreadStaticFields::get_offset_of_current_thread_11() | THREAD_LOCAL_STATIC_MASK,
Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414::get_offset_of_m_Delegate_12(),
Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414::get_offset_of_m_ExecutionContext_13(),
Thread_tB9EB71664220EE16451AF3276D78DE6614D2A414::get_offset_of_m_ExecutionContextBelongsToOuterScope_14(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable700[5] =
{
StackCrawlMark_t2BEE6EC5F8EA322B986CA375A594BBD34B98EBA5::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable706[6] =
{
ThreadPoolGlobals_t50AAD398A680D57959A17CC2A2484C17CC5327B6_StaticFields::get_offset_of_tpQuantum_0(),
ThreadPoolGlobals_t50AAD398A680D57959A17CC2A2484C17CC5327B6_StaticFields::get_offset_of_processorCount_1(),
ThreadPoolGlobals_t50AAD398A680D57959A17CC2A2484C17CC5327B6_StaticFields::get_offset_of_tpHosted_2(),
ThreadPoolGlobals_t50AAD398A680D57959A17CC2A2484C17CC5327B6_StaticFields::get_offset_of_vmTpInitialized_3(),
ThreadPoolGlobals_t50AAD398A680D57959A17CC2A2484C17CC5327B6_StaticFields::get_offset_of_enableWorkerTracking_4(),
ThreadPoolGlobals_t50AAD398A680D57959A17CC2A2484C17CC5327B6_StaticFields::get_offset_of_workQueue_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable707[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable708[5] =
{
WorkStealingQueue_t0D430FD823CAB6C050301484CE7516E1573728A0::get_offset_of_m_array_0(),
WorkStealingQueue_t0D430FD823CAB6C050301484CE7516E1573728A0::get_offset_of_m_mask_1(),
WorkStealingQueue_t0D430FD823CAB6C050301484CE7516E1573728A0::get_offset_of_m_headIndex_2(),
WorkStealingQueue_t0D430FD823CAB6C050301484CE7516E1573728A0::get_offset_of_m_tailIndex_3(),
WorkStealingQueue_t0D430FD823CAB6C050301484CE7516E1573728A0::get_offset_of_m_foreignLock_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable709[3] =
{
QueueSegment_tBF384DF1C15001FBEDB17378EB22EA233A89A0A4::get_offset_of_nodes_0(),
QueueSegment_tBF384DF1C15001FBEDB17378EB22EA233A89A0A4::get_offset_of_indexes_1(),
QueueSegment_tBF384DF1C15001FBEDB17378EB22EA233A89A0A4::get_offset_of_Next_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable710[4] =
{
ThreadPoolWorkQueue_t2CB6EE2051BFDA85C9B8785B89272E8DDD95CB35::get_offset_of_queueHead_0(),
ThreadPoolWorkQueue_t2CB6EE2051BFDA85C9B8785B89272E8DDD95CB35::get_offset_of_queueTail_1(),
ThreadPoolWorkQueue_t2CB6EE2051BFDA85C9B8785B89272E8DDD95CB35_StaticFields::get_offset_of_allThreadQueues_2(),
ThreadPoolWorkQueue_t2CB6EE2051BFDA85C9B8785B89272E8DDD95CB35::get_offset_of_numOutstandingThreadRequests_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable711[4] =
{
ThreadPoolWorkQueueThreadLocals_t34944E0B6933A8905A98B697463E2EF2AB3FA54E_ThreadStaticFields::get_offset_of_threadLocals_0() | THREAD_LOCAL_STATIC_MASK,
ThreadPoolWorkQueueThreadLocals_t34944E0B6933A8905A98B697463E2EF2AB3FA54E::get_offset_of_workQueue_1(),
ThreadPoolWorkQueueThreadLocals_t34944E0B6933A8905A98B697463E2EF2AB3FA54E::get_offset_of_workStealingQueue_2(),
ThreadPoolWorkQueueThreadLocals_t34944E0B6933A8905A98B697463E2EF2AB3FA54E::get_offset_of_random_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable713[4] =
{
QueueUserWorkItemCallback_tB84DE760B2C0C27766032253AC0E18AAA64AD70A::get_offset_of_callback_0(),
QueueUserWorkItemCallback_tB84DE760B2C0C27766032253AC0E18AAA64AD70A::get_offset_of_context_1(),
QueueUserWorkItemCallback_tB84DE760B2C0C27766032253AC0E18AAA64AD70A::get_offset_of_state_2(),
QueueUserWorkItemCallback_tB84DE760B2C0C27766032253AC0E18AAA64AD70A_StaticFields::get_offset_of_ccb_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable716[11] =
{
ThreadState_t905C3A57C9EAC95C7FC7202EEB6F25A106C0FD4C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable718[1] =
{
Timeout_t1D83B13AB177AA6C3028AA49BDFBA6EE7E142050_StaticFields::get_offset_of_InfiniteTimeSpan_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable719[11] =
{
0,
0,
WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842::get_offset_of_waitHandle_3(),
WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842::get_offset_of_safeWaitHandle_4(),
WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842::get_offset_of_hasThreadAffinity_5(),
0,
0,
0,
0,
WaitHandle_t1D7DD8480FD5DA4E3AF92F569890FB972D9B1842_StaticFields::get_offset_of_InvalidHandle_10(),
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable724[5] =
{
NativeOverlapped_tB6D94AD9790B308106B309C7927F913972874A3B::get_offset_of_InternalLow_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
NativeOverlapped_tB6D94AD9790B308106B309C7927F913972874A3B::get_offset_of_InternalHigh_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
NativeOverlapped_tB6D94AD9790B308106B309C7927F913972874A3B::get_offset_of_OffsetLow_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
NativeOverlapped_tB6D94AD9790B308106B309C7927F913972874A3B::get_offset_of_OffsetHigh_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
NativeOverlapped_tB6D94AD9790B308106B309C7927F913972874A3B::get_offset_of_EventHandle_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable725[9] =
{
RegisteredWaitHandle_t52523298EBA66F0BF8B4C6BE53B74A0848199D7F::get_offset_of__waitObject_1(),
RegisteredWaitHandle_t52523298EBA66F0BF8B4C6BE53B74A0848199D7F::get_offset_of__callback_2(),
RegisteredWaitHandle_t52523298EBA66F0BF8B4C6BE53B74A0848199D7F::get_offset_of__state_3(),
RegisteredWaitHandle_t52523298EBA66F0BF8B4C6BE53B74A0848199D7F::get_offset_of__finalEvent_4(),
RegisteredWaitHandle_t52523298EBA66F0BF8B4C6BE53B74A0848199D7F::get_offset_of__cancelEvent_5(),
RegisteredWaitHandle_t52523298EBA66F0BF8B4C6BE53B74A0848199D7F::get_offset_of__timeout_6(),
RegisteredWaitHandle_t52523298EBA66F0BF8B4C6BE53B74A0848199D7F::get_offset_of__callsInProcess_7(),
RegisteredWaitHandle_t52523298EBA66F0BF8B4C6BE53B74A0848199D7F::get_offset_of__executeOnlyOnce_8(),
RegisteredWaitHandle_t52523298EBA66F0BF8B4C6BE53B74A0848199D7F::get_offset_of__unregistered_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable726[39] =
{
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_lock_thread_id_0(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_handle_1(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_native_handle_2(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_unused3_3(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_name_4(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_name_len_5(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_state_6(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_abort_exc_7(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_abort_state_handle_8(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_thread_id_9(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_debugger_thread_10(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_static_data_11(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_runtime_thread_info_12(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_current_appcontext_13(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_root_domain_thread_14(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of__serialized_principal_15(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of__serialized_principal_version_16(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_appdomain_refs_17(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_interruption_requested_18(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_synch_cs_19(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_threadpool_thread_20(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_thread_interrupt_requested_21(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_stack_size_22(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_apartment_state_23(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_critical_region_level_24(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_managed_id_25(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_small_id_26(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_manage_callback_27(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_unused4_28(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_flags_29(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_thread_pinning_ref_30(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_abort_protected_block_count_31(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_priority_32(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_owned_mutex_33(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_suspended_event_34(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_self_suspended_35(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_unused1_36(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_unused2_37(),
InternalThread_t12B78B27503AE19E9122E212419A66843BF746EB::get_offset_of_last_38(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable728[3] =
{
Scheduler_tA54A9F57127EDB44B4AE39C04A488F33193349D8_StaticFields::get_offset_of_instance_0(),
Scheduler_tA54A9F57127EDB44B4AE39C04A488F33193349D8::get_offset_of_list_1(),
Scheduler_tA54A9F57127EDB44B4AE39C04A488F33193349D8::get_offset_of_changed_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable729[7] =
{
Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB_StaticFields::get_offset_of_scheduler_1(),
Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB::get_offset_of_callback_2(),
Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB::get_offset_of_state_3(),
Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB::get_offset_of_due_time_ms_4(),
Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB::get_offset_of_period_ms_5(),
Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB::get_offset_of_next_run_6(),
Timer_t31BE4EDDA5C1CB5CFDF698231850B47B7F9DE9CB::get_offset_of_disposed_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable732[4] =
{
CausalityTraceLevel_t01DEED18A37C591FB2E53F2ADD89E2145ED8A9CD::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable733[5] =
{
AsyncCausalityStatus_tB4918F222DA36F8D1AFD305EEBD3DE3C6FA1631F::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable734[6] =
{
CausalityRelation_t5EFB44045C7D3054B11B2E94CCAE40BE1FFAE63E::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable735[4] =
{
CausalitySynchronousWork_t073D196AFA1546BD5F11370AA4CD54A09650DE53::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable737[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable738[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable740[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable741[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable742[9] =
{
TaskStatus_t550D7DA3655E0A44C7B2925539A4025FB6BA9EF2::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable743[8] =
{
ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0::get_offset_of_m_capturedContext_0(),
ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0::get_offset_of_m_completionEvent_1(),
ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0::get_offset_of_m_exceptionsHolder_2(),
ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0::get_offset_of_m_cancellationToken_3(),
ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0::get_offset_of_m_cancellationRegistration_4(),
ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0::get_offset_of_m_internalCancellationRequested_5(),
ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0::get_offset_of_m_completionCountdown_6(),
ContingentProperties_t1E249C737B8B8644ED1D60EEFA101D326B199EA0::get_offset_of_m_exceptionalChildren_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable745[3] =
{
DelayPromise_t9761A33FC8F83592A4D61777C23985D6958E25D8::get_offset_of_Token_25(),
DelayPromise_t9761A33FC8F83592A4D61777C23985D6958E25D8::get_offset_of_Registration_26(),
DelayPromise_t9761A33FC8F83592A4D61777C23985D6958E25D8::get_offset_of_Timer_27(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable746[5] =
{
U3CU3Ec__DisplayClass178_0_t26DA6AADD06D410B9511EEAE86E81BB72E13577B::get_offset_of_root_0(),
U3CU3Ec__DisplayClass178_0_t26DA6AADD06D410B9511EEAE86E81BB72E13577B::get_offset_of_replicasAreQuitting_1(),
U3CU3Ec__DisplayClass178_0_t26DA6AADD06D410B9511EEAE86E81BB72E13577B::get_offset_of_taskReplicaDelegate_2(),
U3CU3Ec__DisplayClass178_0_t26DA6AADD06D410B9511EEAE86E81BB72E13577B::get_offset_of_creationOptionsForReplicas_3(),
U3CU3Ec__DisplayClass178_0_t26DA6AADD06D410B9511EEAE86E81BB72E13577B::get_offset_of_internalOptionsForReplicas_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable747[3] =
{
U3CU3Ec_t92C182BCED0D720544B8BEB755769004B9E0CA12_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_t92C182BCED0D720544B8BEB755769004B9E0CA12_StaticFields::get_offset_of_U3CU3E9__276_0_1(),
U3CU3Ec_t92C182BCED0D720544B8BEB755769004B9E0CA12_StaticFields::get_offset_of_U3CU3E9__276_1_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable748[22] =
{
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_ThreadStaticFields::get_offset_of_t_currentTask_0() | THREAD_LOCAL_STATIC_MASK,
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_ThreadStaticFields::get_offset_of_t_stackGuard_1() | THREAD_LOCAL_STATIC_MASK,
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields::get_offset_of_s_taskIdCounter_2(),
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields::get_offset_of_s_factory_3(),
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60::get_offset_of_m_taskId_4(),
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60::get_offset_of_m_action_5(),
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60::get_offset_of_m_stateObject_6(),
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60::get_offset_of_m_taskScheduler_7(),
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60::get_offset_of_m_parent_8(),
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60::get_offset_of_m_stateFlags_9(),
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60::get_offset_of_m_continuationObject_10(),
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields::get_offset_of_s_taskCompletionSentinel_11(),
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields::get_offset_of_s_asyncDebuggingEnabled_12(),
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields::get_offset_of_s_currentActiveTasks_13(),
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields::get_offset_of_s_activeTasksLock_14(),
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60::get_offset_of_m_contingentProperties_15(),
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields::get_offset_of_s_taskCancelCallback_16(),
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields::get_offset_of_s_createContingentProperties_17(),
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields::get_offset_of_s_completedTask_18(),
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields::get_offset_of_s_IsExceptionObservedByParentPredicate_19(),
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields::get_offset_of_s_ecCallback_20(),
Task_t804B25CFE3FC13AAEE16C8FA3BF52513F2A8DB60_StaticFields::get_offset_of_s_IsTaskContinuationNullPredicate_21(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable749[2] =
{
CompletionActionInvoker_t66AE143673E0FA80521F01E8FBF6651194AC1E9F::get_offset_of_m_action_0(),
CompletionActionInvoker_t66AE143673E0FA80521F01E8FBF6651194AC1E9F::get_offset_of_m_completingTask_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable751[8] =
{
TaskCreationOptions_t469019F1B0F93FA60337952E265311E8048D2112::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable752[10] =
{
InternalTaskOptions_tE9869E444962B12AAF216CDE276D379BD57D5EEF::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable753[16] =
{
TaskContinuationOptions_t9FC13DFA1FFAFD07FE9A19491D1DBEB48BFA8399::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable754[1] =
{
StackGuard_t88E1EE4741AD02CA5FEA04A4EB2CC70F230E0E6D::get_offset_of_m_inliningDepth_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable757[1] =
{
TaskCanceledException_t8C4641920752790DEE40C9F907D7E10F90DE072B::get_offset_of_m_canceledTask_18(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable758[1] =
{
ContinuationTaskFromTask_t23C1DF464E2CDA196AA0003E869016CEAE11049E::get_offset_of_m_antecedent_22(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable760[3] =
{
StandardTaskContinuation_t740639F203FBF1B86D3F0A967FF49970C1D9FA7E::get_offset_of_m_task_0(),
StandardTaskContinuation_t740639F203FBF1B86D3F0A967FF49970C1D9FA7E::get_offset_of_m_options_1(),
StandardTaskContinuation_t740639F203FBF1B86D3F0A967FF49970C1D9FA7E::get_offset_of_m_taskScheduler_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable761[1] =
{
U3CU3Ec_t97DE2C4F7EF16C425D7DB74D03F1E0947B3D9AF2_StaticFields::get_offset_of_U3CU3E9_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable762[3] =
{
SynchronizationContextAwaitTaskContinuation_t2DF228112DBF556F30B0E1D48E9D3BE2AEF2EB8C_StaticFields::get_offset_of_s_postCallback_3(),
SynchronizationContextAwaitTaskContinuation_t2DF228112DBF556F30B0E1D48E9D3BE2AEF2EB8C_StaticFields::get_offset_of_s_postActionCallback_4(),
SynchronizationContextAwaitTaskContinuation_t2DF228112DBF556F30B0E1D48E9D3BE2AEF2EB8C::get_offset_of_m_syncContext_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable763[2] =
{
U3CU3Ec_t832C49A1D40F5D7429F13CAA78ADF77459CA87FE_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_t832C49A1D40F5D7429F13CAA78ADF77459CA87FE_StaticFields::get_offset_of_U3CU3E9__2_0_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable764[1] =
{
TaskSchedulerAwaitTaskContinuation_t3780019C37FAB558CDC5E0B7428FAC3DD1CB7D19::get_offset_of_m_scheduler_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable765[2] =
{
U3CU3Ec_tF4745C95FFF946A19C2E246825F60484196CEB31_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_tF4745C95FFF946A19C2E246825F60484196CEB31_StaticFields::get_offset_of_U3CU3E9__17_0_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable766[3] =
{
AwaitTaskContinuation_t1A2278C0F0612C10EEF2B2FF352D2833C53E86CB::get_offset_of_m_capturedContext_0(),
AwaitTaskContinuation_t1A2278C0F0612C10EEF2B2FF352D2833C53E86CB::get_offset_of_m_action_1(),
AwaitTaskContinuation_t1A2278C0F0612C10EEF2B2FF352D2833C53E86CB_StaticFields::get_offset_of_s_invokeActionCallback_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable767[7] =
{
TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684_StaticFields::get_offset_of_s_failFastOnUnobservedException_0(),
TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684_StaticFields::get_offset_of_s_domainUnloadStarted_1(),
TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684_StaticFields::get_offset_of_s_adUnloadEventHandler_2(),
TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684::get_offset_of_m_task_3(),
TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684::get_offset_of_m_faultExceptions_4(),
TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684::get_offset_of_m_cancellationException_5(),
TaskExceptionHolder_tDB382D854702E5F90A8C3764236EF24FD6016684::get_offset_of_m_isHandled_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable768[2] =
{
CompleteOnInvokePromise_tCEBDCB9BD36D0EF373E5ACBC9262935A6EED4C18::get_offset_of__tasks_25(),
CompleteOnInvokePromise_tCEBDCB9BD36D0EF373E5ACBC9262935A6EED4C18::get_offset_of_m_firstTaskAlreadyCompleted_26(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable769[4] =
{
TaskFactory_t22D999A05A967C31A4B5FFBD08864809BF35EA3B::get_offset_of_m_defaultCancellationToken_0(),
TaskFactory_t22D999A05A967C31A4B5FFBD08864809BF35EA3B::get_offset_of_m_defaultScheduler_1(),
TaskFactory_t22D999A05A967C31A4B5FFBD08864809BF35EA3B::get_offset_of_m_defaultCreationOptions_2(),
TaskFactory_t22D999A05A967C31A4B5FFBD08864809BF35EA3B::get_offset_of_m_defaultContinuationOptions_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable771[6] =
{
TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D_StaticFields::get_offset_of_s_activeTaskSchedulers_0(),
TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D_StaticFields::get_offset_of_s_defaultTaskScheduler_1(),
TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D_StaticFields::get_offset_of_s_taskSchedulerIdCounter_2(),
TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D::get_offset_of_m_taskSchedulerId_3(),
TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D_StaticFields::get_offset_of__unobservedTaskException_4(),
TaskScheduler_t74FBEEEDBDD5E0088FF0EEC18F45CD866B098D5D_StaticFields::get_offset_of__unobservedTaskExceptionLockObject_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable772[2] =
{
UnobservedTaskExceptionEventArgs_t413C54706A9A73531F54F8216DF12027AFC63A41::get_offset_of_m_exception_1(),
UnobservedTaskExceptionEventArgs_t413C54706A9A73531F54F8216DF12027AFC63A41::get_offset_of_m_observed_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable774[1] =
{
ThreadPoolTaskScheduler_t92487E31A2D014A33A4AE9C1AC4AEDDD34F758AA_StaticFields::get_offset_of_s_longRunningThreadWork_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable776[2] =
{
SecurityAttribute_tA26A6C440AFE4244EDBA0E1A7ED1DC6FACE97232::get_offset_of__name_0(),
SecurityAttribute_tA26A6C440AFE4244EDBA0E1A7ED1DC6FACE97232::get_offset_of__value_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable777[9] =
{
SecurityElement_tB9682077760936136392270197F642224B2141CC::get_offset_of_text_0(),
SecurityElement_tB9682077760936136392270197F642224B2141CC::get_offset_of_tag_1(),
SecurityElement_tB9682077760936136392270197F642224B2141CC::get_offset_of_attributes_2(),
SecurityElement_tB9682077760936136392270197F642224B2141CC::get_offset_of_children_3(),
SecurityElement_tB9682077760936136392270197F642224B2141CC_StaticFields::get_offset_of_invalid_tag_chars_4(),
SecurityElement_tB9682077760936136392270197F642224B2141CC_StaticFields::get_offset_of_invalid_text_chars_5(),
SecurityElement_tB9682077760936136392270197F642224B2141CC_StaticFields::get_offset_of_invalid_attr_name_chars_6(),
SecurityElement_tB9682077760936136392270197F642224B2141CC_StaticFields::get_offset_of_invalid_attr_value_chars_7(),
SecurityElement_tB9682077760936136392270197F642224B2141CC_StaticFields::get_offset_of_invalid_chars_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable778[1] =
{
SecurityException_t3BE23C00ECC638A4EDCAA33572C4DCC21F2FA769::get_offset_of_permissionState_17(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable781[3] =
{
EvidenceEnumerator_tE5611DB8DCE6DDABAE0CD267B199DB7FBC59A6D4::get_offset_of_currentEnum_0(),
EvidenceEnumerator_tE5611DB8DCE6DDABAE0CD267B199DB7FBC59A6D4::get_offset_of_hostEnum_1(),
EvidenceEnumerator_tE5611DB8DCE6DDABAE0CD267B199DB7FBC59A6D4::get_offset_of_assemblyEnum_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable782[3] =
{
Evidence_t5512CE2EB76E95C5D4A88D1960CA0A56125E30DB::get_offset_of__locked_0(),
Evidence_t5512CE2EB76E95C5D4A88D1960CA0A56125E30DB::get_offset_of_hostEvidenceList_1(),
Evidence_t5512CE2EB76E95C5D4A88D1960CA0A56125E30DB::get_offset_of_assemblyEvidenceList_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable785[1] =
{
SecurityPermissionAttribute_t4840FF6F04B8182B7BE9A2DC315C9FBB67877B86::get_offset_of_m_Flags_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable786[17] =
{
SecurityPermissionFlag_t71422F8124CB8E8CCDB0559BC3A517794D712C19::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable790[4] =
{
HashAlgorithm_t7F831BEF35F9D0AF5016FFB0E474AF9F93908F31::get_offset_of_HashSizeValue_0(),
HashAlgorithm_t7F831BEF35F9D0AF5016FFB0E474AF9F93908F31::get_offset_of_HashValue_1(),
HashAlgorithm_t7F831BEF35F9D0AF5016FFB0E474AF9F93908F31::get_offset_of_State_2(),
HashAlgorithm_t7F831BEF35F9D0AF5016FFB0E474AF9F93908F31::get_offset_of_m_bDisposed_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable794[2] =
{
RNGCryptoServiceProvider_t696D1B0DFED446BE4718F7E18ABFFBB6E5A8A5A1_StaticFields::get_offset_of__lock_0(),
RNGCryptoServiceProvider_t696D1B0DFED446BE4718F7E18ABFFBB6E5A8A5A1::get_offset_of__handle_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable795[5] =
{
SHA1Internal_t5D0A95A55E32BCC8976D5B91649E6C13C8334CD6::get_offset_of__H_0(),
SHA1Internal_t5D0A95A55E32BCC8976D5B91649E6C13C8334CD6::get_offset_of_count_1(),
SHA1Internal_t5D0A95A55E32BCC8976D5B91649E6C13C8334CD6::get_offset_of__ProcessingBuffer_2(),
SHA1Internal_t5D0A95A55E32BCC8976D5B91649E6C13C8334CD6::get_offset_of__ProcessingBufferCount_3(),
SHA1Internal_t5D0A95A55E32BCC8976D5B91649E6C13C8334CD6::get_offset_of_buff_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable796[1] =
{
SHA1CryptoServiceProvider_tFCC9EF75A0DCF3E1A50E64B525EA9599E5927EF7::get_offset_of_sha_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable797[2] =
{
BinaryCompatibility_t44EDF0C684F7241E727B341DF3896349BC34D810_StaticFields::get_offset_of_TargetsAtLeast_Desktop_V4_5_0(),
BinaryCompatibility_t44EDF0C684F7241E727B341DF3896349BC34D810_StaticFields::get_offset_of_TargetsAtLeast_Desktop_V4_5_1_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable801[1] =
{
U3CU3Ec__DisplayClass9_0_tB1E40E73A23715AC3F1239BA98BEA07A5F3836E3::get_offset_of_type_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable802[5] =
{
FormatterServices_t346CDF3874B4B34E7FFFCA2288D9AB1492F6A21C_StaticFields::get_offset_of_m_MemberInfoTable_0(),
FormatterServices_t346CDF3874B4B34E7FFFCA2288D9AB1492F6A21C_StaticFields::get_offset_of_unsafeTypeForwardersIsEnabled_1(),
FormatterServices_t346CDF3874B4B34E7FFFCA2288D9AB1492F6A21C_StaticFields::get_offset_of_unsafeTypeForwardersIsEnabledInitialized_2(),
FormatterServices_t346CDF3874B4B34E7FFFCA2288D9AB1492F6A21C_StaticFields::get_offset_of_advancedTypes_3(),
FormatterServices_t346CDF3874B4B34E7FFFCA2288D9AB1492F6A21C_StaticFields::get_offset_of_s_binder_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable810[2] =
{
MemberHolder_t726EF5DD7EFEAC217E964548470CFC7D88E149EB::get_offset_of_memberType_0(),
MemberHolder_t726EF5DD7EFEAC217E964548470CFC7D88E149EB::get_offset_of_context_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable811[5] =
{
ObjectIDGenerator_t267F4EB12AC82678B0783ABA92CD54A1503E1259::get_offset_of_m_currentCount_0(),
ObjectIDGenerator_t267F4EB12AC82678B0783ABA92CD54A1503E1259::get_offset_of_m_currentSize_1(),
ObjectIDGenerator_t267F4EB12AC82678B0783ABA92CD54A1503E1259::get_offset_of_m_ids_2(),
ObjectIDGenerator_t267F4EB12AC82678B0783ABA92CD54A1503E1259::get_offset_of_m_objs_3(),
ObjectIDGenerator_t267F4EB12AC82678B0783ABA92CD54A1503E1259_StaticFields::get_offset_of_sizes_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable812[8] =
{
ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96::get_offset_of_m_onDeserializationHandler_0(),
ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96::get_offset_of_m_onDeserializedHandler_1(),
ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96::get_offset_of_m_objects_2(),
ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96::get_offset_of_m_topObject_3(),
ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96::get_offset_of_m_specialFixupObjects_4(),
ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96::get_offset_of_m_fixupCount_5(),
ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96::get_offset_of_m_selector_6(),
ObjectManager_t9743E709B0C09D47C5D76BF113CFDCA5281DBF96::get_offset_of_m_context_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable813[14] =
{
ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A::get_offset_of_m_object_0(),
ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A::get_offset_of_m_id_1(),
ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A::get_offset_of_m_missingElementsRemaining_2(),
ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A::get_offset_of_m_missingDecendents_3(),
ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A::get_offset_of_m_serInfo_4(),
ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A::get_offset_of_m_surrogate_5(),
ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A::get_offset_of_m_missingElements_6(),
ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A::get_offset_of_m_dependentObjects_7(),
ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A::get_offset_of_m_next_8(),
ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A::get_offset_of_m_flags_9(),
ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A::get_offset_of_m_markForFixupWhenAvailable_10(),
ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A::get_offset_of_m_valueFixup_11(),
ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A::get_offset_of_m_typeLoad_12(),
ObjectHolder_tCD7C3D18FDFE14A3D8D34E7194437D6657B43A9A::get_offset_of_m_reachable_13(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable814[3] =
{
FixupHolder_tFC181D04F62B82B60F0CC8C3310C41625CD26201::get_offset_of_m_id_0(),
FixupHolder_tFC181D04F62B82B60F0CC8C3310C41625CD26201::get_offset_of_m_fixupInfo_1(),
FixupHolder_tFC181D04F62B82B60F0CC8C3310C41625CD26201::get_offset_of_m_fixupType_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable815[2] =
{
FixupHolderList_t98FCFDD9352A87A246F7E475733C94C8A7F86BF8::get_offset_of_m_values_0(),
FixupHolderList_t98FCFDD9352A87A246F7E475733C94C8A7F86BF8::get_offset_of_m_count_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable816[4] =
{
LongList_tB13F421A6BB4E3BB28AEAA7B91E9A937EB7A7D23::get_offset_of_m_values_0(),
LongList_tB13F421A6BB4E3BB28AEAA7B91E9A937EB7A7D23::get_offset_of_m_count_1(),
LongList_tB13F421A6BB4E3BB28AEAA7B91E9A937EB7A7D23::get_offset_of_m_totalItems_2(),
LongList_tB13F421A6BB4E3BB28AEAA7B91E9A937EB7A7D23::get_offset_of_m_currentItem_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable817[2] =
{
ObjectHolderList_t6EC019D0FA1ACB5A6B6DE3B99E9523C8D7675291::get_offset_of_m_values_0(),
ObjectHolderList_t6EC019D0FA1ACB5A6B6DE3B99E9523C8D7675291::get_offset_of_m_count_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable818[4] =
{
ObjectHolderListEnumerator_tDAFCA93CD0CF279215C14BD30EFB8DF7E28E362C::get_offset_of_m_isFixupEnumerator_0(),
ObjectHolderListEnumerator_tDAFCA93CD0CF279215C14BD30EFB8DF7E28E362C::get_offset_of_m_list_1(),
ObjectHolderListEnumerator_tDAFCA93CD0CF279215C14BD30EFB8DF7E28E362C::get_offset_of_m_startingVersion_2(),
ObjectHolderListEnumerator_tDAFCA93CD0CF279215C14BD30EFB8DF7E28E362C::get_offset_of_m_currPos_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable819[1] =
{
TypeLoadExceptionHolder_t20AB0C4A3995BE52D344B37DDEFAE330659147E2::get_offset_of_m_typeName_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable820[2] =
{
SafeSerializationEventArgs_t9127408272D435E33674CC75CBDC5124DA7F3E4A::get_offset_of_m_streamingContext_1(),
SafeSerializationEventArgs_t9127408272D435E33674CC75CBDC5124DA7F3E4A::get_offset_of_m_serializedStates_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable822[6] =
{
SafeSerializationManager_tDE44F029589A028F8A3053C5C06153FAB4AAE29F::get_offset_of_m_serializedStates_0(),
SafeSerializationManager_tDE44F029589A028F8A3053C5C06153FAB4AAE29F::get_offset_of_m_savedSerializationInfo_1(),
SafeSerializationManager_tDE44F029589A028F8A3053C5C06153FAB4AAE29F::get_offset_of_m_realObject_2(),
SafeSerializationManager_tDE44F029589A028F8A3053C5C06153FAB4AAE29F::get_offset_of_m_realType_3(),
SafeSerializationManager_tDE44F029589A028F8A3053C5C06153FAB4AAE29F::get_offset_of_SerializeObjectState_4(),
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable823[1] =
{
OptionalFieldAttribute_t5761990BBE6FDD98072FD82D9EC2B9CD96CEFB59::get_offset_of_versionAdded_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable829[4] =
{
SerializationEvents_tAFEEA39AD3C02ACB44BDFD986CBD54DAC332A7E8::get_offset_of_m_OnSerializingMethods_0(),
SerializationEvents_tAFEEA39AD3C02ACB44BDFD986CBD54DAC332A7E8::get_offset_of_m_OnSerializedMethods_1(),
SerializationEvents_tAFEEA39AD3C02ACB44BDFD986CBD54DAC332A7E8::get_offset_of_m_OnDeserializingMethods_2(),
SerializationEvents_tAFEEA39AD3C02ACB44BDFD986CBD54DAC332A7E8::get_offset_of_m_OnDeserializedMethods_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable830[1] =
{
SerializationEventsCache_tCEBB37248E851B3EF73D8D34579E1318DFEF7EA6_StaticFields::get_offset_of_cache_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable831[1] =
{
SerializationException_tDB38C13A2ABF407C381E3F332D197AC1AD097A92_StaticFields::get_offset_of__nullMessage_17(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable832[2] =
{
SerializationFieldInfo_t0D5EE593AFBF37E72513E2979070B344BCBD8C55::get_offset_of_m_field_0(),
SerializationFieldInfo_t0D5EE593AFBF37E72513E2979070B344BCBD8C55::get_offset_of_m_serializationName_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable833[15] =
{
0,
0,
0,
SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1::get_offset_of_m_members_3(),
SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1::get_offset_of_m_data_4(),
SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1::get_offset_of_m_types_5(),
SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1::get_offset_of_m_nameToIndex_6(),
SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1::get_offset_of_m_currMember_7(),
SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1::get_offset_of_m_converter_8(),
SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1::get_offset_of_m_fullTypeName_9(),
SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1::get_offset_of_m_assemName_10(),
SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1::get_offset_of_objectType_11(),
SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1::get_offset_of_isFullTypeNameSetExplicit_12(),
SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1::get_offset_of_isAssemblyNameSetExplicit_13(),
SerializationInfo_t097DA64D9DB49ED7F2458E964BE8CCCF63FC67C1::get_offset_of_requireSameTokenInPartialTrust_14(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable834[3] =
{
SerializationEntry_t33A292618975AD7AC936CB98B2F28256817A467E::get_offset_of_m_type_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
SerializationEntry_t33A292618975AD7AC936CB98B2F28256817A467E::get_offset_of_m_value_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
SerializationEntry_t33A292618975AD7AC936CB98B2F28256817A467E::get_offset_of_m_name_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable835[6] =
{
SerializationInfoEnumerator_t0548359AF7DB5798EBA19FE6BFCC8CDB8E6B1AF6::get_offset_of_m_members_0(),
SerializationInfoEnumerator_t0548359AF7DB5798EBA19FE6BFCC8CDB8E6B1AF6::get_offset_of_m_data_1(),
SerializationInfoEnumerator_t0548359AF7DB5798EBA19FE6BFCC8CDB8E6B1AF6::get_offset_of_m_types_2(),
SerializationInfoEnumerator_t0548359AF7DB5798EBA19FE6BFCC8CDB8E6B1AF6::get_offset_of_m_numItems_3(),
SerializationInfoEnumerator_t0548359AF7DB5798EBA19FE6BFCC8CDB8E6B1AF6::get_offset_of_m_currItem_4(),
SerializationInfoEnumerator_t0548359AF7DB5798EBA19FE6BFCC8CDB8E6B1AF6::get_offset_of_m_current_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable836[3] =
{
SerializationObjectManager_tAFED170719CB3FFDB1C60D3686DC22652E907042::get_offset_of_m_objectSeenTable_0(),
SerializationObjectManager_tAFED170719CB3FFDB1C60D3686DC22652E907042::get_offset_of_m_onSerializedHandler_1(),
SerializationObjectManager_tAFED170719CB3FFDB1C60D3686DC22652E907042::get_offset_of_m_context_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable837[2] =
{
StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505::get_offset_of_m_additionalContext_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
StreamingContext_t5888E7E8C81AB6EF3B14FDDA6674F458076A8505::get_offset_of_m_state_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable838[10] =
{
StreamingContextStates_tF4C7FE6D6121BD4C67699869C8269A60B36B42C3::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable839[3] =
{
ValueTypeFixupInfo_tBA01D7B8EF22CA79A46AA25F4EFCE2B312E9E547::get_offset_of_m_containerID_0(),
ValueTypeFixupInfo_tBA01D7B8EF22CA79A46AA25F4EFCE2B312E9E547::get_offset_of_m_parentField_1(),
ValueTypeFixupInfo_tBA01D7B8EF22CA79A46AA25F4EFCE2B312E9E547::get_offset_of_m_parentIndex_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable840[4] =
{
FormatterTypeStyle_tE84DD5CF7A3D4E07A4881B66CE1AE112677A4E6A::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable841[3] =
{
FormatterAssemblyStyle_t176037936039C0AEAEDFF283CD0E53E721D4CEF2::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable842[3] =
{
TypeFilterLevel_t7ED94310B4D2D5C697A19E0CE2327A7DC5B39C4D::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable845[2] =
{
BinaryAssemblyInfo_t2F2D82DE14955BEF2CB536FA3DA27D972DE5DA8A::get_offset_of_assemblyString_0(),
BinaryAssemblyInfo_t2F2D82DE14955BEF2CB536FA3DA27D972DE5DA8A::get_offset_of_assembly_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable846[7] =
{
SerializationHeaderRecord_t58AFB2ADC0098B395661EE07EC90016CAA2F06D4::get_offset_of_binaryFormatterMajorVersion_0(),
SerializationHeaderRecord_t58AFB2ADC0098B395661EE07EC90016CAA2F06D4::get_offset_of_binaryFormatterMinorVersion_1(),
SerializationHeaderRecord_t58AFB2ADC0098B395661EE07EC90016CAA2F06D4::get_offset_of_binaryHeaderEnum_2(),
SerializationHeaderRecord_t58AFB2ADC0098B395661EE07EC90016CAA2F06D4::get_offset_of_topId_3(),
SerializationHeaderRecord_t58AFB2ADC0098B395661EE07EC90016CAA2F06D4::get_offset_of_headerId_4(),
SerializationHeaderRecord_t58AFB2ADC0098B395661EE07EC90016CAA2F06D4::get_offset_of_majorVersion_5(),
SerializationHeaderRecord_t58AFB2ADC0098B395661EE07EC90016CAA2F06D4::get_offset_of_minorVersion_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable847[2] =
{
BinaryAssembly_t084E6A060EC9651DEB57610DC7F91E5B0C8558AC::get_offset_of_assemId_0(),
BinaryAssembly_t084E6A060EC9651DEB57610DC7F91E5B0C8558AC::get_offset_of_assemblyString_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable848[2] =
{
BinaryCrossAppDomainAssembly_t8E09F36F61E888708945F765A2053F27C42D24CC::get_offset_of_assemId_0(),
BinaryCrossAppDomainAssembly_t8E09F36F61E888708945F765A2053F27C42D24CC::get_offset_of_assemblyIndex_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable849[2] =
{
BinaryObject_t179888868BBFFD7F11C98DD08CE4726CDBF59324::get_offset_of_objectId_0(),
BinaryObject_t179888868BBFFD7F11C98DD08CE4726CDBF59324::get_offset_of_mapId_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable850[7] =
{
BinaryMethodCall_t6C9A891C2F2C5ADE2B92E92E750199C6E3DB388F::get_offset_of_methodName_0(),
BinaryMethodCall_t6C9A891C2F2C5ADE2B92E92E750199C6E3DB388F::get_offset_of_typeName_1(),
BinaryMethodCall_t6C9A891C2F2C5ADE2B92E92E750199C6E3DB388F::get_offset_of_args_2(),
BinaryMethodCall_t6C9A891C2F2C5ADE2B92E92E750199C6E3DB388F::get_offset_of_callContext_3(),
BinaryMethodCall_t6C9A891C2F2C5ADE2B92E92E750199C6E3DB388F::get_offset_of_argTypes_4(),
BinaryMethodCall_t6C9A891C2F2C5ADE2B92E92E750199C6E3DB388F::get_offset_of_bArgsPrimitive_5(),
BinaryMethodCall_t6C9A891C2F2C5ADE2B92E92E750199C6E3DB388F::get_offset_of_messageEnum_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable851[8] =
{
BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9::get_offset_of_returnValue_0(),
BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9::get_offset_of_args_1(),
BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9::get_offset_of_callContext_2(),
BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9::get_offset_of_argTypes_3(),
BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9::get_offset_of_bArgsPrimitive_4(),
BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9::get_offset_of_messageEnum_5(),
BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9::get_offset_of_returnType_6(),
BinaryMethodReturn_tA3E6AC66FAFEC515B05A7E7906FDD07AE81892E9_StaticFields::get_offset_of_instanceOfVoid_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable852[2] =
{
BinaryObjectString_tEBEB23385A27BFF0830A57405CA995FAC5597E23::get_offset_of_objectId_0(),
BinaryObjectString_tEBEB23385A27BFF0830A57405CA995FAC5597E23::get_offset_of_value_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable853[2] =
{
BinaryCrossAppDomainString_t4B871A899F78A0E226EBC457B9BE8CD80404023C::get_offset_of_objectId_0(),
BinaryCrossAppDomainString_t4B871A899F78A0E226EBC457B9BE8CD80404023C::get_offset_of_value_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable854[1] =
{
BinaryCrossAppDomainMap_tADB0BBE558F0532BFF3F4519734E94FC642E3267::get_offset_of_crossAppDomainArrayIndex_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable855[2] =
{
MemberPrimitiveTyped_tCBCE9EFECA16A568F64E05D81D6672069E511965::get_offset_of_primitiveTypeEnum_0(),
MemberPrimitiveTyped_tCBCE9EFECA16A568F64E05D81D6672069E511965::get_offset_of_value_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable856[6] =
{
BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23::get_offset_of_binaryHeaderEnum_0(),
BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23::get_offset_of_objectId_1(),
BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23::get_offset_of_name_2(),
BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23::get_offset_of_numMembers_3(),
BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23::get_offset_of_memberNames_4(),
BinaryObjectWithMap_tAF07B3CC8435C7A42CE2C5AA83B111FB69F9AB23::get_offset_of_assemId_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable857[9] =
{
BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B::get_offset_of_binaryHeaderEnum_0(),
BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B::get_offset_of_objectId_1(),
BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B::get_offset_of_name_2(),
BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B::get_offset_of_numMembers_3(),
BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B::get_offset_of_memberNames_4(),
BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B::get_offset_of_binaryTypeEnumA_5(),
BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B::get_offset_of_typeInformationA_6(),
BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B::get_offset_of_memberAssemIds_7(),
BinaryObjectWithMapTyped_t86A1FF94CE066CC5C6CA0B0BE0A472870A58491B::get_offset_of_assemId_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable858[9] =
{
BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA::get_offset_of_objectId_0(),
BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA::get_offset_of_rank_1(),
BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA::get_offset_of_lengthA_2(),
BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA::get_offset_of_lowerBoundA_3(),
BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA::get_offset_of_binaryTypeEnum_4(),
BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA::get_offset_of_typeInformation_5(),
BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA::get_offset_of_assemId_6(),
BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA::get_offset_of_binaryHeaderEnum_7(),
BinaryArray_t6603AC233467782A5E28AB2AC96470F7AB4C56AA::get_offset_of_binaryArrayTypeEnum_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable859[2] =
{
MemberPrimitiveUnTyped_t8674B07D14F272D23EE081754ED4B2B3D3BA640A::get_offset_of_typeInformation_0(),
MemberPrimitiveUnTyped_t8674B07D14F272D23EE081754ED4B2B3D3BA640A::get_offset_of_value_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable860[1] =
{
MemberReference_t444F997A7AB1565CAD1EBBC32FF38C07198E202B::get_offset_of_idRef_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable861[1] =
{
ObjectNull_t0854517B956008C029C56E58BD9F3F26C2862CA4::get_offset_of_nullCount_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable863[11] =
{
ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C::get_offset_of_objectName_0(),
ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C::get_offset_of_objectType_1(),
ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C::get_offset_of_binaryTypeEnumA_2(),
ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C::get_offset_of_typeInformationA_3(),
ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C::get_offset_of_memberTypes_4(),
ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C::get_offset_of_memberNames_5(),
ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C::get_offset_of_objectInfo_6(),
ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C::get_offset_of_isInitObjectInfo_7(),
ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C::get_offset_of_objectReader_8(),
ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C::get_offset_of_objectId_9(),
ObjectMap_tB6C3DD0B8C924AE43BE47BCB93608052DD40635C::get_offset_of_assemblyInfo_10(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable864[20] =
{
ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB_StaticFields::get_offset_of_opRecordIdCount_0(),
ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB::get_offset_of_isInitial_1(),
ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB::get_offset_of_count_2(),
ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB::get_offset_of_expectedType_3(),
ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB::get_offset_of_expectedTypeInformation_4(),
ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB::get_offset_of_name_5(),
ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB::get_offset_of_objectTypeEnum_6(),
ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB::get_offset_of_memberTypeEnum_7(),
ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB::get_offset_of_memberValueEnum_8(),
ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB::get_offset_of_dtType_9(),
ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB::get_offset_of_numItems_10(),
ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB::get_offset_of_binaryTypeEnum_11(),
ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB::get_offset_of_typeInformation_12(),
ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB::get_offset_of_nullCount_13(),
ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB::get_offset_of_memberLength_14(),
ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB::get_offset_of_binaryTypeEnumA_15(),
ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB::get_offset_of_typeInformationA_16(),
ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB::get_offset_of_memberNames_17(),
ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB::get_offset_of_memberTypes_18(),
ObjectProgress_t1D8BC0A0F776D511B4B3A29069356AD1B71D16DB::get_offset_of_pr_19(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable865[47] =
{
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_primitiveTypeEnumLength_0(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeA_1(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_arrayTypeA_2(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_valueA_3(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeCodeA_4(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_codeA_5(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofISerializable_6(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofString_7(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofConverter_8(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofBoolean_9(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofByte_10(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofChar_11(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofDecimal_12(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofDouble_13(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofInt16_14(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofInt32_15(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofInt64_16(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofSByte_17(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofSingle_18(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofTimeSpan_19(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofDateTime_20(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofUInt16_21(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofUInt32_22(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofUInt64_23(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofObject_24(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofSystemVoid_25(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_urtAssembly_26(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_urtAssemblyString_27(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofTypeArray_28(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofObjectArray_29(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofStringArray_30(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofBooleanArray_31(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofByteArray_32(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofCharArray_33(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofDecimalArray_34(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofDoubleArray_35(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofInt16Array_36(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofInt32Array_37(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofInt64Array_38(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofSByteArray_39(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofSingleArray_40(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofTimeSpanArray_41(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofDateTimeArray_42(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofUInt16Array_43(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofUInt32Array_44(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofUInt64Array_45(),
Converter_t731F4A747D9F210BB63F96DB43AA8CAB20342E03_StaticFields::get_offset_of_typeofMarshalByRefObject_46(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable866[24] =
{
BinaryHeaderEnum_t6EC974D890E9C7DC8E5CC4DA3E1B795934655A1B::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable867[9] =
{
BinaryTypeEnum_tC64D097C71D4D8F090D20424FCF2BD4CF9FE60A4::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable868[7] =
{
BinaryArrayTypeEnum_t85A47D3ADF430821087A3018118707C6DE3BEC4A::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable869[3] =
{
InternalSerializerTypeE_tFF860582261D0F8AD228F9FF03C8C8F711C7B2E8::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable870[14] =
{
InternalParseTypeE_t88A4E310E7634F2A9B4BF0B27096EFE93C5C097E::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable871[4] =
{
InternalObjectTypeE_t94A0E20132EEE44B14D7E5A2AE73210284EA724E::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable872[5] =
{
InternalObjectPositionE_tCFF1304BA98FBBC072AD7C33F256E5E272323F2A::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable873[6] =
{
InternalArrayTypeE_tC80F538779E7340C02E117C7053B3FE78D5D5AB0::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable874[5] =
{
InternalMemberTypeE_t03641C77ACC7FE5D947022BC01640F78E746E44C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable875[6] =
{
InternalMemberValueE_tDA8F1C439912F5AEA83D550D559B061A07D6842D::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable876[20] =
{
InternalPrimitiveTypeE_t1E87BEE5075029E52AA901E3E961F91A98DB78B5::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable877[16] =
{
MessageEnum_t2CFD70C2D90F1CCE06755D360DC14603733DCCBC::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable878[5] =
{
ValueFixupEnum_tD01ECA728511F4D3C8CF72A3C7FF575E73CD9A87::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable879[8] =
{
BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55::get_offset_of_m_surrogates_0(),
BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55::get_offset_of_m_context_1(),
BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55::get_offset_of_m_binder_2(),
BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55::get_offset_of_m_typeFormat_3(),
BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55::get_offset_of_m_assemblyFormat_4(),
BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55::get_offset_of_m_securityLevel_5(),
BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55::get_offset_of_m_crossAppDomainArray_6(),
BinaryFormatter_tAA0465FE94B272FAC7C99F6AD38120E9319C5F55_StaticFields::get_offset_of_typeNameCache_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable880[21] =
{
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_sout_0(),
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_formatterTypeStyle_1(),
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_objectMapTable_2(),
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_objectWriter_3(),
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_dataWriter_4(),
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_m_nestedObjectCount_5(),
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_nullCount_6(),
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_binaryMethodCall_7(),
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_binaryMethodReturn_8(),
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_binaryObject_9(),
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_binaryObjectWithMap_10(),
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_binaryObjectWithMapTyped_11(),
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_binaryObjectString_12(),
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_binaryArray_13(),
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_byteBuffer_14(),
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_chunkSize_15(),
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_memberPrimitiveUnTyped_16(),
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_memberPrimitiveTyped_17(),
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_objectNull_18(),
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_memberReference_19(),
__BinaryWriter_tADAED5EACC3B2674AF82C8D3A5226AD88B3B1694::get_offset_of_binaryAssembly_20(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable881[4] =
{
ObjectMapInfo_t994CA186D06442E65BF2C0508F2EEE31FE5F7D77::get_offset_of_objectId_0(),
ObjectMapInfo_t994CA186D06442E65BF2C0508F2EEE31FE5F7D77::get_offset_of_numMembers_1(),
ObjectMapInfo_t994CA186D06442E65BF2C0508F2EEE31FE5F7D77::get_offset_of_memberNames_2(),
ObjectMapInfo_t994CA186D06442E65BF2C0508F2EEE31FE5F7D77::get_offset_of_memberTypes_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable882[17] =
{
WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C::get_offset_of_objectInfoId_0(),
WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C::get_offset_of_obj_1(),
WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C::get_offset_of_objectType_2(),
WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C::get_offset_of_isSi_3(),
WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C::get_offset_of_isNamed_4(),
WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C::get_offset_of_isTyped_5(),
WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C::get_offset_of_isArray_6(),
WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C::get_offset_of_si_7(),
WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C::get_offset_of_cache_8(),
WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C::get_offset_of_memberData_9(),
WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C::get_offset_of_serializationSurrogate_10(),
WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C::get_offset_of_context_11(),
WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C::get_offset_of_serObjectInfoInit_12(),
WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C::get_offset_of_objectId_13(),
WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C::get_offset_of_assemId_14(),
WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C::get_offset_of_binderTypeName_15(),
WriteObjectInfo_t73F5AD7990B2851B876C36F11D16BB12E322D22C::get_offset_of_binderAssemblyString_16(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable883[18] =
{
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223::get_offset_of_objectInfoId_0(),
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223_StaticFields::get_offset_of_readObjectInfoCounter_1(),
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223::get_offset_of_objectType_2(),
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223::get_offset_of_objectManager_3(),
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223::get_offset_of_count_4(),
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223::get_offset_of_isSi_5(),
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223::get_offset_of_isNamed_6(),
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223::get_offset_of_isTyped_7(),
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223::get_offset_of_bSimpleAssembly_8(),
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223::get_offset_of_cache_9(),
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223::get_offset_of_wireMemberNames_10(),
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223::get_offset_of_wireMemberTypes_11(),
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223::get_offset_of_lastPosition_12(),
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223::get_offset_of_serializationSurrogate_13(),
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223::get_offset_of_context_14(),
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223::get_offset_of_memberTypesList_15(),
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223::get_offset_of_serObjectInfoInit_16(),
ReadObjectInfo_t0C0411013E9722215A396AE1E741AF8EF5961223::get_offset_of_formatterConverter_17(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable884[3] =
{
SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D::get_offset_of_seenBeforeTable_0(),
SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D::get_offset_of_objectInfoIdCount_1(),
SerObjectInfoInit_tC3E5F953EB376F4DCCF289EAB2F65CCC95C93A1D::get_offset_of_oiPool_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable885[6] =
{
SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB::get_offset_of_fullTypeName_0(),
SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB::get_offset_of_assemblyString_1(),
SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB::get_offset_of_hasTypeForwardedFrom_2(),
SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB::get_offset_of_memberInfos_3(),
SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB::get_offset_of_memberNames_4(),
SerObjectInfoCache_tCCB2DD6EACD351CF6BC6FA03E83FBBB857551BFB::get_offset_of_memberTypes_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable886[3] =
{
TypeInformation_t3503150669B72C7392EACBC8F63F3E0392C3B34B::get_offset_of_fullTypeName_0(),
TypeInformation_t3503150669B72C7392EACBC8F63F3E0392C3B34B::get_offset_of_assemblyString_1(),
TypeInformation_t3503150669B72C7392EACBC8F63F3E0392C3B34B::get_offset_of_hasTypeForwardedFrom_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable887[2] =
{
TypeNAssembly_t8DD17B81F9360EB5E3B45F7108F9F3DEB569F2B6::get_offset_of_type_0(),
TypeNAssembly_t8DD17B81F9360EB5E3B45F7108F9F3DEB569F2B6::get_offset_of_assemblyName_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable888[1] =
{
TopLevelAssemblyTypeResolver_t9ECFBA4CD804BA65FCB54E999EFC295D53E28D90::get_offset_of_m_topLevelAssembly_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable889[24] =
{
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_m_stream_0(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_m_surrogates_1(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_m_context_2(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_m_objectManager_3(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_formatterEnums_4(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_m_binder_5(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_topId_6(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_bSimpleAssembly_7(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_handlerObject_8(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_m_topObject_9(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_headers_10(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_handler_11(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_serObjectInfoInit_12(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_m_formatterConverter_13(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_stack_14(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_valueFixupStack_15(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_crossAppDomainArray_16(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_bFullDeserialization_17(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_bOldFormatDetected_18(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_valTypeObjectIdTable_19(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_typeCache_20(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_previousAssemblyString_21(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_previousName_22(),
ObjectReader_t5F7C1222253B9F7FBFC6D74D444FF7AF9A6A4152::get_offset_of_previousType_23(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable890[21] =
{
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_m_objectQueue_0(),
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_m_idGenerator_1(),
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_m_currentId_2(),
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_m_surrogates_3(),
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_m_context_4(),
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_serWriter_5(),
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_m_objectManager_6(),
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_topId_7(),
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_topName_8(),
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_headers_9(),
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_formatterEnums_10(),
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_m_binder_11(),
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_serObjectInfoInit_12(),
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_m_formatterConverter_13(),
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_crossAppDomainArray_14(),
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_previousObj_15(),
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_previousId_16(),
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_previousType_17(),
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_previousCode_18(),
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_assemblyToIdTable_19(),
ObjectWriter_tAA3940C8530BC74389BC0997DC85C6ABCD2CC40F::get_offset_of_niPool_20(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable891[25] =
{
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_objectReader_0(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_input_1(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_topId_2(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_headerId_3(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_objectMapIdTable_4(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_assemIdToAssemblyTable_5(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_stack_6(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_expectedType_7(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_expectedTypeInformation_8(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_PRS_9(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_systemAssemblyInfo_10(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_dataReader_11(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66_StaticFields::get_offset_of_encoding_12(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_opPool_13(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_binaryObject_14(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_bowm_15(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_bowmt_16(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_objectString_17(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_crossAppDomainString_18(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_memberPrimitiveTyped_19(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_byteBuffer_20(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_memberPrimitiveUnTyped_21(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_memberReference_22(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66::get_offset_of_objectNull_23(),
__BinaryParser_t802C51A36F1F21CB577579D1ECDC51396DE5EF66_StaticFields::get_offset_of_messageEnd_24(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable892[41] =
{
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413_StaticFields::get_offset_of_parseRecordIdCount_0(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRparseTypeEnum_1(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRobjectTypeEnum_2(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRarrayTypeEnum_3(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRmemberTypeEnum_4(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRmemberValueEnum_5(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRobjectPositionEnum_6(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRname_7(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRvalue_8(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRvarValue_9(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRkeyDt_10(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRdtType_11(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRdtTypeCode_12(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRisEnum_13(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRobjectId_14(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRidRef_15(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRarrayElementTypeString_16(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRarrayElementType_17(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRisArrayVariant_18(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRarrayElementTypeCode_19(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRrank_20(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRlengthA_21(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRpositionA_22(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRlowerBoundA_23(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRupperBoundA_24(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRindexMap_25(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRmemberIndex_26(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRlinearlength_27(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRrectangularMap_28(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRisLowerBound_29(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRtopId_30(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRheaderId_31(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRobjectInfo_32(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRisValueTypeFixup_33(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRnewObj_34(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRobjectA_35(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRprimitiveArray_36(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRisRegistered_37(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRmemberData_38(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRsi_39(),
ParseRecord_t58028D5C0D38E2B306094517DCC74C2EE3C63413::get_offset_of_PRnullCount_40(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable893[3] =
{
SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC::get_offset_of_objects_0(),
SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC::get_offset_of_stackId_1(),
SerStack_tF095DBA17E9C56FB512013B83F330194A4BB8AAC::get_offset_of_top_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable894[2] =
{
SizedArray_t774FEAB0344A9BE540F22DD0A4E8E9E83EE69C42::get_offset_of_objects_0(),
SizedArray_t774FEAB0344A9BE540F22DD0A4E8E9E83EE69C42::get_offset_of_negObjects_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable895[2] =
{
IntSizedArray_tD2630F08CAA7E2687372DAF56A5BE4215643A04A::get_offset_of_objects_0(),
IntSizedArray_tD2630F08CAA7E2687372DAF56A5BE4215643A04A::get_offset_of_negObjects_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable896[2] =
{
NameCache_tEBDB3A031D648C9812AF8A668C24A085D77E03A9_StaticFields::get_offset_of_ht_0(),
NameCache_tEBDB3A031D648C9812AF8A668C24A085D77E03A9::get_offset_of_name_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable897[8] =
{
ValueFixup_tC77C04E866B11B933EA679427EAA4087F6CB069E::get_offset_of_valueFixupEnum_0(),
ValueFixup_tC77C04E866B11B933EA679427EAA4087F6CB069E::get_offset_of_arrayObj_1(),
ValueFixup_tC77C04E866B11B933EA679427EAA4087F6CB069E::get_offset_of_indexMap_2(),
ValueFixup_tC77C04E866B11B933EA679427EAA4087F6CB069E::get_offset_of_header_3(),
ValueFixup_tC77C04E866B11B933EA679427EAA4087F6CB069E::get_offset_of_memberObject_4(),
ValueFixup_tC77C04E866B11B933EA679427EAA4087F6CB069E_StaticFields::get_offset_of_valueInfo_5(),
ValueFixup_tC77C04E866B11B933EA679427EAA4087F6CB069E::get_offset_of_objectInfo_6(),
ValueFixup_tC77C04E866B11B933EA679427EAA4087F6CB069E::get_offset_of_memberName_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable898[4] =
{
InternalFE_tBF9064793BEA3658FF2E355ECCE5913F38B6E101::get_offset_of_FEtypeFormat_0(),
InternalFE_tBF9064793BEA3658FF2E355ECCE5913F38B6E101::get_offset_of_FEassemblyFormat_1(),
InternalFE_tBF9064793BEA3658FF2E355ECCE5913F38B6E101::get_offset_of_FEsecurityLevel_2(),
InternalFE_tBF9064793BEA3658FF2E355ECCE5913F38B6E101::get_offset_of_FEserializerTypeEnum_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable899[13] =
{
NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F::get_offset_of_NIFullName_0(),
NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F::get_offset_of_NIobjectId_1(),
NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F::get_offset_of_NIassemId_2(),
NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F::get_offset_of_NIprimitiveTypeEnum_3(),
NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F::get_offset_of_NItype_4(),
NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F::get_offset_of_NIisSealed_5(),
NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F::get_offset_of_NIisArray_6(),
NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F::get_offset_of_NIisArrayItem_7(),
NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F::get_offset_of_NItransmitTypeOnObject_8(),
NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F::get_offset_of_NItransmitTypeOnMember_9(),
NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F::get_offset_of_NIisParentTypeOnObject_10(),
NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F::get_offset_of_NIarrayEnum_11(),
NameInfo_t2DAA498B52B3F9E6396E322B749CE25915F28D8F::get_offset_of_NIsealedStatusChecked_12(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable900[12] =
{
PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4::get_offset_of_code_0(),
PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4::get_offset_of_booleanA_1(),
PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4::get_offset_of_charA_2(),
PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4::get_offset_of_doubleA_3(),
PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4::get_offset_of_int16A_4(),
PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4::get_offset_of_int32A_5(),
PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4::get_offset_of_int64A_6(),
PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4::get_offset_of_sbyteA_7(),
PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4::get_offset_of_singleA_8(),
PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4::get_offset_of_uint16A_9(),
PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4::get_offset_of_uint32A_10(),
PrimitiveArray_t5384C101124DF4A154AEB207C0E757180D57ECE4::get_offset_of_uint64A_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable901[1] =
{
ChannelInfo_tBB8BB773743C20D696B007291EC5597F00703E79::get_offset_of_channelData_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable902[2] =
{
ActivatedClientTypeEntry_t66A69B1534DEAA65BB13C418074C41B27F4662A3::get_offset_of_applicationUrl_2(),
ActivatedClientTypeEntry_t66A69B1534DEAA65BB13C418074C41B27F4662A3::get_offset_of_obj_type_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable903[1] =
{
ActivatedServiceTypeEntry_t0DA790E1B80AFC9F7C69388B70AEC3F24C706274::get_offset_of_obj_type_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable904[1] =
{
EnvoyInfo_t08D466663AC843177F6D13F924558D6519BF500E::get_offset_of_envoySinks_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable908[7] =
{
Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5::get_offset_of__objectUri_0(),
Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5::get_offset_of__channelSink_1(),
Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5::get_offset_of__envoySink_2(),
Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5::get_offset_of__clientDynamicProperties_3(),
Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5::get_offset_of__serverDynamicProperties_4(),
Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5::get_offset_of__objRef_5(),
Identity_t640A44175E23F75AB432A7C00569D863BF48AAD5::get_offset_of__disposed_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable909[1] =
{
ClientIdentity_tF35F3D3529880FBF0017AB612179C8E060AE611E::get_offset_of__proxyReference_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable910[1] =
{
InternalRemotingServices_t4428085A701668E194DD35BA911B404771FC2232_StaticFields::get_offset_of__soapAttributes_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable911[8] =
{
ObjRef_t10D53E2178851535F38935DC53B48634063C84D3::get_offset_of_channel_info_0(),
ObjRef_t10D53E2178851535F38935DC53B48634063C84D3::get_offset_of_uri_1(),
ObjRef_t10D53E2178851535F38935DC53B48634063C84D3::get_offset_of_typeInfo_2(),
ObjRef_t10D53E2178851535F38935DC53B48634063C84D3::get_offset_of_envoyInfo_3(),
ObjRef_t10D53E2178851535F38935DC53B48634063C84D3::get_offset_of_flags_4(),
ObjRef_t10D53E2178851535F38935DC53B48634063C84D3::get_offset_of__serverType_5(),
ObjRef_t10D53E2178851535F38935DC53B48634063C84D3_StaticFields::get_offset_of_MarshalledObjectRef_6(),
ObjRef_t10D53E2178851535F38935DC53B48634063C84D3_StaticFields::get_offset_of_WellKnowObjectRef_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable912[13] =
{
RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields::get_offset_of_applicationID_0(),
RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields::get_offset_of_applicationName_1(),
RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields::get_offset_of_processGuid_2(),
RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields::get_offset_of_defaultConfigRead_3(),
RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields::get_offset_of_defaultDelayedConfigRead_4(),
RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields::get_offset_of__errorMode_5(),
RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields::get_offset_of_wellKnownClientEntries_6(),
RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields::get_offset_of_activatedClientEntries_7(),
RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields::get_offset_of_wellKnownServiceEntries_8(),
RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields::get_offset_of_activatedServiceEntries_9(),
RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields::get_offset_of_channelTemplates_10(),
RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields::get_offset_of_clientProviderTemplates_11(),
RemotingConfiguration_t9AFFB44D1A1D02A702140D927B0173593B67D0C5_StaticFields::get_offset_of_serverProviderTemplates_12(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable913[8] =
{
ConfigHandler_t669F653CE4E8ABF2323F028523BEDFB5C56C3760::get_offset_of_typeEntries_0(),
ConfigHandler_t669F653CE4E8ABF2323F028523BEDFB5C56C3760::get_offset_of_channelInstances_1(),
ConfigHandler_t669F653CE4E8ABF2323F028523BEDFB5C56C3760::get_offset_of_currentChannel_2(),
ConfigHandler_t669F653CE4E8ABF2323F028523BEDFB5C56C3760::get_offset_of_currentProviderData_3(),
ConfigHandler_t669F653CE4E8ABF2323F028523BEDFB5C56C3760::get_offset_of_currentClientUrl_4(),
ConfigHandler_t669F653CE4E8ABF2323F028523BEDFB5C56C3760::get_offset_of_appName_5(),
ConfigHandler_t669F653CE4E8ABF2323F028523BEDFB5C56C3760::get_offset_of_currentXmlPath_6(),
ConfigHandler_t669F653CE4E8ABF2323F028523BEDFB5C56C3760::get_offset_of_onlyDelayedChannels_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable914[7] =
{
ChannelData_tEA64A2F1AEEC413430B61C6C7C4A1652EFDD9827::get_offset_of_Ref_0(),
ChannelData_tEA64A2F1AEEC413430B61C6C7C4A1652EFDD9827::get_offset_of_Type_1(),
ChannelData_tEA64A2F1AEEC413430B61C6C7C4A1652EFDD9827::get_offset_of_Id_2(),
ChannelData_tEA64A2F1AEEC413430B61C6C7C4A1652EFDD9827::get_offset_of_DelayLoadAsClientChannel_3(),
ChannelData_tEA64A2F1AEEC413430B61C6C7C4A1652EFDD9827::get_offset_of__serverProviders_4(),
ChannelData_tEA64A2F1AEEC413430B61C6C7C4A1652EFDD9827::get_offset_of__clientProviders_5(),
ChannelData_tEA64A2F1AEEC413430B61C6C7C4A1652EFDD9827::get_offset_of__customProperties_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable915[5] =
{
ProviderData_t2E4B222839D59BB2D2C44E370FA8ED37DAF4F582::get_offset_of_Ref_0(),
ProviderData_t2E4B222839D59BB2D2C44E370FA8ED37DAF4F582::get_offset_of_Type_1(),
ProviderData_t2E4B222839D59BB2D2C44E370FA8ED37DAF4F582::get_offset_of_Id_2(),
ProviderData_t2E4B222839D59BB2D2C44E370FA8ED37DAF4F582::get_offset_of_CustomProperties_3(),
ProviderData_t2E4B222839D59BB2D2C44E370FA8ED37DAF4F582::get_offset_of_CustomData_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable918[2] =
{
CACD_t6B3909DA5980C3872BE8E05ED5CC5C971650A8DB::get_offset_of_d_0(),
CACD_t6B3909DA5980C3872BE8E05ED5CC5C971650A8DB::get_offset_of_c_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable919[8] =
{
RemotingServices_tA253EA010FDD8986A2E814099EAB32BB98652786_StaticFields::get_offset_of_uri_hash_0(),
RemotingServices_tA253EA010FDD8986A2E814099EAB32BB98652786_StaticFields::get_offset_of__serializationFormatter_1(),
RemotingServices_tA253EA010FDD8986A2E814099EAB32BB98652786_StaticFields::get_offset_of__deserializationFormatter_2(),
RemotingServices_tA253EA010FDD8986A2E814099EAB32BB98652786_StaticFields::get_offset_of_app_id_3(),
RemotingServices_tA253EA010FDD8986A2E814099EAB32BB98652786_StaticFields::get_offset_of_app_id_lock_4(),
RemotingServices_tA253EA010FDD8986A2E814099EAB32BB98652786_StaticFields::get_offset_of_next_id_5(),
RemotingServices_tA253EA010FDD8986A2E814099EAB32BB98652786_StaticFields::get_offset_of_FieldSetterMethod_6(),
RemotingServices_tA253EA010FDD8986A2E814099EAB32BB98652786_StaticFields::get_offset_of_FieldGetterMethod_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable920[5] =
{
ServerIdentity_t5689BF0CA0122A8E597C9900D39F11F07D79D3A8::get_offset_of__objectType_7(),
ServerIdentity_t5689BF0CA0122A8E597C9900D39F11F07D79D3A8::get_offset_of__serverObject_8(),
ServerIdentity_t5689BF0CA0122A8E597C9900D39F11F07D79D3A8::get_offset_of__serverSink_9(),
ServerIdentity_t5689BF0CA0122A8E597C9900D39F11F07D79D3A8::get_offset_of__context_10(),
ServerIdentity_t5689BF0CA0122A8E597C9900D39F11F07D79D3A8::get_offset_of__lease_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable921[1] =
{
ClientActivatedIdentity_t15889AD8330630DE5A85C02BD4F07FE7FC72AEC6::get_offset_of__targetThis_12(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable924[2] =
{
DisposerReplySink_t68F832E73EC99ECB9D42BCE956C7E33A4C3CDEE3::get_offset_of__next_0(),
DisposerReplySink_t68F832E73EC99ECB9D42BCE956C7E33A4C3CDEE3::get_offset_of__disposable_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable925[2] =
{
TypeInfo_tBCF7E8CE1B993A7CFAE175D4ADE983D1763534A9::get_offset_of_Attributes_0(),
TypeInfo_tBCF7E8CE1B993A7CFAE175D4ADE983D1763534A9::get_offset_of_Elements_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable926[5] =
{
SoapServices_tF5C603622E5CA7C74CE4C673ADEB2AE77B95273B_StaticFields::get_offset_of__xmlTypes_0(),
SoapServices_tF5C603622E5CA7C74CE4C673ADEB2AE77B95273B_StaticFields::get_offset_of__xmlElements_1(),
SoapServices_tF5C603622E5CA7C74CE4C673ADEB2AE77B95273B_StaticFields::get_offset_of__soapActions_2(),
SoapServices_tF5C603622E5CA7C74CE4C673ADEB2AE77B95273B_StaticFields::get_offset_of__soapActionsMethods_3(),
SoapServices_tF5C603622E5CA7C74CE4C673ADEB2AE77B95273B_StaticFields::get_offset_of__typeInfos_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable927[2] =
{
TypeEntry_tE6A29217B055E31F4568B08F627D9BD7E4B28DE5::get_offset_of_assembly_name_0(),
TypeEntry_tE6A29217B055E31F4568B08F627D9BD7E4B28DE5::get_offset_of_type_name_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable928[3] =
{
TypeInfo_t78759231E8CBE4651477B12B4D57399542F4FB46::get_offset_of_serverType_0(),
TypeInfo_t78759231E8CBE4651477B12B4D57399542F4FB46::get_offset_of_serverHierarchy_1(),
TypeInfo_t78759231E8CBE4651477B12B4D57399542F4FB46::get_offset_of_interfacesImplemented_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable929[3] =
{
WellKnownClientTypeEntry_tF15BE481E09131FA6D056BC004B31525261ED4FD::get_offset_of_obj_type_2(),
WellKnownClientTypeEntry_tF15BE481E09131FA6D056BC004B31525261ED4FD::get_offset_of_obj_url_3(),
WellKnownClientTypeEntry_tF15BE481E09131FA6D056BC004B31525261ED4FD::get_offset_of_app_url_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable930[3] =
{
WellKnownObjectMode_tD0EDA73FE29C75F12EA90F0EBC7875BAD0E3E7BD::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable931[3] =
{
WellKnownServiceTypeEntry_t98CBB552396BFD8971C9C23000B68613B8D67F9D::get_offset_of_obj_type_2(),
WellKnownServiceTypeEntry_t98CBB552396BFD8971C9C23000B68613B8D67F9D::get_offset_of_obj_uri_3(),
WellKnownServiceTypeEntry_t98CBB552396BFD8971C9C23000B68613B8D67F9D::get_offset_of_obj_mode_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable933[1] =
{
TrackingServices_tE9FED3B66D252F90D53A326F5A889DB465F2E474_StaticFields::get_offset_of__handlers_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable935[3] =
{
TransparentProxy_t0A3E7468290B2C8EEEC64C242D586F3EE7B3F968::get_offset_of__rp_0(),
TransparentProxy_t0A3E7468290B2C8EEEC64C242D586F3EE7B3F968::get_offset_of__class_1(),
TransparentProxy_t0A3E7468290B2C8EEEC64C242D586F3EE7B3F968::get_offset_of__custom_type_info_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable936[8] =
{
RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744::get_offset_of_class_to_proxy_0(),
RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744::get_offset_of__targetContext_1(),
RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744::get_offset_of__server_2(),
RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744::get_offset_of__targetDomainId_3(),
RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744::get_offset_of__targetUri_4(),
RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744::get_offset_of__objectIdentity_5(),
RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744::get_offset_of__objTP_6(),
RealProxy_t323149046389A393F3F96DBAD6066A96B21CB744::get_offset_of__stubData_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable937[5] =
{
RemotingProxy_t98432727E564B2B45BB25C0AAE02F29ABDE70F63_StaticFields::get_offset_of__cache_GetTypeMethod_8(),
RemotingProxy_t98432727E564B2B45BB25C0AAE02F29ABDE70F63_StaticFields::get_offset_of__cache_GetHashCodeMethod_9(),
RemotingProxy_t98432727E564B2B45BB25C0AAE02F29ABDE70F63::get_offset_of__sink_10(),
RemotingProxy_t98432727E564B2B45BB25C0AAE02F29ABDE70F63::get_offset_of__hasEnvoySink_11(),
RemotingProxy_t98432727E564B2B45BB25C0AAE02F29ABDE70F63::get_offset_of__ctorCall_12(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable941[8] =
{
Lease_tA878061ECC9A466127F00ACF5568EAB267E05641::get_offset_of__leaseExpireTime_1(),
Lease_tA878061ECC9A466127F00ACF5568EAB267E05641::get_offset_of__currentState_2(),
Lease_tA878061ECC9A466127F00ACF5568EAB267E05641::get_offset_of__initialLeaseTime_3(),
Lease_tA878061ECC9A466127F00ACF5568EAB267E05641::get_offset_of__renewOnCallTime_4(),
Lease_tA878061ECC9A466127F00ACF5568EAB267E05641::get_offset_of__sponsorshipTimeout_5(),
Lease_tA878061ECC9A466127F00ACF5568EAB267E05641::get_offset_of__sponsors_6(),
Lease_tA878061ECC9A466127F00ACF5568EAB267E05641::get_offset_of__renewingSponsors_7(),
Lease_tA878061ECC9A466127F00ACF5568EAB267E05641::get_offset_of__renewalDelegate_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable942[2] =
{
LeaseManager_tCB2B24D3B1EB0083B9FF0BA2D4E5E8B84EE94DD1::get_offset_of__objects_0(),
LeaseManager_tCB2B24D3B1EB0083B9FF0BA2D4E5E8B84EE94DD1::get_offset_of__timer_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable943[1] =
{
LeaseSink_t102D9ED005D8D3BF39D7D7012058E2C02FB5F92D::get_offset_of__nextSink_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable944[6] =
{
LeaseState_tB93D422C38A317EBB25A5288A2229882FE1E8491::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable945[5] =
{
LifetimeServices_tF0C101B662D7B7A3481C924BC01E1623C1AFF6E4_StaticFields::get_offset_of__leaseManagerPollTime_0(),
LifetimeServices_tF0C101B662D7B7A3481C924BC01E1623C1AFF6E4_StaticFields::get_offset_of__leaseTime_1(),
LifetimeServices_tF0C101B662D7B7A3481C924BC01E1623C1AFF6E4_StaticFields::get_offset_of__renewOnCallTime_2(),
LifetimeServices_tF0C101B662D7B7A3481C924BC01E1623C1AFF6E4_StaticFields::get_offset_of__sponsorshipTimeout_3(),
LifetimeServices_tF0C101B662D7B7A3481C924BC01E1623C1AFF6E4_StaticFields::get_offset_of__leaseManager_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable946[15] =
{
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678::get_offset_of_domain_id_0(),
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678::get_offset_of_context_id_1(),
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678::get_offset_of_static_data_2(),
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678::get_offset_of_data_3(),
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678_StaticFields::get_offset_of_local_slots_4(),
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678_StaticFields::get_offset_of_default_server_context_sink_5(),
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678::get_offset_of_server_context_sink_chain_6(),
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678::get_offset_of_client_context_sink_chain_7(),
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678::get_offset_of_context_properties_8(),
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678_StaticFields::get_offset_of_global_count_9(),
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678::get_offset_of__localDataStore_10(),
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678_StaticFields::get_offset_of__localDataStoreMgr_11(),
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678_StaticFields::get_offset_of_global_dynamic_properties_12(),
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678::get_offset_of_context_dynamic_properties_13(),
Context_t8A5B564FD0F970E10A97ACB8A7579FFF3EE4C678::get_offset_of_callback_object_14(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable947[2] =
{
DynamicPropertyReg_t100305A4DE3BC003606AB35190DFA0B167DF544E::get_offset_of_Property_0(),
DynamicPropertyReg_t100305A4DE3BC003606AB35190DFA0B167DF544E::get_offset_of_Sink_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable948[1] =
{
DynamicPropertyCollection_t374B470D20F1FAF60F0578EE489846E6E283984B::get_offset_of__properties_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable950[3] =
{
ContextRestoreSink_t4EE56AAAB8ED750D86FBE07D214946B076F05D99::get_offset_of__next_0(),
ContextRestoreSink_t4EE56AAAB8ED750D86FBE07D214946B076F05D99::get_offset_of__context_1(),
ContextRestoreSink_t4EE56AAAB8ED750D86FBE07D214946B076F05D99::get_offset_of__call_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable962[5] =
{
ChannelServices_tE1834D9FC8B4A62937AEF20FF29A91B9D3A07B28_StaticFields::get_offset_of_registeredChannels_0(),
ChannelServices_tE1834D9FC8B4A62937AEF20FF29A91B9D3A07B28_StaticFields::get_offset_of_delayedClientChannels_1(),
ChannelServices_tE1834D9FC8B4A62937AEF20FF29A91B9D3A07B28_StaticFields::get_offset_of__crossContextSink_2(),
ChannelServices_tE1834D9FC8B4A62937AEF20FF29A91B9D3A07B28_StaticFields::get_offset_of_CrossContextUrl_3(),
ChannelServices_tE1834D9FC8B4A62937AEF20FF29A91B9D3A07B28_StaticFields::get_offset_of_oldStartModeTypes_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable963[3] =
{
CrossAppDomainData_t92D017A6163A5F7EFAB22F5441E9D63F42EC8B43::get_offset_of__ContextID_0(),
CrossAppDomainData_t92D017A6163A5F7EFAB22F5441E9D63F42EC8B43::get_offset_of__DomainID_1(),
CrossAppDomainData_t92D017A6163A5F7EFAB22F5441E9D63F42EC8B43::get_offset_of__processGuid_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable964[1] =
{
CrossAppDomainChannel_t18A2150DA7C305DE9982CD58065CA011A80E945A_StaticFields::get_offset_of_s_lock_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable965[2] =
{
ProcessMessageRes_tEB8A216399166053C37BA6F520ADEA92455104E9::get_offset_of_arrResponse_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ProcessMessageRes_tEB8A216399166053C37BA6F520ADEA92455104E9::get_offset_of_cadMrm_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable966[3] =
{
CrossAppDomainSink_tBEA91A71E284EA6DC5E930F703711FB7D7015586_StaticFields::get_offset_of_s_sinks_0(),
CrossAppDomainSink_tBEA91A71E284EA6DC5E930F703711FB7D7015586_StaticFields::get_offset_of_processMessageMethod_1(),
CrossAppDomainSink_tBEA91A71E284EA6DC5E930F703711FB7D7015586::get_offset_of__domainID_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable968[2] =
{
AsyncRequest_t7873AE0E6A7BE5EFEC550019C652820DDD5C2BAA::get_offset_of_ReplySink_0(),
AsyncRequest_t7873AE0E6A7BE5EFEC550019C652820DDD5C2BAA::get_offset_of_MsgRequest_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable976[3] =
{
SinkProviderData_tDCF47C22643A26B1E1F6BB60FA7AE7034053D14E::get_offset_of_sinkName_0(),
SinkProviderData_tDCF47C22643A26B1E1F6BB60FA7AE7034053D14E::get_offset_of_children_1(),
SinkProviderData_tDCF47C22643A26B1E1F6BB60FA7AE7034053D14E::get_offset_of_properties_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable977[1] =
{
ActivationServices_tAF202CB80CD4714D0F3EAB20DB18A203AECFCB73_StaticFields::get_offset_of__constructionActivator_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable978[2] =
{
AppDomainLevelActivator_tCDFE409335B0EC4B3C1DC740F38C6967A7B967B3::get_offset_of__activationUrl_0(),
AppDomainLevelActivator_tCDFE409335B0EC4B3C1DC740F38C6967A7B967B3::get_offset_of__next_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable980[1] =
{
ContextLevelActivator_t920964197FEA88F1FBB53FEB891727A5BE0B2519::get_offset_of_m_NextActivator_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable985[3] =
{
SoapAttribute_t6F0FA8C211A4909FD28F96DBB65E898BFFF47ADC::get_offset_of__useAttribute_0(),
SoapAttribute_t6F0FA8C211A4909FD28F96DBB65E898BFFF47ADC::get_offset_of_ProtXmlNamespace_1(),
SoapAttribute_t6F0FA8C211A4909FD28F96DBB65E898BFFF47ADC::get_offset_of_ReflectInfo_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable986[2] =
{
SoapFieldAttribute_t65446EE84B0581F1BF7D19B78C183EF6F5DF48B5::get_offset_of__elementName_3(),
SoapFieldAttribute_t65446EE84B0581F1BF7D19B78C183EF6F5DF48B5::get_offset_of__isElement_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable987[6] =
{
SoapMethodAttribute_t08612B275859D8B4D8A815914D12096709579378::get_offset_of__responseElement_3(),
SoapMethodAttribute_t08612B275859D8B4D8A815914D12096709579378::get_offset_of__responseNamespace_4(),
SoapMethodAttribute_t08612B275859D8B4D8A815914D12096709579378::get_offset_of__returnElement_5(),
SoapMethodAttribute_t08612B275859D8B4D8A815914D12096709579378::get_offset_of__soapAction_6(),
SoapMethodAttribute_t08612B275859D8B4D8A815914D12096709579378::get_offset_of__useAttribute_7(),
SoapMethodAttribute_t08612B275859D8B4D8A815914D12096709579378::get_offset_of__namespace_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable989[7] =
{
SoapTypeAttribute_t848275CB40016FE22B3F7D4F2749337C12D8167B::get_offset_of__useAttribute_3(),
SoapTypeAttribute_t848275CB40016FE22B3F7D4F2749337C12D8167B::get_offset_of__xmlElementName_4(),
SoapTypeAttribute_t848275CB40016FE22B3F7D4F2749337C12D8167B::get_offset_of__xmlNamespace_5(),
SoapTypeAttribute_t848275CB40016FE22B3F7D4F2749337C12D8167B::get_offset_of__xmlTypeName_6(),
SoapTypeAttribute_t848275CB40016FE22B3F7D4F2749337C12D8167B::get_offset_of__xmlTypeNamespace_7(),
SoapTypeAttribute_t848275CB40016FE22B3F7D4F2749337C12D8167B::get_offset_of__isType_8(),
SoapTypeAttribute_t848275CB40016FE22B3F7D4F2749337C12D8167B::get_offset_of__isElement_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable991[2] =
{
IllogicalCallContext_tFC01A2B688E85D44897206E4ACD81E050D25846E::get_offset_of_m_Datastore_0(),
IllogicalCallContext_tFC01A2B688E85D44897206E4ACD81E050D25846E::get_offset_of_m_HostContext_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable992[1] =
{
Reader_tCFB139CA143817B24496D4F1B0DD8F51A256AB13::get_offset_of_m_ctx_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable993[6] =
{
LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3_StaticFields::get_offset_of_s_callContextType_0(),
LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3::get_offset_of_m_Datastore_1(),
LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3::get_offset_of_m_RemotingData_2(),
LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3::get_offset_of_m_SecurityData_3(),
LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3::get_offset_of_m_HostContext_4(),
LogicalCallContext_tB537C2A13F19FCC7EBC74757A415F2CA5C8FA1C3::get_offset_of_m_IsCorrelationMgr_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable994[1] =
{
CallContextSecurityData_t57A7D75CA887E871D0AF1E3AF1AB9624AB99B431::get_offset_of__principal_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable995[1] =
{
CallContextRemotingData_t91D21A898FED729F67E6899F29076D9CF39E419E::get_offset_of__logicalCallID_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable996[3] =
{
ArgInfoType_t54B52AC2F9BACA17BE0E716683CDCF9A3523FFBB::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable997[3] =
{
ArgInfo_tA94BF0451B100D18BFBC2EDA7947AFD4E2F5F7A2::get_offset_of__paramMap_0(),
ArgInfo_tA94BF0451B100D18BFBC2EDA7947AFD4E2F5F7A2::get_offset_of__inoutArgCount_1(),
ArgInfo_tA94BF0451B100D18BFBC2EDA7947AFD4E2F5F7A2::get_offset_of__method_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable998[17] =
{
AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B::get_offset_of_async_state_0(),
AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B::get_offset_of_handle_1(),
AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B::get_offset_of_async_delegate_2(),
AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B::get_offset_of_data_3(),
AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B::get_offset_of_object_data_4(),
AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B::get_offset_of_sync_completed_5(),
AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B::get_offset_of_completed_6(),
AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B::get_offset_of_endinvoke_called_7(),
AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B::get_offset_of_async_callback_8(),
AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B::get_offset_of_current_9(),
AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B::get_offset_of_original_10(),
AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B::get_offset_of_add_time_11(),
AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B::get_offset_of_call_message_12(),
AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B::get_offset_of_message_ctrl_13(),
AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B::get_offset_of_reply_message_14(),
AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B::get_offset_of_orig_cb_15(),
AsyncResult_t7AD876FCD0341D8317ADB430701F4E391E6BB75B_StaticFields::get_offset_of_ccb_16(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable999[1] =
{
CADArgHolder_tF834CE7AC93B38AABC332460CBAB127B82A9389E::get_offset_of_index_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1000[3] =
{
CADObjRef_tEBB48EB2D43F3C2012DFF53EC552B784A5FAA0FC::get_offset_of_objref_0(),
CADObjRef_tEBB48EB2D43F3C2012DFF53EC552B784A5FAA0FC::get_offset_of_SourceDomain_1(),
CADObjRef_tEBB48EB2D43F3C2012DFF53EC552B784A5FAA0FC::get_offset_of_TypeInfo_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1001[5] =
{
CADMethodRef_t9626FF46E076B15F71F14133E3FE884F10F50DD2::get_offset_of_ctor_0(),
CADMethodRef_t9626FF46E076B15F71F14133E3FE884F10F50DD2::get_offset_of_typeName_1(),
CADMethodRef_t9626FF46E076B15F71F14133E3FE884F10F50DD2::get_offset_of_methodName_2(),
CADMethodRef_t9626FF46E076B15F71F14133E3FE884F10F50DD2::get_offset_of_param_names_3(),
CADMethodRef_t9626FF46E076B15F71F14133E3FE884F10F50DD2::get_offset_of_generic_arg_names_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1002[5] =
{
CADMessageBase_t78A590A87FD9362D67AAD58A88C4062CA0A105C7::get_offset_of__args_0(),
CADMessageBase_t78A590A87FD9362D67AAD58A88C4062CA0A105C7::get_offset_of__serializedArgs_1(),
CADMessageBase_t78A590A87FD9362D67AAD58A88C4062CA0A105C7::get_offset_of__propertyCount_2(),
CADMessageBase_t78A590A87FD9362D67AAD58A88C4062CA0A105C7::get_offset_of__callContext_3(),
CADMessageBase_t78A590A87FD9362D67AAD58A88C4062CA0A105C7::get_offset_of_serializedMethod_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1003[1] =
{
CADMethodCallMessage_t57296ECCBF254F676C852CB37D8A35782059F906::get_offset_of__uri_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1004[3] =
{
CADMethodReturnMessage_t875AA26C474A6CC70596D42E9D74006BCC86A272::get_offset_of__returnValue_5(),
CADMethodReturnMessage_t875AA26C474A6CC70596D42E9D74006BCC86A272::get_offset_of__exception_6(),
CADMethodReturnMessage_t875AA26C474A6CC70596D42E9D74006BCC86A272::get_offset_of__sig_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1005[1] =
{
ClientContextTerminatorSink_tA6083D944E104518F33798B16754D1BA236A3C20::get_offset_of__context_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1006[2] =
{
ClientContextReplySink_tAB77283D5E284109DBA2762B990D89C2F2BE24C8::get_offset_of__replySink_0(),
ClientContextReplySink_tAB77283D5E284109DBA2762B990D89C2F2BE24C8::get_offset_of__context_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1007[7] =
{
ConstructionCall_tFB3D22905098A82A4E9D61E6E555818CB2E1104C::get_offset_of__activator_11(),
ConstructionCall_tFB3D22905098A82A4E9D61E6E555818CB2E1104C::get_offset_of__activationAttributes_12(),
ConstructionCall_tFB3D22905098A82A4E9D61E6E555818CB2E1104C::get_offset_of__contextProperties_13(),
ConstructionCall_tFB3D22905098A82A4E9D61E6E555818CB2E1104C::get_offset_of__activationType_14(),
ConstructionCall_tFB3D22905098A82A4E9D61E6E555818CB2E1104C::get_offset_of__activationTypeName_15(),
ConstructionCall_tFB3D22905098A82A4E9D61E6E555818CB2E1104C::get_offset_of__isContextOk_16(),
ConstructionCall_tFB3D22905098A82A4E9D61E6E555818CB2E1104C::get_offset_of__sourceProxy_17(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1008[1] =
{
ConstructionCallDictionary_t1F05D29F308518AED68842C93E90EC397344A0C8_StaticFields::get_offset_of_InternalKeys_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1010[1] =
{
EnvoyTerminatorSink_t144F234143A6FE1754612AC4F426888602896FBC_StaticFields::get_offset_of_Instance_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1011[1] =
{
ErrorMessage_t4F3B0393902309E532B83B8AC9B45DD0A71BD8A4::get_offset_of__uri_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1021[11] =
{
MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2::get_offset_of__uri_0(),
MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2::get_offset_of__typeName_1(),
MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2::get_offset_of__methodName_2(),
MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2::get_offset_of__args_3(),
MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2::get_offset_of__methodSignature_4(),
MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2::get_offset_of__methodBase_5(),
MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2::get_offset_of__callContext_6(),
MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2::get_offset_of__targetIdentity_7(),
MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2::get_offset_of__genericArguments_8(),
MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2::get_offset_of_ExternalProperties_9(),
MethodCall_tB3068F8211D1CB4FF604D73F36D4F8D64951D4F2::get_offset_of_InternalProperties_10(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1022[1] =
{
MCMDictionary_tEA8C1F89F5B3783040584C2C390C758B1420CCDF_StaticFields::get_offset_of_InternalKeys_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1023[3] =
{
DictionaryEnumerator_t95104D38F24B87BBC706FDB01BAA3C1AC4908ED3::get_offset_of__methodDictionary_0(),
DictionaryEnumerator_t95104D38F24B87BBC706FDB01BAA3C1AC4908ED3::get_offset_of__hashtableEnum_1(),
DictionaryEnumerator_t95104D38F24B87BBC706FDB01BAA3C1AC4908ED3::get_offset_of__posMethod_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1024[4] =
{
MessageDictionary_tF87E1D8408337642172945A13C9C116D7F9336BE::get_offset_of__internalProperties_0(),
MessageDictionary_tF87E1D8408337642172945A13C9C116D7F9336BE::get_offset_of__message_1(),
MessageDictionary_tF87E1D8408337642172945A13C9C116D7F9336BE::get_offset_of__methodKeys_2(),
MessageDictionary_tF87E1D8408337642172945A13C9C116D7F9336BE::get_offset_of__ownProperties_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1025[15] =
{
MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5::get_offset_of__methodName_0(),
MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5::get_offset_of__uri_1(),
MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5::get_offset_of__typeName_2(),
MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5::get_offset_of__methodBase_3(),
MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5::get_offset_of__returnValue_4(),
MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5::get_offset_of__exception_5(),
MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5::get_offset_of__methodSignature_6(),
MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5::get_offset_of__inArgInfo_7(),
MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5::get_offset_of__args_8(),
MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5::get_offset_of__outArgs_9(),
MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5::get_offset_of__callMsg_10(),
MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5::get_offset_of__callContext_11(),
MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5::get_offset_of__targetIdentity_12(),
MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5::get_offset_of_ExternalProperties_13(),
MethodResponse_tF8C71D003BA7D3DFB7C5079C1586139A6130ADC5::get_offset_of_InternalProperties_14(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1026[2] =
{
MethodReturnDictionary_tCD3B3B0F69F53EF7653CB5E6B175628E8FD54531_StaticFields::get_offset_of_InternalReturnKeys_4(),
MethodReturnDictionary_tCD3B3B0F69F53EF7653CB5E6B175628E8FD54531_StaticFields::get_offset_of_InternalExceptionKeys_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1027[15] =
{
MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC::get_offset_of_method_0(),
MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC::get_offset_of_args_1(),
MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC::get_offset_of_names_2(),
MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC::get_offset_of_arg_types_3(),
MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC::get_offset_of_ctx_4(),
MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC::get_offset_of_rval_5(),
MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC::get_offset_of_exc_6(),
MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC::get_offset_of_asyncResult_7(),
MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC::get_offset_of_call_type_8(),
MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC::get_offset_of_uri_9(),
MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC::get_offset_of_properties_10(),
MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC::get_offset_of_methodSignature_11(),
MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC::get_offset_of_identity_12(),
MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC_StaticFields::get_offset_of_CallContextKey_13(),
MonoMethodMessage_t0B5F9B92AC439517E0DD283EFEBAFBDBE8B12FAC_StaticFields::get_offset_of_UriKey_14(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1028[5] =
{
CallType_t15DF7BAFAD151752A76BBDA8F4D95AF3B4CA5444::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1032[4] =
{
RemotingSurrogateSelector_t1E36D625AE2C1058EA107D872577F1EFD04B5FCA_StaticFields::get_offset_of_s_cachedTypeObjRef_0(),
RemotingSurrogateSelector_t1E36D625AE2C1058EA107D872577F1EFD04B5FCA_StaticFields::get_offset_of__objRefSurrogate_1(),
RemotingSurrogateSelector_t1E36D625AE2C1058EA107D872577F1EFD04B5FCA_StaticFields::get_offset_of__objRemotingSurrogate_2(),
RemotingSurrogateSelector_t1E36D625AE2C1058EA107D872577F1EFD04B5FCA::get_offset_of__next_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1033[13] =
{
ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9::get_offset_of__outArgs_0(),
ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9::get_offset_of__args_1(),
ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9::get_offset_of__callCtx_2(),
ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9::get_offset_of__returnValue_3(),
ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9::get_offset_of__uri_4(),
ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9::get_offset_of__exception_5(),
ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9::get_offset_of__methodBase_6(),
ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9::get_offset_of__methodName_7(),
ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9::get_offset_of__methodSignature_8(),
ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9::get_offset_of__typeName_9(),
ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9::get_offset_of__properties_10(),
ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9::get_offset_of__targetIdentity_11(),
ReturnMessage_tBC416F1575159EF223AB8AF256F46F5832E3F3F9::get_offset_of__inArgInfo_12(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1035[1] =
{
ServerObjectTerminatorSink_t903831C8E5FC8C991C82B539937F878ECD96CB9F::get_offset_of__nextSink_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1036[2] =
{
ServerObjectReplySink_t94EE4DA566EC9B43FDBB9508D4AE01D2C6633C63::get_offset_of__replySink_0(),
ServerObjectReplySink_t94EE4DA566EC9B43FDBB9508D4AE01D2C6633C63::get_offset_of__identity_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1037[2] =
{
StackBuilderSink_tD852C1DCFA0CDA0B882EE8342D24F54FAE5D647A::get_offset_of__target_0(),
StackBuilderSink_tD852C1DCFA0CDA0B882EE8342D24F54FAE5D647A::get_offset_of__rp_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1040[2] =
{
ExceptionDispatchInfo_t85442E41DA1485CFF22598AC362EE986DF3CDD09::get_offset_of_m_Exception_0(),
ExceptionDispatchInfo_t85442E41DA1485CFF22598AC362EE986DF3CDD09::get_offset_of_m_stackTrace_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1042[5] =
{
Consistency_tEE5485CF2F355DF32301D369AC52D1180D5331B3::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1043[4] =
{
Cer_t64C71B0BD34D91BE01771856B7D1444ACFB7C517::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1044[2] =
{
ReliabilityContractAttribute_tA4C92DE9C416AF50E26D17FF85A9251D01D0A971::get_offset_of__consistency_0(),
ReliabilityContractAttribute_tA4C92DE9C416AF50E26D17FF85A9251D01D0A971::get_offset_of__cer_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1046[1] =
{
TupleElementNamesAttribute_tA4BB7E54E3D9A06A7EA4334EC48A0BFC809F65FD::get_offset_of__transformNames_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1047[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1048[3] =
{
AsyncTaskCache_t3CED9C4FF39C22FFD601A0D5AC9B64190AF4BC45_StaticFields::get_offset_of_TrueTask_0(),
AsyncTaskCache_t3CED9C4FF39C22FFD601A0D5AC9B64190AF4BC45_StaticFields::get_offset_of_FalseTask_1(),
AsyncTaskCache_t3CED9C4FF39C22FFD601A0D5AC9B64190AF4BC45_StaticFields::get_offset_of_Int32Tasks_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1049[3] =
{
MoveNextRunner_tFAEA0BEDD353E2E34E8E287C67B1F5572FD30C2D::get_offset_of_m_context_0(),
MoveNextRunner_tFAEA0BEDD353E2E34E8E287C67B1F5572FD30C2D::get_offset_of_m_stateMachine_1(),
MoveNextRunner_tFAEA0BEDD353E2E34E8E287C67B1F5572FD30C2D_StaticFields::get_offset_of_s_invokeMoveNext_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1050[3] =
{
ContinuationWrapper_t45D03017A5535E2179980E8A7F507EF5971B9CF7::get_offset_of_m_continuation_0(),
ContinuationWrapper_t45D03017A5535E2179980E8A7F507EF5971B9CF7::get_offset_of_m_invokeAction_1(),
ContinuationWrapper_t45D03017A5535E2179980E8A7F507EF5971B9CF7::get_offset_of_m_innerTask_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1051[2] =
{
U3CU3Ec__DisplayClass4_0_t38B3E16316858B21DD5DEED1FFA2F925C066AC80::get_offset_of_innerTask_0(),
U3CU3Ec__DisplayClass4_0_t38B3E16316858B21DD5DEED1FFA2F925C066AC80::get_offset_of_continuation_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1052[3] =
{
U3CU3Ec_t4202B038B520398A74BB9C92F9213CF50603874F_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_t4202B038B520398A74BB9C92F9213CF50603874F_StaticFields::get_offset_of_U3CU3E9__6_0_1(),
U3CU3Ec_t4202B038B520398A74BB9C92F9213CF50603874F_StaticFields::get_offset_of_U3CU3E9__6_1_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1053[2] =
{
AsyncMethodBuilderCore_t2C85055E04767C52B9F66144476FCBF500DBFA34::get_offset_of_m_stateMachine_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
AsyncMethodBuilderCore_t2C85055E04767C52B9F66144476FCBF500DBFA34::get_offset_of_m_defaultContextAction_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1058[1] =
{
RuntimeCompatibilityAttribute_tFF99AB2963098F9CBCD47A20D9FD3D51C17C1C80::get_offset_of_m_wrapNonExceptionThrows_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1059[1] =
{
RuntimeWrappedException_tF5D723180432C0C1156A29128C10A68E2BE07FB9::get_offset_of_m_wrappedException_17(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1060[1] =
{
StateMachineAttribute_tA6E77C77F821508E405473BA1C4C08A69FDA0AC3::get_offset_of_U3CStateMachineTypeU3Ek__BackingField_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1061[1] =
{
TaskAwaiter_t3780D365E9D10C2D6C4E76C78AA0CDF92B8F181C::get_offset_of_m_task_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1062[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1063[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1064[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1065[1] =
{
TypeForwardedFromAttribute_t8720B6C728D073F01D73931060E2925C1D1909F9::get_offset_of_assemblyFullName_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1066[4] =
{
LoadHint_tFC9A0F3EDCF16D049F9996529BD480F333CAD53A::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1067[1] =
{
DefaultDependencyAttribute_t21B87744D7ABF0FF6F57E498DE4EFD9A03E4F143::get_offset_of_loadHint_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1068[2] =
{
CompilationRelaxations_t3F4D0C01134AC29212BCFE66E9A9F13A92F888AC::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1069[1] =
{
CompilationRelaxationsAttribute_t661FDDC06629BDA607A42BD660944F039FE03AFF::get_offset_of_m_relaxations_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1072[1] =
{
DateTimeConstantAttribute_t546AFFD33ADD9C6F4C41B0E7B47B627932D92EEE::get_offset_of_date_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1073[1] =
{
DecimalConstantAttribute_tF4B61B0EA3536DECB9DF2A991AFBBE44EF33D06A::get_offset_of_dec_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1075[2] =
{
FixedBufferAttribute_tA3523076C957FC980B0B4445B25C2D4AA626DC4C::get_offset_of_elementType_0(),
FixedBufferAttribute_tA3523076C957FC980B0B4445B25C2D4AA626DC4C::get_offset_of_length_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1076[2] =
{
InternalsVisibleToAttribute_t1D9772A02892BAC440952F880A43C257E6C3E68C::get_offset_of__assemblyName_0(),
InternalsVisibleToAttribute_t1D9772A02892BAC440952F880A43C257E6C3E68C::get_offset_of__allInternalsVisible_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1079[1] =
{
TypeDependencyAttribute_tFF8DAB85FA35691CE24562D9137E2948CC2083B1::get_offset_of_typeName_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1083[2] =
{
Ephemeron_t76EEAA1BDD5BE64FEAF9E3CD185451837EAA6208::get_offset_of_key_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Ephemeron_t76EEAA1BDD5BE64FEAF9E3CD185451837EAA6208::get_offset_of_value_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1085[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1087[5] =
{
UnmanagedFunctionPointerAttribute_t3361C55E19F9905230FD9C1691B0FE0FD341B43F::get_offset_of_m_callingConvention_0(),
UnmanagedFunctionPointerAttribute_t3361C55E19F9905230FD9C1691B0FE0FD341B43F::get_offset_of_CharSet_1(),
UnmanagedFunctionPointerAttribute_t3361C55E19F9905230FD9C1691B0FE0FD341B43F::get_offset_of_BestFitMapping_2(),
UnmanagedFunctionPointerAttribute_t3361C55E19F9905230FD9C1691B0FE0FD341B43F::get_offset_of_ThrowOnUnmappableChar_3(),
UnmanagedFunctionPointerAttribute_t3361C55E19F9905230FD9C1691B0FE0FD341B43F::get_offset_of_SetLastError_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1088[1] =
{
DispIdAttribute_tA0AC84D3405A11FF2C0118FE7B55976B89DBD829::get_offset_of__val_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1089[5] =
{
ComInterfaceType_tD26C0EE522D88DCACB0EA3257392DD64ACC6155E::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1090[1] =
{
InterfaceTypeAttribute_t698532A11405B8E3C90F8A821D1F2F997F29458E::get_offset_of__val_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1091[1] =
{
ComDefaultInterfaceAttribute_tC170FF54A68C3A32A635632D3DB9E6410F02FE72::get_offset_of__val_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1092[4] =
{
ClassInterfaceType_t4D1903EA7B9A6DF79A19DEE000B7ED28E476069D::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1093[1] =
{
ClassInterfaceAttribute_tAC9219C38D4BECF25B48BA254128B82AE8849875::get_offset_of__val_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1094[1] =
{
ComVisibleAttribute_tCE3DF5E341F3ECE4C81FE85C15B3D782AB302A2A::get_offset_of__val_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1095[45] =
{
VarEnum_tAB88E7C29FB9B005044E4BEBD46097CE78A88218::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1096[39] =
{
UnmanagedType_t53405B47066ADAD062611907B4277685EA0F330E::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1098[1] =
{
GuidAttribute_tBB494B31270577CCD589ABBB159C18CDAE20D063::get_offset_of__val_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1103[8] =
{
DllImportSearchPath_t0DCA43A0B5753BD73767C7A1B85AB9272669BB8A::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1104[1] =
{
DefaultDllImportSearchPathsAttribute_t606861446278EFE315772AB77331FBD457E0B68F::get_offset_of__paths_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1105[9] =
{
DllImportAttribute_tCDC32C1C2C21832ECCA18364FDBB1B483F1FFF02::get_offset_of__val_0(),
DllImportAttribute_tCDC32C1C2C21832ECCA18364FDBB1B483F1FFF02::get_offset_of_EntryPoint_1(),
DllImportAttribute_tCDC32C1C2C21832ECCA18364FDBB1B483F1FFF02::get_offset_of_CharSet_2(),
DllImportAttribute_tCDC32C1C2C21832ECCA18364FDBB1B483F1FFF02::get_offset_of_SetLastError_3(),
DllImportAttribute_tCDC32C1C2C21832ECCA18364FDBB1B483F1FFF02::get_offset_of_ExactSpelling_4(),
DllImportAttribute_tCDC32C1C2C21832ECCA18364FDBB1B483F1FFF02::get_offset_of_PreserveSig_5(),
DllImportAttribute_tCDC32C1C2C21832ECCA18364FDBB1B483F1FFF02::get_offset_of_CallingConvention_6(),
DllImportAttribute_tCDC32C1C2C21832ECCA18364FDBB1B483F1FFF02::get_offset_of_BestFitMapping_7(),
DllImportAttribute_tCDC32C1C2C21832ECCA18364FDBB1B483F1FFF02::get_offset_of_ThrowOnUnmappableChar_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1106[1] =
{
FieldOffsetAttribute_t5AD7F4C02930B318CE4C72D97897E52D84684944::get_offset_of__val_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1107[4] =
{
ComCompatibleVersionAttribute_tC75249EF0E76BDB5322EC20EBCADDF5E8F9E183A::get_offset_of__major_0(),
ComCompatibleVersionAttribute_tC75249EF0E76BDB5322EC20EBCADDF5E8F9E183A::get_offset_of__minor_1(),
ComCompatibleVersionAttribute_tC75249EF0E76BDB5322EC20EBCADDF5E8F9E183A::get_offset_of__build_2(),
ComCompatibleVersionAttribute_tC75249EF0E76BDB5322EC20EBCADDF5E8F9E183A::get_offset_of__revision_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1108[6] =
{
CallingConvention_tCD05DC1A211D9713286784F4DDDE1BA18B839924::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1109[5] =
{
CharSet_tF37E3433B83409C49A52A325333BFBC08ACD6E4B::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1111[1] =
{
ErrorWrapper_t30EB3ECE2233CD676432F16647AD685E79A89C90::get_offset_of_m_ErrorCode_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1115[6] =
{
SafeHandle_tC07DCA2CABF6988953342757EFB1547363E5A36B::get_offset_of_handle_0(),
SafeHandle_tC07DCA2CABF6988953342757EFB1547363E5A36B::get_offset_of__state_1(),
SafeHandle_tC07DCA2CABF6988953342757EFB1547363E5A36B::get_offset_of__ownsHandle_2(),
SafeHandle_tC07DCA2CABF6988953342757EFB1547363E5A36B::get_offset_of__fullyInitialized_3(),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1116[1] =
{
GCHandle_t757890BC4BBBEDE5A623A3C110013EDD24613603::get_offset_of_handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1117[5] =
{
GCHandleType_t5D58978165671EDEFCCAE1E2B237BD5AE4E8BC38::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1118[2] =
{
Marshal_tEBAFAE20369FCB1B38C49C4E27A8D8C2C4B55058_StaticFields::get_offset_of_SystemMaxDBCSCharSize_0(),
Marshal_tEBAFAE20369FCB1B38C49C4E27A8D8C2C4B55058_StaticFields::get_offset_of_SystemDefaultCharSize_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1119[10] =
{
MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6::get_offset_of_MarshalCookie_0(),
MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6::get_offset_of_MarshalType_1(),
MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6::get_offset_of_MarshalTypeRef_2(),
MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6::get_offset_of_SafeArrayUserDefinedSubType_3(),
MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6::get_offset_of_utype_4(),
MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6::get_offset_of_ArraySubType_5(),
MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6::get_offset_of_SafeArraySubType_6(),
MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6::get_offset_of_SizeConst_7(),
MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6::get_offset_of_IidParameterIndex_8(),
MarshalAsAttribute_t1689F84A11C34D0F35491C8F0DA4421467B6EFE6::get_offset_of_SizeParamIndex_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1120[1] =
{
SafeBuffer_tABA0D0B754FCCF3625CD905D535296E353C630D2::get_offset_of_inited_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1136[2] =
{
DictionaryEntry_tF60471FAB430320A9C7D4382BF966EAAC06D7A90::get_offset_of__key_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
DictionaryEntry_tF60471FAB430320A9C7D4382BF966EAAC06D7A90::get_offset_of__value_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1137[1] =
{
LowLevelComparer_tE1AAB0112F35E5629CBBA2032E4B98AD63745673_StaticFields::get_offset_of_Default_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1138[6] =
{
ArrayListEnumeratorSimple_tFB1052DD459DDB4287EB29C529551B217BFB25CB::get_offset_of_list_0(),
ArrayListEnumeratorSimple_tFB1052DD459DDB4287EB29C529551B217BFB25CB::get_offset_of_index_1(),
ArrayListEnumeratorSimple_tFB1052DD459DDB4287EB29C529551B217BFB25CB::get_offset_of_version_2(),
ArrayListEnumeratorSimple_tFB1052DD459DDB4287EB29C529551B217BFB25CB::get_offset_of_currentElement_3(),
ArrayListEnumeratorSimple_tFB1052DD459DDB4287EB29C529551B217BFB25CB::get_offset_of_isArrayList_4(),
ArrayListEnumeratorSimple_tFB1052DD459DDB4287EB29C529551B217BFB25CB_StaticFields::get_offset_of_dummyObject_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1140[5] =
{
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575::get_offset_of__items_0(),
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575::get_offset_of__size_1(),
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575::get_offset_of__version_2(),
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575::get_offset_of__syncRoot_3(),
ArrayList_t6C1A49839DC1F0D568E8E11FA1626FCF0EC06575_StaticFields::get_offset_of_emptyArray_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1141[1] =
{
CaseInsensitiveComparer_t6261A2A5410CBE32D356D9D93017732DF0AADC6C::get_offset_of_m_compareInfo_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1142[1] =
{
CaseInsensitiveHashCodeProvider_tBB49394EF70D0021AE2D095430A23CB71AD512FA::get_offset_of_m_text_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1143[3] =
{
Comparer_tEDD9ACE3DE237FE0628C183D9DD66A8BE3182A57::get_offset_of_m_compareInfo_0(),
Comparer_tEDD9ACE3DE237FE0628C183D9DD66A8BE3182A57_StaticFields::get_offset_of_Default_1(),
Comparer_tEDD9ACE3DE237FE0628C183D9DD66A8BE3182A57_StaticFields::get_offset_of_DefaultInvariant_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1144[2] =
{
CompatibleComparer_t4BB781C29927336617069035AAC2BE8A84E20929::get_offset_of__comparer_0(),
CompatibleComparer_t4BB781C29927336617069035AAC2BE8A84E20929::get_offset_of__hcp_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1147[3] =
{
bucket_t56D642DDC4ABBCED9DB7F620CC35AEEC0778869D::get_offset_of_key_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
bucket_t56D642DDC4ABBCED9DB7F620CC35AEEC0778869D::get_offset_of_val_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
bucket_t56D642DDC4ABBCED9DB7F620CC35AEEC0778869D::get_offset_of_hash_coll_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1148[1] =
{
KeyCollection_tD156AF123B81AE9183976AA8743E5D6B30030CCE::get_offset_of__hashtable_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1149[1] =
{
SyncHashtable_t4F35FE38FB79C9F4C1F667D9DDD9836FA283841C::get_offset_of__table_21(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1150[7] =
{
HashtableEnumerator_tE0C1E58CD53485371C1A23E5120E89BC93D97FDF::get_offset_of_hashtable_0(),
HashtableEnumerator_tE0C1E58CD53485371C1A23E5120E89BC93D97FDF::get_offset_of_bucket_1(),
HashtableEnumerator_tE0C1E58CD53485371C1A23E5120E89BC93D97FDF::get_offset_of_version_2(),
HashtableEnumerator_tE0C1E58CD53485371C1A23E5120E89BC93D97FDF::get_offset_of_current_3(),
HashtableEnumerator_tE0C1E58CD53485371C1A23E5120E89BC93D97FDF::get_offset_of_getObjectRetType_4(),
HashtableEnumerator_tE0C1E58CD53485371C1A23E5120E89BC93D97FDF::get_offset_of_currentKey_5(),
HashtableEnumerator_tE0C1E58CD53485371C1A23E5120E89BC93D97FDF::get_offset_of_currentValue_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1152[21] =
{
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC::get_offset_of_buckets_10(),
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC::get_offset_of_count_11(),
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC::get_offset_of_occupancy_12(),
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC::get_offset_of_loadsize_13(),
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC::get_offset_of_loadFactor_14(),
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC::get_offset_of_version_15(),
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC::get_offset_of_isWriterInProgress_16(),
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC::get_offset_of_keys_17(),
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC::get_offset_of_values_18(),
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC::get_offset_of__keycomparer_19(),
Hashtable_t7565AB92A12227AD5BADD6911F10D87EE52509AC::get_offset_of__syncRoot_20(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1153[2] =
{
HashHelpers_t001D7D03DA7A3C3426744B45509316917E7A90F9_StaticFields::get_offset_of_primes_0(),
HashHelpers_t001D7D03DA7A3C3426744B45509316917E7A90F9_StaticFields::get_offset_of_s_SerializationInfoTable_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1165[4] =
{
NodeEnumerator_t603444CE6539BA97B964D6B5734C61944955E79B::get_offset_of_list_0(),
NodeEnumerator_t603444CE6539BA97B964D6B5734C61944955E79B::get_offset_of_current_1(),
NodeEnumerator_t603444CE6539BA97B964D6B5734C61944955E79B::get_offset_of_version_2(),
NodeEnumerator_t603444CE6539BA97B964D6B5734C61944955E79B::get_offset_of_start_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1166[3] =
{
DictionaryNode_t9A01FA01782F6D162BA158736A5FB81CB893A33C::get_offset_of_key_0(),
DictionaryNode_t9A01FA01782F6D162BA158736A5FB81CB893A33C::get_offset_of_value_1(),
DictionaryNode_t9A01FA01782F6D162BA158736A5FB81CB893A33C::get_offset_of_next_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1167[3] =
{
ListDictionaryInternal_t41BC521E191A070D69C4D98B996314424BBFDA8A::get_offset_of_head_0(),
ListDictionaryInternal_t41BC521E191A070D69C4D98B996314424BBFDA8A::get_offset_of_version_1(),
ListDictionaryInternal_t41BC521E191A070D69C4D98B996314424BBFDA8A::get_offset_of_count_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1168[4] =
{
QueueEnumerator_t0A73A9F6902BEBD8BBF0AECB749DC08C1602158E::get_offset_of__q_0(),
QueueEnumerator_t0A73A9F6902BEBD8BBF0AECB749DC08C1602158E::get_offset_of__index_1(),
QueueEnumerator_t0A73A9F6902BEBD8BBF0AECB749DC08C1602158E::get_offset_of__version_2(),
QueueEnumerator_t0A73A9F6902BEBD8BBF0AECB749DC08C1602158E::get_offset_of_currentElement_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1170[6] =
{
Queue_t66723C58C7422102C36F8570BE048BD0CC489E52::get_offset_of__array_0(),
Queue_t66723C58C7422102C36F8570BE048BD0CC489E52::get_offset_of__head_1(),
Queue_t66723C58C7422102C36F8570BE048BD0CC489E52::get_offset_of__tail_2(),
Queue_t66723C58C7422102C36F8570BE048BD0CC489E52::get_offset_of__size_3(),
Queue_t66723C58C7422102C36F8570BE048BD0CC489E52::get_offset_of__growFactor_4(),
Queue_t66723C58C7422102C36F8570BE048BD0CC489E52::get_offset_of__version_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1171[9] =
{
SortedListEnumerator_t0732D5EE46BE597B28C2F5D97535FC219504D2AC::get_offset_of_sortedList_0(),
SortedListEnumerator_t0732D5EE46BE597B28C2F5D97535FC219504D2AC::get_offset_of_key_1(),
SortedListEnumerator_t0732D5EE46BE597B28C2F5D97535FC219504D2AC::get_offset_of_value_2(),
SortedListEnumerator_t0732D5EE46BE597B28C2F5D97535FC219504D2AC::get_offset_of_index_3(),
SortedListEnumerator_t0732D5EE46BE597B28C2F5D97535FC219504D2AC::get_offset_of_startIndex_4(),
SortedListEnumerator_t0732D5EE46BE597B28C2F5D97535FC219504D2AC::get_offset_of_endIndex_5(),
SortedListEnumerator_t0732D5EE46BE597B28C2F5D97535FC219504D2AC::get_offset_of_version_6(),
SortedListEnumerator_t0732D5EE46BE597B28C2F5D97535FC219504D2AC::get_offset_of_current_7(),
SortedListEnumerator_t0732D5EE46BE597B28C2F5D97535FC219504D2AC::get_offset_of_getObjectRetType_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1173[6] =
{
SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165::get_offset_of_keys_0(),
SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165::get_offset_of_values_1(),
SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165::get_offset_of__size_2(),
SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165::get_offset_of_version_3(),
SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165::get_offset_of_comparer_4(),
SortedList_t52B9ACC0DAA6CD074E375215F43251DE16366165_StaticFields::get_offset_of_emptyArray_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1174[4] =
{
StackEnumerator_t88BD87DF5A1B3D0EBE3AC306A4A3A62D6E862DEC::get_offset_of__stack_0(),
StackEnumerator_t88BD87DF5A1B3D0EBE3AC306A4A3A62D6E862DEC::get_offset_of__index_1(),
StackEnumerator_t88BD87DF5A1B3D0EBE3AC306A4A3A62D6E862DEC::get_offset_of__version_2(),
StackEnumerator_t88BD87DF5A1B3D0EBE3AC306A4A3A62D6E862DEC::get_offset_of_currentElement_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1176[3] =
{
Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8::get_offset_of__array_0(),
Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8::get_offset_of__size_1(),
Stack_tF6DD42A42C129B014D4223010F1E0FFBECBDC3B8::get_offset_of__version_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1177[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1178[1] =
{
CDSCollectionETWBCLProvider_tEF5FCC038F98C60A7A17E73AB11508EE6E2F4266_StaticFields::get_offset_of_Log_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1179[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1180[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1181[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1182[6] =
{
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1183[5] =
{
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1187[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1190[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1191[4] =
{
InsertionBehavior_tA826DE0CFD956DDC36E5D9F590B8D2431459CE3B::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1192[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1193[5] =
{
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1194[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1195[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1196[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1197[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1198[14] =
{
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1199[1] =
{
DictionaryHashHelpers_tEF09A64281F3DF4301DEFFAC2B97BCCEDE109060_StaticFields::get_offset_of_U3CSerializationInfoTableU3Ek__BackingField_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1204[1] =
{
ObjectEqualityComparer_t72A30310D4F4EB2147D08A989E157CCCEEC78C23_StaticFields::get_offset_of_Default_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1205[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1210[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1231[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1232[6] =
{
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1233[1] =
{
ConditionalAttribute_t5DD558ED67ECF65952A82B94A75C6E8E121B2D8C::get_offset_of_m_conditionString_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1237[6] =
{
DebuggingModes_t279D5B9C012ABA935887CB73C5A63A1F46AF08A8::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1238[1] =
{
DebuggableAttribute_tA8054EBD0FC7511695D494B690B5771658E3191B::get_offset_of_m_debuggingModes_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1239[4] =
{
DebuggerBrowsableState_t2A824ECEB650CFABB239FD0918FCC88A09B45091::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1240[1] =
{
DebuggerBrowsableAttribute_t2FA4793AD1982F5150E07D26822ED5953CD90F53::get_offset_of_state_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1241[1] =
{
DebuggerTypeProxyAttribute_t20C961369DAE0E16D87B752F1C04F16FC3B90014::get_offset_of_typeName_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1242[3] =
{
DebuggerDisplayAttribute_tA5070C1A6CAB579DAC66A469530D946F6F42727F::get_offset_of_name_0(),
DebuggerDisplayAttribute_tA5070C1A6CAB579DAC66A469530D946F6F42727F::get_offset_of_value_1(),
DebuggerDisplayAttribute_tA5070C1A6CAB579DAC66A469530D946F6F42727F::get_offset_of_type_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1243[1] =
{
Debugger_tB9DDF100D6DE6EA38D21A1801D59BAA57631653A_StaticFields::get_offset_of_DefaultCategory_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1244[10] =
{
0,
StackFrame_t6018A5362C2E8F6F80F153F3D40623D213094E0F::get_offset_of_ilOffset_1(),
StackFrame_t6018A5362C2E8F6F80F153F3D40623D213094E0F::get_offset_of_nativeOffset_2(),
StackFrame_t6018A5362C2E8F6F80F153F3D40623D213094E0F::get_offset_of_methodAddress_3(),
StackFrame_t6018A5362C2E8F6F80F153F3D40623D213094E0F::get_offset_of_methodIndex_4(),
StackFrame_t6018A5362C2E8F6F80F153F3D40623D213094E0F::get_offset_of_methodBase_5(),
StackFrame_t6018A5362C2E8F6F80F153F3D40623D213094E0F::get_offset_of_fileName_6(),
StackFrame_t6018A5362C2E8F6F80F153F3D40623D213094E0F::get_offset_of_lineNumber_7(),
StackFrame_t6018A5362C2E8F6F80F153F3D40623D213094E0F::get_offset_of_columnNumber_8(),
StackFrame_t6018A5362C2E8F6F80F153F3D40623D213094E0F::get_offset_of_internalMethodName_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1245[4] =
{
TraceFormat_t592BBEFC2EFBF66F684649AA63DA33408C71BAE9::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1246[6] =
{
0,
StackTrace_t43C03122C6B2AAF0DCCF684B2D5FA6E673F02888::get_offset_of_frames_1(),
StackTrace_t43C03122C6B2AAF0DCCF684B2D5FA6E673F02888::get_offset_of_captured_traces_2(),
StackTrace_t43C03122C6B2AAF0DCCF684B2D5FA6E673F02888::get_offset_of_debug_info_3(),
StackTrace_t43C03122C6B2AAF0DCCF684B2D5FA6E673F02888_StaticFields::get_offset_of_isAotidSet_4(),
StackTrace_t43C03122C6B2AAF0DCCF684B2D5FA6E673F02888_StaticFields::get_offset_of_aotid_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1248[3] =
{
EventSource_t02B6E43167F06B74646A32A3BBC58988BFC3EA6A_ThreadStaticFields::get_offset_of_m_EventSourceExceptionRecurenceCount_0() | THREAD_LOCAL_STATIC_MASK,
EventSource_t02B6E43167F06B74646A32A3BBC58988BFC3EA6A_StaticFields::get_offset_of_namespaceBytes_1(),
EventSource_t02B6E43167F06B74646A32A3BBC58988BFC3EA6A_StaticFields::get_offset_of_AspNetEventSourceGuid_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1290[101] =
{
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U30588059ACBD52F7EA2835882F977A9CF72EB9775_0(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U30A1ADB22C1D3E1F4B2448EE3F27DF9DE63329C4C_1(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U3121EC59E23F7559B28D338D562528F6299C2DE22_2(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U31730F09044E91DB8371B849EFF5E6D17BDE4AED0_3(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U31FE6CE411858B3D864679DE2139FB081F08BFACD_4(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U325420D0055076FA8D3E4DD96BC53AE24DE6E619F_5(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U325CF935D2AE9EDF05DD75BCD47FF84D9255D6F6E_6(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U329C1A61550F0E3260E1953D4FAD71C256218EF40_7(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U32B33BEC8C30DFDC49DAFE20D3BDE19487850D717_8(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U32BA840FF6020B8FF623DBCB7188248CF853FAF4F_9(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U32C840AFA48C27B9C05593E468C1232CA1CC74AFD_10(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U32D1DA5BB407F0C11C3B5116196C0C6374D932B20_11(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U32F71D2DA12F3CD0A6A112F5A5A75B4FDC6FE8547_12(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U334476C29F6F81C989CFCA42F7C06E84C66236834_13(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U335EED060772F2748D13B745DAEC8CD7BD3B87604_14(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U3375F9AE9769A3D1DA789E9ACFE81F3A1BB14F0D3_15(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U3379C06C9E702D31469C29033F0DD63931EB349F5_16(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U3399BD13E240F33F808CA7940293D6EC4E6FD5A00_17(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U339C9CE73C7B0619D409EF28344F687C1B5C130FE_18(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U33C53AFB51FEC23491684C7BEDBC6D4E0F409F851_19(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U33E823444D2DFECF0F90B436B88F02A533CB376F1_20(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U33FE6C283BCF384FD2C8789880DFF59664E2AB4A1_21(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U340981BAA39513E58B28DCF0103CC04DE2A0A0444_22(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U340E7C49413D261F3F38AD3A870C0AC69C8BDA048_23(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U3421EC7E82F2967DF6CA8C3605514DC6F29EE5845_24(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U34858DB4AA76D3933F1CA9E6712D4FDB16903F628_25(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U34F7A8890F332B22B8DE0BD29D36FA7364748D76A_26(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U3536422B321459B242ADED7240B7447E904E083E3_27(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U35382CEF491F422BFE0D6FC46EFAFF9EF9D4C89F3_28(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U357218C316B6921E2CD61027A2387EDC31A2D9471_29(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U357F320D62696EC99727E0FE2045A05F1289CC0C6_30(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U3594A33A00BC4F785DFD43E3C6C44FBA1242CCAF3_31(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U35BBDF8058D4235C33F2E8DCF76004031B6187A2F_32(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U35BCD21C341BE6DDF8FFFAE1A23ABA24DCBB612BF_33(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U35BFE2819B4778217C56416C7585FF0E56EBACD89_34(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U3609C0E8D8DA86A09D6013D301C86BA8782C16B8C_35(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U365E32B4E150FD8D24B93B0D42A17F1DAD146162B_36(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U36770974FEF1E98B9C1864370E2B5B786EB0EA39E_37(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U367EEAD805D708D9AA4E14BF747E44CED801744F3_38(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U36C71197D228427B2864C69B357FEF73D8C9D59DF_39(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U36CEE45445AFD150B047A5866FFA76AA651CDB7B7_40(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U36FC754859E4EC74E447048364B216D825C6F8FE7_41(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U3704939CD172085D1295FCE3F1D92431D685D7AA2_42(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U37088AAE49F0627B72729078DE6E3182DDCF8ED99_43(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U37341C933A70EAE383CC50C4B945ADB8E08F06737_44(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U37FE820C9CF0F0B90445A71F1D262D22E4F0C4C68_45(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U3811A927B7DADD378BE60BBDE794B9277AA9B50EC_46(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U381917F1E21F3C22B9F916994547A614FB03E968E_47(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U3823566DA642D6EA356E15585921F2A4CA23D6760_48(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U382C2A59850B2E85BCE1A45A479537A384DF6098D_49(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U382C383F8E6E4D3D87AEBB986A5D0077E8AD157C4_50(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U3871B9CF85DB352BAADF12BAE8F19857683E385AC_51(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U389A040451C8CC5C8FB268BE44BDD74964C104155_52(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U38CAA092E783257106251246FF5C97F88D28517A6_53(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U38D231DD55FE1AD7631BBD0905A17D5EB616C2154_54(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U38E10AC2F34545DFBBF3FCBC06055D797A8C99991_55(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U393A63E90605400F34B49F0EB3361D23C89164BDA_56(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U394841DD2F330CCB1089BF413E4FA9B04505152E2_57(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U395264589E48F94B7857CFF398FB72A537E13EEE2_58(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U395C48758CAE1715783472FB073AB158AB8A0AB2A_59(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_U3973417296623D8DC6961B09664E54039E44CA5D8_60(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_A0074C15377C0C870B055927403EA9FA7A349D12_61(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_A1319B706116AB2C6D44483F60A7D0ACEA543396_62(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_A13AA52274D951A18029131A8DDECF76B569A15D_63(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_A5444763673307F6828C748D4B9708CFC02B0959_64(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_A6732F8E7FC23766AB329B492D6BF82E3B33233F_65(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_A705A106D95282BD15E13EEA6B0AF583FF786D83_66(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_A8A491E4CED49AE0027560476C10D933CE70C8DF_67(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_AC791C4F39504D1184B73478943D0636258DA7B1_68(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_AFCD4E1211233E99373A3367B23105A3D624B1F2_69(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_B472ED77CB3B2A66D49D179F1EE2081B70A6AB61_70(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_B53A2C6DF21FC88B17AEFC40EB895B8D63210CDF_71(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_B881DA88BE0B68D8A6B6B6893822586B8B2CFC45_72(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_B8864ACB9DD69E3D42151513C840AAE270BF21C8_73(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_B8F87834C3597B2EEF22BA6D3A392CC925636401_74(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_B9B670F134A59FB1107AF01A9FE8F8E3980B3093_75(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_BEBC9ECC660A13EFC359BA3383411F698CFF25DB_76(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_BEE1CFE5DFAA408E14CE4AF4DCD824FA2E42DCB7_77(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_BF5EB60806ECB74EE484105DD9D6F463BF994867_78(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_C1A1100642BA9685B30A84D97348484E14AA1865_79(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_C6F364A0AD934EFED8909446C215752E565D77C1_80(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_CE5835130F5277F63D716FC9115526B0AC68FFAD_81(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_CE93C35B755802BC4B3D180716B048FC61701EF7_82(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_D117188BE8D4609C0D531C51B0BB911A4219DEBE_83(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_D78D08081C7A5AD6FBA7A8DC86BCD6D7A577C636_84(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_DA19DB47B583EFCF7825D2E39D661D2354F28219_85(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_DD3AEFEADB1CD615F3017763F1568179FEE640B0_86(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_E1827270A5FE1C85F5352A66FD87BA747213D006_87(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_E45BAB43F7D5D038672B3E3431F92E34A7AF2571_88(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_E92B39D8233061927D9ACDE54665E68E7535635A_89(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_EA9506959484C55CFE0C139C624DF6060E285866_90(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_EB5E9A80A40096AB74D2E226650C7258D7BC5E9D_91(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_EBF68F411848D603D059DFDEA2321C5A5EA78044_92(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_EC89C317EA2BF49A70EFF5E89C691E34733D7C37_93(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_F06E829E62F3AFBC045D064E10A4F5DF7C969612_94(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_F073AA332018FDA0D572E99448FFF1D6422BD520_95(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_F34B0E10653402E8F788F8BC3F7CD7090928A429_96(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_F37E34BEADB04F34FCC31078A59F49856CA83D5B_97(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_F512A9ABF88066AAEB92684F95CC05D8101B462B_98(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_F8FAABB821300AA500C2CEC6091B3782A7FB44A4_99(),
U3CPrivateImplementationDetailsU3E_t1FC9EB7B833E4E29E3D9E5D2E3DAF8385BED98D8_StaticFields::get_offset_of_FCBD2781A933F0828ED4AAF88FD8B08D76DDD49B_100(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1300[4] =
{
ConfigurationSaveMode_t098F10C5B94710A69F2D6F1176452DAEB38F46D3::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1307[3] =
{
ASN1_tCB86B6A02250200ED166EA857DC3D1C422BD94D8::get_offset_of_m_nTag_0(),
ASN1_tCB86B6A02250200ED166EA857DC3D1C422BD94D8::get_offset_of_m_aValue_1(),
ASN1_tCB86B6A02250200ED166EA857DC3D1C422BD94D8::get_offset_of_elist_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1313[3] =
{
XmlReader_tECCB3D8B757F8CE744EF0430F338BEF15E060138_StaticFields::get_offset_of_IsTextualNodeBitmap_0(),
XmlReader_tECCB3D8B757F8CE744EF0430F338BEF15E060138_StaticFields::get_offset_of_CanReadContentAsBitmap_1(),
XmlReader_tECCB3D8B757F8CE744EF0430F338BEF15E060138_StaticFields::get_offset_of_HasValueBitmap_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1315[1] =
{
ValidateNames_t08DBB4C2A616E0425A90E2E5B0A7DBA943787E17_StaticFields::get_offset_of_xmlCharType_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1316[3] =
{
XmlCharType_t0B35CAE2B2E20F28A418270966E9989BBDB004BA_StaticFields::get_offset_of_s_Lock_0(),
XmlCharType_t0B35CAE2B2E20F28A418270966E9989BBDB004BA_StaticFields::get_offset_of_s_CharProperties_1(),
XmlCharType_t0B35CAE2B2E20F28A418270966E9989BBDB004BA::get_offset_of_charProperties_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1317[3] =
{
ExceptionType_t7FE8075D25307AFE6AA02C34899023BC4C9B7B23::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1318[4] =
{
XmlConvert_t5D0BE0A0EE15E2D3EC7F4881C519B5137DFA370A_StaticFields::get_offset_of_xmlCharType_0(),
XmlConvert_t5D0BE0A0EE15E2D3EC7F4881C519B5137DFA370A_StaticFields::get_offset_of_crt_1(),
XmlConvert_t5D0BE0A0EE15E2D3EC7F4881C519B5137DFA370A_StaticFields::get_offset_of_c_EncodedCharLength_2(),
XmlConvert_t5D0BE0A0EE15E2D3EC7F4881C519B5137DFA370A_StaticFields::get_offset_of_WhitespaceChars_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1319[6] =
{
XmlException_tBD65EFA0B5CA26D7D8F4906BEC7C83A76394C918::get_offset_of_res_17(),
XmlException_tBD65EFA0B5CA26D7D8F4906BEC7C83A76394C918::get_offset_of_args_18(),
XmlException_tBD65EFA0B5CA26D7D8F4906BEC7C83A76394C918::get_offset_of_lineNumber_19(),
XmlException_tBD65EFA0B5CA26D7D8F4906BEC7C83A76394C918::get_offset_of_linePosition_20(),
XmlException_tBD65EFA0B5CA26D7D8F4906BEC7C83A76394C918::get_offset_of_sourceUri_21(),
XmlException_tBD65EFA0B5CA26D7D8F4906BEC7C83A76394C918::get_offset_of_message_22(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1321[1] =
{
XmlTypeConvertorAttribute_t9C029CB7A95EE9E3BAFFCB8DA5174C0364DA1D4E::get_offset_of_U3CMethodU3Ek__BackingField_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1322[2] =
{
XmlSchemaProviderAttribute_t94BE15D9985EEC61A31C88069AE2723B209005DA::get_offset_of__methodName_0(),
XmlSchemaProviderAttribute_t94BE15D9985EEC61A31C88069AE2723B209005DA::get_offset_of__isAny_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1324[2] =
{
U3CPrivateImplementationDetailsU3E_tAA330E6B4295DC1363094EDE988D3B524C40486E_StaticFields::get_offset_of_U35D100A87B697F3AE2015A5D3B2A7B5419E1BCA98_0(),
U3CPrivateImplementationDetailsU3E_tAA330E6B4295DC1363094EDE988D3B524C40486E_StaticFields::get_offset_of_EBC658B067B5C785A3F0BB67D73755F6FEE7F70C_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1328[56] =
{
Flags_t72C622DF5C3ED762F55AB36EC2CCDDF3AF56B8D4::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1329[6] =
{
UriInfo_tCB2302A896132D1F70E47C3895FAB9A0F2A6EE45::get_offset_of_Host_0(),
UriInfo_tCB2302A896132D1F70E47C3895FAB9A0F2A6EE45::get_offset_of_ScopeId_1(),
UriInfo_tCB2302A896132D1F70E47C3895FAB9A0F2A6EE45::get_offset_of_String_2(),
UriInfo_tCB2302A896132D1F70E47C3895FAB9A0F2A6EE45::get_offset_of_Offset_3(),
UriInfo_tCB2302A896132D1F70E47C3895FAB9A0F2A6EE45::get_offset_of_DnsSafeHost_4(),
UriInfo_tCB2302A896132D1F70E47C3895FAB9A0F2A6EE45::get_offset_of_MoreInfo_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1330[8] =
{
Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5::get_offset_of_Scheme_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5::get_offset_of_User_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5::get_offset_of_Host_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5::get_offset_of_PortValue_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5::get_offset_of_Path_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5::get_offset_of_Query_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5::get_offset_of_Fragment_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
Offset_t6F140A0C5B2AB5511E7E458806A6A73AE0A34DE5::get_offset_of_End_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1331[5] =
{
MoreInfo_t15D42286ECE8DAD0B0FE9CDC1291109300C3E727::get_offset_of_Path_0(),
MoreInfo_t15D42286ECE8DAD0B0FE9CDC1291109300C3E727::get_offset_of_Fragment_1(),
MoreInfo_t15D42286ECE8DAD0B0FE9CDC1291109300C3E727::get_offset_of_AbsoluteUri_2(),
MoreInfo_t15D42286ECE8DAD0B0FE9CDC1291109300C3E727::get_offset_of_Hash_3(),
MoreInfo_t15D42286ECE8DAD0B0FE9CDC1291109300C3E727::get_offset_of_RemoteUrl_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1332[10] =
{
Check_tEDA05554030AFFE9920C7E4C2233599B26DA74E8::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1333[29] =
{
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_UriSchemeFile_0(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_UriSchemeFtp_1(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_UriSchemeGopher_2(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_UriSchemeHttp_3(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_UriSchemeHttps_4(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_UriSchemeWs_5(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_UriSchemeWss_6(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_UriSchemeMailto_7(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_UriSchemeNews_8(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_UriSchemeNntp_9(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_UriSchemeNetTcp_10(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_UriSchemeNetPipe_11(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_SchemeDelimiter_12(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612::get_offset_of_m_String_13(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612::get_offset_of_m_originalUnicodeString_14(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612::get_offset_of_m_Syntax_15(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612::get_offset_of_m_DnsSafeHost_16(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612::get_offset_of_m_Flags_17(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612::get_offset_of_m_Info_18(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612::get_offset_of_m_iriParsing_19(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_s_ConfigInitialized_20(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_s_ConfigInitializing_21(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_s_IdnScope_22(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_s_IriParsing_23(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_useDotNetRelativeOrAbsolute_24(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_IsWindowsFileSystem_25(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_s_initLock_26(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of_HexLowerChars_27(),
Uri_t4A915E1CC15B2C650F478099AD448E9466CBF612_StaticFields::get_offset_of__WSchars_28(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1335[4] =
{
UriKind_tFC16ACC1842283AAE2C7F50C9C70EFBF6550B3FC::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1336[18] =
{
UriComponents_tA599793722A9810EC23036FF1B1B02A905B4EA76::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1337[4] =
{
UriFormat_t25C936463BDE737B16A8EC3DA05091FC31F1A71F::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1338[4] =
{
UriIdnScope_tBA22B992BA582F68F2B98CDEBCB24299F249DE4D::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1339[15] =
{
ParsingError_t206602C537093ABC8FD300E67B6B1A67115D24BA::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1340[8] =
{
UnescapeMode_tAAD72A439A031D63DA366126306CC0DDB9312850::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1341[1] =
{
UriHelper_tBEFC75B3A4E9E35CB41ADAAE22E0D1D7EE65E53D_StaticFields::get_offset_of_HexUpperChars_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1342[3] =
{
UriQuirksVersion_t5A2A88A1D01D0CBC52BC12C612CC1A7F714E79B6::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1344[26] =
{
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_m_Table_0(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_m_TempTable_1(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A::get_offset_of_m_Flags_2(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A::get_offset_of_m_UpdatableFlags_3(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A::get_offset_of_m_UpdatableFlagsUsed_4(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A::get_offset_of_m_Port_5(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A::get_offset_of_m_Scheme_6(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_HttpUri_7(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_HttpsUri_8(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_WsUri_9(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_WssUri_10(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_FtpUri_11(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_FileUri_12(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_GopherUri_13(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_NntpUri_14(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_NewsUri_15(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_MailToUri_16(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_UuidUri_17(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_TelnetUri_18(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_LdapUri_19(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_NetTcpUri_20(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_NetPipeUri_21(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_VsMacrosUri_22(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_s_QuirksVersion_23(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_HttpSyntaxFlags_24(),
UriParser_t6DEBE5C6CDC3C29C9019CD951C7ECEBD6A5D3E3A_StaticFields::get_offset_of_FileSyntaxFlags_25(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1349[30] =
{
UriSyntaxFlags_t00ABF83A3AA06E5B670D3F73E3E87BC21F72044A::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1350[3] =
{
IOOperation_tAEE43CD34C62AC0D25378E0BCB8A9E9CAEF5A1B0::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1352[5] =
{
IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9::get_offset_of_async_callback_0(),
IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9::get_offset_of_async_state_1(),
IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9::get_offset_of_wait_handle_2(),
IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9::get_offset_of_completed_synchronously_3(),
IOAsyncResult_t099E328DEE4054063493B8A96C1FE9AFB0EDAAF9::get_offset_of_completed_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1353[3] =
{
IOSelectorJob_t684DF541EAF1AB720C017E9DE172EA8168FDBDA9::get_offset_of_operation_0(),
IOSelectorJob_t684DF541EAF1AB720C017E9DE172EA8168FDBDA9::get_offset_of_callback_1(),
IOSelectorJob_t684DF541EAF1AB720C017E9DE172EA8168FDBDA9::get_offset_of_state_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1355[20] =
{
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F::get_offset_of_pattern_0(),
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F::get_offset_of_factory_1(),
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F::get_offset_of_roptions_2(),
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F_StaticFields::get_offset_of_MaximumMatchTimeout_3(),
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F_StaticFields::get_offset_of_InfiniteMatchTimeout_4(),
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F::get_offset_of_internalMatchTimeout_5(),
0,
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F_StaticFields::get_offset_of_FallbackDefaultMatchTimeout_7(),
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F_StaticFields::get_offset_of_DefaultMatchTimeout_8(),
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F::get_offset_of_caps_9(),
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F::get_offset_of_capnames_10(),
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F::get_offset_of_capslist_11(),
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F::get_offset_of_capsize_12(),
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F::get_offset_of_runnerref_13(),
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F::get_offset_of_replref_14(),
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F::get_offset_of_code_15(),
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F::get_offset_of_refsInitialized_16(),
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F_StaticFields::get_offset_of_livecode_17(),
Regex_t90F443D398F44965EA241A652ED75DF5BA072A1F_StaticFields::get_offset_of_cacheSize_18(),
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1356[9] =
{
CachedCodeEntry_tFB2B7B36D8DB46F8538DC70C3B1616ED9D43CD95::get_offset_of__key_0(),
CachedCodeEntry_tFB2B7B36D8DB46F8538DC70C3B1616ED9D43CD95::get_offset_of__code_1(),
CachedCodeEntry_tFB2B7B36D8DB46F8538DC70C3B1616ED9D43CD95::get_offset_of__caps_2(),
CachedCodeEntry_tFB2B7B36D8DB46F8538DC70C3B1616ED9D43CD95::get_offset_of__capnames_3(),
CachedCodeEntry_tFB2B7B36D8DB46F8538DC70C3B1616ED9D43CD95::get_offset_of__capslist_4(),
CachedCodeEntry_tFB2B7B36D8DB46F8538DC70C3B1616ED9D43CD95::get_offset_of__capsize_5(),
CachedCodeEntry_tFB2B7B36D8DB46F8538DC70C3B1616ED9D43CD95::get_offset_of__factory_6(),
CachedCodeEntry_tFB2B7B36D8DB46F8538DC70C3B1616ED9D43CD95::get_offset_of__runnerref_7(),
CachedCodeEntry_tFB2B7B36D8DB46F8538DC70C3B1616ED9D43CD95::get_offset_of__replref_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1357[3] =
{
ExclusiveReference_t7F4A5D2416EA34710F520BAD225E61BC1E98D1D8::get_offset_of__ref_0(),
ExclusiveReference_t7F4A5D2416EA34710F520BAD225E61BC1E98D1D8::get_offset_of__obj_1(),
ExclusiveReference_t7F4A5D2416EA34710F520BAD225E61BC1E98D1D8::get_offset_of__locked_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1358[2] =
{
SharedReference_t74AB40C102A76A7523C72269A49D2C8FBDD83926::get_offset_of__ref_0(),
SharedReference_t74AB40C102A76A7523C72269A49D2C8FBDD83926::get_offset_of__locked_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1359[10] =
{
RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2::get_offset_of__positive_0(),
RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2::get_offset_of__negativeASCII_1(),
RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2::get_offset_of__negativeUnicode_2(),
RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2::get_offset_of__pattern_3(),
RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2::get_offset_of__lowASCII_4(),
RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2::get_offset_of__highASCII_5(),
RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2::get_offset_of__rightToLeft_6(),
RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2::get_offset_of__caseInsensitive_7(),
RegexBoyerMoore_t43FE488EFF3EE20D1092216B7E62D954F78167D2::get_offset_of__culture_8(),
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1360[3] =
{
Capture_t048191E7E0D3177DCD8610E4968075AB41FB91D6::get_offset_of__text_0(),
Capture_t048191E7E0D3177DCD8610E4968075AB41FB91D6::get_offset_of__index_1(),
Capture_t048191E7E0D3177DCD8610E4968075AB41FB91D6::get_offset_of__length_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1361[3] =
{
CaptureCollection_t40C06BBACB56CDD5F84860FDC1B0C3D8F160DCF9::get_offset_of__group_0(),
CaptureCollection_t40C06BBACB56CDD5F84860FDC1B0C3D8F160DCF9::get_offset_of__capcount_1(),
CaptureCollection_t40C06BBACB56CDD5F84860FDC1B0C3D8F160DCF9::get_offset_of__captures_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1362[2] =
{
CaptureEnumerator_t01CA51647A86F89619AA1CEA7D043328D9323FCE::get_offset_of__rcc_0(),
CaptureEnumerator_t01CA51647A86F89619AA1CEA7D043328D9323FCE::get_offset_of__curindex_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1363[4] =
{
LowerCaseMapping_t54FB537AEA4CA2EBAB5BDCC79881428C202241DE::get_offset_of__chMin_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
LowerCaseMapping_t54FB537AEA4CA2EBAB5BDCC79881428C202241DE::get_offset_of__chMax_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
LowerCaseMapping_t54FB537AEA4CA2EBAB5BDCC79881428C202241DE::get_offset_of__lcOp_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
LowerCaseMapping_t54FB537AEA4CA2EBAB5BDCC79881428C202241DE::get_offset_of__data_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1365[2] =
{
SingleRange_tEE8EA054843A8B8979D082D2CCC8E52A12155624::get_offset_of__first_0(),
SingleRange_tEE8EA054843A8B8979D082D2CCC8E52A12155624::get_offset_of__last_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1366[19] =
{
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5::get_offset_of__rangelist_0(),
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5::get_offset_of__categories_1(),
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5::get_offset_of__canonical_2(),
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5::get_offset_of__negate_3(),
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5::get_offset_of__subtractor_4(),
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields::get_offset_of_InternalRegexIgnoreCase_5(),
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields::get_offset_of_Space_6(),
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields::get_offset_of_NotSpace_7(),
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields::get_offset_of_Word_8(),
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields::get_offset_of_NotWord_9(),
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields::get_offset_of_SpaceClass_10(),
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields::get_offset_of_NotSpaceClass_11(),
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields::get_offset_of_WordClass_12(),
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields::get_offset_of_NotWordClass_13(),
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields::get_offset_of_DigitClass_14(),
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields::get_offset_of_NotDigitClass_15(),
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields::get_offset_of__definedCategories_16(),
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields::get_offset_of__propTable_17(),
RegexCharClass_t9AB0766B265563F2380820FDEC91A9E5C9817CB5_StaticFields::get_offset_of__lcTable_18(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1367[57] =
{
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5::get_offset_of__codes_48(),
RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5::get_offset_of__strings_49(),
RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5::get_offset_of__trackcount_50(),
RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5::get_offset_of__caps_51(),
RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5::get_offset_of__capsize_52(),
RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5::get_offset_of__fcPrefix_53(),
RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5::get_offset_of__bmPrefix_54(),
RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5::get_offset_of__anchors_55(),
RegexCode_tF1653432E8EEDED5AB9517D09CA84B5FAA3CC0D5::get_offset_of__rightToLeft_56(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1368[7] =
{
RegexFCD_tF50EFB93429390CF2488DAB5FD07DE6E48F1CDBF::get_offset_of__intStack_0(),
RegexFCD_tF50EFB93429390CF2488DAB5FD07DE6E48F1CDBF::get_offset_of__intDepth_1(),
RegexFCD_tF50EFB93429390CF2488DAB5FD07DE6E48F1CDBF::get_offset_of__fcStack_2(),
RegexFCD_tF50EFB93429390CF2488DAB5FD07DE6E48F1CDBF::get_offset_of__fcDepth_3(),
RegexFCD_tF50EFB93429390CF2488DAB5FD07DE6E48F1CDBF::get_offset_of__skipAllChildren_4(),
RegexFCD_tF50EFB93429390CF2488DAB5FD07DE6E48F1CDBF::get_offset_of__skipchild_5(),
RegexFCD_tF50EFB93429390CF2488DAB5FD07DE6E48F1CDBF::get_offset_of__failed_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1369[3] =
{
RegexFC_t76D8E0886974788FD71BD44072ADAD5326475826::get_offset_of__cc_0(),
RegexFC_t76D8E0886974788FD71BD44072ADAD5326475826::get_offset_of__nullable_1(),
RegexFC_t76D8E0886974788FD71BD44072ADAD5326475826::get_offset_of__caseInsensitive_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1370[3] =
{
RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301::get_offset_of__prefix_0(),
RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301::get_offset_of__caseInsensitive_1(),
RegexPrefix_t1563C82A76799B0B018F5EBD6EC068158BE50301_StaticFields::get_offset_of__empty_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1371[5] =
{
Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883_StaticFields::get_offset_of__emptygroup_3(),
Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883::get_offset_of__caps_4(),
Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883::get_offset_of__capcount_5(),
Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883::get_offset_of__capcoll_6(),
Group_t0B987F132503F2672BC66FCDD21EA8A6EB484883::get_offset_of__name_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1372[3] =
{
GroupCollection_tAA9CA4E93B1A9D6B7199EE25AEB32922E72AA556::get_offset_of__match_0(),
GroupCollection_tAA9CA4E93B1A9D6B7199EE25AEB32922E72AA556::get_offset_of__captureMap_1(),
GroupCollection_tAA9CA4E93B1A9D6B7199EE25AEB32922E72AA556::get_offset_of__groups_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1373[2] =
{
GroupEnumerator_t99051268604236D2D3064D0BDF2D358B42D884CB::get_offset_of__rgc_0(),
GroupEnumerator_t99051268604236D2D3064D0BDF2D358B42D884CB::get_offset_of__curindex_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1374[11] =
{
RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E::get_offset_of_runoperator_19(),
RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E::get_offset_of_runcodes_20(),
RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E::get_offset_of_runcodepos_21(),
RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E::get_offset_of_runstrings_22(),
RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E::get_offset_of_runcode_23(),
RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E::get_offset_of_runfcPrefix_24(),
RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E::get_offset_of_runbmPrefix_25(),
RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E::get_offset_of_runanchors_26(),
RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E::get_offset_of_runrtl_27(),
RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E::get_offset_of_runci_28(),
RegexInterpreter_tF3C74D72240962B960AE4D39D9CF1632C9C2982E::get_offset_of_runculture_29(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1375[10] =
{
Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B_StaticFields::get_offset_of__empty_8(),
Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B::get_offset_of__groupcoll_9(),
Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B::get_offset_of__regex_10(),
Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B::get_offset_of__textbeg_11(),
Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B::get_offset_of__textpos_12(),
Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B::get_offset_of__textend_13(),
Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B::get_offset_of__textstart_14(),
Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B::get_offset_of__matches_15(),
Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B::get_offset_of__matchcount_16(),
Match_t8CC0A47F766954F17AD4D1C1597754C8F576464B::get_offset_of__balancing_17(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1376[1] =
{
MatchSparse_tF4A7983ADA82DB12269F4D384E7C2D15F0D32694::get_offset_of__caps_18(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1377[9] =
{
MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E::get_offset_of__regex_0(),
MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E::get_offset_of__matches_1(),
MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E::get_offset_of__done_2(),
MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E::get_offset_of__input_3(),
MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E::get_offset_of__beginning_4(),
MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E::get_offset_of__length_5(),
MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E::get_offset_of__startat_6(),
MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E::get_offset_of__prevlen_7(),
MatchCollection_tC2C84E59658F73C90FD36007DE73C869BADEFF3E_StaticFields::get_offset_of_infinite_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1378[4] =
{
MatchEnumerator_tEB47660DB3F5DD6857ECAF73B79066F82B77F735::get_offset_of__matchcoll_0(),
MatchEnumerator_tEB47660DB3F5DD6857ECAF73B79066F82B77F735::get_offset_of__match_1(),
MatchEnumerator_tEB47660DB3F5DD6857ECAF73B79066F82B77F735::get_offset_of__curindex_2(),
MatchEnumerator_tEB47660DB3F5DD6857ECAF73B79066F82B77F735::get_offset_of__done_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1379[3] =
{
RegexMatchTimeoutException_t8A80CA43E67CFD00C11CD0B4D65E08171577AB81::get_offset_of_regexInput_17(),
RegexMatchTimeoutException_t8A80CA43E67CFD00C11CD0B4D65E08171577AB81::get_offset_of_regexPattern_18(),
RegexMatchTimeoutException_t8A80CA43E67CFD00C11CD0B4D65E08171577AB81::get_offset_of_matchTimeout_19(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1380[8] =
{
RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43::get_offset_of__type_0(),
RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43::get_offset_of__children_1(),
RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43::get_offset_of__str_2(),
RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43::get_offset_of__ch_3(),
RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43::get_offset_of__m_4(),
RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43::get_offset_of__n_5(),
RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43::get_offset_of__options_6(),
RegexNode_t0C22422611EBAF941144402F8CAB0FA1A0AE7D43::get_offset_of__next_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1381[11] =
{
RegexOptions_t8F8CD5BC6C55FC2B657722FD09ABDFDF5BA6F6A4::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1382[20] =
{
RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9::get_offset_of__stack_0(),
RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9::get_offset_of__group_1(),
RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9::get_offset_of__alternation_2(),
RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9::get_offset_of__concatenation_3(),
RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9::get_offset_of__unit_4(),
RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9::get_offset_of__pattern_5(),
RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9::get_offset_of__currentPos_6(),
RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9::get_offset_of__culture_7(),
RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9::get_offset_of__autocap_8(),
RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9::get_offset_of__capcount_9(),
RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9::get_offset_of__captop_10(),
RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9::get_offset_of__capsize_11(),
RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9::get_offset_of__caps_12(),
RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9::get_offset_of__capnames_13(),
RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9::get_offset_of__capnumlist_14(),
RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9::get_offset_of__capnamelist_15(),
RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9::get_offset_of__options_16(),
RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9::get_offset_of__optionsStack_17(),
RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9::get_offset_of__ignoreNextParen_18(),
RegexParser_t673103BAE9C6E80634528A1F73A81772DD98E6D9_StaticFields::get_offset_of__category_19(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1383[3] =
{
RegexReplacement_tA7DE3492BBDE988EF1C93CB8F71CF01A4C1D9A32::get_offset_of__rep_0(),
RegexReplacement_tA7DE3492BBDE988EF1C93CB8F71CF01A4C1D9A32::get_offset_of__strings_1(),
RegexReplacement_tA7DE3492BBDE988EF1C93CB8F71CF01A4C1D9A32::get_offset_of__rules_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1384[19] =
{
RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934::get_offset_of_runtextbeg_0(),
RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934::get_offset_of_runtextend_1(),
RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934::get_offset_of_runtextstart_2(),
RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934::get_offset_of_runtext_3(),
RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934::get_offset_of_runtextpos_4(),
RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934::get_offset_of_runtrack_5(),
RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934::get_offset_of_runtrackpos_6(),
RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934::get_offset_of_runstack_7(),
RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934::get_offset_of_runstackpos_8(),
RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934::get_offset_of_runcrawl_9(),
RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934::get_offset_of_runcrawlpos_10(),
RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934::get_offset_of_runtrackcount_11(),
RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934::get_offset_of_runmatch_12(),
RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934::get_offset_of_runregex_13(),
RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934::get_offset_of_timeout_14(),
RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934::get_offset_of_ignoreTimeout_15(),
RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934::get_offset_of_timeoutOccursAt_16(),
0,
RegexRunner_t1A33A1310B80DBCFF08E50D45B5D50E0B93CB934::get_offset_of_timeoutChecksToSkip_18(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1386[7] =
{
RegexTree_t63A434601D42EC388D9B2DCA2913286CFC8811F3::get_offset_of__root_0(),
RegexTree_t63A434601D42EC388D9B2DCA2913286CFC8811F3::get_offset_of__caps_1(),
RegexTree_t63A434601D42EC388D9B2DCA2913286CFC8811F3::get_offset_of__capnumlist_2(),
RegexTree_t63A434601D42EC388D9B2DCA2913286CFC8811F3::get_offset_of__capnames_3(),
RegexTree_t63A434601D42EC388D9B2DCA2913286CFC8811F3::get_offset_of__capslist_4(),
RegexTree_t63A434601D42EC388D9B2DCA2913286CFC8811F3::get_offset_of__options_5(),
RegexTree_t63A434601D42EC388D9B2DCA2913286CFC8811F3::get_offset_of__captop_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1387[10] =
{
RegexWriter_t958027B0548A09589F03657633037085BACFC7B5::get_offset_of__intStack_0(),
RegexWriter_t958027B0548A09589F03657633037085BACFC7B5::get_offset_of__depth_1(),
RegexWriter_t958027B0548A09589F03657633037085BACFC7B5::get_offset_of__emitted_2(),
RegexWriter_t958027B0548A09589F03657633037085BACFC7B5::get_offset_of__curpos_3(),
RegexWriter_t958027B0548A09589F03657633037085BACFC7B5::get_offset_of__stringhash_4(),
RegexWriter_t958027B0548A09589F03657633037085BACFC7B5::get_offset_of__stringtable_5(),
RegexWriter_t958027B0548A09589F03657633037085BACFC7B5::get_offset_of__counting_6(),
RegexWriter_t958027B0548A09589F03657633037085BACFC7B5::get_offset_of__count_7(),
RegexWriter_t958027B0548A09589F03657633037085BACFC7B5::get_offset_of__trackcount_8(),
RegexWriter_t958027B0548A09589F03657633037085BACFC7B5::get_offset_of__caps_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1388[5] =
{
Stopwatch_t78C5E942A89311381E0D8894576457C33462DF89_StaticFields::get_offset_of_Frequency_0(),
Stopwatch_t78C5E942A89311381E0D8894576457C33462DF89_StaticFields::get_offset_of_IsHighResolution_1(),
Stopwatch_t78C5E942A89311381E0D8894576457C33462DF89::get_offset_of_elapsed_2(),
Stopwatch_t78C5E942A89311381E0D8894576457C33462DF89::get_offset_of_started_3(),
Stopwatch_t78C5E942A89311381E0D8894576457C33462DF89::get_offset_of_is_running_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1391[1] =
{
BooleanConverter_t890553DE6E939FADC5ACEBC1AAF2758C9AD4364D_StaticFields::get_offset_of_values_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1392[4] =
{
BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2_StaticFields::get_offset_of_Yes_0(),
BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2_StaticFields::get_offset_of_No_1(),
BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2_StaticFields::get_offset_of_Default_2(),
BrowsableAttribute_t705E82089C10349DE28438D04F7CA2B41758B5A2::get_offset_of_browsable_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1395[2] =
{
DescriptionAttribute_tBDFA332A8D0CD36C090BA99110241E2A4A6F25DA_StaticFields::get_offset_of_Default_0(),
DescriptionAttribute_tBDFA332A8D0CD36C090BA99110241E2A4A6F25DA::get_offset_of_description_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1396[2] =
{
DisplayNameAttribute_t23E87B8B23DC5CF5E2A72B8039935029D0A53E85_StaticFields::get_offset_of_Default_0(),
DisplayNameAttribute_t23E87B8B23DC5CF5E2A72B8039935029D0A53E85::get_offset_of__displayName_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1398[1] =
{
EditorBrowsableAttribute_tE201891FE727EB3FB75B488A2BF6D4DF3CB80614::get_offset_of_browsableState_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1399[4] =
{
EditorBrowsableState_t5212E3E4B6F8B3190040444A9D6FBCA975F02BA1::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1400[2] =
{
EnumConverter_t05433389A0FBB1D1185275588F6A9000BCFB7D78::get_offset_of_values_2(),
EnumConverter_t05433389A0FBB1D1185275588F6A9000BCFB7D78::get_offset_of_type_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1408[2] =
{
0,
TypeConverter_t004F185B630F00F509F08BD8F8D82471867323B4_StaticFields::get_offset_of_useCompatibleTypeConversion_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1409[2] =
{
TypeConverterAttribute_t2C9750F302F83A7710D031C00A7CEBDA8F0C3F83::get_offset_of_typeName_0(),
TypeConverterAttribute_t2C9750F302F83A7710D031C00A7CEBDA8F0C3F83_StaticFields::get_offset_of_Default_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1411[1] =
{
TypeDescriptionProviderAttribute_t869915485F04ACF6C3CA00AC600047B00D55A42B::get_offset_of__typeName_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1412[3] =
{
Win32Exception_t4B7A329153AA0E88CA08533EFB6DB2F2A8E90950::get_offset_of_nativeErrorCode_17(),
Win32Exception_t4B7A329153AA0E88CA08533EFB6DB2F2A8E90950_StaticFields::get_offset_of_s_ErrorMessagesInitialized_18(),
Win32Exception_t4B7A329153AA0E88CA08533EFB6DB2F2A8E90950_StaticFields::get_offset_of_s_ErrorMessage_19(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1414[12] =
{
OidGroup_tA8D8DA27353F8D70638E08569F65A34BCA3D5EB4::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1415[3] =
{
Oid_tD6586F9C615C5CBE741A5099DFB67FE0F99F4800::get_offset_of_m_value_0(),
Oid_tD6586F9C615C5CBE741A5099DFB67FE0F99F4800::get_offset_of_m_friendlyName_1(),
Oid_tD6586F9C615C5CBE741A5099DFB67FE0F99F4800::get_offset_of_m_group_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1416[1] =
{
OidCollection_tA091E185B8840648BE96A6C547F0C26F88E3A902::get_offset_of_m_list_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1417[2] =
{
OidEnumerator_tE58DA51601EA18C96FE1557EAE220C331AC51884::get_offset_of_m_oids_0(),
OidEnumerator_tE58DA51601EA18C96FE1557EAE220C331AC51884::get_offset_of_m_current_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1419[7] =
{
AsnDecodeStatus_tBE4ADA7C45EBFD656BFEE0F04CAEC70A1C1BD15E::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1420[2] =
{
AsnEncodedData_t88A440F72C4F1143E416540D78B910A875CC0FDA::get_offset_of__oid_0(),
AsnEncodedData_t88A440F72C4F1143E416540D78B910A875CC0FDA::get_offset_of__raw_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1421[11] =
{
X509KeyUsageFlags_tA10D2E023BB8086E102AE4EBE10CF84656A18849::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1422[4] =
{
X509SubjectKeyIdentifierHashAlgorithm_t38BCCB6F30D80F7CDF39B3A164129FDF81B11D29::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1424[4] =
{
PublicKey_t40ABE7E0985F3E274C9564670970EC6F3B39A4A2::get_offset_of__keyValue_0(),
PublicKey_t40ABE7E0985F3E274C9564670970EC6F3B39A4A2::get_offset_of__params_1(),
PublicKey_t40ABE7E0985F3E274C9564670970EC6F3B39A4A2::get_offset_of__oid_2(),
PublicKey_t40ABE7E0985F3E274C9564670970EC6F3B39A4A2_StaticFields::get_offset_of_Empty_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1425[6] =
{
0,
0,
X509BasicConstraintsExtension_t790FA4E7D9715A72A621A290FF0CDD5A647EF3CF::get_offset_of__certificateAuthority_5(),
X509BasicConstraintsExtension_t790FA4E7D9715A72A621A290FF0CDD5A647EF3CF::get_offset_of__hasPathLengthConstraint_6(),
X509BasicConstraintsExtension_t790FA4E7D9715A72A621A290FF0CDD5A647EF3CF::get_offset_of__pathLengthConstraint_7(),
X509BasicConstraintsExtension_t790FA4E7D9715A72A621A290FF0CDD5A647EF3CF::get_offset_of__status_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1426[2] =
{
X509EnhancedKeyUsageExtension_tD53B0C2AF93C2496461F2960946C5F40A33AC82B::get_offset_of__enhKeyUsage_3(),
X509EnhancedKeyUsageExtension_tD53B0C2AF93C2496461F2960946C5F40A33AC82B::get_offset_of__status_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1427[1] =
{
X509Extension_t9142CAA11EB46CC4CAB51A26D3B84BDA06FA9FF5::get_offset_of__critical_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1428[5] =
{
0,
0,
0,
X509KeyUsageExtension_tF78A71F87AEE0E0DC54DFF837AB2880E3D9CF227::get_offset_of__keyUsages_6(),
X509KeyUsageExtension_tF78A71F87AEE0E0DC54DFF837AB2880E3D9CF227::get_offset_of__status_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1429[5] =
{
0,
0,
X509SubjectKeyIdentifierExtension_t9781D24066D84C09C7137124FBC848491BF54567::get_offset_of__subjectKeyIdentifier_5(),
X509SubjectKeyIdentifierExtension_t9781D24066D84C09C7137124FBC848491BF54567::get_offset_of__ski_6(),
X509SubjectKeyIdentifierExtension_t9781D24066D84C09C7137124FBC848491BF54567::get_offset_of__status_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1434[5] =
{
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1435[8] =
{
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1436[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1437[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1438[8] =
{
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1440[6] =
{
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1441[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1442[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1443[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1444[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1445[10] =
{
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1446[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1447[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1450[17] =
{
IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE_StaticFields::get_offset_of_Any_0(),
IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE_StaticFields::get_offset_of_Loopback_1(),
IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE_StaticFields::get_offset_of_Broadcast_2(),
IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE_StaticFields::get_offset_of_None_3(),
0,
IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE::get_offset_of_m_Address_5(),
IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE::get_offset_of_m_ToString_6(),
IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE_StaticFields::get_offset_of_IPv6Any_7(),
IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE_StaticFields::get_offset_of_IPv6Loopback_8(),
IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE_StaticFields::get_offset_of_IPv6None_9(),
IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE::get_offset_of_m_Family_10(),
IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE::get_offset_of_m_Numbers_11(),
IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE::get_offset_of_m_ScopeId_12(),
IPAddress_t2B5F1762B4B9935BA6CA8FB12C87282C72E035AE::get_offset_of_m_HashCode_13(),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1451[2] =
{
IPv6AddressFormatter_tB4B75557A1014D1E6E250A35E5F94411EF2979BA::get_offset_of_address_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
IPv6AddressFormatter_tB4B75557A1014D1E6E250A35E5F94411EF2979BA::get_offset_of_scopeId_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1452[1] =
{
SocketException_tB04D4347A4A41DC1A8583BBAE5A7C990F78C1E88::get_offset_of_m_EndPoint_20(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1453[32] =
{
AddressFamily_tFCF4C888B95C069AB2D4720EC8C2E19453C28B33::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1454[48] =
{
SocketError_tA0135DFDFBD5E43BC2F44D8AAC13CDB444074F80::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1457[4] =
{
U3CPrivateImplementationDetailsU3E_t1267FAF6E08D720F26ABF676554E6948A7F6A2D0_StaticFields::get_offset_of_U359F5BD34B6C013DEACC784F69C67E95150033A84_0(),
U3CPrivateImplementationDetailsU3E_t1267FAF6E08D720F26ABF676554E6948A7F6A2D0_StaticFields::get_offset_of_C02C28AFEBE998F767E4AF43E3BE8F5E9FA11536_1(),
U3CPrivateImplementationDetailsU3E_t1267FAF6E08D720F26ABF676554E6948A7F6A2D0_StaticFields::get_offset_of_CCEEADA43268372341F81AE0C9208C6856441C04_2(),
U3CPrivateImplementationDetailsU3E_t1267FAF6E08D720F26ABF676554E6948A7F6A2D0_StaticFields::get_offset_of_E5BC1BAFADE1862DD6E0B9FB632BFAA6C3873A78_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1482[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1483[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1484[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1485[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1486[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1487[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1488[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1489[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1490[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1491[8] =
{
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1492[9] =
{
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1493[6] =
{
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1494[6] =
{
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1496[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1498[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1499[5] =
{
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1500[6] =
{
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1501[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1502[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1504[5] =
{
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1505[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1506[1] =
{
CachedReflectionInfo_t642790C7A249BA13C0CA9D036535C0183B286976_StaticFields::get_offset_of_s_Math_Pow_Double_Double_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1507[2] =
{
BinaryExpression_tCD79755962D104E6603B50D89E7F0E41D1D9CA79::get_offset_of_U3CRightU3Ek__BackingField_3(),
BinaryExpression_tCD79755962D104E6603B50D89E7F0E41D1D9CA79::get_offset_of_U3CLeftU3Ek__BackingField_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1508[1] =
{
LogicalBinaryExpression_t4EBE81211FC96D0A19F4EEF65442B6FFDBCF6889::get_offset_of_U3CNodeTypeU3Ek__BackingField_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1510[1] =
{
CoalesceConversionBinaryExpression_t1BFEFD20D1774BE8420812142E9622F6CBB210C6::get_offset_of__conversion_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1511[1] =
{
OpAssignMethodConversionBinaryExpression_tE5DC5C71207DE06782E16C2C5D9EE63E09D8B58C::get_offset_of__conversion_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1512[2] =
{
SimpleBinaryExpression_tD31812298FB2E8F19C62AA1D18B48BD23DC411CB::get_offset_of_U3CNodeTypeU3Ek__BackingField_5(),
SimpleBinaryExpression_tD31812298FB2E8F19C62AA1D18B48BD23DC411CB::get_offset_of_U3CTypeU3Ek__BackingField_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1513[1] =
{
MethodBinaryExpression_t3119FE060545F8BBCA10624BD0A1D43AB150DF23::get_offset_of__method_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1524[2] =
{
ExtensionInfo_tC44139FBD6DED03BF72E9D021741DB32CB5FD926::get_offset_of_NodeType_0(),
ExtensionInfo_tC44139FBD6DED03BF72E9D021741DB32CB5FD926::get_offset_of_Type_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1525[3] =
{
Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660_StaticFields::get_offset_of_s_lambdaDelegateCache_0(),
Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660_StaticFields::get_offset_of_s_lambdaFactories_1(),
Expression_t30A004209C10C2D9A9785B2F74EEED431A4D4660_StaticFields::get_offset_of_s_legacyCtorSupportTable_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1527[2] =
{
Block2_tE4BCA7D0F0ACBB66E97C3C70620E928AC52A84D9::get_offset_of__arg0_3(),
Block2_tE4BCA7D0F0ACBB66E97C3C70620E928AC52A84D9::get_offset_of__arg1_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1528[3] =
{
Block3_t284DBA4C7DD6FA79B0983263FF40B6EA4F4AD834::get_offset_of__arg0_3(),
Block3_t284DBA4C7DD6FA79B0983263FF40B6EA4F4AD834::get_offset_of__arg1_4(),
Block3_t284DBA4C7DD6FA79B0983263FF40B6EA4F4AD834::get_offset_of__arg2_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1529[4] =
{
Block4_t52F5085BA32EDD31381E70CADDAFAC3D6FA67A21::get_offset_of__arg0_3(),
Block4_t52F5085BA32EDD31381E70CADDAFAC3D6FA67A21::get_offset_of__arg1_4(),
Block4_t52F5085BA32EDD31381E70CADDAFAC3D6FA67A21::get_offset_of__arg2_5(),
Block4_t52F5085BA32EDD31381E70CADDAFAC3D6FA67A21::get_offset_of__arg3_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1530[5] =
{
Block5_tDBF9D05DED9100069A2A701184205D60A05D04D8::get_offset_of__arg0_3(),
Block5_tDBF9D05DED9100069A2A701184205D60A05D04D8::get_offset_of__arg1_4(),
Block5_tDBF9D05DED9100069A2A701184205D60A05D04D8::get_offset_of__arg2_5(),
Block5_tDBF9D05DED9100069A2A701184205D60A05D04D8::get_offset_of__arg3_6(),
Block5_tDBF9D05DED9100069A2A701184205D60A05D04D8::get_offset_of__arg4_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1531[1] =
{
BlockN_tCE84D9AD8634612823520324AC4B0FF602E1902C::get_offset_of__expressions_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1532[1] =
{
ScopeExpression_tDE0A022479B618F70B02FDFE5F88D5D02E90FB9D::get_offset_of__variables_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1533[1] =
{
Scope1_tB4CCBE69CF8B934331BE4C5C7FCBBB5FBDFD8C2E::get_offset_of__body_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1534[1] =
{
ScopeN_t05FE8F6E97A62B48B2252350706D84DC841E006F::get_offset_of__body_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1535[1] =
{
ScopeWithType_t2B5D6764335C8C5805E1DC59F6B3370072478C50::get_offset_of_U3CTypeU3Ek__BackingField_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1537[1] =
{
ConstantExpression_tE22239C4AE815AF9B4647E026E802623F433F0FB::get_offset_of_U3CValueU3Ek__BackingField_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1538[1] =
{
TypedConstantExpression_tBBD471F35E5E9B51126D6779736D9CCC49538630::get_offset_of_U3CTypeU3Ek__BackingField_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1540[2] =
{
ExpressionStringBuilder_tE6E52B108CBCCFC0A1DBDA11731A3D4CA9BDC7FD::get_offset_of__out_0(),
ExpressionStringBuilder_tE6E52B108CBCCFC0A1DBDA11731A3D4CA9BDC7FD::get_offset_of__ids_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1541[86] =
{
ExpressionType_t5DFF595F84E155FA27FA8929A81459546074CE51::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1545[3] =
{
IndexExpression_t9AD464D53B8462904096A225217131CEB4406AFD::get_offset_of__arguments_3(),
IndexExpression_t9AD464D53B8462904096A225217131CEB4406AFD::get_offset_of_U3CObjectU3Ek__BackingField_4(),
IndexExpression_t9AD464D53B8462904096A225217131CEB4406AFD::get_offset_of_U3CIndexerU3Ek__BackingField_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1546[2] =
{
InvocationExpression_tF2FBF805F35CA740983A7D613B5BB86ABA9D9A29::get_offset_of_U3CTypeU3Ek__BackingField_3(),
InvocationExpression_tF2FBF805F35CA740983A7D613B5BB86ABA9D9A29::get_offset_of_U3CExpressionU3Ek__BackingField_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1547[1] =
{
InvocationExpression1_tDD76D4333394ACC4713955BDAEE4726A03FFD29D::get_offset_of__arg0_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1548[1] =
{
LambdaExpression_t26BF905E97E6D94F81F17D60F4F4F47F8E93B474::get_offset_of__body_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1552[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1553[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1554[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1555[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1556[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1557[1] =
{
MemberExpression_t9F4B2A7A517DFE6F72C956A3ED868D8C043C6622::get_offset_of_U3CExpressionU3Ek__BackingField_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1558[1] =
{
FieldExpression_tBB79EEFC99702246D1683C8409459E7BC83E6C32::get_offset_of__field_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1559[1] =
{
PropertyExpression_t5E160F0B0537135FFDD6B63177957423E4A158A2::get_offset_of__property_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1560[1] =
{
MethodCallExpression_tF8E07995EEDB83A97C356206D651D5EEC72EFFA4::get_offset_of_U3CMethodU3Ek__BackingField_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1561[1] =
{
ParameterExpression_tA7B24F1DE0F013DA4BD55F76DB43B06DB33D8BEE::get_offset_of_U3CNameU3Ek__BackingField_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1563[1] =
{
TypedParameterExpression_t4A8A2ACEE15EB5177B0A2B69C3EA017418803EDC::get_offset_of_U3CTypeU3Ek__BackingField_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1566[4] =
{
UnaryExpression_t5DE6F6FA2216CDD34DFCFADEB0080CB29326DD62::get_offset_of_U3CTypeU3Ek__BackingField_3(),
UnaryExpression_t5DE6F6FA2216CDD34DFCFADEB0080CB29326DD62::get_offset_of_U3CNodeTypeU3Ek__BackingField_4(),
UnaryExpression_t5DE6F6FA2216CDD34DFCFADEB0080CB29326DD62::get_offset_of_U3COperandU3Ek__BackingField_5(),
UnaryExpression_t5DE6F6FA2216CDD34DFCFADEB0080CB29326DD62::get_offset_of_U3CMethodU3Ek__BackingField_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1567[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1568[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1570[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1571[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1574[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1577[1] =
{
TypeExtensions_t4621AFAE95D2F74DC128EE8B4364AE8ABA654831_StaticFields::get_offset_of_s_paramInfoCache_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1578[1] =
{
TypeUtils_t0A0AEA36D37671B596506F28FDF658970AA2DC0A_StaticFields::get_offset_of_s_mscorlib_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1579[6] =
{
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1580[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1582[4] =
{
BitHelper_t2B67F0FEDA1C18626AA201BEA9490E52B87CB2F7::get_offset_of__length_0(),
BitHelper_t2B67F0FEDA1C18626AA201BEA9490E52B87CB2F7::get_offset_of__arrayPtr_1(),
BitHelper_t2B67F0FEDA1C18626AA201BEA9490E52B87CB2F7::get_offset_of__array_2(),
BitHelper_t2B67F0FEDA1C18626AA201BEA9490E52B87CB2F7::get_offset_of__useStackAlloc_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1583[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1584[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1585[15] =
{
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1588[2] =
{
AssetFileNameExtensionAttribute_tED45B2D2362BB4D5CDCA25F7C1E890AADAD6FA2D::get_offset_of_U3CpreferredExtensionU3Ek__BackingField_0(),
AssetFileNameExtensionAttribute_tED45B2D2362BB4D5CDCA25F7C1E890AADAD6FA2D::get_offset_of_U3CotherExtensionsU3Ek__BackingField_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1592[2] =
{
NativeClassAttribute_tBE8213A7A54307A9A771B70B38CB946BED926B0D::get_offset_of_U3CQualifiedNativeNameU3Ek__BackingField_0(),
NativeClassAttribute_tBE8213A7A54307A9A771B70B38CB946BED926B0D::get_offset_of_U3CDeclarationU3Ek__BackingField_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1595[2] =
{
NativeConditionalAttribute_t659349956F06958D4D05443BD06FF5CDC767C88B::get_offset_of_U3CConditionU3Ek__BackingField_0(),
NativeConditionalAttribute_t659349956F06958D4D05443BD06FF5CDC767C88B::get_offset_of_U3CEnabledU3Ek__BackingField_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1596[1] =
{
NativeHeaderAttribute_t7F0E4B53790AA75CDB4C44E6D644267F8FE3066C::get_offset_of_U3CHeaderU3Ek__BackingField_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1597[1] =
{
NativeNameAttribute_tCEF3726869BD5ADC4600DDAC8DF0D4B5AAAF65F7::get_offset_of_U3CNameU3Ek__BackingField_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1598[1] =
{
NativeWritableSelfAttribute_tFAFEEA81F742D3AFDA0A7A16F11C7E1E4DE4131A::get_offset_of_U3CWritableSelfU3Ek__BackingField_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1599[5] =
{
NativeMethodAttribute_t57F61ACA17BEC1260A06658ACD971B0009CC1866::get_offset_of_U3CNameU3Ek__BackingField_0(),
NativeMethodAttribute_t57F61ACA17BEC1260A06658ACD971B0009CC1866::get_offset_of_U3CIsThreadSafeU3Ek__BackingField_1(),
NativeMethodAttribute_t57F61ACA17BEC1260A06658ACD971B0009CC1866::get_offset_of_U3CIsFreeFunctionU3Ek__BackingField_2(),
NativeMethodAttribute_t57F61ACA17BEC1260A06658ACD971B0009CC1866::get_offset_of_U3CThrowsExceptionU3Ek__BackingField_3(),
NativeMethodAttribute_t57F61ACA17BEC1260A06658ACD971B0009CC1866::get_offset_of_U3CHasExplicitThisU3Ek__BackingField_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1600[3] =
{
TargetType_tBE103EBCFE59544A834B8108A56B2A91F7CBE1DF::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1601[1] =
{
NativePropertyAttribute_t300C37301B5C27B1EECB6CBE7EED16EEDA11975A::get_offset_of_U3CTargetTypeU3Ek__BackingField_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1602[4] =
{
CodegenOptions_t2D0BDBDCEFA8EC8B714E6F9E84A55557343398FA::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1604[3] =
{
NativeTypeAttribute_t7A71B541B18D0BA1A9889E05D36CAC56CF9F48D9::get_offset_of_U3CHeaderU3Ek__BackingField_0(),
NativeTypeAttribute_t7A71B541B18D0BA1A9889E05D36CAC56CF9F48D9::get_offset_of_U3CIntermediateScriptingStructNameU3Ek__BackingField_1(),
NativeTypeAttribute_t7A71B541B18D0BA1A9889E05D36CAC56CF9F48D9::get_offset_of_U3CCodegenOptionsU3Ek__BackingField_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1605[1] =
{
NotNullAttribute_t22E59D8061EE39B8A3F837C2245240C2466382FC::get_offset_of_U3CExceptionU3Ek__BackingField_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1608[5] =
{
StaticAccessorType_tFA86A321ADAC16A48DF7FC82F8FBBE5F71D2DC4C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1609[2] =
{
StaticAccessorAttribute_t7A16FF0FA31E38510BBC8BCA5AE56C3E67D5A2BA::get_offset_of_U3CNameU3Ek__BackingField_0(),
StaticAccessorAttribute_t7A16FF0FA31E38510BBC8BCA5AE56C3E67D5A2BA::get_offset_of_U3CTypeU3Ek__BackingField_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1610[1] =
{
NativeThrowsAttribute_tF59F2833BDD09C6C89298E603D5C3A598CC08137::get_offset_of_U3CThrowsExceptionU3Ek__BackingField_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1611[1] =
{
IgnoreAttribute_tAB4906F0BB2E4FD1CAE2D8D21DFD776EA434E5CA::get_offset_of_U3CDoesNotContributeToSizeU3Ek__BackingField_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1613[1] =
{
UsedByNativeCodeAttribute_t604CF4E57FB3E7BCCCF0871A9B526472B2CDCB92::get_offset_of_U3CNameU3Ek__BackingField_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1614[3] =
{
RequiredByNativeCodeAttribute_t855401D3C2EF3B44F4F1C3EE2DCD361CFC358D20::get_offset_of_U3CNameU3Ek__BackingField_0(),
RequiredByNativeCodeAttribute_t855401D3C2EF3B44F4F1C3EE2DCD361CFC358D20::get_offset_of_U3COptionalU3Ek__BackingField_1(),
RequiredByNativeCodeAttribute_t855401D3C2EF3B44F4F1C3EE2DCD361CFC358D20::get_offset_of_U3CGenerateProxyU3Ek__BackingField_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1619[3] =
{
MathfInternal_t1B6B8ECF3C719D8DEE6DF2876619A350C2AB23AD_StaticFields::get_offset_of_FloatMinNormal_0(),
MathfInternal_t1B6B8ECF3C719D8DEE6DF2876619A350C2AB23AD_StaticFields::get_offset_of_FloatMinDenormal_1(),
MathfInternal_t1B6B8ECF3C719D8DEE6DF2876619A350C2AB23AD_StaticFields::get_offset_of_IsFlushToZeroEnabled_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1620[5] =
{
TypeInferenceRules_tFE03E23E0E92DE64D790E49CCFF196346E243CEC::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1621[1] =
{
TypeInferenceRuleAttribute_tC874129B9308A040CEFB41C0F5F218335F715038::get_offset_of__rule_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1623[1] =
{
ProfilerMarker_tAE86534C80C5D67768DB3B244D8D139A2E6495E1::get_offset_of_m_Ptr_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1624[8] =
{
MarkerFlags_t4A8B5185BAD24803CE9A57187867CB93451AA9E8::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1628[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1632[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1634[2] =
{
JobHandle_t8AEB8D31C25D7774C71D62B0C662525E6E36D847::get_offset_of_jobGroup_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
JobHandle_t8AEB8D31C25D7774C71D62B0C662525E6E36D847::get_offset_of_version_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1635[1] =
{
JobProducerTypeAttribute_t75C44C0E9004E0C3F4D5399D88DEC2001E31B018::get_offset_of_U3CProducerTypeU3Ek__BackingField_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1636[6] =
{
JobRanges_tC73669D80CD008ABB5B2F5D58B28FF369DB3855E::get_offset_of_BatchSize_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
JobRanges_tC73669D80CD008ABB5B2F5D58B28FF369DB3855E::get_offset_of_NumJobs_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
JobRanges_tC73669D80CD008ABB5B2F5D58B28FF369DB3855E::get_offset_of_TotalIterationCount_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
JobRanges_tC73669D80CD008ABB5B2F5D58B28FF369DB3855E::get_offset_of_NumPhases_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
JobRanges_tC73669D80CD008ABB5B2F5D58B28FF369DB3855E::get_offset_of_StartEndIndex_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
JobRanges_tC73669D80CD008ABB5B2F5D58B28FF369DB3855E::get_offset_of_PhaseData_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1637[5] =
{
ScheduleMode_t25A6FBD7FAB995823340CBF0FDA24A3EB7D51B42::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1638[4] =
{
JobScheduleParameters_tA29064729507A938ACB05D9F98B2C4A6977E3EF8::get_offset_of_Dependency_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
JobScheduleParameters_tA29064729507A938ACB05D9F98B2C4A6977E3EF8::get_offset_of_ScheduleMode_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
JobScheduleParameters_tA29064729507A938ACB05D9F98B2C4A6977E3EF8::get_offset_of_ReflectionData_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
JobScheduleParameters_tA29064729507A938ACB05D9F98B2C4A6977E3EF8::get_offset_of_JobDataPtr_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1641[9] =
{
AssetLoadingSubsystem_tD3081A206EB209E52E01DB4F324B7D14BE9829AA::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1642[3] =
{
Priority_t3664CAF65DE8CBFC2BB453BB20D0489E2126E0A2::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1643[7] =
{
ProcessingState_t6D0622359E4EDB21B0EFA52E2493FD51137CBD50::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1644[3] =
{
FileReadType_t31F7D6CEFACE99CAE5A065B892E0EDE478E2CB1D::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1645[15] =
{
AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0::get_offset_of_U3CAssetNameU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0::get_offset_of_U3CFileNameU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0::get_offset_of_U3COffsetBytesU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0::get_offset_of_U3CSizeBytesU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0::get_offset_of_U3CAssetTypeIdU3Ek__BackingField_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0::get_offset_of_U3CCurrentBytesReadU3Ek__BackingField_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0::get_offset_of_U3CBatchReadCountU3Ek__BackingField_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0::get_offset_of_U3CIsBatchReadU3Ek__BackingField_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0::get_offset_of_U3CStateU3Ek__BackingField_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0::get_offset_of_U3CReadTypeU3Ek__BackingField_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0::get_offset_of_U3CPriorityLevelU3Ek__BackingField_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0::get_offset_of_U3CSubsystemU3Ek__BackingField_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0::get_offset_of_U3CRequestTimeMicrosecondsU3Ek__BackingField_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0::get_offset_of_U3CTimeInQueueMicrosecondsU3Ek__BackingField_13() + static_cast<int32_t>(sizeof(RuntimeObject)),
AsyncReadManagerRequestMetric_t3F1145613E99A2410D1AFBCE8BEFF59D07FE26E0::get_offset_of_U3CTotalTimeMicrosecondsU3Ek__BackingField_14() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1646[5] =
{
AsyncReadManagerMetricsFilters_t8C1F78DA967FD9457A11E672AB0FF865D6BD3787::get_offset_of_TypeIDs_0(),
AsyncReadManagerMetricsFilters_t8C1F78DA967FD9457A11E672AB0FF865D6BD3787::get_offset_of_States_1(),
AsyncReadManagerMetricsFilters_t8C1F78DA967FD9457A11E672AB0FF865D6BD3787::get_offset_of_ReadTypes_2(),
AsyncReadManagerMetricsFilters_t8C1F78DA967FD9457A11E672AB0FF865D6BD3787::get_offset_of_PriorityLevels_3(),
AsyncReadManagerMetricsFilters_t8C1F78DA967FD9457A11E672AB0FF865D6BD3787::get_offset_of_Subsystems_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1653[7] =
{
Allocator_t9888223DEF4F46F3419ECFCCD0753599BEE52A05::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1654[1] =
{
NativeLeakDetection_t65BA42B9268B96490C87B2C2E8943D0B88B70DC7_StaticFields::get_offset_of_s_NativeLeakDetectionMode_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1655[3] =
{
NativeArrayOptions_t181E2A9B49F6D62868DE6428E4CDF148AEF558E3::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1656[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1657[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1660[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1661[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1677[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1679[3] =
{
SendMessageOptions_t89E16D7B4FAECAF721478B06E56214F97438C61B::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1680[3] =
{
Space_t568D704D2B0AAC3E5894DDFF13DB2E02E2CD539E::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1681[41] =
{
RuntimePlatform_tB8798C800FD9810C0FE2B7D2F2A0A3979D239065::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1682[44] =
{
SystemLanguage_tF8A9C86102588DE9A5041719609C2693D283B3A6::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1683[6] =
{
LogType_tF490DBF8368BD4EBA703B2824CB76A853820F773::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1684[3] =
{
LogOption_t51E8F1B430A667101ABEAD997CDA50BDBEE65A57::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1685[1] =
{
SortingLayer_tC1C56343D7E889D6E4E8CA9618F0ED488BA2F19B::get_offset_of_m_Id_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1686[7] =
{
Keyframe_tBEEE79DF5E970E48A8972FFFCE8B25A6068ACE9F::get_offset_of_m_Time_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Keyframe_tBEEE79DF5E970E48A8972FFFCE8B25A6068ACE9F::get_offset_of_m_Value_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Keyframe_tBEEE79DF5E970E48A8972FFFCE8B25A6068ACE9F::get_offset_of_m_InTangent_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Keyframe_tBEEE79DF5E970E48A8972FFFCE8B25A6068ACE9F::get_offset_of_m_OutTangent_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Keyframe_tBEEE79DF5E970E48A8972FFFCE8B25A6068ACE9F::get_offset_of_m_WeightedMode_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
Keyframe_tBEEE79DF5E970E48A8972FFFCE8B25A6068ACE9F::get_offset_of_m_InWeight_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
Keyframe_tBEEE79DF5E970E48A8972FFFCE8B25A6068ACE9F::get_offset_of_m_OutWeight_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1687[7] =
{
WrapMode_t0DF566E32B136795606714DB9A11A3DC170F5468::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1688[1] =
{
AnimationCurve_t2D452A14820CEDB83BFF2C911682A4E59001AD03::get_offset_of_m_Ptr_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1691[8] =
{
Application_t317038E88BDCE3640566EB8791C9E2AAAB21C87C_StaticFields::get_offset_of_lowMemory_0(),
Application_t317038E88BDCE3640566EB8791C9E2AAAB21C87C_StaticFields::get_offset_of_s_LogCallbackHandler_1(),
Application_t317038E88BDCE3640566EB8791C9E2AAAB21C87C_StaticFields::get_offset_of_s_LogCallbackHandlerThreaded_2(),
Application_t317038E88BDCE3640566EB8791C9E2AAAB21C87C_StaticFields::get_offset_of_focusChanged_3(),
Application_t317038E88BDCE3640566EB8791C9E2AAAB21C87C_StaticFields::get_offset_of_deepLinkActivated_4(),
Application_t317038E88BDCE3640566EB8791C9E2AAAB21C87C_StaticFields::get_offset_of_wantsToQuit_5(),
Application_t317038E88BDCE3640566EB8791C9E2AAAB21C87C_StaticFields::get_offset_of_quitting_6(),
Application_t317038E88BDCE3640566EB8791C9E2AAAB21C87C_StaticFields::get_offset_of_unloading_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1692[1] =
{
BootConfigData_tC95797E21A13F51030D3E184D461226B95B1073C::get_offset_of_m_Ptr_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1693[4] =
{
MonoOrStereoscopicEye_t22538A0C5043C3A233E0332787D3E06DA966703E::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1694[15] =
{
RenderRequestMode_tCB120B82DED523ADBA2D6093A1A8ABF17D94A313::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1695[11] =
{
RenderRequestOutputSpace_t8EB93E4720B2D1BAB624A04ADB473C37C7F3D6A5::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1696[3] =
{
RenderRequest_t7DEDFA6AAA1C8D381280183054C328F26BBCCE94::get_offset_of_m_CameraRenderMode_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
RenderRequest_t7DEDFA6AAA1C8D381280183054C328F26BBCCE94::get_offset_of_m_ResultRT_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
RenderRequest_t7DEDFA6AAA1C8D381280183054C328F26BBCCE94::get_offset_of_m_OutputSpace_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1698[3] =
{
Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C_StaticFields::get_offset_of_onPreCull_4(),
Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C_StaticFields::get_offset_of_onPreRender_5(),
Camera_tC44E094BAB53AFC8A014C6F9CFCE11F4FC38006C_StaticFields::get_offset_of_onPostRender_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1699[3] =
{
CullingGroupEvent_t58E1718FD0A5FC5037538BD223DCF1385014185C::get_offset_of_m_Index_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
CullingGroupEvent_t58E1718FD0A5FC5037538BD223DCF1385014185C::get_offset_of_m_PrevState_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
CullingGroupEvent_t58E1718FD0A5FC5037538BD223DCF1385014185C::get_offset_of_m_ThisState_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1701[2] =
{
CullingGroup_t63379D76B9825516F762DDEDD594814B981DB307::get_offset_of_m_Ptr_0(),
CullingGroup_t63379D76B9825516F762DDEDD594814B981DB307::get_offset_of_m_OnStateChanged_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1702[3] =
{
ReflectionProbeEvent_tA90347B5A1B5256D229969ADF158978AF137003A::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1703[2] =
{
ReflectionProbe_tE553CF027821D5B1CA7533A2DF24F8711642C1E3_StaticFields::get_offset_of_reflectionProbeChanged_4(),
ReflectionProbe_tE553CF027821D5B1CA7533A2DF24F8711642C1E3_StaticFields::get_offset_of_defaultReflectionSet_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1705[2] =
{
Debug_tEB68BCBEB8EFD60F8043C67146DC05E7F50F374B_StaticFields::get_offset_of_s_DefaultLogger_0(),
Debug_tEB68BCBEB8EFD60F8043C67146DC05E7F50F374B_StaticFields::get_offset_of_s_Logger_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1707[2] =
{
Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37::get_offset_of_m_Center_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Bounds_t0F1F36D4F7AF49524B3C2A2259594412A3D3AE37::get_offset_of_m_Extents_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1708[2] =
{
Plane_t80844BF2332EAFC1DDEDD616A950242031A115C7::get_offset_of_m_Normal_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Plane_t80844BF2332EAFC1DDEDD616A950242031A115C7::get_offset_of_m_Distance_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1709[2] =
{
Ray_t2E9E67CC8B03EE6ED2BBF3D2C9C96DDF70E1D5E6::get_offset_of_m_Origin_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Ray_t2E9E67CC8B03EE6ED2BBF3D2C9C96DDF70E1D5E6::get_offset_of_m_Direction_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1710[4] =
{
Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878::get_offset_of_m_XMin_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878::get_offset_of_m_YMin_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878::get_offset_of_m_Width_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Rect_t7D9187DB6339DBA5741C09B6CCEF2F54F1966878::get_offset_of_m_Height_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1711[4] =
{
RectInt_tE7B8105A280C1AC73A4157ED41F9B86C9BD91E49::get_offset_of_m_XMin_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
RectInt_tE7B8105A280C1AC73A4157ED41F9B86C9BD91E49::get_offset_of_m_YMin_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
RectInt_tE7B8105A280C1AC73A4157ED41F9B86C9BD91E49::get_offset_of_m_Width_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
RectInt_tE7B8105A280C1AC73A4157ED41F9B86C9BD91E49::get_offset_of_m_Height_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1712[2] =
{
RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70::get_offset_of_m_Ptr_0(),
RectOffset_tE3A58467CD0749AD9D3E1271F9E315B38F39AE70::get_offset_of_m_SourceStyle_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1714[1] =
{
BeforeRenderOrderAttribute_t5984C4A55C43405FA092DFA31FF73E30DEF0648A::get_offset_of_U3CorderU3Ek__BackingField_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1715[2] =
{
OrderBlock_t0B106828F588BC2F0B9895425E6FD39EDA45C1E2::get_offset_of_order_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
OrderBlock_t0B106828F588BC2F0B9895425E6FD39EDA45C1E2::get_offset_of_callback_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1716[1] =
{
BeforeRenderHelper_tD03366BD36CBC6821AEF8AAD1190808424B91E8E_StaticFields::get_offset_of_s_OrderBlocks_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1717[2] =
{
CustomRenderTextureManager_t6F321AA7DF715767D74C5DFAA14C8D59F4FFC0F7_StaticFields::get_offset_of_textureLoaded_0(),
CustomRenderTextureManager_t6F321AA7DF715767D74C5DFAA14C8D59F4FFC0F7_StaticFields::get_offset_of_textureUnloaded_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1719[4] =
{
Display_t0A5D09F1F2EB8025FE40EE0F81E0D01BB47A9B44::get_offset_of_nativeDisplay_0(),
Display_t0A5D09F1F2EB8025FE40EE0F81E0D01BB47A9B44_StaticFields::get_offset_of_displays_1(),
Display_t0A5D09F1F2EB8025FE40EE0F81E0D01BB47A9B44_StaticFields::get_offset_of__mainDisplay_2(),
Display_t0A5D09F1F2EB8025FE40EE0F81E0D01BB47A9B44_StaticFields::get_offset_of_onDisplaysUpdated_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1720[5] =
{
FullScreenMode_tF28B3C9888B26FFE135A67B592A50B50230FEE85::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1722[1] =
{
Graphics_t97FAEBE964F3F622D4865E7EC62717FE94D1F56D_StaticFields::get_offset_of_kMaxDrawMeshInstanceCount_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1724[3] =
{
Resolution_t1906ED569E57B1BD0C7F7A8DBCEA1D584F5F1767::get_offset_of_m_Width_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Resolution_t1906ED569E57B1BD0C7F7A8DBCEA1D584F5F1767::get_offset_of_m_Height_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Resolution_t1906ED569E57B1BD0C7F7A8DBCEA1D584F5F1767::get_offset_of_m_RefreshRate_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1731[5] =
{
LightBakingOutput_t4F4130B900C21B6DADEF7D2AEAB2F120DCC84553::get_offset_of_probeOcclusionLightIndex_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
LightBakingOutput_t4F4130B900C21B6DADEF7D2AEAB2F120DCC84553::get_offset_of_occlusionMaskChannel_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
LightBakingOutput_t4F4130B900C21B6DADEF7D2AEAB2F120DCC84553::get_offset_of_lightmapBakeType_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
LightBakingOutput_t4F4130B900C21B6DADEF7D2AEAB2F120DCC84553::get_offset_of_mixedLightingMode_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
LightBakingOutput_t4F4130B900C21B6DADEF7D2AEAB2F120DCC84553::get_offset_of_isBaked_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1732[1] =
{
Light_tA2F349FE839781469A0344CF6039B51512394275::get_offset_of_m_BakedIndex_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1734[7] =
{
LightType_tAD5FBE55DEE7A9C38A42323701B0BDD716761B14::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1735[4] =
{
LightShadows_t8AC632778179F556C3A091B93FC24F92375DCD67::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1736[4] =
{
LightmapBakeType_t6C5A20612951F0BFB370705B7132297E1F193AC0::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1737[4] =
{
MixedLightingMode_tFB2A5273DD1129DA639FE8E3312D54AEB363DCA9::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1738[6] =
{
CameraClearFlags_t5CCA5C0FD787D780C128B8B0D6ACC80BB41B1DE7::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1739[6] =
{
MeshTopology_tF37D1A0C174D5906B715580E7318A21B4263C1A6::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1740[4] =
{
ColorSpace_tAD694F94295170CB332A0F99BBE086F4AC8C15BA::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1741[8] =
{
ScreenOrientation_tDD9EF2729A0D580721770597532935B0A7ADE020::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1742[4] =
{
FilterMode_tE90A08FD96A142C761463D65E524BCDBFEEE3D19::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1743[5] =
{
TextureWrapMode_t86DDA8206E4AA784A1218D0DE3C5F6826D7549EB::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1744[71] =
{
TextureFormat_tBED5388A0445FE978F97B41D247275B036407932::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1745[8] =
{
CubemapFace_t74FBCA71A21252C2E10E256E61FE0B1E09D7B9E5::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1746[29] =
{
RenderTextureFormat_t8371287102ED67772EF78229CF4AB9D38C2CD626::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1747[5] =
{
VRTextureUsage_t3C09DF3DD90B5620BC0AB6F8078DFEF4E607F645::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1748[11] =
{
RenderTextureCreationFlags_t24A9C99A84202C1F13828D9F5693BE46CFBD61F3::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1749[4] =
{
RenderTextureReadWrite_t4F64C0CC7097707282602ADD52760C1A86552580::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1750[5] =
{
RenderTextureMemoryless_t37547D68C2186D2650440F719302CDA4A3BB7F67::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1751[3] =
{
LightmapsMode_t819A0A8C0EBF854ABBDE79973EAEF5F6348C17CD::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1753[1] =
{
MeshData_tBFF99C0C82DBC04BDB83209CDE690A0B4303D6D1::get_offset_of_m_Ptr_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1755[1] =
{
Texture_t9FE0218A1EEDF266E8C85879FE123265CACC95AE_StaticFields::get_offset_of_GenerateAllMips_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1763[14] =
{
RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47::get_offset_of_U3CwidthU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47::get_offset_of_U3CheightU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47::get_offset_of_U3CmsaaSamplesU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47::get_offset_of_U3CvolumeDepthU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47::get_offset_of_U3CmipCountU3Ek__BackingField_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47::get_offset_of__graphicsFormat_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47::get_offset_of_U3CstencilFormatU3Ek__BackingField_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47::get_offset_of__depthBufferBits_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47_StaticFields::get_offset_of_depthFormatBits_8(),
RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47::get_offset_of_U3CdimensionU3Ek__BackingField_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47::get_offset_of_U3CshadowSamplingModeU3Ek__BackingField_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47::get_offset_of_U3CvrUsageU3Ek__BackingField_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47::get_offset_of__flags_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
RenderTextureDescriptor_t67FF189E1F35AEB5D6C43A2D7103F3A8A8CA0B47::get_offset_of_U3CmemorylessU3Ek__BackingField_13() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1764[4] =
{
Hash128_t1858EA099934FD6F2B769E5661C17A276A2AFE7A::get_offset_of_m_u32_0_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Hash128_t1858EA099934FD6F2B769E5661C17A276A2AFE7A::get_offset_of_m_u32_1_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Hash128_t1858EA099934FD6F2B769E5661C17A276A2AFE7A::get_offset_of_m_u32_2_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Hash128_t1858EA099934FD6F2B769E5661C17A276A2AFE7A::get_offset_of_m_u32_3_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1765[4] =
{
CursorLockMode_t247B41EE9632E4AD759EDADDB351AE0075162D04::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1767[327] =
{
KeyCode_t1D303F7D061BF4429872E9F109ADDBCB431671F4::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1770[3] =
{
Logger_tF55E56963C58F5166153EBF53A4F113038334F08::get_offset_of_U3ClogHandlerU3Ek__BackingField_0(),
Logger_tF55E56963C58F5166153EBF53A4F113038334F08::get_offset_of_U3ClogEnabledU3Ek__BackingField_1(),
Logger_tF55E56963C58F5166153EBF53A4F113038334F08::get_offset_of_U3CfilterLogTypeU3Ek__BackingField_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1772[4] =
{
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659::get_offset_of_r_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659::get_offset_of_g_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659::get_offset_of_b_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Color_tF40DAF76C04FFECF3FE6024F85A294741C9CC659::get_offset_of_a_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1773[5] =
{
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D::get_offset_of_rgba_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D::get_offset_of_r_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D::get_offset_of_g_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D::get_offset_of_b_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Color32_tDB54A78627878A7D2DE42BB028D64306A18E858D::get_offset_of_a_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1774[1] =
{
Gradient_t297BAC6722F67728862AE2FBE760A400DA8902F2::get_offset_of_m_Ptr_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1775[18] =
{
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461::get_offset_of_m00_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461::get_offset_of_m10_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461::get_offset_of_m20_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461::get_offset_of_m30_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461::get_offset_of_m01_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461::get_offset_of_m11_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461::get_offset_of_m21_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461::get_offset_of_m31_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461::get_offset_of_m02_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461::get_offset_of_m12_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461::get_offset_of_m22_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461::get_offset_of_m32_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461::get_offset_of_m03_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461::get_offset_of_m13_13() + static_cast<int32_t>(sizeof(RuntimeObject)),
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461::get_offset_of_m23_14() + static_cast<int32_t>(sizeof(RuntimeObject)),
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461::get_offset_of_m33_15() + static_cast<int32_t>(sizeof(RuntimeObject)),
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461_StaticFields::get_offset_of_zeroMatrix_16(),
Matrix4x4_tDE7FF4F2E2EA284F6EFE00D627789D0E5B8B4461_StaticFields::get_offset_of_identityMatrix_17(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1776[15] =
{
0,
0,
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E::get_offset_of_x_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E::get_offset_of_y_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E::get_offset_of_z_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields::get_offset_of_zeroVector_5(),
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields::get_offset_of_oneVector_6(),
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields::get_offset_of_upVector_7(),
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields::get_offset_of_downVector_8(),
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields::get_offset_of_leftVector_9(),
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields::get_offset_of_rightVector_10(),
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields::get_offset_of_forwardVector_11(),
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields::get_offset_of_backVector_12(),
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields::get_offset_of_positiveInfinityVector_13(),
Vector3_t65B972D6A585A0A5B63153CF1177A90D3C90D65E_StaticFields::get_offset_of_negativeInfinityVector_14(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1777[6] =
{
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4::get_offset_of_x_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4::get_offset_of_y_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4::get_offset_of_z_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4::get_offset_of_w_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Quaternion_t6D28618CF65156D4A0AD747370DDFD0C514A31B4_StaticFields::get_offset_of_identityQuaternion_4(),
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1778[1] =
{
Mathf_t4D4AC358D24F6DDC32EC291DDE1DF2C3B752A194_StaticFields::get_offset_of_Epsilon_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1779[12] =
{
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9::get_offset_of_x_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9::get_offset_of_y_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9_StaticFields::get_offset_of_zeroVector_2(),
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9_StaticFields::get_offset_of_oneVector_3(),
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9_StaticFields::get_offset_of_upVector_4(),
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9_StaticFields::get_offset_of_downVector_5(),
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9_StaticFields::get_offset_of_leftVector_6(),
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9_StaticFields::get_offset_of_rightVector_7(),
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9_StaticFields::get_offset_of_positiveInfinityVector_8(),
Vector2_tBB32F2736AEC229A7BFBCE18197EC0F6AC7EC2D9_StaticFields::get_offset_of_negativeInfinityVector_9(),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1780[8] =
{
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9::get_offset_of_m_X_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9::get_offset_of_m_Y_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9_StaticFields::get_offset_of_s_Zero_2(),
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9_StaticFields::get_offset_of_s_One_3(),
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9_StaticFields::get_offset_of_s_Up_4(),
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9_StaticFields::get_offset_of_s_Down_5(),
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9_StaticFields::get_offset_of_s_Left_6(),
Vector2Int_tF49F5C2443670DE126D9EC8DBE81D8F480EAA6E9_StaticFields::get_offset_of_s_Right_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1781[9] =
{
0,
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7::get_offset_of_x_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7::get_offset_of_y_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7::get_offset_of_z_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7::get_offset_of_w_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7_StaticFields::get_offset_of_zeroVector_5(),
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7_StaticFields::get_offset_of_oneVector_6(),
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7_StaticFields::get_offset_of_positiveInfinityVector_7(),
Vector4_tA56A37FC5661BCC89C3DDC24BE12BA5BCB6A02C7_StaticFields::get_offset_of_negativeInfinityVector_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1787[1] =
{
TooltipAttribute_t503A1598A4E68E91673758F50447D0EDFB95149B::get_offset_of_tooltip_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1788[1] =
{
SpaceAttribute_t041FADA1DC4DD39BBDEBC47F445290D7EE4BBCC8::get_offset_of_height_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1789[1] =
{
HeaderAttribute_t9B431E6BA0524D46406D9C413D6A71CB5F2DD1AB::get_offset_of_header_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1790[2] =
{
RangeAttribute_t14A6532D68168764C15E7CF1FDABCD99CB32D0C5::get_offset_of_min_0(),
RangeAttribute_t14A6532D68168764C15E7CF1FDABCD99CB32D0C5::get_offset_of_max_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1791[2] =
{
TextAreaAttribute_t22F900CF759A0162A0C51120E646C11E10586A9B::get_offset_of_minLines_0(),
TextAreaAttribute_t22F900CF759A0162A0C51120E646C11E10586A9B::get_offset_of_maxLines_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1793[2] =
{
ResourceRequest_tD2D09E98C844087E6AB0F04532B7AA139558CBAD::get_offset_of_m_Path_2(),
ResourceRequest_tD2D09E98C844087E6AB0F04532B7AA139558CBAD::get_offset_of_m_Type_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1795[2] =
{
ResourcesAPI_t4A16D5D82C13DC5B4A05DDC30EA1557EB7DFF83F_StaticFields::get_offset_of_s_DefaultAPI_0(),
ResourcesAPI_t4A16D5D82C13DC5B4A05DDC30EA1557EB7DFF83F_StaticFields::get_offset_of_U3CoverrideAPIU3Ek__BackingField_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1797[2] =
{
AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86::get_offset_of_m_Ptr_0(),
AsyncOperation_tB6913CEC83169F22E96067CE8C7117A221E51A86::get_offset_of_m_completeCallback_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1798[3] =
{
AttributeHelperEngine_t2B532C22878D0F5685ADEAF5470DF15F7B8953BE_StaticFields::get_offset_of__disallowMultipleComponentArray_0(),
AttributeHelperEngine_t2B532C22878D0F5685ADEAF5470DF15F7B8953BE_StaticFields::get_offset_of__executeInEditModeArray_1(),
AttributeHelperEngine_t2B532C22878D0F5685ADEAF5470DF15F7B8953BE_StaticFields::get_offset_of__requireComponentArray_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1800[3] =
{
RequireComponent_tEDA546F9722B8874DA9658BDAB821BA49647FC91::get_offset_of_m_Type0_0(),
RequireComponent_tEDA546F9722B8874DA9658BDAB821BA49647FC91::get_offset_of_m_Type1_1(),
RequireComponent_tEDA546F9722B8874DA9658BDAB821BA49647FC91::get_offset_of_m_Type2_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1801[2] =
{
AddComponentMenu_t3477A931DC56E9A4F67FFA5745D657ADD2931100::get_offset_of_m_AddComponentMenu_0(),
AddComponentMenu_t3477A931DC56E9A4F67FFA5745D657ADD2931100::get_offset_of_m_Ordering_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1802[3] =
{
CreateAssetMenuAttribute_t79F6BDD595B569A2D16681BDD571D1AE6E782D0C::get_offset_of_U3CmenuNameU3Ek__BackingField_0(),
CreateAssetMenuAttribute_t79F6BDD595B569A2D16681BDD571D1AE6E782D0C::get_offset_of_U3CfileNameU3Ek__BackingField_1(),
CreateAssetMenuAttribute_t79F6BDD595B569A2D16681BDD571D1AE6E782D0C::get_offset_of_U3CorderU3Ek__BackingField_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1807[3] =
{
HelpURLAttribute_t0924A6D83FABA7B77780F7F9BBCBCB9E0EA15023::get_offset_of_m_Url_0(),
HelpURLAttribute_t0924A6D83FABA7B77780F7F9BBCBCB9E0EA15023::get_offset_of_m_Dispatcher_1(),
HelpURLAttribute_t0924A6D83FABA7B77780F7F9BBCBCB9E0EA15023::get_offset_of_m_DispatchingFieldName_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1808[1] =
{
DefaultExecutionOrder_t8495D3D4ECDFC3590621D31C3677D234D8A9BB1F::get_offset_of_m_Order_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1812[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1815[1] =
{
Coroutine_t899D5232EF542CB8BA70AF9ECEECA494FAA9CCB7::get_offset_of_m_Ptr_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1822[1] =
{
LayerMask_t5FA647D8C300EA0621360CA4424717C3C73190A8::get_offset_of_m_Mask_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1826[2] =
{
RangeInt_tD575E0CF6A8D8C85F3AEF8898C72E4DD71E2E05A::get_offset_of_start_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
RangeInt_tD575E0CF6A8D8C85F3AEF8898C72E4DD71E2E05A::get_offset_of_length_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1827[6] =
{
RuntimeInitializeLoadType_t78BE0E3079AE8955C97DF6A9814A6E6BFA146EA5::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1828[1] =
{
RuntimeInitializeOnLoadMethodAttribute_tDE87D2AA72896514411AC9F8F48A4084536BDC2D::get_offset_of_m_LoadType_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1830[1] =
{
TestClass_tE31E21A91B6A07C4CA1720FE6B57C980181F3F2C::get_offset_of_value_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1833[1] =
{
StackTraceUtility_t1A2E0FBE43A568BD417C6D9DB78F5796F95506F8_StaticFields::get_offset_of_projectFolder_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1835[2] =
{
EncodingUtility_tF25232B383AA56BB15E7955C1C9FC356F9770983_StaticFields::get_offset_of_encodingLookup_0(),
EncodingUtility_tF25232B383AA56BB15E7955C1C9FC356F9770983_StaticFields::get_offset_of_targetEncoding_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1837[1] =
{
TrackedReference_t17AA313389C655DCF279F96A2D85332B29596514::get_offset_of_m_Ptr_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1839[10] =
{
HideFlags_tDC64149E37544FF83B2B4222D3E9DC8188766A12::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1840[4] =
{
Object_tF2F3778131EFF286AF62B7B013A170F95A91571A::get_offset_of_m_CachedPtr_0(),
Object_tF2F3778131EFF286AF62B7B013A170F95A91571A_StaticFields::get_offset_of_OffsetOfInstanceIDInCPlusPlusObject_1(),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1841[3] =
{
WorkRequest_tA19FD4D1269D8EE2EA886AAF036C4F7F09154393::get_offset_of_m_DelagateCallback_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
WorkRequest_tA19FD4D1269D8EE2EA886AAF036C4F7F09154393::get_offset_of_m_DelagateState_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
WorkRequest_tA19FD4D1269D8EE2EA886AAF036C4F7F09154393::get_offset_of_m_WaitHandle_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1842[4] =
{
UnitySynchronizationContext_t9971A8B24E203428BF2E715ECC6019EE2D77EAD3::get_offset_of_m_AsyncWorkQueue_0(),
UnitySynchronizationContext_t9971A8B24E203428BF2E715ECC6019EE2D77EAD3::get_offset_of_m_CurrentFrameWork_1(),
UnitySynchronizationContext_t9971A8B24E203428BF2E715ECC6019EE2D77EAD3::get_offset_of_m_MainThreadID_2(),
UnitySynchronizationContext_t9971A8B24E203428BF2E715ECC6019EE2D77EAD3::get_offset_of_m_TrackedCount_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1845[1] =
{
WaitForSeconds_t8F9189BE6E467C98C99177038881F8982E0E4013::get_offset_of_m_Seconds_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1846[2] =
{
WaitForSecondsRealtime_t04F2884A9814C3E4E415E788AFE56B5928577C40::get_offset_of_U3CwaitTimeU3Ek__BackingField_0(),
WaitForSecondsRealtime_t04F2884A9814C3E4E415E788AFE56B5928577C40::get_offset_of_m_WaitUntilTime_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1855[5] =
{
OperatingSystemFamily_tA0F8964A9E51797792B4FCD070B5501858BEFC33::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1858[6] =
{
TouchScreenKeyboard_InternalConstructorHelperArguments_t4012BB94455FA8D977F66DCDFB6B6BE7FC417C9F::get_offset_of_keyboardType_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TouchScreenKeyboard_InternalConstructorHelperArguments_t4012BB94455FA8D977F66DCDFB6B6BE7FC417C9F::get_offset_of_autocorrection_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
TouchScreenKeyboard_InternalConstructorHelperArguments_t4012BB94455FA8D977F66DCDFB6B6BE7FC417C9F::get_offset_of_multiline_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
TouchScreenKeyboard_InternalConstructorHelperArguments_t4012BB94455FA8D977F66DCDFB6B6BE7FC417C9F::get_offset_of_secure_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
TouchScreenKeyboard_InternalConstructorHelperArguments_t4012BB94455FA8D977F66DCDFB6B6BE7FC417C9F::get_offset_of_alert_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
TouchScreenKeyboard_InternalConstructorHelperArguments_t4012BB94455FA8D977F66DCDFB6B6BE7FC417C9F::get_offset_of_characterLimit_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1859[5] =
{
Status_tCF9D837EDAD10412CECD4A306BCD7CA936720FEF::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1860[1] =
{
TouchScreenKeyboard_t7964B2E9E52C4E095B14F01C32774B98CA11711E::get_offset_of_m_Ptr_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1861[14] =
{
TouchScreenKeyboardType_tBD90DFB07923EC19E5EA59FAF26292AC2799A932::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1862[3] =
{
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A::get_offset_of_position_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A::get_offset_of_rotation_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Pose_t9F30358E65733E60A1DC8682FDB7104F40C9434A_StaticFields::get_offset_of_k_Identity_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1863[26] =
{
DrivenTransformProperties_t3AD3E95057A9FBFD9600C7C8F2F446D93250DF62::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1865[3] =
{
Axis_t8881AF0DB9EDF3F36FE049AA194D0206695EBF83::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1867[1] =
{
RectTransform_t8A6A306FB29A6C8C22010CF9040E319753571072_StaticFields::get_offset_of_reapplyDrivenProperties_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1868[2] =
{
Enumerator_t8A0B2200373BC9628C065322A1BA07AAA47E0259::get_offset_of_outer_0(),
Enumerator_t8A0B2200373BC9628C065322A1BA07AAA47E0259::get_offset_of_currentIndex_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1871[3] =
{
SpritePackingMode_t07B68A6E7F1C3DFAB247AF662688265F13A76F91::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1875[5] =
{
SpriteBone_t7BF68B13FD8E65DC10C7C48D4B6C1D14030AFF2D::get_offset_of_m_Name_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteBone_t7BF68B13FD8E65DC10C7C48D4B6C1D14030AFF2D::get_offset_of_m_Position_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteBone_t7BF68B13FD8E65DC10C7C48D4B6C1D14030AFF2D::get_offset_of_m_Rotation_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteBone_t7BF68B13FD8E65DC10C7C48D4B6C1D14030AFF2D::get_offset_of_m_Length_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteBone_t7BF68B13FD8E65DC10C7C48D4B6C1D14030AFF2D::get_offset_of_m_ParentId_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1876[2] =
{
SpriteAtlasManager_t7D972A1381969245B36EB0ABCC60C3AE033FF53F_StaticFields::get_offset_of_atlasRequested_0(),
SpriteAtlasManager_t7D972A1381969245B36EB0ABCC60C3AE033FF53F_StaticFields::get_offset_of_atlasRegistered_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1879[4] =
{
DebugScreenCapture_t82C35632EAE92C143A87097DC34C70EFADB750B1::get_offset_of_U3CrawImageDataReferenceU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
DebugScreenCapture_t82C35632EAE92C143A87097DC34C70EFADB750B1::get_offset_of_U3CimageFormatU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
DebugScreenCapture_t82C35632EAE92C143A87097DC34C70EFADB750B1::get_offset_of_U3CwidthU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
DebugScreenCapture_t82C35632EAE92C143A87097DC34C70EFADB750B1::get_offset_of_U3CheightU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1880[2] =
{
MetaData_t7640D62747628BC99B81A884714CD44D4BC84747::get_offset_of_content_0(),
MetaData_t7640D62747628BC99B81A884714CD44D4BC84747::get_offset_of_platform_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1881[3] =
{
MemoryProfiler_tA9B2B0C63FB9B28D735A664EB3857D38DAE4DCE6_StaticFields::get_offset_of_m_SnapshotFinished_0(),
MemoryProfiler_tA9B2B0C63FB9B28D735A664EB3857D38DAE4DCE6_StaticFields::get_offset_of_m_SaveScreenshotToDisk_1(),
MemoryProfiler_tA9B2B0C63FB9B28D735A664EB3857D38DAE4DCE6_StaticFields::get_offset_of_createMetaData_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1882[2] =
{
LocalNotification_tF63CD15C31F280A87050E897835E3542BE164BEB::get_offset_of_m_Ptr_0(),
LocalNotification_tF63CD15C31F280A87050E897835E3542BE164BEB_StaticFields::get_offset_of_m_NSReferenceDateTicks_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1883[1] =
{
RemoteNotification_t7904FBF1FA0EDBB5A149DBD1A0D4462873E70616::get_offset_of_m_Ptr_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1884[8] =
{
PersistentListenerMode_t8C14676A2C0B75B241D48EDF3BEC3956E768DEED::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1886[6] =
{
ArgumentCache_t4D7FB57CCBE856231DAF2D883AD4C1EB6726CB27::get_offset_of_m_ObjectArgument_0(),
ArgumentCache_t4D7FB57CCBE856231DAF2D883AD4C1EB6726CB27::get_offset_of_m_ObjectArgumentAssemblyTypeName_1(),
ArgumentCache_t4D7FB57CCBE856231DAF2D883AD4C1EB6726CB27::get_offset_of_m_IntArgument_2(),
ArgumentCache_t4D7FB57CCBE856231DAF2D883AD4C1EB6726CB27::get_offset_of_m_FloatArgument_3(),
ArgumentCache_t4D7FB57CCBE856231DAF2D883AD4C1EB6726CB27::get_offset_of_m_StringArgument_4(),
ArgumentCache_t4D7FB57CCBE856231DAF2D883AD4C1EB6726CB27::get_offset_of_m_BoolArgument_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1888[1] =
{
InvokableCall_tFCDA359B453E64E6655CE5FF57315417F6EBB741::get_offset_of_Delegate_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1889[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1890[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1891[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1892[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1893[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1894[4] =
{
UnityEventCallState_t0C02178C38AC6CEA1C9CEAF96EFD05FE755C14A5::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1895[6] =
{
PersistentCall_tD4B4BC3A0C50BD829EB4511AEB9862EF8045C8E9::get_offset_of_m_Target_0(),
PersistentCall_tD4B4BC3A0C50BD829EB4511AEB9862EF8045C8E9::get_offset_of_m_TargetAssemblyTypeName_1(),
PersistentCall_tD4B4BC3A0C50BD829EB4511AEB9862EF8045C8E9::get_offset_of_m_MethodName_2(),
PersistentCall_tD4B4BC3A0C50BD829EB4511AEB9862EF8045C8E9::get_offset_of_m_Mode_3(),
PersistentCall_tD4B4BC3A0C50BD829EB4511AEB9862EF8045C8E9::get_offset_of_m_Arguments_4(),
PersistentCall_tD4B4BC3A0C50BD829EB4511AEB9862EF8045C8E9::get_offset_of_m_CallState_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1896[1] =
{
PersistentCallGroup_t9A1D83DA2BA3118C103FA87D93CE92557A956FDC::get_offset_of_m_Calls_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1897[4] =
{
InvokableCallList_tB7C66AA0C00F9C102C8BDC17A144E569AC7527A9::get_offset_of_m_PersistentCalls_0(),
InvokableCallList_tB7C66AA0C00F9C102C8BDC17A144E569AC7527A9::get_offset_of_m_RuntimeCalls_1(),
InvokableCallList_tB7C66AA0C00F9C102C8BDC17A144E569AC7527A9::get_offset_of_m_ExecutingCalls_2(),
InvokableCallList_tB7C66AA0C00F9C102C8BDC17A144E569AC7527A9::get_offset_of_m_NeedsUpdate_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1898[3] =
{
UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB::get_offset_of_m_Calls_0(),
UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB::get_offset_of_m_PersistentCalls_1(),
UnityEventBase_tBB43047292084BA63C5CBB1A379A8BB88611C6FB::get_offset_of_m_CallsDirty_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1900[1] =
{
UnityEvent_tA0EA9BC49FD7D5185E7A238EF2E0E6F5D0EE27F4::get_offset_of_m_InvokeArray_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1902[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1904[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1906[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1908[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1909[1] =
{
FormerlySerializedAsAttribute_t9505BD2243F1C81AB32EEAF3543A796C2D935210::get_offset_of_m_oldName_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1912[7] =
{
MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C::get_offset_of_className_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C::get_offset_of_nameSpace_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C::get_offset_of_assembly_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C::get_offset_of_classHasChanged_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C::get_offset_of_nameSpaceHasChanged_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C::get_offset_of_assemblyHasChanged_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
MovedFromAttributeData_tD215FAE7C2C99058DABB245C5A5EC95AEF05533C::get_offset_of_autoUdpateAPI_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1913[1] =
{
MovedFromAttribute_t7DFA9E51FA9540D9D5EB8D41E363D2BC51F43BC8::get_offset_of_data_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1914[1] =
{
Scene_t5495AD2FDC587DB2E94D9BDE2B85868BFB9A92EE::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1916[2] =
{
SceneManagerAPI_t0CF2C1EC6F41D027290701239F7E794B9C46845F_StaticFields::get_offset_of_s_DefaultAPI_0(),
SceneManagerAPI_t0CF2C1EC6F41D027290701239F7E794B9C46845F_StaticFields::get_offset_of_U3CoverrideAPIU3Ek__BackingField_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1917[4] =
{
SceneManager_tEC9D10ECC0377F8AE5AEEB5A789FFD24364440FA_StaticFields::get_offset_of_s_AllowLoadScene_0(),
SceneManager_tEC9D10ECC0377F8AE5AEEB5A789FFD24364440FA_StaticFields::get_offset_of_sceneLoaded_1(),
SceneManager_tEC9D10ECC0377F8AE5AEEB5A789FFD24364440FA_StaticFields::get_offset_of_sceneUnloaded_2(),
SceneManager_tEC9D10ECC0377F8AE5AEEB5A789FFD24364440FA_StaticFields::get_offset_of_activeSceneChanged_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1918[3] =
{
LoadSceneMode_tF5060E18B71D524860ECBF7B9B56193B1907E5CC::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1919[4] =
{
LocalPhysicsMode_t0BC6949E496E4E126141A944F9B5A26939798BE6::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1920[2] =
{
LoadSceneParameters_t98D2B4FCF0184320590305D3F367834287C2CAA2::get_offset_of_m_LoadSceneMode_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
LoadSceneParameters_t98D2B4FCF0184320590305D3F367834287C2CAA2::get_offset_of_m_LocalPhysicsMode_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1921[5] =
{
PlayerLoopSystemInternal_t47326D2B668596299A94B36D0A20A874FBED781B::get_offset_of_type_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
PlayerLoopSystemInternal_t47326D2B668596299A94B36D0A20A874FBED781B::get_offset_of_updateDelegate_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
PlayerLoopSystemInternal_t47326D2B668596299A94B36D0A20A874FBED781B::get_offset_of_updateFunction_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
PlayerLoopSystemInternal_t47326D2B668596299A94B36D0A20A874FBED781B::get_offset_of_loopConditionFunction_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
PlayerLoopSystemInternal_t47326D2B668596299A94B36D0A20A874FBED781B::get_offset_of_numSubSystems_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable1923[5] =
{
PlayerLoopSystem_t3C4FAE5D2149A8DBB8BED0C2AE9B957B7830E54C::get_offset_of_type_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
PlayerLoopSystem_t3C4FAE5D2149A8DBB8BED0C2AE9B957B7830E54C::get_offset_of_subSystemList_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
PlayerLoopSystem_t3C4FAE5D2149A8DBB8BED0C2AE9B957B7830E54C::get_offset_of_updateDelegate_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
PlayerLoopSystem_t3C4FAE5D2149A8DBB8BED0C2AE9B957B7830E54C::get_offset_of_updateFunction_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
PlayerLoopSystem_t3C4FAE5D2149A8DBB8BED0C2AE9B957B7830E54C::get_offset_of_loopConditionFunction_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2056[2] =
{
MessageEventArgs_t6905F6AA12A37C5A38BBCB907E9215622364DCCA::get_offset_of_playerId_0(),
MessageEventArgs_t6905F6AA12A37C5A38BBCB907E9215622364DCCA::get_offset_of_data_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2057[1] =
{
U3CU3Ec__DisplayClass12_0_tC029C4F11E384EFEF6FD86B7BEC83D295D098769::get_offset_of_messageId_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2058[1] =
{
U3CU3Ec__DisplayClass13_0_t1A8EBE4E3370D09549DE4FD59077B3A7AEAD0C54::get_offset_of_messageId_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2059[1] =
{
U3CU3Ec__DisplayClass20_0_tEA47E236E3FCEC75772DAF52911B35E8F14766DD::get_offset_of_msgReceived_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2060[5] =
{
PlayerConnection_t4A5AAC39753FEC33854C3478DD55863FDF2788B3_StaticFields::get_offset_of_connectionNative_4(),
PlayerConnection_t4A5AAC39753FEC33854C3478DD55863FDF2788B3::get_offset_of_m_PlayerEditorConnectionEvents_5(),
PlayerConnection_t4A5AAC39753FEC33854C3478DD55863FDF2788B3::get_offset_of_m_connectedPlayers_6(),
PlayerConnection_t4A5AAC39753FEC33854C3478DD55863FDF2788B3::get_offset_of_m_IsInitilized_7(),
PlayerConnection_t4A5AAC39753FEC33854C3478DD55863FDF2788B3_StaticFields::get_offset_of_s_Instance_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2063[3] =
{
MessageTypeSubscribers_t7A69A1D132BF9A354D94F9E490E148BBB81A508F::get_offset_of_m_messageTypeId_0(),
MessageTypeSubscribers_t7A69A1D132BF9A354D94F9E490E148BBB81A508F::get_offset_of_subscriberCount_1(),
MessageTypeSubscribers_t7A69A1D132BF9A354D94F9E490E148BBB81A508F::get_offset_of_messageCallback_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2064[1] =
{
U3CU3Ec__DisplayClass6_0_t96633FB6A2AE351A4A3FCDF89D10891DA07AD54F::get_offset_of_messageId_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2065[1] =
{
U3CU3Ec__DisplayClass7_0_t7C625D285CBB757F88C0232D12D88EDABF06EB60::get_offset_of_messageId_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2066[1] =
{
U3CU3Ec__DisplayClass8_0_tE64E7CAC5415DCD425D14A6062600087CC872B93::get_offset_of_messageId_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2067[3] =
{
PlayerEditorConnectionEvents_t213E2B05B10B9FDE14BF840564B1DBD7A6BFA871::get_offset_of_messageTypeSubscribers_0(),
PlayerEditorConnectionEvents_t213E2B05B10B9FDE14BF840564B1DBD7A6BFA871::get_offset_of_connectionEvent_1(),
PlayerEditorConnectionEvents_t213E2B05B10B9FDE14BF840564B1DBD7A6BFA871::get_offset_of_disconnectionEvent_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2068[1] =
{
DefaultValueAttribute_tC16686567591630447D94937AF74EF53DC158122::get_offset_of_DefaultValue_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2070[3] =
{
IndexFormat_tDB840806BBDDDE721BF45EFE55CFB3EF3038DB20::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2071[6] =
{
MeshUpdateFlags_t6CC8A3E19F8A286528978810AB6FFAEEB6A125B5::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2072[13] =
{
VertexAttributeFormat_tE5FC93A96237AAF63142B0E521925CAE4F283485::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2073[15] =
{
VertexAttribute_t9B763063E3B1705070D4DB8BC32F21F0FB30867C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2074[10] =
{
CompareFunction_tBF5493E8F362C82B59254A3737D21710E0B70075::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2075[6] =
{
ColorWriteMask_t3FA3CB36396FDF33FC5192A387BC3E75232299C0::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2076[9] =
{
StencilOp_t29403ED1B3D9A0953577E567FA3BF403E13FA6AD::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2077[5] =
{
AmbientMode_t7AA88458DFE050FF09D48541DF558E06379BDC6C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2078[26] =
{
CameraEvent_tFB94407637890549849BC824FA13432BA83CB520::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2080[24] =
{
BuiltinRenderTextureType_t89FFB8A7C9095150BCA40E573A73664CC37F023A::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2081[5] =
{
ShadowCastingMode_t4193084D236CFA695FE2F3FD04D0898ABF03F8B2::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2082[25] =
{
GraphicsDeviceType_t531071CD9311C868D1279D2550F83670D18FB779::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2083[7] =
{
RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13::get_offset_of_m_Type_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13::get_offset_of_m_NameID_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13::get_offset_of_m_InstanceID_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13::get_offset_of_m_BufferPointer_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13::get_offset_of_m_MipLevel_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13::get_offset_of_m_CubeFace_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
RenderTargetIdentifier_t70F41F3016FFCC4AAF4D7C57F280818114534C13::get_offset_of_m_DepthSlice_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2084[4] =
{
ReflectionProbeMode_t0D281CDE68B54177FC1D6710372AC97613796FC7::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2085[4] =
{
ShadowSamplingMode_t864AB52A05C1F54A738E06F76F47CDF4C26CF7F9::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2086[9] =
{
TextureDimension_tADCCB7C1D30E4D1182651BA9094B4DE61B63EACC::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2087[3] =
{
CommandBufferExecutionFlags_t712F54A486DB6C0AB23E580F950F8E2835B81F40::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2089[1] =
{
OnDemandRendering_t7F019F84E16CA49CF16F7C895FBC127C4B25CB15_StaticFields::get_offset_of_m_RenderFrameInterval_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2090[1] =
{
CommandBuffer_t25CD231BD3E822660339DB7D0E8F8ED6B7DBEA29::get_offset_of_m_Ptr_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2091[27] =
{
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shr0_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shr1_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shr2_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shr3_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shr4_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shr5_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shr6_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shr7_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shr8_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shg0_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shg1_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shg2_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shg3_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shg4_13() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shg5_14() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shg6_15() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shg7_16() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shg8_17() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shb0_18() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shb1_19() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shb2_20() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shb3_21() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shb4_22() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shb5_23() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shb6_24() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shb7_25() + static_cast<int32_t>(sizeof(RuntimeObject)),
SphericalHarmonicsL2_tD2EC2ADCA26B9BE05036C3ABCF3CC049EC73EA64::get_offset_of_shb8_26() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2092[5] =
{
LODParameters_tA41D06C4BDB03138144BE9DCC4BC6B37963DC5CD::get_offset_of_m_IsOrthographic_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
LODParameters_tA41D06C4BDB03138144BE9DCC4BC6B37963DC5CD::get_offset_of_m_CameraPosition_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
LODParameters_tA41D06C4BDB03138144BE9DCC4BC6B37963DC5CD::get_offset_of_m_FieldOfView_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
LODParameters_tA41D06C4BDB03138144BE9DCC4BC6B37963DC5CD::get_offset_of_m_OrthoSize_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
LODParameters_tA41D06C4BDB03138144BE9DCC4BC6B37963DC5CD::get_offset_of_m_CameraPixelHeight_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2093[1] =
{
RenderPipeline_t55376D7E1AF07ECAED806BE0AD967CD63B498AAA::get_offset_of_U3CdisposedU3Ek__BackingField_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2095[4] =
{
RenderPipelineManager_t891744C0325329F7FA7C64614C0E3DFF13284AF1_StaticFields::get_offset_of_s_CurrentPipelineAsset_0(),
RenderPipelineManager_t891744C0325329F7FA7C64614C0E3DFF13284AF1_StaticFields::get_offset_of_s_Cameras_1(),
RenderPipelineManager_t891744C0325329F7FA7C64614C0E3DFF13284AF1_StaticFields::get_offset_of_s_CameraCapacity_2(),
RenderPipelineManager_t891744C0325329F7FA7C64614C0E3DFF13284AF1_StaticFields::get_offset_of_U3CcurrentPipelineU3Ek__BackingField_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2096[2] =
{
ScriptableRenderContext_tEDDDFFA7401E6860E1D82DFD779B7A101939F52D_StaticFields::get_offset_of_kRenderTypeTag_0(),
ScriptableRenderContext_tEDDDFFA7401E6860E1D82DFD779B7A101939F52D::get_offset_of_m_Ptr_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2097[2] =
{
ShaderTagId_t51914C89B8119195DACD234D1A624AAB7A07F795_StaticFields::get_offset_of_none_0(),
ShaderTagId_t51914C89B8119195DACD234D1A624AAB7A07F795::get_offset_of_m_Id_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2098[3] =
{
ReflectionProbeModes_tBE15DD8892571EBC569B7FCD5D918B0588F8EA4A::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2099[5] =
{
LightmapMixedBakeModes_t517152ED1576E98EFCB29D358676919D88844F75::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2100[27] =
{
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54_StaticFields::get_offset_of_s_Active_0(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CreflectionProbeModesU3Ek__BackingField_1(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CdefaultMixedLightingModesU3Ek__BackingField_2(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CmixedLightingModesU3Ek__BackingField_3(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3ClightmapBakeTypesU3Ek__BackingField_4(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3ClightmapsModesU3Ek__BackingField_5(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CenlightenU3Ek__BackingField_6(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3ClightProbeProxyVolumesU3Ek__BackingField_7(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CmotionVectorsU3Ek__BackingField_8(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CreceiveShadowsU3Ek__BackingField_9(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CreflectionProbesU3Ek__BackingField_10(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CrendererPriorityU3Ek__BackingField_11(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CterrainDetailUnsupportedU3Ek__BackingField_12(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CrendersUIOverlayU3Ek__BackingField_13(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CoverridesEnvironmentLightingU3Ek__BackingField_14(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CoverridesFogU3Ek__BackingField_15(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CoverridesRealtimeReflectionProbesU3Ek__BackingField_16(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CoverridesOtherLightingSettingsU3Ek__BackingField_17(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CeditableMaterialRenderQueueU3Ek__BackingField_18(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CoverridesLODBiasU3Ek__BackingField_19(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CoverridesMaximumLODLevelU3Ek__BackingField_20(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CrendererProbesU3Ek__BackingField_21(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CparticleSystemInstancingU3Ek__BackingField_22(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CautoAmbientProbeBakingU3Ek__BackingField_23(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CautoDefaultReflectionProbeBakingU3Ek__BackingField_24(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CoverridesShadowmaskU3Ek__BackingField_25(),
SupportedRenderingFeatures_t751F1D338419E1CFAF4A3F7CE61B52075D72AF54::get_offset_of_U3CoverrideShadowmaskMessageU3Ek__BackingField_26(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2101[3] =
{
BatchVisibility_tFA63D052426424FBD58F78E973AAAC52A67B5AFE::get_offset_of_offset_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
BatchVisibility_tFA63D052426424FBD58F78E973AAAC52A67B5AFE::get_offset_of_instancesCount_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
BatchVisibility_tFA63D052426424FBD58F78E973AAAC52A67B5AFE::get_offset_of_visibleCount_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2102[7] =
{
BatchCullingContext_t26E634F354C4F3915108C34A32FD32118FFE1F66::get_offset_of_cullingPlanes_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
BatchCullingContext_t26E634F354C4F3915108C34A32FD32118FFE1F66::get_offset_of_batchVisibility_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
BatchCullingContext_t26E634F354C4F3915108C34A32FD32118FFE1F66::get_offset_of_visibleIndices_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
BatchCullingContext_t26E634F354C4F3915108C34A32FD32118FFE1F66::get_offset_of_visibleIndicesY_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
BatchCullingContext_t26E634F354C4F3915108C34A32FD32118FFE1F66::get_offset_of_lodParameters_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
BatchCullingContext_t26E634F354C4F3915108C34A32FD32118FFE1F66::get_offset_of_cullingMatrix_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
BatchCullingContext_t26E634F354C4F3915108C34A32FD32118FFE1F66::get_offset_of_nearPlane_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2103[10] =
{
BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC::get_offset_of_cullingJobsFence_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC::get_offset_of_cullingMatrix_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC::get_offset_of_cullingPlanes_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC::get_offset_of_batchVisibility_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC::get_offset_of_visibleIndices_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC::get_offset_of_visibleIndicesY_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC::get_offset_of_cullingPlanesCount_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC::get_offset_of_batchVisibilityCount_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC::get_offset_of_visibleIndicesCount_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
BatchRendererCullingOutput_t61FB4F7DB1BC4AFC492B8F1694BFCF9961F4C8DC::get_offset_of_nearPlane_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2105[2] =
{
BatchRendererGroup_t68C1EAC6F7158DC1C02C16D4E343397D5EC4574A::get_offset_of_m_GroupHandle_0(),
BatchRendererGroup_t68C1EAC6F7158DC1C02C16D4E343397D5EC4574A::get_offset_of_m_PerformCulling_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2106[11] =
{
ShaderPropertyFlags_tA42BD86DA3355B30E253A6DE504E574CFD80B2EC::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2107[7] =
{
Flags_t64F4A80C88F9E613B720DA0195BAB2B34C5307D5::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2108[9] =
{
FrameData_tE12630B2C0918A5945E834E53F1E0028BBD8898B::get_offset_of_m_FrameID_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
FrameData_tE12630B2C0918A5945E834E53F1E0028BBD8898B::get_offset_of_m_DeltaTime_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
FrameData_tE12630B2C0918A5945E834E53F1E0028BBD8898B::get_offset_of_m_Weight_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
FrameData_tE12630B2C0918A5945E834E53F1E0028BBD8898B::get_offset_of_m_EffectiveWeight_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
FrameData_tE12630B2C0918A5945E834E53F1E0028BBD8898B::get_offset_of_m_EffectiveParentDelay_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
FrameData_tE12630B2C0918A5945E834E53F1E0028BBD8898B::get_offset_of_m_EffectiveParentSpeed_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
FrameData_tE12630B2C0918A5945E834E53F1E0028BBD8898B::get_offset_of_m_EffectiveSpeed_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
FrameData_tE12630B2C0918A5945E834E53F1E0028BBD8898B::get_offset_of_m_Flags_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
FrameData_tE12630B2C0918A5945E834E53F1E0028BBD8898B::get_offset_of_m_Output_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2112[2] =
{
Playable_tC24692CDD1DD8F1D5C646035A76D2830A70214E2::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Playable_tC24692CDD1DD8F1D5C646035A76D2830A70214E2_StaticFields::get_offset_of_m_NullPlayable_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2116[6] =
{
PlayableBinding_t265202500C703254AD9777368C05D1986C8AC7A2::get_offset_of_m_StreamName_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
PlayableBinding_t265202500C703254AD9777368C05D1986C8AC7A2::get_offset_of_m_SourceObject_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
PlayableBinding_t265202500C703254AD9777368C05D1986C8AC7A2::get_offset_of_m_SourceBindingType_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
PlayableBinding_t265202500C703254AD9777368C05D1986C8AC7A2::get_offset_of_m_CreateOutputMethod_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
PlayableBinding_t265202500C703254AD9777368C05D1986C8AC7A2_StaticFields::get_offset_of_None_4(),
PlayableBinding_t265202500C703254AD9777368C05D1986C8AC7A2_StaticFields::get_offset_of_DefaultDuration_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2117[2] =
{
PlayableGraph_t2D5083CFACB413FA1BB13FF054BE09A5A55A205A::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
PlayableGraph_t2D5083CFACB413FA1BB13FF054BE09A5A55A205A::get_offset_of_m_Version_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2118[3] =
{
PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A::get_offset_of_m_Version_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
PlayableHandle_t50DCD240B0400DDAD0822C13E5DBC7AD64DC027A_StaticFields::get_offset_of_m_Null_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2119[2] =
{
PlayableOutput_tE735DC774F014DB1711310988F2F914C66520F82::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
PlayableOutput_tE735DC774F014DB1711310988F2F914C66520F82_StaticFields::get_offset_of_m_NullPlayableOutput_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2120[3] =
{
PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1::get_offset_of_m_Version_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
PlayableOutputHandle_t8C84BCDB2AECFEDBCF0E7CC7CDBADD517D148CD1_StaticFields::get_offset_of_m_Null_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2121[1] =
{
ScriptPlayableOutput_tC84FD711C54470AF76109EC9236489F86CDC7087::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2122[15] =
{
SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299::get_offset_of_SpriteID_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299::get_offset_of_TextureID_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299::get_offset_of_MaterialID_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299::get_offset_of_Color_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299::get_offset_of_Transform_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299::get_offset_of_Bounds_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299::get_offset_of_Layer_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299::get_offset_of_SortingLayer_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299::get_offset_of_SortingOrder_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299::get_offset_of_SceneCullingMask_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299::get_offset_of_IndexData_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299::get_offset_of_VertexData_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299::get_offset_of_IndexCount_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299::get_offset_of_VertexCount_13() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteIntermediateRendererInfo_tBAB1C67EACB07222EAB7EA59E6C7DA6A01FC9299::get_offset_of_ShaderChannelMask_14() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2124[8] =
{
LightType_t4205DE4BEF130CE507C87172DAB60E5B1EB05552::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2125[5] =
{
LightMode_t9D89979F39C1DBB9CD1E275BDD77C7EA1B506491::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2126[6] =
{
FalloffType_t983DA2C11C909629E51BD1D4CF088C689C9863CB::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2127[3] =
{
AngularFalloffType_tE33F65C52CF289A72D8EA70883440F4D993621E2::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2128[4] =
{
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2::get_offset_of_m_red_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2::get_offset_of_m_green_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2::get_offset_of_m_blue_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
LinearColor_tB134EA090C61E6624DE36F52980CA7E2C893D5F2::get_offset_of_m_intensity_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2129[9] =
{
DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7::get_offset_of_instanceID_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7::get_offset_of_shadow_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7::get_offset_of_mode_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7::get_offset_of_position_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7::get_offset_of_orientation_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7::get_offset_of_color_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7::get_offset_of_indirectColor_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7::get_offset_of_penumbraWidthRadian_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
DirectionalLight_t64077C15074628F61CE703ED3A168AA8AB7F0AB7::get_offset_of_direction_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2130[9] =
{
PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E::get_offset_of_instanceID_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E::get_offset_of_shadow_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E::get_offset_of_mode_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E::get_offset_of_position_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E::get_offset_of_color_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E::get_offset_of_indirectColor_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E::get_offset_of_range_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E::get_offset_of_sphereRadius_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
PointLight_t543DD0461FFC4EA9F3B08CF9F4BF5BB2164D167E::get_offset_of_falloff_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2131[13] =
{
SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D::get_offset_of_instanceID_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D::get_offset_of_shadow_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D::get_offset_of_mode_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D::get_offset_of_position_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D::get_offset_of_orientation_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D::get_offset_of_color_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D::get_offset_of_indirectColor_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D::get_offset_of_range_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D::get_offset_of_sphereRadius_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D::get_offset_of_coneAngle_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D::get_offset_of_innerConeAngle_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D::get_offset_of_falloff_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpotLight_tAE1210A6FAE3F41CA62CB63E9012C9BED625AC9D::get_offset_of_angularFalloff_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2132[11] =
{
RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985::get_offset_of_instanceID_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985::get_offset_of_shadow_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985::get_offset_of_mode_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985::get_offset_of_position_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985::get_offset_of_orientation_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985::get_offset_of_color_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985::get_offset_of_indirectColor_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985::get_offset_of_range_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985::get_offset_of_width_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985::get_offset_of_height_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
RectangleLight_t9F02AC7041621773D7676A5E2707898F24892985::get_offset_of_falloff_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2133[10] =
{
DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D::get_offset_of_instanceID_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D::get_offset_of_shadow_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D::get_offset_of_mode_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D::get_offset_of_position_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D::get_offset_of_orientation_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D::get_offset_of_color_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D::get_offset_of_indirectColor_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D::get_offset_of_range_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D::get_offset_of_radius_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
DiscLight_t2F3E542C8536D7FE93D943F5336DCCE844D6CB8D::get_offset_of_falloff_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2134[3] =
{
Cookie_tEC43B52DA6FD8E9BFF0B54D063671606E01E039B::get_offset_of_instanceID_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cookie_tEC43B52DA6FD8E9BFF0B54D063671606E01E039B::get_offset_of_scale_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cookie_tEC43B52DA6FD8E9BFF0B54D063671606E01E039B::get_offset_of_sizes_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2135[16] =
{
LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2::get_offset_of_instanceID_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2::get_offset_of_cookieID_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2::get_offset_of_cookieScale_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2::get_offset_of_color_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2::get_offset_of_indirectColor_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2::get_offset_of_orientation_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2::get_offset_of_position_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2::get_offset_of_range_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2::get_offset_of_coneAngle_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2::get_offset_of_innerConeAngle_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2::get_offset_of_shape0_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2::get_offset_of_shape1_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2::get_offset_of_type_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2::get_offset_of_mode_13() + static_cast<int32_t>(sizeof(RuntimeObject)),
LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2::get_offset_of_shadow_14() + static_cast<int32_t>(sizeof(RuntimeObject)),
LightDataGI_t0C34AB69E4E96717FD276B35116C798A641D44F2::get_offset_of_falloff_15() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2138[1] =
{
U3CU3Ec_t0CD29EFB17F20C410B16682BBAC2B78C5BD98826_StaticFields::get_offset_of_U3CU3E9_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2139[2] =
{
Lightmapping_tE0E9E68769E4D87E92C8EBAAE98A5EB328F5903E_StaticFields::get_offset_of_s_DefaultDelegate_0(),
Lightmapping_tE0E9E68769E4D87E92C8EBAAE98A5EB328F5903E_StaticFields::get_offset_of_s_RequestLightsDelegate_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2140[1] =
{
CameraPlayable_t0677497EB93984A6712D7DF07F7620290E1CE1FD::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2141[1] =
{
MaterialEffectPlayable_tE611325A2F3EFA8D330A6B3690D44C2C80D54DDB::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2142[1] =
{
TextureMixerPlayable_tFB2B863C89A2EF9E78112907CE52AAA2E299F405::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2143[1] =
{
TexturePlayableOutput_t85F2BAEA947F492D052706E7C270DB1CA2EFB530::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2146[1] =
{
ScriptableRuntimeReflectionSystemSettings_t3AF238E06EF34DE83F6A23952FA3D197FB6E6FCD_StaticFields::get_offset_of_s_Instance_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2147[1] =
{
ScriptableRuntimeReflectionSystemWrapper_t9F1EBF4C6EBF7B3D6742B6320205DD9475793F61::get_offset_of_U3CimplementationU3Ek__BackingField_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2148[4] =
{
TextureCreationFlags_t8DD12B3EF9FDAB7ED2CB356AC7370C3F3E0D415C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2149[15] =
{
FormatUsage_t98D974BA17DF860A91D96AEBF446A2E9BF914336::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2150[3] =
{
DefaultFormat_t07516FEBB0F52BA4FD627E19343F4B765D5B5E5D::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2151[138] =
{
GraphicsFormat_t07A3C024BC77B843C53A369D6FC02ABD27D2AB1D::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2160[3] =
{
Mobile_t9F8A04EF1ADC739B4107A38F0103CB72ECD23F5E_StaticFields::get_offset_of_U3CmuteStateU3Ek__BackingField_0(),
Mobile_t9F8A04EF1ADC739B4107A38F0103CB72ECD23F5E_StaticFields::get_offset_of__stopAudioOutputOnMute_1(),
Mobile_t9F8A04EF1ADC739B4107A38F0103CB72ECD23F5E_StaticFields::get_offset_of_OnMuteStateChanged_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2161[1] =
{
AudioSettings_t1941E7DE9FEF65F7742713EB862D3025244FCB08_StaticFields::get_offset_of_OnAudioConfigurationChanged_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2164[2] =
{
AudioClip_t16D2E573E7CC1C5118D8EE0F0692D46866A1C0EE::get_offset_of_m_PCMReaderCallback_4(),
AudioClip_t16D2E573E7CC1C5118D8EE0F0692D46866A1C0EE::get_offset_of_m_PCMSetPositionCallback_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2167[1] =
{
AudioClipPlayable_t3574B22284CE09FDEAD15BD18D66C4A21D59FA5F::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2168[1] =
{
AudioMixerPlayable_t80531461F1E238E237D7BB2BAE7E031ABDE95C4A::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2169[1] =
{
AudioPlayableOutput_t9809407FDE5B55DD34088A665C8C53346AC76EE8::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2171[2] =
{
AudioSampleProvider_tD8B613D55D09D6CE86B851A5D8F33560FFCC705B::get_offset_of_sampleFramesAvailable_0(),
AudioSampleProvider_tD8B613D55D09D6CE86B851A5D8F33560FFCC705B::get_offset_of_sampleFramesOverflow_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2175[6] =
{
TouchPhase_tB52B8A497547FB9575DE7975D13AC7D64C3A958A::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2176[4] =
{
IMECompositionMode_t8755B1BD5D22F5DE23A46F79403A234844D7A5C8::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2177[4] =
{
TouchType_t2EF726465ABD45681A6686BAC426814AA087C20F::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2178[14] =
{
Touch_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C::get_offset_of_m_FingerId_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Touch_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C::get_offset_of_m_Position_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Touch_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C::get_offset_of_m_RawPosition_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Touch_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C::get_offset_of_m_PositionDelta_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Touch_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C::get_offset_of_m_TimeDelta_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
Touch_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C::get_offset_of_m_TapCount_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
Touch_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C::get_offset_of_m_Phase_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
Touch_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C::get_offset_of_m_Type_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
Touch_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C::get_offset_of_m_Pressure_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
Touch_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C::get_offset_of_m_maximumPossiblePressure_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
Touch_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C::get_offset_of_m_Radius_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
Touch_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C::get_offset_of_m_RadiusVariance_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
Touch_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C::get_offset_of_m_AltitudeAngle_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
Touch_tDEFED247540BCFA4AD452F1D37EEF4E09B4ACD8C::get_offset_of_m_AzimuthAngle_13() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2181[2] =
{
HitInfo_t74B96DDC302EB605CCC557B737A5C88EB67B57D6::get_offset_of_target_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
HitInfo_t74B96DDC302EB605CCC557B737A5C88EB67B57D6::get_offset_of_camera_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2182[5] =
{
SendMouseEvents_tCF069F9DE53C8E51B7AF505FC52F79DB84D81437_StaticFields::get_offset_of_s_MouseUsed_0(),
SendMouseEvents_tCF069F9DE53C8E51B7AF505FC52F79DB84D81437_StaticFields::get_offset_of_m_LastHit_1(),
SendMouseEvents_tCF069F9DE53C8E51B7AF505FC52F79DB84D81437_StaticFields::get_offset_of_m_MouseDownHit_2(),
SendMouseEvents_tCF069F9DE53C8E51B7AF505FC52F79DB84D81437_StaticFields::get_offset_of_m_CurrentHit_3(),
SendMouseEvents_tCF069F9DE53C8E51B7AF505FC52F79DB84D81437_StaticFields::get_offset_of_m_Cameras_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2186[1] =
{
Physics2D_t1C1ECE6BA2F958C5C1440DDB9E9A5DAAA8F86D92_StaticFields::get_offset_of_m_LastDisabledRigidbody2D_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2187[6] =
{
RaycastHit2D_t210878DAEBC96C1F69DF9883C454758724A106A4::get_offset_of_m_Centroid_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
RaycastHit2D_t210878DAEBC96C1F69DF9883C454758724A106A4::get_offset_of_m_Point_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
RaycastHit2D_t210878DAEBC96C1F69DF9883C454758724A106A4::get_offset_of_m_Normal_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
RaycastHit2D_t210878DAEBC96C1F69DF9883C454758724A106A4::get_offset_of_m_Distance_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
RaycastHit2D_t210878DAEBC96C1F69DF9883C454758724A106A4::get_offset_of_m_Fraction_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
RaycastHit2D_t210878DAEBC96C1F69DF9883C454758724A106A4::get_offset_of_m_Collider_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2191[7] =
{
ControllerColliderHit_t483E787AA2D92263EC1F899BCF1FFC3F2B96D550::get_offset_of_m_Controller_0(),
ControllerColliderHit_t483E787AA2D92263EC1F899BCF1FFC3F2B96D550::get_offset_of_m_Collider_1(),
ControllerColliderHit_t483E787AA2D92263EC1F899BCF1FFC3F2B96D550::get_offset_of_m_Point_2(),
ControllerColliderHit_t483E787AA2D92263EC1F899BCF1FFC3F2B96D550::get_offset_of_m_Normal_3(),
ControllerColliderHit_t483E787AA2D92263EC1F899BCF1FFC3F2B96D550::get_offset_of_m_MoveDirection_4(),
ControllerColliderHit_t483E787AA2D92263EC1F899BCF1FFC3F2B96D550::get_offset_of_m_MoveLength_5(),
ControllerColliderHit_t483E787AA2D92263EC1F899BCF1FFC3F2B96D550::get_offset_of_m_Push_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2192[7] =
{
Collision_tDC11F9B3834FD25DEB8C7DD1C51B635D240BBBF0::get_offset_of_m_Impulse_0(),
Collision_tDC11F9B3834FD25DEB8C7DD1C51B635D240BBBF0::get_offset_of_m_RelativeVelocity_1(),
Collision_tDC11F9B3834FD25DEB8C7DD1C51B635D240BBBF0::get_offset_of_m_Rigidbody_2(),
Collision_tDC11F9B3834FD25DEB8C7DD1C51B635D240BBBF0::get_offset_of_m_Collider_3(),
Collision_tDC11F9B3834FD25DEB8C7DD1C51B635D240BBBF0::get_offset_of_m_ContactCount_4(),
Collision_tDC11F9B3834FD25DEB8C7DD1C51B635D240BBBF0::get_offset_of_m_ReusedContacts_5(),
Collision_tDC11F9B3834FD25DEB8C7DD1C51B635D240BBBF0::get_offset_of_m_LegacyContacts_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2193[4] =
{
QueryTriggerInteraction_t9B82FB8CCAF559F47B6B8C0ECE197515ABFA96B0::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2194[6] =
{
RaycastHit_t59E5AEC8FE13BFA2ACBB6FFBDB7585FFB7288F89::get_offset_of_m_Point_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
RaycastHit_t59E5AEC8FE13BFA2ACBB6FFBDB7585FFB7288F89::get_offset_of_m_Normal_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
RaycastHit_t59E5AEC8FE13BFA2ACBB6FFBDB7585FFB7288F89::get_offset_of_m_FaceID_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
RaycastHit_t59E5AEC8FE13BFA2ACBB6FFBDB7585FFB7288F89::get_offset_of_m_Distance_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
RaycastHit_t59E5AEC8FE13BFA2ACBB6FFBDB7585FFB7288F89::get_offset_of_m_UV_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
RaycastHit_t59E5AEC8FE13BFA2ACBB6FFBDB7585FFB7288F89::get_offset_of_m_Collider_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2202[5] =
{
ContactPoint_tC179732A8E0014F5EFF5977ED1ADF12CF14A9017::get_offset_of_m_Point_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ContactPoint_tC179732A8E0014F5EFF5977ED1ADF12CF14A9017::get_offset_of_m_Normal_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ContactPoint_tC179732A8E0014F5EFF5977ED1ADF12CF14A9017::get_offset_of_m_ThisColliderInstanceID_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
ContactPoint_tC179732A8E0014F5EFF5977ED1ADF12CF14A9017::get_offset_of_m_OtherColliderInstanceID_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
ContactPoint_tC179732A8E0014F5EFF5977ED1ADF12CF14A9017::get_offset_of_m_Separation_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2203[1] =
{
PhysicsScene_tEDFCAA935450E8EBB7732353D9AA264A5F711678::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2208[2] =
{
IntegratedSubsystem_t8FB3A371F812CF9521903AC016C64E95C7412002::get_offset_of_m_Ptr_0(),
IntegratedSubsystem_t8FB3A371F812CF9521903AC016C64E95C7412002::get_offset_of_m_SubsystemDescriptor_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2211[1] =
{
IntegratedSubsystemDescriptor_tDC8AF8E5B67B983E4492D784A419F01693926D7A::get_offset_of_m_Ptr_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2216[1] =
{
SubsystemDescriptor_tF663011CB44AB1D342821BBEF7B6811E799A7245::get_offset_of_U3CidU3Ek__BackingField_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2218[7] =
{
SubsystemManager_t4397CEF2ED795CB9B3DDBA2BB468BCB6B45B76D9_StaticFields::get_offset_of_beforeReloadSubsystems_0(),
SubsystemManager_t4397CEF2ED795CB9B3DDBA2BB468BCB6B45B76D9_StaticFields::get_offset_of_afterReloadSubsystems_1(),
SubsystemManager_t4397CEF2ED795CB9B3DDBA2BB468BCB6B45B76D9_StaticFields::get_offset_of_s_IntegratedSubsystems_2(),
SubsystemManager_t4397CEF2ED795CB9B3DDBA2BB468BCB6B45B76D9_StaticFields::get_offset_of_s_StandaloneSubsystems_3(),
SubsystemManager_t4397CEF2ED795CB9B3DDBA2BB468BCB6B45B76D9_StaticFields::get_offset_of_s_DeprecatedSubsystems_4(),
SubsystemManager_t4397CEF2ED795CB9B3DDBA2BB468BCB6B45B76D9_StaticFields::get_offset_of_reloadSubsytemsStarted_5(),
SubsystemManager_t4397CEF2ED795CB9B3DDBA2BB468BCB6B45B76D9_StaticFields::get_offset_of_reloadSubsytemsCompleted_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2219[3] =
{
SubsystemDescriptorStore_tE5D99C3159868DE6506269CB6B830621F8BC31A6_StaticFields::get_offset_of_s_IntegratedDescriptors_0(),
SubsystemDescriptorStore_tE5D99C3159868DE6506269CB6B830621F8BC31A6_StaticFields::get_offset_of_s_StandaloneDescriptors_1(),
SubsystemDescriptorStore_tE5D99C3159868DE6506269CB6B830621F8BC31A6_StaticFields::get_offset_of_s_DeprecatedDescriptors_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2220[3] =
{
SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E::get_offset_of_U3CidU3Ek__BackingField_0(),
SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E::get_offset_of_U3CproviderTypeU3Ek__BackingField_1(),
SubsystemDescriptorWithProvider_t32DD334657CFBA22F2FBA399258B087104A29C3E::get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2222[1] =
{
SubsystemProvider_t39E89FB8DB1EF1D2B0AF93796AEDB19D76A665F9::get_offset_of_m_Running_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2224[2] =
{
SubsystemWithProvider_t1C1868CF8676F5596C1AD20A7CE69BDF7C7DE73E::get_offset_of_U3CrunningU3Ek__BackingField_0(),
SubsystemWithProvider_t1C1868CF8676F5596C1AD20A7CE69BDF7C7DE73E::get_offset_of_U3CproviderBaseU3Ek__BackingField_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2225[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2227[5] =
{
FontStyle_t98609253DA79E5B3198BD60AD3518C5B6A2DCF96::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2228[5] =
{
TextGenerationError_t09DA0156E184EBDC8621B676A0927983194A08E4::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2229[18] =
{
TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A::get_offset_of_font_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A::get_offset_of_color_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A::get_offset_of_fontSize_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A::get_offset_of_lineSpacing_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A::get_offset_of_richText_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A::get_offset_of_scaleFactor_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A::get_offset_of_fontStyle_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A::get_offset_of_textAnchor_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A::get_offset_of_alignByGeometry_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A::get_offset_of_resizeTextForBestFit_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A::get_offset_of_resizeTextMinSize_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A::get_offset_of_resizeTextMaxSize_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A::get_offset_of_updateBounds_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A::get_offset_of_verticalOverflow_13() + static_cast<int32_t>(sizeof(RuntimeObject)),
TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A::get_offset_of_horizontalOverflow_14() + static_cast<int32_t>(sizeof(RuntimeObject)),
TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A::get_offset_of_generationExtents_15() + static_cast<int32_t>(sizeof(RuntimeObject)),
TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A::get_offset_of_pivot_16() + static_cast<int32_t>(sizeof(RuntimeObject)),
TextGenerationSettings_tAD927E4DCB8644B1B2BB810B5FB13C90B753898A::get_offset_of_generateOutOfBounds_17() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2230[11] =
{
TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70::get_offset_of_m_Ptr_0(),
TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70::get_offset_of_m_LastString_1(),
TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70::get_offset_of_m_LastSettings_2(),
TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70::get_offset_of_m_HasGenerated_3(),
TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70::get_offset_of_m_LastValid_4(),
TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70::get_offset_of_m_Verts_5(),
TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70::get_offset_of_m_Characters_6(),
TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70::get_offset_of_m_Lines_7(),
TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70::get_offset_of_m_CachedVerts_8(),
TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70::get_offset_of_m_CachedCharacters_9(),
TextGenerator_t893F256D3587633108E00E5731CDC5A77AFF1B70::get_offset_of_m_CachedLines_10(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2231[10] =
{
TextAnchor_tA4C88E77C2D7312F43412275B01E1341A7CB2232::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2232[3] =
{
HorizontalWrapMode_tB8F0D84DB114FFAF047F10A58ADB759DEFF2AC63::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2233[3] =
{
VerticalWrapMode_t71EBBAE09D28B40254AA63D6EEA14CFCBD618D88::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2235[2] =
{
UICharInfo_tDEA65B831FAD06D1E9B10A6088E05C6D615B089A::get_offset_of_cursorPos_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
UICharInfo_tDEA65B831FAD06D1E9B10A6088E05C6D615B089A::get_offset_of_charWidth_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2236[4] =
{
UILineInfo_tD082FF4894030AD4EBF57ACF6A997135E4B8B67C::get_offset_of_startCharIdx_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
UILineInfo_tD082FF4894030AD4EBF57ACF6A997135E4B8B67C::get_offset_of_height_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
UILineInfo_tD082FF4894030AD4EBF57ACF6A997135E4B8B67C::get_offset_of_topY_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
UILineInfo_tD082FF4894030AD4EBF57ACF6A997135E4B8B67C::get_offset_of_leading_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2237[11] =
{
UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A::get_offset_of_position_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A::get_offset_of_normal_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A::get_offset_of_tangent_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A::get_offset_of_color_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A::get_offset_of_uv0_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A::get_offset_of_uv1_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A::get_offset_of_uv2_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A::get_offset_of_uv3_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A_StaticFields::get_offset_of_s_DefaultColor_8(),
UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A_StaticFields::get_offset_of_s_DefaultTangent_9(),
UIVertex_tD94AAC5F0B42DBC441AAA8ADBFCFF9E5C320C03A_StaticFields::get_offset_of_simpleVert_10(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2239[2] =
{
Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9_StaticFields::get_offset_of_textureRebuilt_4(),
Font_tB53D3F362CB1A0B92307B362826F212AE2D2A6A9::get_offset_of_m_FontTextureRebuildCallback_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2241[1] =
{
WebRequestUtils_t3FE2D9FD71A02CD3AF8C91B81280F59E5CF26392_StaticFields::get_offset_of_domainRegex_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2243[9] =
{
WWWTranscoder_t61D467EE2097E0FE6FA215AAEA4D3BF4216CB771_StaticFields::get_offset_of_ucHexChars_0(),
WWWTranscoder_t61D467EE2097E0FE6FA215AAEA4D3BF4216CB771_StaticFields::get_offset_of_lcHexChars_1(),
WWWTranscoder_t61D467EE2097E0FE6FA215AAEA4D3BF4216CB771_StaticFields::get_offset_of_urlEscapeChar_2(),
WWWTranscoder_t61D467EE2097E0FE6FA215AAEA4D3BF4216CB771_StaticFields::get_offset_of_urlSpace_3(),
WWWTranscoder_t61D467EE2097E0FE6FA215AAEA4D3BF4216CB771_StaticFields::get_offset_of_dataSpace_4(),
WWWTranscoder_t61D467EE2097E0FE6FA215AAEA4D3BF4216CB771_StaticFields::get_offset_of_urlForbidden_5(),
WWWTranscoder_t61D467EE2097E0FE6FA215AAEA4D3BF4216CB771_StaticFields::get_offset_of_qpEscapeChar_6(),
WWWTranscoder_t61D467EE2097E0FE6FA215AAEA4D3BF4216CB771_StaticFields::get_offset_of_qpSpace_7(),
WWWTranscoder_t61D467EE2097E0FE6FA215AAEA4D3BF4216CB771_StaticFields::get_offset_of_qpForbidden_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2244[1] =
{
UnityWebRequestAsyncOperation_tDCAC6B6C7D51563F8DFD4963E3BE362470125396::get_offset_of_U3CwebRequestU3Ek__BackingField_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2245[6] =
{
UnityWebRequestMethod_tF538D9A75B76FFC81710E65697E38C1B12E4F7E5::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2246[30] =
{
UnityWebRequestError_t01C779C192877A58EBDB44371C42F9A5831EB9F6::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2247[6] =
{
Result_t3233C0F690EC3844C8E0C4649568659679AFBE75::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2248[8] =
{
UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E::get_offset_of_m_Ptr_0(),
UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E::get_offset_of_m_DownloadHandler_1(),
UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E::get_offset_of_m_UploadHandler_2(),
UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E::get_offset_of_m_CertificateHandler_3(),
UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E::get_offset_of_m_Uri_4(),
UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E::get_offset_of_U3CdisposeCertificateHandlerOnDisposeU3Ek__BackingField_5(),
UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E::get_offset_of_U3CdisposeDownloadHandlerOnDisposeU3Ek__BackingField_6(),
UnityWebRequest_tB75B39F6951CA0DBA2D5BEDF85FDCAAC6026A37E::get_offset_of_U3CdisposeUploadHandlerOnDisposeU3Ek__BackingField_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2249[1] =
{
CertificateHandler_tDA66C86D1302CE4266DBB078361F7A363C7B005E::get_offset_of_m_Ptr_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2250[1] =
{
DownloadHandler_tEEAE0DD53DB497C8A491C4F7B7A14C3CA027B1DB::get_offset_of_m_Ptr_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2252[1] =
{
UploadHandler_t5F80A2A6874D4D330751BE3524009C21C9B74BDA::get_offset_of_m_Ptr_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2254[1] =
{
KnownTypeAttribute_t2A45C908E73B8E6FA28BF2EC3F6C46DB4F50C5C7::get_offset_of_type_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2258[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2259[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2260[1] =
{
MonoBehaviourCallbackHooks_tE91E611EBE4F93FA75B7047A0D29F1E933304F73::get_offset_of_m_OnUpdateDelegate_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2261[7] =
{
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2262[7] =
{
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2263[7] =
{
DiagnosticEventType_tC0CAB4107C22CB20453DCBB69939E7620AE0A4E4::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2264[6] =
{
DiagnosticEventContext_tE916E8F8226E75843C6C5C8894D71335855F1128::get_offset_of_U3COperationHandleU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
DiagnosticEventContext_tE916E8F8226E75843C6C5C8894D71335855F1128::get_offset_of_U3CTypeU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
DiagnosticEventContext_tE916E8F8226E75843C6C5C8894D71335855F1128::get_offset_of_U3CEventValueU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
DiagnosticEventContext_tE916E8F8226E75843C6C5C8894D71335855F1128::get_offset_of_U3CLocationU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
DiagnosticEventContext_tE916E8F8226E75843C6C5C8894D71335855F1128::get_offset_of_U3CContextU3Ek__BackingField_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
DiagnosticEventContext_tE916E8F8226E75843C6C5C8894D71335855F1128::get_offset_of_U3CErrorU3Ek__BackingField_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2265[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2266[5] =
{
InstanceOperation_t6489E738E7DA0B75363BC1485B864CADA0307FB6::get_offset_of_m_dependency_16(),
InstanceOperation_t6489E738E7DA0B75363BC1485B864CADA0307FB6::get_offset_of_m_instantiationParams_17(),
InstanceOperation_t6489E738E7DA0B75363BC1485B864CADA0307FB6::get_offset_of_m_instanceProvider_18(),
InstanceOperation_t6489E738E7DA0B75363BC1485B864CADA0307FB6::get_offset_of_m_instance_19(),
InstanceOperation_t6489E738E7DA0B75363BC1485B864CADA0307FB6::get_offset_of_m_scene_20(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2267[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2268[24] =
{
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_postProfilerEvents_0(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037_StaticFields::get_offset_of_U3CExceptionHandlerU3Ek__BackingField_1(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_U3CInternalIdTransformFuncU3Ek__BackingField_2(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_CallbackHooksEnabled_3(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_m_ResourceProviders_4(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_m_allocator_5(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_m_UpdateReceivers_6(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_m_UpdateReceiversToRemove_7(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_m_UpdatingReceivers_8(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_m_providerMap_9(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_m_AssetOperationCache_10(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_m_TrackedInstanceOperations_11(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_m_UpdateCallbacks_12(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_m_DeferredCompleteCallbacks_13(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_m_obsoleteDiagnosticsHandler_14(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_m_diagnosticsHandler_15(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_m_ReleaseOpNonCached_16(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_m_ReleaseOpCached_17(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_m_ReleaseInstanceOp_18(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037_StaticFields::get_offset_of_s_GroupOperationTypeHash_19(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037_StaticFields::get_offset_of_s_InstanceOperationTypeHash_20(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_U3CCertificateHandlerInstanceU3Ek__BackingField_21(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_m_RegisteredForCallbacks_22(),
ResourceManager_t2B7D001DFDBA91737524A3F22FC8986033B2C037::get_offset_of_m_ProviderOperationTypeCache_23(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2270[3] =
{
WebRequestQueueOperation_tFC444676FD6ECC4D7F23A1C6CA9864124DC0D151::get_offset_of_Result_0(),
WebRequestQueueOperation_tFC444676FD6ECC4D7F23A1C6CA9864124DC0D151::get_offset_of_OnComplete_1(),
WebRequestQueueOperation_tFC444676FD6ECC4D7F23A1C6CA9864124DC0D151::get_offset_of_m_WebRequest_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2271[3] =
{
WebRequestQueue_tF61BB018FE0D4E900245AB6612FCDBED34E81D39_StaticFields::get_offset_of_s_MaxRequest_0(),
WebRequestQueue_tF61BB018FE0D4E900245AB6612FCDBED34E81D39_StaticFields::get_offset_of_s_QueuedOperations_1(),
WebRequestQueue_tF61BB018FE0D4E900245AB6612FCDBED34E81D39_StaticFields::get_offset_of_s_ActiveRequests_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2273[1] =
{
UnknownResourceProviderException_tF2000C59911CE84919773D1CFD445FCF98BA5CEB::get_offset_of_U3CLocationU3Ek__BackingField_17(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2275[1] =
{
ProviderException_t9B5A1D9ADC024E2800F5711E62104DEA4963BBE2::get_offset_of_U3CLocationU3Ek__BackingField_17(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2276[1] =
{
RemoteProviderException_t60E2D2401F1AD05880963F3F12EB70850577BE63::get_offset_of_U3CWebRequestResultU3Ek__BackingField_18(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2277[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2281[5] =
{
LRUCacheAllocationStrategy_t0AB40452BEB8D7C750CE77492085A0A52D8979EC::get_offset_of_m_poolMaxSize_0(),
LRUCacheAllocationStrategy_t0AB40452BEB8D7C750CE77492085A0A52D8979EC::get_offset_of_m_poolInitialCapacity_1(),
LRUCacheAllocationStrategy_t0AB40452BEB8D7C750CE77492085A0A52D8979EC::get_offset_of_m_poolCacheMaxSize_2(),
LRUCacheAllocationStrategy_t0AB40452BEB8D7C750CE77492085A0A52D8979EC::get_offset_of_m_poolCache_3(),
LRUCacheAllocationStrategy_t0AB40452BEB8D7C750CE77492085A0A52D8979EC::get_offset_of_m_cache_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2282[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2283[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2284[4] =
{
SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B::get_offset_of_m_AssemblyName_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B::get_offset_of_m_ClassName_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B::get_offset_of_m_CachedType_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
SerializedType_t11D0506CAD7F8088F87CA851B3D4B24459086B2B::get_offset_of_U3CValueChangedU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2285[3] =
{
ObjectInitializationData_t4552E1504B7D6894C22177D7F4CEC1B2EE8F9BB3::get_offset_of_m_Id_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ObjectInitializationData_t4552E1504B7D6894C22177D7F4CEC1B2EE8F9BB3::get_offset_of_m_ObjectType_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ObjectInitializationData_t4552E1504B7D6894C22177D7F4CEC1B2EE8F9BB3::get_offset_of_m_Data_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2288[5] =
{
UnityWebRequestResult_t100F520A4720C5527F6534B751FACE43DBB20BA9::get_offset_of_U3CErrorU3Ek__BackingField_0(),
UnityWebRequestResult_t100F520A4720C5527F6534B751FACE43DBB20BA9::get_offset_of_U3CResponseCodeU3Ek__BackingField_1(),
UnityWebRequestResult_t100F520A4720C5527F6534B751FACE43DBB20BA9::get_offset_of_U3CResultU3Ek__BackingField_2(),
UnityWebRequestResult_t100F520A4720C5527F6534B751FACE43DBB20BA9::get_offset_of_U3CMethodU3Ek__BackingField_3(),
UnityWebRequestResult_t100F520A4720C5527F6534B751FACE43DBB20BA9::get_offset_of_U3CUrlU3Ek__BackingField_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2290[5] =
{
InstantiationParameters_t059119899D621F0CC9B6B4BB2DF3E8336E1F1647::get_offset_of_m_Position_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
InstantiationParameters_t059119899D621F0CC9B6B4BB2DF3E8336E1F1647::get_offset_of_m_Rotation_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
InstantiationParameters_t059119899D621F0CC9B6B4BB2DF3E8336E1F1647::get_offset_of_m_Parent_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
InstantiationParameters_t059119899D621F0CC9B6B4BB2DF3E8336E1F1647::get_offset_of_m_InstantiateInWorldPosition_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
InstantiationParameters_t059119899D621F0CC9B6B4BB2DF3E8336E1F1647::get_offset_of_m_SetPositionRotation_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2292[3] =
{
ProviderBehaviourFlags_t8A63C552F616ED8CC3784D6E7A3EC720479E0FB6::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2293[3] =
{
ProvideHandle_t7E2C4D55BFA0F16A1B53B1BE922FD9857859208D::get_offset_of_m_Version_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ProvideHandle_t7E2C4D55BFA0F16A1B53B1BE922FD9857859208D::get_offset_of_m_InternalOp_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ProvideHandle_t7E2C4D55BFA0F16A1B53B1BE922FD9857859208D::get_offset_of_m_ResourceManager_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2295[2] =
{
SceneInstance_t0B7101C4211F3C781874320E11F45117106046CA::get_offset_of_m_Scene_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
SceneInstance_t0B7101C4211F3C781874320E11F45117106046CA::get_offset_of_m_Operation_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2298[1] =
{
BaseInitAsyncOp_t75D56805BF25185FE9DFB0A7BAB65F56BBE15AAC::get_offset_of_m_CallBack_16(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2299[3] =
{
U3CU3Ec__DisplayClass10_0_tF3CCC285C57A79E8AF122938CF717032FCCDC506::get_offset_of_U3CU3E4__this_0(),
U3CU3Ec__DisplayClass10_0_tF3CCC285C57A79E8AF122938CF717032FCCDC506::get_offset_of_id_1(),
U3CU3Ec__DisplayClass10_0_tF3CCC285C57A79E8AF122938CF717032FCCDC506::get_offset_of_data_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2300[2] =
{
ResourceProviderBase_tC5E5ED488310C5EDBDD71BC37FEB5EE1C77D7F28::get_offset_of_m_ProviderId_0(),
ResourceProviderBase_tC5E5ED488310C5EDBDD71BC37FEB5EE1C77D7F28::get_offset_of_m_BehaviourFlags_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2301[2] =
{
ProviderLoadRequestOptions_tCCC0F4829479C34B1BC9470658ABCFEB1973D7FF::get_offset_of_m_IgnoreFailures_0(),
ProviderLoadRequestOptions_tCCC0F4829479C34B1BC9470658ABCFEB1973D7FF::get_offset_of_m_WebRequestTimeout_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2302[7] =
{
InternalOp_t1E4911ECE63F5C8482292DE606EF3139E999CB95::get_offset_of_m_Provider_0(),
InternalOp_t1E4911ECE63F5C8482292DE606EF3139E999CB95::get_offset_of_m_RequestOperation_1(),
InternalOp_t1E4911ECE63F5C8482292DE606EF3139E999CB95::get_offset_of_m_RequestQueueOperation_2(),
InternalOp_t1E4911ECE63F5C8482292DE606EF3139E999CB95::get_offset_of_m_PI_3(),
InternalOp_t1E4911ECE63F5C8482292DE606EF3139E999CB95::get_offset_of_m_IgnoreFailures_4(),
InternalOp_t1E4911ECE63F5C8482292DE606EF3139E999CB95::get_offset_of_m_Complete_5(),
InternalOp_t1E4911ECE63F5C8482292DE606EF3139E999CB95::get_offset_of_m_Timeout_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2303[1] =
{
TextDataProvider_t773E2DEFF6B16D17317529CFB75791ADDEA9B2E6::get_offset_of_U3CIgnoreFailuresU3Ek__BackingField_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2305[9] =
{
ResourceLocationBase_t8D6922C4379478D358B8DB8B76ACA9C2AFBFFA8C::get_offset_of_m_Name_0(),
ResourceLocationBase_t8D6922C4379478D358B8DB8B76ACA9C2AFBFFA8C::get_offset_of_m_Id_1(),
ResourceLocationBase_t8D6922C4379478D358B8DB8B76ACA9C2AFBFFA8C::get_offset_of_m_ProviderId_2(),
ResourceLocationBase_t8D6922C4379478D358B8DB8B76ACA9C2AFBFFA8C::get_offset_of_m_Data_3(),
ResourceLocationBase_t8D6922C4379478D358B8DB8B76ACA9C2AFBFFA8C::get_offset_of_m_DependencyHashCode_4(),
ResourceLocationBase_t8D6922C4379478D358B8DB8B76ACA9C2AFBFFA8C::get_offset_of_m_HashCode_5(),
ResourceLocationBase_t8D6922C4379478D358B8DB8B76ACA9C2AFBFFA8C::get_offset_of_m_Type_6(),
ResourceLocationBase_t8D6922C4379478D358B8DB8B76ACA9C2AFBFFA8C::get_offset_of_m_Dependencies_7(),
ResourceLocationBase_t8D6922C4379478D358B8DB8B76ACA9C2AFBFFA8C::get_offset_of_m_PrimaryKey_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2306[7] =
{
DiagnosticEvent_tD3253FD4BA4A574A0DE029BE7A64A5AF090E3D58::get_offset_of_m_Graph_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
DiagnosticEvent_tD3253FD4BA4A574A0DE029BE7A64A5AF090E3D58::get_offset_of_m_Dependencies_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
DiagnosticEvent_tD3253FD4BA4A574A0DE029BE7A64A5AF090E3D58::get_offset_of_m_ObjectId_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
DiagnosticEvent_tD3253FD4BA4A574A0DE029BE7A64A5AF090E3D58::get_offset_of_m_DisplayName_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
DiagnosticEvent_tD3253FD4BA4A574A0DE029BE7A64A5AF090E3D58::get_offset_of_m_Stream_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
DiagnosticEvent_tD3253FD4BA4A574A0DE029BE7A64A5AF090E3D58::get_offset_of_m_Frame_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
DiagnosticEvent_tD3253FD4BA4A574A0DE029BE7A64A5AF090E3D58::get_offset_of_m_Value_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2307[3] =
{
U3CU3Ec_tEC7BDB58A1CB9CA4F1CDE168E271DC97E43D0272_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_tEC7BDB58A1CB9CA4F1CDE168E271DC97E43D0272_StaticFields::get_offset_of_U3CU3E9__8_0_1(),
U3CU3Ec_tEC7BDB58A1CB9CA4F1CDE168E271DC97E43D0272_StaticFields::get_offset_of_U3CU3E9__11_0_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2308[7] =
{
DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365_StaticFields::get_offset_of_s_editorConnectionGuid_5(),
DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365::get_offset_of_m_CreatedEvents_6(),
DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365::get_offset_of_m_UnhandledEvents_7(),
DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365::get_offset_of_s_EventHandlers_8(),
DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365::get_offset_of_m_lastTickSent_9(),
DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365::get_offset_of_m_lastFrame_10(),
DiagnosticEventCollectorSingleton_tCFE3475DC274C6C6D32446D9FA5A17556D8E4365::get_offset_of_fpsAvg_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2311[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2312[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2313[16] =
{
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2314[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2315[4] =
{
AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E_StaticFields::get_offset_of_m_IsWaitingForCompletion_0(),
AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E::get_offset_of_m_InternalOp_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E::get_offset_of_m_Version_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
AsyncOperationHandle_tC0F3D4ACAD11030C361B1F16D175D730ADC7992E::get_offset_of_m_LocationName_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2316[4] =
{
AsyncOperationStatus_t219728AFD0411DF8AFFFE6B8BABA4F4DE31AF407::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2317[3] =
{
DownloadStatus_t904E2139825F4045CFE06F8636F3B14A1D3B01E9::get_offset_of_TotalBytes_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
DownloadStatus_t904E2139825F4045CFE06F8636F3B14A1D3B01E9::get_offset_of_DownloadedBytes_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
DownloadStatus_t904E2139825F4045CFE06F8636F3B14A1D3B01E9::get_offset_of_IsDone_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2318[4] =
{
GroupOperationSettings_t0EF602D54C7ECB8311BEE4DDB08D964ED3BBEE94::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2319[4] =
{
GroupOperation_t2BE20865DFFF5ABC8B2696AB6A3DF4B7B393BB86::get_offset_of_m_InternalOnComplete_16(),
GroupOperation_t2BE20865DFFF5ABC8B2696AB6A3DF4B7B393BB86::get_offset_of_m_LoadedCount_17(),
GroupOperation_t2BE20865DFFF5ABC8B2696AB6A3DF4B7B393BB86::get_offset_of_m_Settings_18(),
GroupOperation_t2BE20865DFFF5ABC8B2696AB6A3DF4B7B393BB86::get_offset_of_U3CUnityEngine_ResourceManagement_AsyncOperations_ICachable_HashU3Ek__BackingField_19(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2321[12] =
{
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2322[1] =
{
U3CPrivateImplementationDetailsU3E_t4A238B9C28C30A3039E29BA213CAEDC4AE1C7BB0_StaticFields::get_offset_of_U32D2025322643CE1497D8FB03FA789F27E833CF43545CA1003AFEFEA250D39313_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2324[5] =
{
PoseStatus_tE2709BBA5C636A8485BD0FB152CD936CACA9336C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2325[8] =
{
PoseData_t291D206DDA816BEA210B5659CEB0E5953912809E::get_offset_of_orientation_x_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
PoseData_t291D206DDA816BEA210B5659CEB0E5953912809E::get_offset_of_orientation_y_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
PoseData_t291D206DDA816BEA210B5659CEB0E5953912809E::get_offset_of_orientation_z_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
PoseData_t291D206DDA816BEA210B5659CEB0E5953912809E::get_offset_of_orientation_w_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
PoseData_t291D206DDA816BEA210B5659CEB0E5953912809E::get_offset_of_translation_x_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
PoseData_t291D206DDA816BEA210B5659CEB0E5953912809E::get_offset_of_translation_y_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
PoseData_t291D206DDA816BEA210B5659CEB0E5953912809E::get_offset_of_translation_z_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
PoseData_t291D206DDA816BEA210B5659CEB0E5953912809E::get_offset_of_statusCode_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2330[4] =
{
AnimationEventSource_t1B170B0043F7F21E0AA3577B3220584CA3797630::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2332[11] =
{
AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF::get_offset_of_m_Time_0(),
AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF::get_offset_of_m_FunctionName_1(),
AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF::get_offset_of_m_StringParameter_2(),
AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF::get_offset_of_m_ObjectReferenceParameter_3(),
AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF::get_offset_of_m_FloatParameter_4(),
AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF::get_offset_of_m_IntParameter_5(),
AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF::get_offset_of_m_MessageOptions_6(),
AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF::get_offset_of_m_Source_7(),
AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF::get_offset_of_m_StateSender_8(),
AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF::get_offset_of_m_AnimatorStateInfo_9(),
AnimationEvent_tC15CA47BE450896AF876FFA75D7A8E22C2D286AF::get_offset_of_m_AnimatorClipInfo_10(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2333[2] =
{
AnimatorClipInfo_t758011D6F2B4C04893FCD364DAA936C801FBC610::get_offset_of_m_ClipInstanceID_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimatorClipInfo_t758011D6F2B4C04893FCD364DAA936C801FBC610::get_offset_of_m_Weight_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2334[9] =
{
AnimatorStateInfo_t052E146D2DB1EC155950ECA45734BF57134258AA::get_offset_of_m_Name_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimatorStateInfo_t052E146D2DB1EC155950ECA45734BF57134258AA::get_offset_of_m_Path_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimatorStateInfo_t052E146D2DB1EC155950ECA45734BF57134258AA::get_offset_of_m_FullPath_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimatorStateInfo_t052E146D2DB1EC155950ECA45734BF57134258AA::get_offset_of_m_NormalizedTime_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimatorStateInfo_t052E146D2DB1EC155950ECA45734BF57134258AA::get_offset_of_m_Length_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimatorStateInfo_t052E146D2DB1EC155950ECA45734BF57134258AA::get_offset_of_m_Speed_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimatorStateInfo_t052E146D2DB1EC155950ECA45734BF57134258AA::get_offset_of_m_SpeedMultiplier_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimatorStateInfo_t052E146D2DB1EC155950ECA45734BF57134258AA::get_offset_of_m_Tag_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimatorStateInfo_t052E146D2DB1EC155950ECA45734BF57134258AA::get_offset_of_m_Loop_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2335[8] =
{
AnimatorTransitionInfo_t7D0BAD3D274C055F1FC7ACE0F3A195CA3C9026A0::get_offset_of_m_FullPath_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimatorTransitionInfo_t7D0BAD3D274C055F1FC7ACE0F3A195CA3C9026A0::get_offset_of_m_UserName_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimatorTransitionInfo_t7D0BAD3D274C055F1FC7ACE0F3A195CA3C9026A0::get_offset_of_m_Name_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimatorTransitionInfo_t7D0BAD3D274C055F1FC7ACE0F3A195CA3C9026A0::get_offset_of_m_HasFixedDuration_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimatorTransitionInfo_t7D0BAD3D274C055F1FC7ACE0F3A195CA3C9026A0::get_offset_of_m_Duration_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimatorTransitionInfo_t7D0BAD3D274C055F1FC7ACE0F3A195CA3C9026A0::get_offset_of_m_NormalizedTime_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimatorTransitionInfo_t7D0BAD3D274C055F1FC7ACE0F3A195CA3C9026A0::get_offset_of_m_AnyState_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimatorTransitionInfo_t7D0BAD3D274C055F1FC7ACE0F3A195CA3C9026A0::get_offset_of_m_TransitionType_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2338[1] =
{
AnimatorOverrideController_t4630AA9761965F735AEB26B9A92D210D6338B2DA::get_offset_of_OnOverrideControllerDirty_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2339[5] =
{
SkeletonBone_t0AD95EAD0BE7D2EC13B2C7505225D340CB456A9E::get_offset_of_name_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
SkeletonBone_t0AD95EAD0BE7D2EC13B2C7505225D340CB456A9E::get_offset_of_parentName_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
SkeletonBone_t0AD95EAD0BE7D2EC13B2C7505225D340CB456A9E::get_offset_of_position_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
SkeletonBone_t0AD95EAD0BE7D2EC13B2C7505225D340CB456A9E::get_offset_of_rotation_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
SkeletonBone_t0AD95EAD0BE7D2EC13B2C7505225D340CB456A9E::get_offset_of_scale_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2340[5] =
{
HumanLimit_t8F488DD21062BE1259B0F4C77E4EB24FB931E8D8::get_offset_of_m_Min_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
HumanLimit_t8F488DD21062BE1259B0F4C77E4EB24FB931E8D8::get_offset_of_m_Max_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
HumanLimit_t8F488DD21062BE1259B0F4C77E4EB24FB931E8D8::get_offset_of_m_Center_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
HumanLimit_t8F488DD21062BE1259B0F4C77E4EB24FB931E8D8::get_offset_of_m_AxisLength_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
HumanLimit_t8F488DD21062BE1259B0F4C77E4EB24FB931E8D8::get_offset_of_m_UseDefaultValues_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2341[3] =
{
HumanBone_tFEE7CD9B6E62BBB95CC4A6F1AA7FC7A26541D62D::get_offset_of_m_BoneName_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
HumanBone_tFEE7CD9B6E62BBB95CC4A6F1AA7FC7A26541D62D::get_offset_of_m_HumanName_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
HumanBone_tFEE7CD9B6E62BBB95CC4A6F1AA7FC7A26541D62D::get_offset_of_limit_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2344[1] =
{
AnimationClipPlayable_t6386488B0C0300A21A352B4C17B9E6D5D38DF953::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2345[1] =
{
AnimationHumanStream_t98A25119C1A24795BA152F54CF9F0673EEDF1C3F::get_offset_of_stream_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2346[2] =
{
AnimationLayerMixerPlayable_tF647DD9BCA6E0F49367A5F13AAE0D5B093A91880::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimationLayerMixerPlayable_tF647DD9BCA6E0F49367A5F13AAE0D5B093A91880_StaticFields::get_offset_of_m_NullPlayable_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2347[2] =
{
AnimationMixerPlayable_t7C6D407FE0D55712B07081F8114CFA347F124741::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimationMixerPlayable_t7C6D407FE0D55712B07081F8114CFA347F124741_StaticFields::get_offset_of_m_NullPlayable_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2348[2] =
{
AnimationMotionXToDeltaPlayable_t6E21B629D4689F5E3CFCFACA0B31411082773076::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimationMotionXToDeltaPlayable_t6E21B629D4689F5E3CFCFACA0B31411082773076_StaticFields::get_offset_of_m_NullPlayable_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2349[2] =
{
AnimationOffsetPlayable_tBB8333A8E35A23D8FAA2D34E35FF02BD53FF9941::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimationOffsetPlayable_tBB8333A8E35A23D8FAA2D34E35FF02BD53FF9941_StaticFields::get_offset_of_m_NullPlayable_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2350[1] =
{
AnimationPlayableOutput_t14570F3E63619E52ABB0B0306D4F4AAA6225DE17::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2351[2] =
{
AnimationPosePlayable_t455DFF8AB153FC8930BD1B79342EC791033662B9::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimationPosePlayable_t455DFF8AB153FC8930BD1B79342EC791033662B9_StaticFields::get_offset_of_m_NullPlayable_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2352[2] =
{
AnimationRemoveScalePlayable_t774D428669D5CF715E9A7E80E52A619AECC80429::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimationRemoveScalePlayable_t774D428669D5CF715E9A7E80E52A619AECC80429_StaticFields::get_offset_of_m_NullPlayable_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2353[2] =
{
AnimationScriptPlayable_tC1413FB51680271522811045B1BAA555B8F01C6B::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimationScriptPlayable_tC1413FB51680271522811045B1BAA555B8F01C6B_StaticFields::get_offset_of_m_NullPlayable_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2354[7] =
{
AnimationStream_t32D9239CBAA66CE867094B820035B2121D7E2714::get_offset_of_m_AnimatorBindingsVersion_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimationStream_t32D9239CBAA66CE867094B820035B2121D7E2714::get_offset_of_constant_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimationStream_t32D9239CBAA66CE867094B820035B2121D7E2714::get_offset_of_input_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimationStream_t32D9239CBAA66CE867094B820035B2121D7E2714::get_offset_of_output_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimationStream_t32D9239CBAA66CE867094B820035B2121D7E2714::get_offset_of_workspace_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimationStream_t32D9239CBAA66CE867094B820035B2121D7E2714::get_offset_of_inputStreamAccessor_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimationStream_t32D9239CBAA66CE867094B820035B2121D7E2714::get_offset_of_animationHandleBinder_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2355[2] =
{
AnimatorControllerPlayable_tEABD56FA5A36BD337DA6E049FCB4F1D521DA17A4::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
AnimatorControllerPlayable_tEABD56FA5A36BD337DA6E049FCB4F1D521DA17A4_StaticFields::get_offset_of_m_NullPlayable_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2359[6] =
{
UserState_t9DD84F7007E65F0FF4D7FF0414BACE5E24D0EA08::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2364[3] =
{
UserScope_t7EB5D79B9892B749665A462B4832F78C3F57A4C7::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2365[4] =
{
TimeScope_t0FDB33C00FF0784F8194FEF48B2BD78C0F9A7759::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2366[2] =
{
Range_t70C133E51417BC822E878050C90A577A69B671DC::get_offset_of_from_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Range_t70C133E51417BC822E878050C90A577A69B671DC::get_offset_of_count_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2368[3] =
{
LocalUser_t1719BEA57FDD71F6C7B280049E94071CD22D985D::get_offset_of_m_Friends_7(),
LocalUser_t1719BEA57FDD71F6C7B280049E94071CD22D985D::get_offset_of_m_Authenticated_8(),
LocalUser_t1719BEA57FDD71F6C7B280049E94071CD22D985D::get_offset_of_m_Underage_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2369[7] =
{
UserProfile_tDA4AC2655C2C32774702DDA257938A108AB4C537::get_offset_of_m_UserName_0(),
UserProfile_tDA4AC2655C2C32774702DDA257938A108AB4C537::get_offset_of_m_ID_1(),
UserProfile_tDA4AC2655C2C32774702DDA257938A108AB4C537::get_offset_of_m_legacyID_2(),
UserProfile_tDA4AC2655C2C32774702DDA257938A108AB4C537::get_offset_of_m_IsFriend_3(),
UserProfile_tDA4AC2655C2C32774702DDA257938A108AB4C537::get_offset_of_m_State_4(),
UserProfile_tDA4AC2655C2C32774702DDA257938A108AB4C537::get_offset_of_m_Image_5(),
UserProfile_tDA4AC2655C2C32774702DDA257938A108AB4C537::get_offset_of_m_gameID_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2370[5] =
{
Achievement_t43EB1469B011ADDEF59B6CB30044B878770D3565::get_offset_of_m_Completed_0(),
Achievement_t43EB1469B011ADDEF59B6CB30044B878770D3565::get_offset_of_m_Hidden_1(),
Achievement_t43EB1469B011ADDEF59B6CB30044B878770D3565::get_offset_of_m_LastReportedDate_2(),
Achievement_t43EB1469B011ADDEF59B6CB30044B878770D3565::get_offset_of_U3CidU3Ek__BackingField_3(),
Achievement_t43EB1469B011ADDEF59B6CB30044B878770D3565::get_offset_of_U3CpercentCompletedU3Ek__BackingField_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2371[7] =
{
AchievementDescription_t6C56CB1D0F1F374C45EC0F65D5F1192C170B6506::get_offset_of_m_Title_0(),
AchievementDescription_t6C56CB1D0F1F374C45EC0F65D5F1192C170B6506::get_offset_of_m_Image_1(),
AchievementDescription_t6C56CB1D0F1F374C45EC0F65D5F1192C170B6506::get_offset_of_m_AchievedDescription_2(),
AchievementDescription_t6C56CB1D0F1F374C45EC0F65D5F1192C170B6506::get_offset_of_m_UnachievedDescription_3(),
AchievementDescription_t6C56CB1D0F1F374C45EC0F65D5F1192C170B6506::get_offset_of_m_Hidden_4(),
AchievementDescription_t6C56CB1D0F1F374C45EC0F65D5F1192C170B6506::get_offset_of_m_Points_5(),
AchievementDescription_t6C56CB1D0F1F374C45EC0F65D5F1192C170B6506::get_offset_of_U3CidU3Ek__BackingField_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2372[6] =
{
Score_tD70993CC66CCC9CDE0DAB2917533D8094F1E4119::get_offset_of_m_Date_0(),
Score_tD70993CC66CCC9CDE0DAB2917533D8094F1E4119::get_offset_of_m_FormattedValue_1(),
Score_tD70993CC66CCC9CDE0DAB2917533D8094F1E4119::get_offset_of_m_UserID_2(),
Score_tD70993CC66CCC9CDE0DAB2917533D8094F1E4119::get_offset_of_m_Rank_3(),
Score_tD70993CC66CCC9CDE0DAB2917533D8094F1E4119::get_offset_of_U3CleaderboardIDU3Ek__BackingField_4(),
Score_tD70993CC66CCC9CDE0DAB2917533D8094F1E4119::get_offset_of_U3CvalueU3Ek__BackingField_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2373[10] =
{
Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D::get_offset_of_m_Loading_0(),
Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D::get_offset_of_m_LocalUserScore_1(),
Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D::get_offset_of_m_MaxRange_2(),
Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D::get_offset_of_m_Scores_3(),
Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D::get_offset_of_m_Title_4(),
Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D::get_offset_of_m_UserIDs_5(),
Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D::get_offset_of_U3CidU3Ek__BackingField_6(),
Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D::get_offset_of_U3CuserScopeU3Ek__BackingField_7(),
Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D::get_offset_of_U3CrangeU3Ek__BackingField_8(),
Leaderboard_tD587FC5E62BF8F6CC6AC0DF1ABB55D57A60CBE2D::get_offset_of_U3CtimeScopeU3Ek__BackingField_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2374[5] =
{
GcUserProfileData_t18036AD9C18F55CBB882ABACD4DE2771EFFDF03D::get_offset_of_userName_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
GcUserProfileData_t18036AD9C18F55CBB882ABACD4DE2771EFFDF03D::get_offset_of_teamID_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
GcUserProfileData_t18036AD9C18F55CBB882ABACD4DE2771EFFDF03D::get_offset_of_gameID_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
GcUserProfileData_t18036AD9C18F55CBB882ABACD4DE2771EFFDF03D::get_offset_of_isFriend_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
GcUserProfileData_t18036AD9C18F55CBB882ABACD4DE2771EFFDF03D::get_offset_of_image_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2375[7] =
{
GcAchievementDescriptionData_tA9C8FD052A0FAD05F5C290DEC026DDF07E81AF9D::get_offset_of_m_Identifier_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
GcAchievementDescriptionData_tA9C8FD052A0FAD05F5C290DEC026DDF07E81AF9D::get_offset_of_m_Title_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
GcAchievementDescriptionData_tA9C8FD052A0FAD05F5C290DEC026DDF07E81AF9D::get_offset_of_m_Image_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
GcAchievementDescriptionData_tA9C8FD052A0FAD05F5C290DEC026DDF07E81AF9D::get_offset_of_m_AchievedDescription_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
GcAchievementDescriptionData_tA9C8FD052A0FAD05F5C290DEC026DDF07E81AF9D::get_offset_of_m_UnachievedDescription_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
GcAchievementDescriptionData_tA9C8FD052A0FAD05F5C290DEC026DDF07E81AF9D::get_offset_of_m_Hidden_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
GcAchievementDescriptionData_tA9C8FD052A0FAD05F5C290DEC026DDF07E81AF9D::get_offset_of_m_Points_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2376[5] =
{
GcAchievementData_t5391FC501EEDA04D3C45DB4213CAE82CA9ED9C24::get_offset_of_m_Identifier_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
GcAchievementData_t5391FC501EEDA04D3C45DB4213CAE82CA9ED9C24::get_offset_of_m_PercentCompleted_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
GcAchievementData_t5391FC501EEDA04D3C45DB4213CAE82CA9ED9C24::get_offset_of_m_Completed_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
GcAchievementData_t5391FC501EEDA04D3C45DB4213CAE82CA9ED9C24::get_offset_of_m_Hidden_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
GcAchievementData_t5391FC501EEDA04D3C45DB4213CAE82CA9ED9C24::get_offset_of_m_LastReportedDate_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2377[7] =
{
GcScoreData_tAECE4DD4FB50D9F0B5504A41C1D95B028A5B28EC::get_offset_of_m_Category_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
GcScoreData_tAECE4DD4FB50D9F0B5504A41C1D95B028A5B28EC::get_offset_of_m_ValueLow_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
GcScoreData_tAECE4DD4FB50D9F0B5504A41C1D95B028A5B28EC::get_offset_of_m_ValueHigh_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
GcScoreData_tAECE4DD4FB50D9F0B5504A41C1D95B028A5B28EC::get_offset_of_m_Date_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
GcScoreData_tAECE4DD4FB50D9F0B5504A41C1D95B028A5B28EC::get_offset_of_m_FormattedValue_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
GcScoreData_tAECE4DD4FB50D9F0B5504A41C1D95B028A5B28EC::get_offset_of_m_PlayerID_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
GcScoreData_tAECE4DD4FB50D9F0B5504A41C1D95B028A5B28EC::get_offset_of_m_Rank_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2378[1] =
{
U3CU3Ec__DisplayClass21_0_t640615F596448CA7D86AAC8EE3A104A2CE70A95A::get_offset_of_callback_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2379[7] =
{
GameCenterPlatform_t358F709563A6FC9DFBF500151EDAEC05EBBA6F72_StaticFields::get_offset_of_s_AuthenticateCallback_0(),
GameCenterPlatform_t358F709563A6FC9DFBF500151EDAEC05EBBA6F72_StaticFields::get_offset_of_s_adCache_1(),
GameCenterPlatform_t358F709563A6FC9DFBF500151EDAEC05EBBA6F72_StaticFields::get_offset_of_s_friends_2(),
GameCenterPlatform_t358F709563A6FC9DFBF500151EDAEC05EBBA6F72_StaticFields::get_offset_of_s_users_3(),
GameCenterPlatform_t358F709563A6FC9DFBF500151EDAEC05EBBA6F72_StaticFields::get_offset_of_s_ResetAchievements_4(),
GameCenterPlatform_t358F709563A6FC9DFBF500151EDAEC05EBBA6F72_StaticFields::get_offset_of_m_LocalUser_5(),
GameCenterPlatform_t358F709563A6FC9DFBF500151EDAEC05EBBA6F72_StaticFields::get_offset_of_m_GcBoards_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2380[2] =
{
GcLeaderboard_t65BC1BB657B2E25E7BB1FBBB70ACDE29A3A64B72::get_offset_of_m_InternalLeaderboard_0(),
GcLeaderboard_t65BC1BB657B2E25E7BB1FBBB70ACDE29A3A64B72::get_offset_of_m_GenericLeaderboard_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2382[3] =
{
Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E::get_offset_of_m_Ptr_0(),
Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E_StaticFields::get_offset_of_s_Current_1(),
Event_tED49F8EC5A2514F6E877E301B1AB7ABE4647253E_StaticFields::get_offset_of_s_MasterEvent_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2383[39] =
{
EventType_t7441C817FAEEF7090BC0D9084E6DB3E7F635815F::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2384[9] =
{
EventModifiers_t74E579DA08774C9BED20643F03DA610285143BFA::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2386[12] =
{
GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields::get_offset_of_s_HotTextField_0(),
GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields::get_offset_of_s_BoxHash_1(),
GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields::get_offset_of_s_ButonHash_2(),
GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields::get_offset_of_s_RepeatButtonHash_3(),
GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields::get_offset_of_s_ToggleHash_4(),
GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields::get_offset_of_s_ButtonGridHash_5(),
GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields::get_offset_of_s_SliderHash_6(),
GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields::get_offset_of_s_BeginGroupHash_7(),
GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields::get_offset_of_s_ScrollviewHash_8(),
GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields::get_offset_of_U3CnextScrollStepTimeU3Ek__BackingField_9(),
GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields::get_offset_of_s_Skin_10(),
GUI_tBCBBE29117D8093644C6E72B1CE3FB65C2CDCCC1_StaticFields::get_offset_of_U3CscrollViewStatesU3Ek__BackingField_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2387[7] =
{
GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E::get_offset_of_m_Text_0(),
GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E::get_offset_of_m_Image_1(),
GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E::get_offset_of_m_Tooltip_2(),
GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E_StaticFields::get_offset_of_s_Text_3(),
GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E_StaticFields::get_offset_of_s_Image_4(),
GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E_StaticFields::get_offset_of_s_TextImage_5(),
GUIContent_t39256993BF4A33F76E073488D6A2F13D678DF60E_StaticFields::get_offset_of_none_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2389[15] =
{
Type_t79FB5C82B695061CED8D628CBB6A1E8709705288::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2390[2] =
{
GUILayoutOption_t2D992ABCB62BEB24A6F4A826A5CBE7AE236071AB::get_offset_of_type_0(),
GUILayoutOption_t2D992ABCB62BEB24A6F4A826A5CBE7AE236071AB::get_offset_of_value_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2391[4] =
{
LayoutCache_t4C0528EE626F95B53EFE2AB59B8D56CB70BBDFE8::get_offset_of_U3CidU3Ek__BackingField_0(),
LayoutCache_t4C0528EE626F95B53EFE2AB59B8D56CB70BBDFE8::get_offset_of_topLevel_1(),
LayoutCache_t4C0528EE626F95B53EFE2AB59B8D56CB70BBDFE8::get_offset_of_layoutGroups_2(),
LayoutCache_t4C0528EE626F95B53EFE2AB59B8D56CB70BBDFE8::get_offset_of_windows_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2392[4] =
{
GUILayoutUtility_tC8DDF719E399EA119E2889EFB47816B34CA58F5A_StaticFields::get_offset_of_s_StoredLayouts_0(),
GUILayoutUtility_tC8DDF719E399EA119E2889EFB47816B34CA58F5A_StaticFields::get_offset_of_s_StoredWindows_1(),
GUILayoutUtility_tC8DDF719E399EA119E2889EFB47816B34CA58F5A_StaticFields::get_offset_of_current_2(),
GUILayoutUtility_tC8DDF719E399EA119E2889EFB47816B34CA58F5A_StaticFields::get_offset_of_kDummyRect_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2393[5] =
{
GUISettings_tB85473DFD6EF025A06EAD867197A4478A41008D0::get_offset_of_m_DoubleClickSelectsWord_0(),
GUISettings_tB85473DFD6EF025A06EAD867197A4478A41008D0::get_offset_of_m_TripleClickSelectsLine_1(),
GUISettings_tB85473DFD6EF025A06EAD867197A4478A41008D0::get_offset_of_m_CursorColor_2(),
GUISettings_tB85473DFD6EF025A06EAD867197A4478A41008D0::get_offset_of_m_CursorFlashSpeed_3(),
GUISettings_tB85473DFD6EF025A06EAD867197A4478A41008D0::get_offset_of_m_SelectionColor_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2395[30] =
{
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_Font_4(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_box_5(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_button_6(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_toggle_7(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_label_8(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_textField_9(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_textArea_10(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_window_11(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_horizontalSlider_12(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_horizontalSliderThumb_13(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_horizontalSliderThumbExtent_14(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_verticalSlider_15(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_verticalSliderThumb_16(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_verticalSliderThumbExtent_17(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_SliderMixed_18(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_horizontalScrollbar_19(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_horizontalScrollbarThumb_20(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_horizontalScrollbarLeftButton_21(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_horizontalScrollbarRightButton_22(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_verticalScrollbar_23(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_verticalScrollbarThumb_24(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_verticalScrollbarUpButton_25(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_verticalScrollbarDownButton_26(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_ScrollView_27(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_CustomStyles_28(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_Settings_29(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6_StaticFields::get_offset_of_ms_Error_30(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6::get_offset_of_m_Styles_31(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6_StaticFields::get_offset_of_m_SkinChanged_32(),
GUISkin_tE353D65D4618423B574BAD31F5C5AC1B967E32C6_StaticFields::get_offset_of_current_33(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2396[2] =
{
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9::get_offset_of_m_Ptr_0(),
GUIStyleState_tC89202668617B1D7884980314F293AD382B9AAD9::get_offset_of_m_SourceStyle_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2397[16] =
{
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726::get_offset_of_m_Ptr_0(),
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726::get_offset_of_m_Normal_1(),
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726::get_offset_of_m_Hover_2(),
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726::get_offset_of_m_Active_3(),
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726::get_offset_of_m_Focused_4(),
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726::get_offset_of_m_OnNormal_5(),
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726::get_offset_of_m_OnHover_6(),
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726::get_offset_of_m_OnActive_7(),
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726::get_offset_of_m_OnFocused_8(),
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726::get_offset_of_m_Border_9(),
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726::get_offset_of_m_Padding_10(),
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726::get_offset_of_m_Margin_11(),
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726::get_offset_of_m_Overflow_12(),
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726::get_offset_of_m_Name_13(),
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726_StaticFields::get_offset_of_showKeyboardFocus_14(),
GUIStyle_t29C59470ACD0A35C81EB0615653FD38C455A4726_StaticFields::get_offset_of_s_None_15(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2398[1] =
{
GUITargetAttribute_tFC89E3290401D51DDE92D1FA3F39134D87B9E73C::get_offset_of_displayMask_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2399[8] =
{
GUIUtility_t0730B6D76CF479611ACF80504321B06286D12DE5_StaticFields::get_offset_of_s_SkinMode_0(),
GUIUtility_t0730B6D76CF479611ACF80504321B06286D12DE5_StaticFields::get_offset_of_s_OriginalID_1(),
GUIUtility_t0730B6D76CF479611ACF80504321B06286D12DE5_StaticFields::get_offset_of_takeCapture_2(),
GUIUtility_t0730B6D76CF479611ACF80504321B06286D12DE5_StaticFields::get_offset_of_releaseCapture_3(),
GUIUtility_t0730B6D76CF479611ACF80504321B06286D12DE5_StaticFields::get_offset_of_processEvent_4(),
GUIUtility_t0730B6D76CF479611ACF80504321B06286D12DE5_StaticFields::get_offset_of_endContainerGUIFromException_5(),
GUIUtility_t0730B6D76CF479611ACF80504321B06286D12DE5_StaticFields::get_offset_of_guiChanged_6(),
GUIUtility_t0730B6D76CF479611ACF80504321B06286D12DE5_StaticFields::get_offset_of_U3CguiIsExitingU3Ek__BackingField_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2401[11] =
{
GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE::get_offset_of_minWidth_0(),
GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE::get_offset_of_maxWidth_1(),
GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE::get_offset_of_minHeight_2(),
GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE::get_offset_of_maxHeight_3(),
GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE::get_offset_of_rect_4(),
GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE::get_offset_of_stretchWidth_5(),
GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE::get_offset_of_stretchHeight_6(),
GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE::get_offset_of_consideredForMargin_7(),
GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE::get_offset_of_m_Style_8(),
GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE_StaticFields::get_offset_of_kDummyRect_9(),
GUILayoutEntry_t2999ED021CB0F188187989AC009621F0AE73A5DE_StaticFields::get_offset_of_indent_10(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2402[21] =
{
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9::get_offset_of_entries_11(),
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9::get_offset_of_isVertical_12(),
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9::get_offset_of_resetCoords_13(),
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9::get_offset_of_spacing_14(),
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9::get_offset_of_sameSize_15(),
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9::get_offset_of_isWindow_16(),
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9::get_offset_of_windowID_17(),
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9::get_offset_of_m_Cursor_18(),
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9::get_offset_of_m_StretchableCountX_19(),
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9::get_offset_of_m_StretchableCountY_20(),
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9::get_offset_of_m_UserSpecifiedWidth_21(),
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9::get_offset_of_m_UserSpecifiedHeight_22(),
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9::get_offset_of_m_ChildMinWidth_23(),
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9::get_offset_of_m_ChildMaxWidth_24(),
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9::get_offset_of_m_ChildMinHeight_25(),
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9::get_offset_of_m_ChildMaxHeight_26(),
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9::get_offset_of_m_MarginLeft_27(),
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9::get_offset_of_m_MarginRight_28(),
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9::get_offset_of_m_MarginTop_29(),
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9::get_offset_of_m_MarginBottom_30(),
GUILayoutGroup_tEA8ADE069ADCDFAAE55323834EDC04B0888F10B9_StaticFields::get_offset_of_none_31(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2403[12] =
{
GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62::get_offset_of_calcMinWidth_32(),
GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62::get_offset_of_calcMaxWidth_33(),
GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62::get_offset_of_calcMinHeight_34(),
GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62::get_offset_of_calcMaxHeight_35(),
GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62::get_offset_of_clientWidth_36(),
GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62::get_offset_of_clientHeight_37(),
GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62::get_offset_of_allowHorizontalScroll_38(),
GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62::get_offset_of_allowVerticalScroll_39(),
GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62::get_offset_of_needsHorizontalScrollbar_40(),
GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62::get_offset_of_needsVerticalScrollbar_41(),
GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62::get_offset_of_horizontalScrollbar_42(),
GUIScrollGroup_t97EEDCA0F5C488377EA0C6E9AA98A6C886532E62::get_offset_of_verticalScrollbar_43(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2406[3] =
{
DblClickSnapping_t831A23F3ECEF6C68B62B6C3AEAF870F70596FABD::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2407[16] =
{
TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B::get_offset_of_keyboardOnScreen_0(),
TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B::get_offset_of_controlID_1(),
TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B::get_offset_of_style_2(),
TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B::get_offset_of_multiline_3(),
TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B::get_offset_of_hasHorizontalCursorPos_4(),
TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B::get_offset_of_isPasswordField_5(),
TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B::get_offset_of_scrollOffset_6(),
TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B::get_offset_of_m_Content_7(),
TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B::get_offset_of_m_CursorIndex_8(),
TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B::get_offset_of_m_SelectIndex_9(),
TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B::get_offset_of_m_RevealCursor_10(),
TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B::get_offset_of_m_MouseDragSelectsWholeWords_11(),
TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B::get_offset_of_m_DblClickInitPos_12(),
TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B::get_offset_of_m_DblClickSnap_13(),
TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B::get_offset_of_m_bJustSelected_14(),
TextEditor_t0CE9EE816C020A910BA5D6DE544EF7F4FC3DBF4B::get_offset_of_m_iAltCursorPos_15(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2410[4] =
{
NativeInputEventBuffer_t023B708C62AA03D87D92E48DC9C472FDAC4375B4::get_offset_of_eventBuffer_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
NativeInputEventBuffer_t023B708C62AA03D87D92E48DC9C472FDAC4375B4::get_offset_of_eventCount_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
NativeInputEventBuffer_t023B708C62AA03D87D92E48DC9C472FDAC4375B4::get_offset_of_sizeInBytes_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
NativeInputEventBuffer_t023B708C62AA03D87D92E48DC9C472FDAC4375B4::get_offset_of_capacityInBytes_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2411[6] =
{
NativeInputUpdateType_t4225BE835D53F0F56168B34BEF726468058A5C94::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2412[4] =
{
NativeInputSystem_t572C01B054179054C92FCEFDB084BB5E8451BEA8_StaticFields::get_offset_of_onUpdate_0(),
NativeInputSystem_t572C01B054179054C92FCEFDB084BB5E8451BEA8_StaticFields::get_offset_of_onBeforeUpdate_1(),
NativeInputSystem_t572C01B054179054C92FCEFDB084BB5E8451BEA8_StaticFields::get_offset_of_onShouldRunUpdate_2(),
NativeInputSystem_t572C01B054179054C92FCEFDB084BB5E8451BEA8_StaticFields::get_offset_of_s_OnDeviceDiscoveredCallback_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2414[1] =
{
MainModule_t671F49558CB1A3CFAAD637A7927C076EC2E61F0B::get_offset_of_m_ParticleSystem_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2415[17] =
{
Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1::get_offset_of_m_Position_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1::get_offset_of_m_Velocity_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1::get_offset_of_m_AnimatedVelocity_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1::get_offset_of_m_InitialVelocity_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1::get_offset_of_m_AxisOfRotation_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1::get_offset_of_m_Rotation_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1::get_offset_of_m_AngularVelocity_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1::get_offset_of_m_StartSize_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1::get_offset_of_m_StartColor_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1::get_offset_of_m_RandomSeed_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1::get_offset_of_m_ParentRandomSeed_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1::get_offset_of_m_Lifetime_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1::get_offset_of_m_StartLifetime_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1::get_offset_of_m_MeshIndex_13() + static_cast<int32_t>(sizeof(RuntimeObject)),
Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1::get_offset_of_m_EmitAccumulator0_14() + static_cast<int32_t>(sizeof(RuntimeObject)),
Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1::get_offset_of_m_EmitAccumulator1_15() + static_cast<int32_t>(sizeof(RuntimeObject)),
Particle_tDAEF22C4F9FB70E048551ECB203B6A81185832E1::get_offset_of_m_Flags_16() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2416[6] =
{
MinMaxCurve_tF036239442AB2D438B1EDABEBC785426871084CD::get_offset_of_m_Mode_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
MinMaxCurve_tF036239442AB2D438B1EDABEBC785426871084CD::get_offset_of_m_CurveMultiplier_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
MinMaxCurve_tF036239442AB2D438B1EDABEBC785426871084CD::get_offset_of_m_CurveMin_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
MinMaxCurve_tF036239442AB2D438B1EDABEBC785426871084CD::get_offset_of_m_CurveMax_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
MinMaxCurve_tF036239442AB2D438B1EDABEBC785426871084CD::get_offset_of_m_ConstantMin_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
MinMaxCurve_tF036239442AB2D438B1EDABEBC785426871084CD::get_offset_of_m_ConstantMax_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2417[5] =
{
MinMaxGradient_tF4530B26F29D9635D670A33B9EE581EAC48C12B7::get_offset_of_m_Mode_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
MinMaxGradient_tF4530B26F29D9635D670A33B9EE581EAC48C12B7::get_offset_of_m_GradientMin_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
MinMaxGradient_tF4530B26F29D9635D670A33B9EE581EAC48C12B7::get_offset_of_m_GradientMax_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
MinMaxGradient_tF4530B26F29D9635D670A33B9EE581EAC48C12B7::get_offset_of_m_ColorMin_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
MinMaxGradient_tF4530B26F29D9635D670A33B9EE581EAC48C12B7::get_offset_of_m_ColorMax_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2418[12] =
{
EmitParams_t4F6429654653488A5D430701CD0743D011807CCC::get_offset_of_m_Particle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
EmitParams_t4F6429654653488A5D430701CD0743D011807CCC::get_offset_of_m_PositionSet_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
EmitParams_t4F6429654653488A5D430701CD0743D011807CCC::get_offset_of_m_VelocitySet_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
EmitParams_t4F6429654653488A5D430701CD0743D011807CCC::get_offset_of_m_AxisOfRotationSet_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
EmitParams_t4F6429654653488A5D430701CD0743D011807CCC::get_offset_of_m_RotationSet_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
EmitParams_t4F6429654653488A5D430701CD0743D011807CCC::get_offset_of_m_AngularVelocitySet_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
EmitParams_t4F6429654653488A5D430701CD0743D011807CCC::get_offset_of_m_StartSizeSet_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
EmitParams_t4F6429654653488A5D430701CD0743D011807CCC::get_offset_of_m_StartColorSet_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
EmitParams_t4F6429654653488A5D430701CD0743D011807CCC::get_offset_of_m_RandomSeedSet_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
EmitParams_t4F6429654653488A5D430701CD0743D011807CCC::get_offset_of_m_StartLifetimeSet_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
EmitParams_t4F6429654653488A5D430701CD0743D011807CCC::get_offset_of_m_MeshIndexSet_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
EmitParams_t4F6429654653488A5D430701CD0743D011807CCC::get_offset_of_m_ApplyShapeToPosition_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2420[5] =
{
ParticleSystemCurveMode_t1B9D50590BC22BDD142A21664B8E2F9475409342::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2421[6] =
{
ParticleSystemGradientMode_tCF15644F35B8D166D1A9C073E758D24794895497::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2426[20] =
{
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979::get_offset_of_m_FaceIndex_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979::get_offset_of_m_FamilyName_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979::get_offset_of_m_StyleName_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979::get_offset_of_m_PointSize_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979::get_offset_of_m_Scale_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979::get_offset_of_m_LineHeight_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979::get_offset_of_m_AscentLine_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979::get_offset_of_m_CapLine_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979::get_offset_of_m_MeanLine_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979::get_offset_of_m_Baseline_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979::get_offset_of_m_DescentLine_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979::get_offset_of_m_SuperscriptOffset_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979::get_offset_of_m_SuperscriptSize_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979::get_offset_of_m_SubscriptOffset_13() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979::get_offset_of_m_SubscriptSize_14() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979::get_offset_of_m_UnderlineOffset_15() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979::get_offset_of_m_UnderlineThickness_16() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979::get_offset_of_m_StrikethroughOffset_17() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979::get_offset_of_m_StrikethroughThickness_18() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceInfo_t3A29F58B4C0435D2D76E3474E2B9D03F8A20C979::get_offset_of_m_TabWidth_19() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2427[5] =
{
GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D::get_offset_of_m_X_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D::get_offset_of_m_Y_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D::get_offset_of_m_Width_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D::get_offset_of_m_Height_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphRect_t4F6A791326A28C2CEC6B13B0BD50A4F78280289D_StaticFields::get_offset_of_s_ZeroGlyphRect_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2428[5] =
{
GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B::get_offset_of_m_Width_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B::get_offset_of_m_Height_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B::get_offset_of_m_HorizontalBearingX_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B::get_offset_of_m_HorizontalBearingY_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphMetrics_t46B609AF0FC41272561342E8B5AEF35E4E1B537B::get_offset_of_m_HorizontalAdvance_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2429[5] =
{
Glyph_tC58ED6BC718B82A55B7E1A3690A289FFA8EBEFD1::get_offset_of_m_Index_0(),
Glyph_tC58ED6BC718B82A55B7E1A3690A289FFA8EBEFD1::get_offset_of_m_Metrics_1(),
Glyph_tC58ED6BC718B82A55B7E1A3690A289FFA8EBEFD1::get_offset_of_m_GlyphRect_2(),
Glyph_tC58ED6BC718B82A55B7E1A3690A289FFA8EBEFD1::get_offset_of_m_Scale_3(),
Glyph_tC58ED6BC718B82A55B7E1A3690A289FFA8EBEFD1::get_offset_of_m_AtlasIndex_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2430[4] =
{
FontFeatureLookupFlags_t37E41419FC68819F0CA4BD748675CE571DEA2781::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2431[4] =
{
GlyphValueRecord_tC3EE2C6CB47827CE4BD352D84B3E9E540567DAB3::get_offset_of_m_XPlacement_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphValueRecord_tC3EE2C6CB47827CE4BD352D84B3E9E540567DAB3::get_offset_of_m_YPlacement_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphValueRecord_tC3EE2C6CB47827CE4BD352D84B3E9E540567DAB3::get_offset_of_m_XAdvance_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphValueRecord_tC3EE2C6CB47827CE4BD352D84B3E9E540567DAB3::get_offset_of_m_YAdvance_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2432[2] =
{
GlyphAdjustmentRecord_tF7DD4F1F660B62990292705F25D43A7EF3ED35EA::get_offset_of_m_GlyphIndex_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphAdjustmentRecord_tF7DD4F1F660B62990292705F25D43A7EF3ED35EA::get_offset_of_m_GlyphValueRecord_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2433[3] =
{
GlyphPairAdjustmentRecord_tAD8F88FFC3A19DFDC31C2E0FA901E7CEAEE8A169::get_offset_of_m_FirstAdjustmentRecord_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphPairAdjustmentRecord_tAD8F88FFC3A19DFDC31C2E0FA901E7CEAEE8A169::get_offset_of_m_SecondAdjustmentRecord_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphPairAdjustmentRecord_tAD8F88FFC3A19DFDC31C2E0FA901E7CEAEE8A169::get_offset_of_m_FeatureLookupFlags_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2434[11] =
{
GlyphLoadFlags_t4F6D16E7D35F02D6D5F6A61CC1FE6F2D37BA52E1::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2435[15] =
{
FontEngineError_t2202C4EC984B214495C9B7742BF13626DA63AE43::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2436[11] =
{
GlyphRenderMode_t43D8B1ECDEC4836D7689CB73D0D6C1EF346F973C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2437[6] =
{
GlyphPackingMode_tA3FDD5F4AE57836F61A43B17443DCE931CE6B292::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2438[8] =
{
FontEngine_tB40C839EB1E69BEEA23F0D26EA1BCB883CC62AF5_StaticFields::get_offset_of_s_Glyphs_0(),
FontEngine_tB40C839EB1E69BEEA23F0D26EA1BCB883CC62AF5_StaticFields::get_offset_of_s_GlyphIndexes_MarshallingArray_A_1(),
FontEngine_tB40C839EB1E69BEEA23F0D26EA1BCB883CC62AF5_StaticFields::get_offset_of_s_GlyphMarshallingStruct_IN_2(),
FontEngine_tB40C839EB1E69BEEA23F0D26EA1BCB883CC62AF5_StaticFields::get_offset_of_s_GlyphMarshallingStruct_OUT_3(),
FontEngine_tB40C839EB1E69BEEA23F0D26EA1BCB883CC62AF5_StaticFields::get_offset_of_s_FreeGlyphRects_4(),
FontEngine_tB40C839EB1E69BEEA23F0D26EA1BCB883CC62AF5_StaticFields::get_offset_of_s_UsedGlyphRects_5(),
FontEngine_tB40C839EB1E69BEEA23F0D26EA1BCB883CC62AF5_StaticFields::get_offset_of_s_PairAdjustmentRecords_MarshallingArray_6(),
FontEngine_tB40C839EB1E69BEEA23F0D26EA1BCB883CC62AF5_StaticFields::get_offset_of_s_GlyphLookupDictionary_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2440[5] =
{
GlyphMarshallingStruct_t6944FAFBC02A2747B49417BF23EBA14EB5FE7A19::get_offset_of_index_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphMarshallingStruct_t6944FAFBC02A2747B49417BF23EBA14EB5FE7A19::get_offset_of_metrics_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphMarshallingStruct_t6944FAFBC02A2747B49417BF23EBA14EB5FE7A19::get_offset_of_glyphRect_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphMarshallingStruct_t6944FAFBC02A2747B49417BF23EBA14EB5FE7A19::get_offset_of_scale_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphMarshallingStruct_t6944FAFBC02A2747B49417BF23EBA14EB5FE7A19::get_offset_of_atlasIndex_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2447[1] =
{
CanvasRenderer_tCF8ABE659F7C3A6ED0D99A988D0BDFB651310F0E::get_offset_of_U3CisMaskU3Ek__BackingField_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2448[1] =
{
RectTransformUtility_t829C94C0D38759683C2BED9FCE244D5EA9842396_StaticFields::get_offset_of_s_Corners_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2449[4] =
{
RenderMode_tFF8E9ABC771ACEBD5ACC2D9DFB02264E0EA6CDBF::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2450[7] =
{
AdditionalCanvasShaderChannels_t72A9ACBEE2E5AB5834D5F978421028757954396C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2452[2] =
{
Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA_StaticFields::get_offset_of_preWillRenderCanvases_4(),
Canvas_t2B7E56B7BDC287962E092755372E214ACB6393EA_StaticFields::get_offset_of_willRenderCanvases_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2453[3] =
{
SampleType_t7700FC306F2734DE18BEF3F782C4BE834FA3F304::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2456[1] =
{
VideoClipPlayable_tC49201F6C8E1AB1CC8F4E31EFC12C7E1C03BC2E1::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2458[6] =
{
VideoRenderMode_tB2F8E98B2EBB3216E6322E55C246CE0587CC0A7B::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2459[4] =
{
Video3DLayout_t128A1265A65BE3B41138D19C5A827986A2F22F45::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2460[7] =
{
VideoAspectRatio_tB3C11859B0FA98E77D62BE7E1BD59084E7919B5E::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2461[3] =
{
VideoTimeSource_t881900D70589FDDD1C7471CB8C7FEA132B98038F::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2462[4] =
{
VideoTimeReference_tDF02822B01320D3B0ADBE75452C8FA6B5FE96F1E::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2463[3] =
{
VideoSource_t66E8298534E5BB7DFD28A7D8ADE397E328CD8896::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2464[5] =
{
VideoAudioOutputMode_tDD6B846B9A65F1C53DA4D4D8117CDB223BE3DE56::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2469[8] =
{
VideoPlayer_t47DCC396CBA28512CF97C6CC4F55878E8D62FE86::get_offset_of_prepareCompleted_4(),
VideoPlayer_t47DCC396CBA28512CF97C6CC4F55878E8D62FE86::get_offset_of_loopPointReached_5(),
VideoPlayer_t47DCC396CBA28512CF97C6CC4F55878E8D62FE86::get_offset_of_started_6(),
VideoPlayer_t47DCC396CBA28512CF97C6CC4F55878E8D62FE86::get_offset_of_frameDropped_7(),
VideoPlayer_t47DCC396CBA28512CF97C6CC4F55878E8D62FE86::get_offset_of_errorReceived_8(),
VideoPlayer_t47DCC396CBA28512CF97C6CC4F55878E8D62FE86::get_offset_of_seekCompleted_9(),
VideoPlayer_t47DCC396CBA28512CF97C6CC4F55878E8D62FE86::get_offset_of_clockResyncOccurred_10(),
VideoPlayer_t47DCC396CBA28512CF97C6CC4F55878E8D62FE86::get_offset_of_frameReady_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2473[5] =
{
TrackingStateEventType_t301E0DD44D089E06B0BBA994F682CE9F23505BA5::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2474[4] =
{
InputTracking_t2CCE92D4A5FE0AEBC14996566D93ED4B08F4CB6D_StaticFields::get_offset_of_trackingAcquired_0(),
InputTracking_t2CCE92D4A5FE0AEBC14996566D93ED4B08F4CB6D_StaticFields::get_offset_of_trackingLost_1(),
InputTracking_t2CCE92D4A5FE0AEBC14996566D93ED4B08F4CB6D_StaticFields::get_offset_of_nodeAdded_2(),
InputTracking_t2CCE92D4A5FE0AEBC14996566D93ED4B08F4CB6D_StaticFields::get_offset_of_nodeRemoved_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2475[10] =
{
XRNode_t07B789D60F5B3A4F0E4A169143881ABCA4176DBD::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2476[8] =
{
AvailableTrackingData_tECF9F41E063E32F92AF43156E0C61190C82B47FC::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2477[10] =
{
XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33::get_offset_of_m_Type_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33::get_offset_of_m_AvailableFields_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33::get_offset_of_m_Position_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33::get_offset_of_m_Rotation_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33::get_offset_of_m_Velocity_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33::get_offset_of_m_AngularVelocity_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33::get_offset_of_m_Acceleration_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33::get_offset_of_m_AngularAcceleration_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33::get_offset_of_m_Tracked_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRNodeState_t6DC58D0C1BF2C4323D16B3905FDBEE7C03E27D33::get_offset_of_m_UniqueID_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2478[12] =
{
InputFeatureType_t3581EE01C178BF1CC9BAFE6443BEF6B0C0B2609C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2479[4] =
{
ConnectionChangeType_tDCBB141E97849FA7B1FDA5E3BE878B51A124AD8A::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2480[13] =
{
InputDeviceCharacteristics_t0C34BAC0C6F661161E2DA1677CD590273F1C9C64::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2481[9] =
{
InputTrackingState_t787D19F40F78D57D589D01C27945FD614A426DA9::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2482[2] =
{
InputFeatureUsage_tB971D811B38B1DA549F529BB15E60672940FB0EE::get_offset_of_m_Name_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
InputFeatureUsage_tB971D811B38B1DA549F529BB15E60672940FB0EE::get_offset_of_m_InternalType_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2483[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2484[59] =
{
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_isTracked_0(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_primaryButton_1(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_primaryTouch_2(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_secondaryButton_3(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_secondaryTouch_4(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_gripButton_5(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_triggerButton_6(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_menuButton_7(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_primary2DAxisClick_8(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_primary2DAxisTouch_9(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_secondary2DAxisClick_10(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_secondary2DAxisTouch_11(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_userPresence_12(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_trackingState_13(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_batteryLevel_14(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_trigger_15(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_grip_16(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_primary2DAxis_17(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_secondary2DAxis_18(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_devicePosition_19(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_leftEyePosition_20(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_rightEyePosition_21(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_centerEyePosition_22(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_colorCameraPosition_23(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_deviceVelocity_24(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_deviceAngularVelocity_25(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_leftEyeVelocity_26(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_leftEyeAngularVelocity_27(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_rightEyeVelocity_28(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_rightEyeAngularVelocity_29(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_centerEyeVelocity_30(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_centerEyeAngularVelocity_31(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_colorCameraVelocity_32(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_colorCameraAngularVelocity_33(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_deviceAcceleration_34(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_deviceAngularAcceleration_35(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_leftEyeAcceleration_36(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_leftEyeAngularAcceleration_37(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_rightEyeAcceleration_38(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_rightEyeAngularAcceleration_39(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_centerEyeAcceleration_40(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_centerEyeAngularAcceleration_41(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_colorCameraAcceleration_42(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_colorCameraAngularAcceleration_43(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_deviceRotation_44(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_leftEyeRotation_45(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_rightEyeRotation_46(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_centerEyeRotation_47(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_colorCameraRotation_48(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_handData_49(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_eyesData_50(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_dPad_51(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_indexFinger_52(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_middleFinger_53(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_ringFinger_54(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_pinkyFinger_55(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_thumbrest_56(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_indexTouch_57(),
CommonUsages_t7C87E4E093DD61D8467CC60E3CF211F4BEAB466A_StaticFields::get_offset_of_thumbTouch_58(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2485[3] =
{
InputDevice_t69B790C68145C769BA3819DE33AA94155C77207E_StaticFields::get_offset_of_s_InputSubsystemCache_0(),
InputDevice_t69B790C68145C769BA3819DE33AA94155C77207E::get_offset_of_m_DeviceId_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
InputDevice_t69B790C68145C769BA3819DE33AA94155C77207E::get_offset_of_m_Initialized_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2486[2] =
{
Hand_tB64007EC8D01384426C93432737BA9C5F636A690::get_offset_of_m_DeviceId_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Hand_tB64007EC8D01384426C93432737BA9C5F636A690::get_offset_of_m_FeatureIndex_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2487[2] =
{
Eyes_t8097B0BA9FC12824F6ABD076309CEAC1047C094D::get_offset_of_m_DeviceId_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Eyes_t8097B0BA9FC12824F6ABD076309CEAC1047C094D::get_offset_of_m_FeatureIndex_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2488[2] =
{
Bone_t8EDF2FA2139528015195AF2EA866A28947C3F070::get_offset_of_m_DeviceId_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Bone_t8EDF2FA2139528015195AF2EA866A28947C3F070::get_offset_of_m_FeatureIndex_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2489[4] =
{
InputDevices_t50F530D78AE16C2F160416FBAE9BC04024C448CC_StaticFields::get_offset_of_s_InputDeviceList_0(),
InputDevices_t50F530D78AE16C2F160416FBAE9BC04024C448CC_StaticFields::get_offset_of_deviceConnected_1(),
InputDevices_t50F530D78AE16C2F160416FBAE9BC04024C448CC_StaticFields::get_offset_of_deviceDisconnected_2(),
InputDevices_t50F530D78AE16C2F160416FBAE9BC04024C448CC_StaticFields::get_offset_of_deviceConfigChanged_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2490[6] =
{
XRRenderPass_tCB4A9F3B07C2C59889BD3EE40F44E9347A2BC9BB::get_offset_of_displaySubsystemInstance_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRRenderPass_tCB4A9F3B07C2C59889BD3EE40F44E9347A2BC9BB::get_offset_of_renderPassIndex_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRRenderPass_tCB4A9F3B07C2C59889BD3EE40F44E9347A2BC9BB::get_offset_of_renderTarget_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRRenderPass_tCB4A9F3B07C2C59889BD3EE40F44E9347A2BC9BB::get_offset_of_renderTargetDesc_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRRenderPass_tCB4A9F3B07C2C59889BD3EE40F44E9347A2BC9BB::get_offset_of_shouldFillOutDepth_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRRenderPass_tCB4A9F3B07C2C59889BD3EE40F44E9347A2BC9BB::get_offset_of_cullingPassIndex_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2491[4] =
{
XRMirrorViewBlitDesc_t3BD136F0BF088017ABB0EF1856191541211848A5::get_offset_of_displaySubsystemInstance_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRMirrorViewBlitDesc_t3BD136F0BF088017ABB0EF1856191541211848A5::get_offset_of_nativeBlitAvailable_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRMirrorViewBlitDesc_t3BD136F0BF088017ABB0EF1856191541211848A5::get_offset_of_nativeBlitInvalidStates_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRMirrorViewBlitDesc_t3BD136F0BF088017ABB0EF1856191541211848A5::get_offset_of_blitParamsCount_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2492[1] =
{
XRDisplaySubsystem_tF8B46605B6D1199C52306D4EC7D83CFA90564A93::get_offset_of_displayFocusChanged_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2494[3] =
{
XRInputSubsystem_t74B79E3971C396F02CD32F74AE73A5DFB2A0EC09::get_offset_of_trackingOriginUpdated_2(),
XRInputSubsystem_t74B79E3971C396F02CD32F74AE73A5DFB2A0EC09::get_offset_of_boundaryChanged_3(),
XRInputSubsystem_t74B79E3971C396F02CD32F74AE73A5DFB2A0EC09::get_offset_of_m_DeviceIdsCache_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2496[3] =
{
MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767_StaticFields::get_offset_of_s_InvalidId_0(),
MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767::get_offset_of_m_SubId1_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
MeshId_t583996FC9E6BA652AA2C6B0D0F60D88E4498D767::get_offset_of_m_SubId2_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2497[6] =
{
MeshGenerationStatus_t25EB712EAD94A279AD7D5A00E0CB6EDC8AB1FE79::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2499[5] =
{
MeshGenerationResult_t081845588E8932BB4BA2D6F087D2F2F0EE3373CF::get_offset_of_U3CMeshIdU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
MeshGenerationResult_t081845588E8932BB4BA2D6F087D2F2F0EE3373CF::get_offset_of_U3CMeshU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
MeshGenerationResult_t081845588E8932BB4BA2D6F087D2F2F0EE3373CF::get_offset_of_U3CMeshColliderU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
MeshGenerationResult_t081845588E8932BB4BA2D6F087D2F2F0EE3373CF::get_offset_of_U3CStatusU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
MeshGenerationResult_t081845588E8932BB4BA2D6F087D2F2F0EE3373CF::get_offset_of_U3CAttributesU3Ek__BackingField_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2500[6] =
{
MeshVertexAttributes_t7CCF6BE6BB4E908E1ECF9F9AF76968FA38A672CE::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2501[5] =
{
MeshChangeState_t577B449627A869D7B8E062F9D9C218418790E046::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2502[3] =
{
MeshInfo_tD0E09CA3A2260A509C063BF0C8FDAC8D138FC611::get_offset_of_U3CMeshIdU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
MeshInfo_tD0E09CA3A2260A509C063BF0C8FDAC8D138FC611::get_offset_of_U3CChangeStateU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
MeshInfo_tD0E09CA3A2260A509C063BF0C8FDAC8D138FC611::get_offset_of_U3CPriorityHintU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2506[3] =
{
XName_t03F670C1FC8B039AC94EB7B0BAE881E6E3545956::get_offset_of_ns_0(),
XName_t03F670C1FC8B039AC94EB7B0BAE881E6E3545956::get_offset_of_localName_1(),
XName_t03F670C1FC8B039AC94EB7B0BAE881E6E3545956::get_offset_of_hashCode_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2507[1] =
{
NameSerializer_t49A4F679B483838B05DD1E2231CF9C4FAB125A45::get_offset_of_expandedName_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2508[7] =
{
XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7_StaticFields::get_offset_of_namespaces_0(),
XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7_StaticFields::get_offset_of_refNone_1(),
XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7_StaticFields::get_offset_of_refXml_2(),
XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7_StaticFields::get_offset_of_refXmlns_3(),
XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7::get_offset_of_namespaceName_4(),
XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7::get_offset_of_hashCode_5(),
XNamespace_t3A3A936B27B611FC80018B6964914C8AF6F8A2E7::get_offset_of_names_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2510[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2511[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2512[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2513[1] =
{
XObject_tD3CAB609801011E5C4A0FC219FA717B6B382C5D6::get_offset_of_parent_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2514[1] =
{
XNode_tB88EE59443DF799686825ED2168D47C857C8CA99::get_offset_of_next_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2515[7] =
{
U3CGetElementsU3Ed__40_t3D9A23CCDAFD41655F6A212EBC2181DEB39FC3EC::get_offset_of_U3CU3E1__state_0(),
U3CGetElementsU3Ed__40_t3D9A23CCDAFD41655F6A212EBC2181DEB39FC3EC::get_offset_of_U3CU3E2__current_1(),
U3CGetElementsU3Ed__40_t3D9A23CCDAFD41655F6A212EBC2181DEB39FC3EC::get_offset_of_U3CU3El__initialThreadId_2(),
U3CGetElementsU3Ed__40_t3D9A23CCDAFD41655F6A212EBC2181DEB39FC3EC::get_offset_of_U3CU3E4__this_3(),
U3CGetElementsU3Ed__40_t3D9A23CCDAFD41655F6A212EBC2181DEB39FC3EC::get_offset_of_U3CnU3E5__1_4(),
U3CGetElementsU3Ed__40_t3D9A23CCDAFD41655F6A212EBC2181DEB39FC3EC::get_offset_of_name_5(),
U3CGetElementsU3Ed__40_t3D9A23CCDAFD41655F6A212EBC2181DEB39FC3EC::get_offset_of_U3CU3E3__name_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2516[1] =
{
XContainer_t195526C99472280E1DE55FCBAF9060CD9DE37525::get_offset_of_content_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2517[1] =
{
XElement_tB23449727DAFDA30624A9E24F99731430F9CC8A5::get_offset_of_name_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2523[2] =
{
RuntimeBuildLog_t64F1499CFB0484BD89362D5F19C91939FECA0B1B::get_offset_of_Type_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
RuntimeBuildLog_t64F1499CFB0484BD89362D5F19C91939FECA0B1B::get_offset_of_Message_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2524[1] =
{
PackedPlayModeBuildLogs_t15392C5514380884F9E55C1A49D9DAE60980D7CC::get_offset_of_m_RuntimeBuildLogs_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2525[3] =
{
InitalizationObjectsOperation_tB327C4C33B585E8D197BFAA550E075D3596B364F::get_offset_of_m_RtdOp_16(),
InitalizationObjectsOperation_tB327C4C33B585E8D197BFAA550E075D3596B364F::get_offset_of_m_Addressables_17(),
InitalizationObjectsOperation_tB327C4C33B585E8D197BFAA550E075D3596B364F::get_offset_of_m_DepOp_18(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2526[2] =
{
InvalidKeyException_t9192B49CF7BDD9B81107014CA23ECEBCB6736EC0::get_offset_of_U3CKeyU3Ek__BackingField_17(),
InvalidKeyException_t9192B49CF7BDD9B81107014CA23ECEBCB6736EC0::get_offset_of_U3CTypeU3Ek__BackingField_18(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2527[5] =
{
MergeMode_t7C375A3CAC2D053D6FF92D1B9A93373FCCE16BE2::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2528[3] =
{
Addressables_t7F51877471833E53C4F87465F14E6A5FD072ABFF_StaticFields::get_offset_of_reinitializeAddressables_0(),
Addressables_t7F51877471833E53C4F87465F14E6A5FD072ABFF_StaticFields::get_offset_of_m_AddressablesInstance_1(),
Addressables_t7F51877471833E53C4F87465F14E6A5FD072ABFF_StaticFields::get_offset_of_LibraryPath_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2529[3] =
{
ResourceLocatorInfo_t5DCB229AC92B8EC0FDF55ED49BCFD84C6E14C4DA::get_offset_of_U3CLocatorU3Ek__BackingField_0(),
ResourceLocatorInfo_t5DCB229AC92B8EC0FDF55ED49BCFD84C6E14C4DA::get_offset_of_U3CLocalHashU3Ek__BackingField_1(),
ResourceLocatorInfo_t5DCB229AC92B8EC0FDF55ED49BCFD84C6E14C4DA::get_offset_of_U3CCatalogLocationU3Ek__BackingField_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2530[4] =
{
LoadResourceLocationKeyOp_t15A519F4F32BF6AF0093DA713B8DF4C28462A527::get_offset_of_m_Keys_16(),
LoadResourceLocationKeyOp_t15A519F4F32BF6AF0093DA713B8DF4C28462A527::get_offset_of_m_locations_17(),
LoadResourceLocationKeyOp_t15A519F4F32BF6AF0093DA713B8DF4C28462A527::get_offset_of_m_Addressables_18(),
LoadResourceLocationKeyOp_t15A519F4F32BF6AF0093DA713B8DF4C28462A527::get_offset_of_m_ResourceType_19(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2531[5] =
{
LoadResourceLocationKeysOp_t510E506ACF12017F9551B48F4AA0BF429EEF319E::get_offset_of_m_Key_16(),
LoadResourceLocationKeysOp_t510E506ACF12017F9551B48F4AA0BF429EEF319E::get_offset_of_m_MergeMode_17(),
LoadResourceLocationKeysOp_t510E506ACF12017F9551B48F4AA0BF429EEF319E::get_offset_of_m_locations_18(),
LoadResourceLocationKeysOp_t510E506ACF12017F9551B48F4AA0BF429EEF319E::get_offset_of_m_Addressables_19(),
LoadResourceLocationKeysOp_t510E506ACF12017F9551B48F4AA0BF429EEF319E::get_offset_of_m_ResourceType_20(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2532[2] =
{
U3CU3Ec__DisplayClass37_0_t000831778C48C75C3994CAB5B27887382268C3FE::get_offset_of_op_0(),
U3CU3Ec__DisplayClass37_0_t000831778C48C75C3994CAB5B27887382268C3FE::get_offset_of_U3CU3E4__this_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2533[1] =
{
U3CU3Ec__DisplayClass57_0_t3BB07C6ADD529F6C903AC139E1A8E3B3961D6FB2::get_offset_of_loc_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2534[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2535[4] =
{
U3CU3Ec__DisplayClass74_0_t5FA8DBF0FC76B5090C5CFAF2CCF741390B43E4DB::get_offset_of_U3CU3E4__this_0(),
U3CU3Ec__DisplayClass74_0_t5FA8DBF0FC76B5090C5CFAF2CCF741390B43E4DB::get_offset_of_keys_1(),
U3CU3Ec__DisplayClass74_0_t5FA8DBF0FC76B5090C5CFAF2CCF741390B43E4DB::get_offset_of_mode_2(),
U3CU3Ec__DisplayClass74_0_t5FA8DBF0FC76B5090C5CFAF2CCF741390B43E4DB::get_offset_of_type_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2536[3] =
{
U3CU3Ec__DisplayClass76_0_t34CD0C81B6845D67064D2B6465BB4AF7F1334B64::get_offset_of_U3CU3E4__this_0(),
U3CU3Ec__DisplayClass76_0_t34CD0C81B6845D67064D2B6465BB4AF7F1334B64::get_offset_of_key_1(),
U3CU3Ec__DisplayClass76_0_t34CD0C81B6845D67064D2B6465BB4AF7F1334B64::get_offset_of_type_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2537[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2538[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2539[2] =
{
U3CU3Ec__DisplayClass120_0_t0AFEDA5C3A09134C2BFD9EF2598325C00820998F::get_offset_of_U3CU3E4__this_0(),
U3CU3Ec__DisplayClass120_0_t0AFEDA5C3A09134C2BFD9EF2598325C00820998F::get_offset_of_autoReleaseHandle_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2540[2] =
{
U3CU3Ec__DisplayClass121_0_tED23EC987266944A8AF7E3CF834CC167903E171F::get_offset_of_U3CU3E4__this_0(),
U3CU3Ec__DisplayClass121_0_tED23EC987266944A8AF7E3CF834CC167903E171F::get_offset_of_autoReleaseHandle_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2541[13] =
{
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2::get_offset_of_m_ResourceManager_0(),
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2::get_offset_of_m_InstanceProvider_1(),
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2::get_offset_of_m_CatalogRequestsTimeout_2(),
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2::get_offset_of_SceneProvider_3(),
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2::get_offset_of_m_ResourceLocators_4(),
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2::get_offset_of_m_InitializationOperation_5(),
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2::get_offset_of_m_ActiveUpdateOperation_6(),
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2::get_offset_of_m_OnHandleCompleteAction_7(),
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2::get_offset_of_m_OnSceneHandleCompleteAction_8(),
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2::get_offset_of_m_OnHandleDestroyedAction_9(),
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2::get_offset_of_m_resultToHandle_10(),
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2::get_offset_of_m_SceneInstances_11(),
AddressablesImpl_tE17A85285A6E3D47EE8ED33FC8F26FF0EA0BF2F2::get_offset_of_hasStartedInitialization_12(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2542[3] =
{
AssetReference_tEE914DC579E5892CE5B86800656A5AE3DEDC667C::get_offset_of_m_AssetGUID_0(),
AssetReference_tEE914DC579E5892CE5B86800656A5AE3DEDC667C::get_offset_of_m_SubObjectName_1(),
AssetReference_tEE914DC579E5892CE5B86800656A5AE3DEDC667C::get_offset_of_m_SubObjectType_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2544[2] =
{
DynamicResourceLocator_tBBEA0EC3D1376ACEAD10BB5DDF124263FA5D28B3::get_offset_of_m_Addressables_0(),
DynamicResourceLocator_tBBEA0EC3D1376ACEAD10BB5DDF124263FA5D28B3::get_offset_of_m_AtlasSpriteProviderId_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2545[3] =
{
DiagnosticInfo_tA6631B604BAA6DFABF2B912D8892728F7D74CD3C::get_offset_of_DisplayName_0(),
DiagnosticInfo_tA6631B604BAA6DFABF2B912D8892728F7D74CD3C::get_offset_of_ObjectId_1(),
DiagnosticInfo_tA6631B604BAA6DFABF2B912D8892728F7D74CD3C::get_offset_of_Dependencies_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2546[2] =
{
ResourceManagerDiagnostics_t2CAC6BE26AC64F18159FE55C52C2B864A5B1FA62::get_offset_of_m_ResourceManager_0(),
ResourceManagerDiagnostics_t2CAC6BE26AC64F18159FE55C52C2B864A5B1FA62::get_offset_of_m_cachedDiagnosticInfo_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2547[9] =
{
ObjectType_t077AABE6FD8431E177D77EDDC2BAE7565408C2E1::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2549[7] =
{
BundledCatalog_t0339865FD3004B1640C1314D57EA3E2B4EDF91BD::get_offset_of_m_BundlePath_0(),
BundledCatalog_t0339865FD3004B1640C1314D57EA3E2B4EDF91BD::get_offset_of_m_OpInProgress_1(),
BundledCatalog_t0339865FD3004B1640C1314D57EA3E2B4EDF91BD::get_offset_of_m_LoadBundleRequest_2(),
BundledCatalog_t0339865FD3004B1640C1314D57EA3E2B4EDF91BD::get_offset_of_m_CatalogAssetBundle_3(),
BundledCatalog_t0339865FD3004B1640C1314D57EA3E2B4EDF91BD::get_offset_of_m_LoadTextAssetRequest_4(),
BundledCatalog_t0339865FD3004B1640C1314D57EA3E2B4EDF91BD::get_offset_of_m_CatalogData_5(),
BundledCatalog_t0339865FD3004B1640C1314D57EA3E2B4EDF91BD::get_offset_of_OnLoaded_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2550[7] =
{
InternalOp_t02B0755C55F9BB0FA159F741AD79F9D94236A007::get_offset_of_m_LocalDataPath_0(),
InternalOp_t02B0755C55F9BB0FA159F741AD79F9D94236A007::get_offset_of_m_RemoteHashValue_1(),
InternalOp_t02B0755C55F9BB0FA159F741AD79F9D94236A007::get_offset_of_m_LocalHashValue_2(),
InternalOp_t02B0755C55F9BB0FA159F741AD79F9D94236A007::get_offset_of_m_ProviderInterface_3(),
InternalOp_t02B0755C55F9BB0FA159F741AD79F9D94236A007::get_offset_of_m_ContentCatalogData_4(),
InternalOp_t02B0755C55F9BB0FA159F741AD79F9D94236A007::get_offset_of_m_ContentCatalogDataLoadOp_5(),
InternalOp_t02B0755C55F9BB0FA159F741AD79F9D94236A007::get_offset_of_m_BundledCatalog_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2551[4] =
{
ContentCatalogProvider_t9816343589D5F6B669F2194F2D6F4A87EE5C5202::get_offset_of_DisableCatalogUpdateOnStart_2(),
ContentCatalogProvider_t9816343589D5F6B669F2194F2D6F4A87EE5C5202::get_offset_of_IsLocalCatalogInBundle_3(),
ContentCatalogProvider_t9816343589D5F6B669F2194F2D6F4A87EE5C5202::get_offset_of_m_LocationToCatalogLoadOpMap_4(),
ContentCatalogProvider_t9816343589D5F6B669F2194F2D6F4A87EE5C5202::get_offset_of_m_RM_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2552[2] =
{
Bucket_tFF0A5D09C64E897483EFE091CE726A2509EC50FB::get_offset_of_dataOffset_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Bucket_tFF0A5D09C64E897483EFE091CE726A2509EC50FB::get_offset_of_entries_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2553[9] =
{
CompactLocation_t195264F28EC81544A9B30CAE8CF48A88BEE2BE56::get_offset_of_m_Locator_0(),
CompactLocation_t195264F28EC81544A9B30CAE8CF48A88BEE2BE56::get_offset_of_m_InternalId_1(),
CompactLocation_t195264F28EC81544A9B30CAE8CF48A88BEE2BE56::get_offset_of_m_ProviderId_2(),
CompactLocation_t195264F28EC81544A9B30CAE8CF48A88BEE2BE56::get_offset_of_m_Dependency_3(),
CompactLocation_t195264F28EC81544A9B30CAE8CF48A88BEE2BE56::get_offset_of_m_Data_4(),
CompactLocation_t195264F28EC81544A9B30CAE8CF48A88BEE2BE56::get_offset_of_m_HashCode_5(),
CompactLocation_t195264F28EC81544A9B30CAE8CF48A88BEE2BE56::get_offset_of_m_DependencyHashCode_6(),
CompactLocation_t195264F28EC81544A9B30CAE8CF48A88BEE2BE56::get_offset_of_m_PrimaryKey_7(),
CompactLocation_t195264F28EC81544A9B30CAE8CF48A88BEE2BE56::get_offset_of_m_Type_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2554[14] =
{
ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D::get_offset_of_localHash_0(),
ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D::get_offset_of_location_1(),
ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D::get_offset_of_m_LocatorId_2(),
ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D::get_offset_of_m_InstanceProviderData_3(),
ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D::get_offset_of_m_SceneProviderData_4(),
ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D::get_offset_of_m_ResourceProviderData_5(),
ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D::get_offset_of_m_ProviderIds_6(),
ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D::get_offset_of_m_InternalIds_7(),
ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D::get_offset_of_m_KeyDataString_8(),
ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D::get_offset_of_m_BucketDataString_9(),
ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D::get_offset_of_m_EntryDataString_10(),
ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D::get_offset_of_m_ExtraDataString_11(),
ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D::get_offset_of_m_resourceTypes_12(),
ContentCatalogData_t87BA73BE241F9430656B9097362DC3AF36D9578D::get_offset_of_m_InternalIdPrefixes_13(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2556[7] =
{
ResourceLocationData_tDE44E4FB8CCDB61F532FCA1140616ED8D31A2FE4::get_offset_of_m_Keys_0(),
ResourceLocationData_tDE44E4FB8CCDB61F532FCA1140616ED8D31A2FE4::get_offset_of_m_InternalId_1(),
ResourceLocationData_tDE44E4FB8CCDB61F532FCA1140616ED8D31A2FE4::get_offset_of_m_Provider_2(),
ResourceLocationData_tDE44E4FB8CCDB61F532FCA1140616ED8D31A2FE4::get_offset_of_m_Dependencies_3(),
ResourceLocationData_tDE44E4FB8CCDB61F532FCA1140616ED8D31A2FE4::get_offset_of_m_ResourceType_4(),
ResourceLocationData_tDE44E4FB8CCDB61F532FCA1140616ED8D31A2FE4::get_offset_of_SerializedData_5(),
ResourceLocationData_tDE44E4FB8CCDB61F532FCA1140616ED8D31A2FE4::get_offset_of__Data_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2557[2] =
{
ResourceLocationMap_t14A3D5C863FAE0D257213393BC576B3EEF04A6A8::get_offset_of_U3CLocatorIdU3Ek__BackingField_0(),
ResourceLocationMap_t14A3D5C863FAE0D257213393BC576B3EEF04A6A8::get_offset_of_U3CLocationsU3Ek__BackingField_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2558[3] =
{
AddressablesRuntimeProperties_tFF56BF5BC1B0079592936893C6CFED8D34F1D0BE_StaticFields::get_offset_of_s_TokenStack_0(),
AddressablesRuntimeProperties_tFF56BF5BC1B0079592936893C6CFED8D34F1D0BE_StaticFields::get_offset_of_s_TokenStartStack_1(),
AddressablesRuntimeProperties_tFF56BF5BC1B0079592936893C6CFED8D34F1D0BE_StaticFields::get_offset_of_s_CachedValues_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2559[2] =
{
U3CU3Ec_tE17B4DF6A08D70F6313ABCA926AC5827846947BB_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_tE17B4DF6A08D70F6313ABCA926AC5827846947BB_StaticFields::get_offset_of_U3CU3E9__13_0_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2560[2] =
{
U3CU3Ec__DisplayClass16_0_tF42A377A5088BDDD9F2C683DAA8C640D1A4D6A2D::get_offset_of_addressables_0(),
U3CU3Ec__DisplayClass16_0_tF42A377A5088BDDD9F2C683DAA8C640D1A4D6A2D::get_offset_of_providerSuffix_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2561[4] =
{
U3CU3Ec__DisplayClass18_0_tE67E92DF82A5AEC1124BF444A40FC210787F25BB::get_offset_of_U3CU3E4__this_0(),
U3CU3Ec__DisplayClass18_0_tE67E92DF82A5AEC1124BF444A40FC210787F25BB::get_offset_of_catalogs_1(),
U3CU3Ec__DisplayClass18_0_tE67E92DF82A5AEC1124BF444A40FC210787F25BB::get_offset_of_locMap_2(),
U3CU3Ec__DisplayClass18_0_tE67E92DF82A5AEC1124BF444A40FC210787F25BB::get_offset_of_index_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2562[6] =
{
InitializationOperation_t6B5E499738C4AAD0D1566EC00551A0694C8094B0::get_offset_of_m_rtdOp_16(),
InitializationOperation_t6B5E499738C4AAD0D1566EC00551A0694C8094B0::get_offset_of_m_loadCatalogOp_17(),
InitializationOperation_t6B5E499738C4AAD0D1566EC00551A0694C8094B0::get_offset_of_m_ProviderSuffix_18(),
InitializationOperation_t6B5E499738C4AAD0D1566EC00551A0694C8094B0::get_offset_of_m_Addressables_19(),
InitializationOperation_t6B5E499738C4AAD0D1566EC00551A0694C8094B0::get_offset_of_m_Diagnostics_20(),
InitializationOperation_t6B5E499738C4AAD0D1566EC00551A0694C8094B0::get_offset_of_m_InitGroupOps_21(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2563[9] =
{
ResourceManagerRuntimeData_t6233F52CDD54494E807FBA048385B560546E1F01::get_offset_of_m_CatalogLocations_0(),
ResourceManagerRuntimeData_t6233F52CDD54494E807FBA048385B560546E1F01::get_offset_of_m_ProfileEvents_1(),
ResourceManagerRuntimeData_t6233F52CDD54494E807FBA048385B560546E1F01::get_offset_of_m_LogResourceManagerExceptions_2(),
ResourceManagerRuntimeData_t6233F52CDD54494E807FBA048385B560546E1F01::get_offset_of_m_ExtraInitializationData_3(),
ResourceManagerRuntimeData_t6233F52CDD54494E807FBA048385B560546E1F01::get_offset_of_m_DisableCatalogUpdateOnStart_4(),
ResourceManagerRuntimeData_t6233F52CDD54494E807FBA048385B560546E1F01::get_offset_of_m_IsLocalCatalogInBundle_5(),
ResourceManagerRuntimeData_t6233F52CDD54494E807FBA048385B560546E1F01::get_offset_of_m_CertificateHandlerType_6(),
ResourceManagerRuntimeData_t6233F52CDD54494E807FBA048385B560546E1F01::get_offset_of_m_maxConcurrentWebRequests_7(),
ResourceManagerRuntimeData_t6233F52CDD54494E807FBA048385B560546E1F01::get_offset_of_m_CatalogRequestsTimeout_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2567[6] =
{
XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C_StaticFields::get_offset_of_s_Default_0(),
XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C::get_offset_of_m_Id_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C::get_offset_of_m_Pose_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C::get_offset_of_m_TrackingState_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C::get_offset_of_m_NativePtr_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRAnchor_t8E92DD70D9FA9B3ED2799305E05228184932099C::get_offset_of_m_SessionId_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2570[5] =
{
Cinfo_tF42131D7F2B721976AAF20DD0240D9C46397F7F7::get_offset_of_U3CidU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tF42131D7F2B721976AAF20DD0240D9C46397F7F7::get_offset_of_U3CproviderTypeU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tF42131D7F2B721976AAF20DD0240D9C46397F7F7::get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tF42131D7F2B721976AAF20DD0240D9C46397F7F7::get_offset_of_U3CsubsystemImplementationTypeU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tF42131D7F2B721976AAF20DD0240D9C46397F7F7::get_offset_of_U3CsupportsTrackableAttachmentsU3Ek__BackingField_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2571[1] =
{
XRAnchorSubsystemDescriptor_t3BD7F9922EF5C04185D59349C76D625BC1E44E3B::get_offset_of_U3CsupportsTrackableAttachmentsU3Ek__BackingField_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2572[6] =
{
XRReferencePoint_tF3ACF949B4AE1EC67F527F5D30DD8B912A814634_StaticFields::get_offset_of_s_Default_0(),
XRReferencePoint_tF3ACF949B4AE1EC67F527F5D30DD8B912A814634::get_offset_of_m_Id_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRReferencePoint_tF3ACF949B4AE1EC67F527F5D30DD8B912A814634::get_offset_of_m_Pose_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRReferencePoint_tF3ACF949B4AE1EC67F527F5D30DD8B912A814634::get_offset_of_m_TrackingState_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRReferencePoint_tF3ACF949B4AE1EC67F527F5D30DD8B912A814634::get_offset_of_m_NativePtr_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRReferencePoint_tF3ACF949B4AE1EC67F527F5D30DD8B912A814634::get_offset_of_m_SessionId_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2575[5] =
{
Cinfo_t04039019CC240855A566C51C5F0DD8D0D6440E9F::get_offset_of_U3CidU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_t04039019CC240855A566C51C5F0DD8D0D6440E9F::get_offset_of_U3CproviderTypeU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_t04039019CC240855A566C51C5F0DD8D0D6440E9F::get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_t04039019CC240855A566C51C5F0DD8D0D6440E9F::get_offset_of_U3CsubsystemImplementationTypeU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_t04039019CC240855A566C51C5F0DD8D0D6440E9F::get_offset_of_U3CsupportsTrackableAttachmentsU3Ek__BackingField_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2576[1] =
{
XRReferencePointSubsystemDescriptor_t8200CCC29717B3E08EECC476427E1A4E63C4EBDB::get_offset_of_U3CsupportsTrackableAttachmentsU3Ek__BackingField_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2577[3] =
{
CameraFocusMode_t573CBB96E832D97A59EE6B5EBF79568A5C83042A::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2578[4] =
{
LightEstimationMode_tE07D0ADA96C21197E44E8E906DF0FCECB7DAEC56::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2579[3] =
{
XRCameraConfiguration_t2393055E5547307393E9C73AB13B95E0785A4F7A::get_offset_of_m_Resolution_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraConfiguration_t2393055E5547307393E9C73AB13B95E0785A4F7A::get_offset_of_m_Framerate_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraConfiguration_t2393055E5547307393E9C73AB13B95E0785A4F7A::get_offset_of_m_NativeConfigurationHandle_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2580[16] =
{
XRCameraFrameProperties_t57C3A208DCCC01241BA413286A98B1726773200C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2581[18] =
{
XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8::get_offset_of_m_TimestampNs_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8::get_offset_of_m_AverageBrightness_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8::get_offset_of_m_AverageColorTemperature_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8::get_offset_of_m_ColorCorrection_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8::get_offset_of_m_ProjectionMatrix_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8::get_offset_of_m_DisplayMatrix_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8::get_offset_of_m_TrackingState_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8::get_offset_of_m_NativePtr_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8::get_offset_of_m_Properties_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8::get_offset_of_m_AverageIntensityInLumens_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8::get_offset_of_m_ExposureDuration_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8::get_offset_of_m_ExposureOffset_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8::get_offset_of_m_MainLightIntensityLumens_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8::get_offset_of_m_MainLightColor_13() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8::get_offset_of_m_MainLightDirection_14() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8::get_offset_of_m_AmbientSphericalHarmonics_15() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8::get_offset_of_m_CameraGrain_16() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraFrame_t5FD7B7FC22B478AC6B00AD01A0AD6F2295EA1BA8::get_offset_of_m_NoiseIntensity_17() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2582[3] =
{
XRCameraIntrinsics_t85F1514E263A6C6DE96DBA5448B44F11F35395FD::get_offset_of_m_FocalLength_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraIntrinsics_t85F1514E263A6C6DE96DBA5448B44F11F35395FD::get_offset_of_m_PrincipalPoint_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraIntrinsics_t85F1514E263A6C6DE96DBA5448B44F11F35395FD::get_offset_of_m_Resolution_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2583[5] =
{
XRCameraParams_t9FCECBDAEFCC1084042B75393990959B28B64B18::get_offset_of_m_ZNear_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraParams_t9FCECBDAEFCC1084042B75393990959B28B64B18::get_offset_of_m_ZFar_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraParams_t9FCECBDAEFCC1084042B75393990959B28B64B18::get_offset_of_m_ScreenWidth_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraParams_t9FCECBDAEFCC1084042B75393990959B28B64B18::get_offset_of_m_ScreenHeight_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraParams_t9FCECBDAEFCC1084042B75393990959B28B64B18::get_offset_of_m_ScreenOrientation_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2586[19] =
{
XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096::get_offset_of_U3CidU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096::get_offset_of_U3CproviderTypeU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096::get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096::get_offset_of_U3CimplementationTypeU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096::get_offset_of_U3CsupportsAverageBrightnessU3Ek__BackingField_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096::get_offset_of_U3CsupportsAverageColorTemperatureU3Ek__BackingField_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096::get_offset_of_U3CsupportsColorCorrectionU3Ek__BackingField_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096::get_offset_of_U3CsupportsDisplayMatrixU3Ek__BackingField_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096::get_offset_of_U3CsupportsProjectionMatrixU3Ek__BackingField_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096::get_offset_of_U3CsupportsTimestampU3Ek__BackingField_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096::get_offset_of_U3CsupportsCameraConfigurationsU3Ek__BackingField_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096::get_offset_of_U3CsupportsCameraImageU3Ek__BackingField_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096::get_offset_of_U3CsupportsAverageIntensityInLumensU3Ek__BackingField_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096::get_offset_of_U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096::get_offset_of_U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096::get_offset_of_U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096::get_offset_of_U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096::get_offset_of_U3CsupportsFocusModesU3Ek__BackingField_17() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCameraSubsystemCinfo_tFC7E8E15AD29D15868FBCE758A26ADCB5E9A5096::get_offset_of_U3CsupportsCameraGrainU3Ek__BackingField_18() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2587[15] =
{
XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5::get_offset_of_U3CsupportsAverageBrightnessU3Ek__BackingField_3(),
XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5::get_offset_of_U3CsupportsAverageColorTemperatureU3Ek__BackingField_4(),
XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5::get_offset_of_U3CsupportsColorCorrectionU3Ek__BackingField_5(),
XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5::get_offset_of_U3CsupportsDisplayMatrixU3Ek__BackingField_6(),
XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5::get_offset_of_U3CsupportsProjectionMatrixU3Ek__BackingField_7(),
XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5::get_offset_of_U3CsupportsTimestampU3Ek__BackingField_8(),
XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5::get_offset_of_U3CsupportsCameraConfigurationsU3Ek__BackingField_9(),
XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5::get_offset_of_U3CsupportsCameraImageU3Ek__BackingField_10(),
XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5::get_offset_of_U3CsupportsAverageIntensityInLumensU3Ek__BackingField_11(),
XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5::get_offset_of_U3CsupportsFocusModesU3Ek__BackingField_12(),
XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5::get_offset_of_U3CsupportsFaceTrackingAmbientIntensityLightEstimationU3Ek__BackingField_13(),
XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5::get_offset_of_U3CsupportsFaceTrackingHDRLightEstimationU3Ek__BackingField_14(),
XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5::get_offset_of_U3CsupportsWorldTrackingAmbientIntensityLightEstimationU3Ek__BackingField_15(),
XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5::get_offset_of_U3CsupportsWorldTrackingHDRLightEstimationU3Ek__BackingField_16(),
XRCameraSubsystemDescriptor_t1F8A45C69031E2981B1863518C43793D26E2C5E5::get_offset_of_U3CsupportsCameraGrainU3Ek__BackingField_17(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2588[2] =
{
Configuration_t29C11C7E576D64F717543048BDA1EBCEF0CF60C0::get_offset_of_U3CdescriptorU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Configuration_t29C11C7E576D64F717543048BDA1EBCEF0CF60C0::get_offset_of_U3CfeaturesU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2590[3] =
{
ConfigurationDescriptor_t5CD12F017FCCF861DC33D7C0D6F0121015DEEA78::get_offset_of_m_Identifier_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ConfigurationDescriptor_t5CD12F017FCCF861DC33D7C0D6F0121015DEEA78::get_offset_of_m_Capabilities_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ConfigurationDescriptor_t5CD12F017FCCF861DC33D7C0D6F0121015DEEA78::get_offset_of_m_Rank_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2592[31] =
{
Feature_t079F5923A4893A9E07B968C27F44AC5FCAC87C83::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2594[7] =
{
Format_tC8D4CDE6941B0CAE3E1C07EC826E7E253846168A::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2597[3] =
{
AsyncConversion_t1B3B9B398D763F0F12781993336A2E048C86E787::get_offset_of_m_Api_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
AsyncConversion_t1B3B9B398D763F0F12781993336A2E048C86E787::get_offset_of_m_RequestId_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
AsyncConversion_t1B3B9B398D763F0F12781993336A2E048C86E787::get_offset_of_U3CconversionParamsU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2598[6] =
{
AsyncConversionStatus_t94171EDB7E6E25979DFCEF01F7B6EA6B8A5DAD42::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2599[4] =
{
ConversionParams_t3DDB9752BA823641A302D0783C14048D9B09B74A::get_offset_of_m_InputRect_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ConversionParams_t3DDB9752BA823641A302D0783C14048D9B09B74A::get_offset_of_m_OutputDimensions_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ConversionParams_t3DDB9752BA823641A302D0783C14048D9B09B74A::get_offset_of_m_Format_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
ConversionParams_t3DDB9752BA823641A302D0783C14048D9B09B74A::get_offset_of_m_Transformation_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2600[4] =
{
Cinfo_t11C577CFE4A1D91F887A6423F6D1350DA45CA5FC::get_offset_of_m_DataPtr_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_t11C577CFE4A1D91F887A6423F6D1350DA45CA5FC::get_offset_of_m_DataLength_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_t11C577CFE4A1D91F887A6423F6D1350DA45CA5FC::get_offset_of_m_RowStride_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_t11C577CFE4A1D91F887A6423F6D1350DA45CA5FC::get_offset_of_m_PixelStride_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2601[3] =
{
Plane_tF421A9F250A5E61AFEE38069538AC8ECB9D3E22D::get_offset_of_U3CrowStrideU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Plane_tF421A9F250A5E61AFEE38069538AC8ECB9D3E22D::get_offset_of_U3CpixelStrideU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Plane_tF421A9F250A5E61AFEE38069538AC8ECB9D3E22D::get_offset_of_U3CdataU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2602[4] =
{
Transformation_t5812B66180F359977F76AB67CC9E923CF0B55938::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2603[5] =
{
Cinfo_t4E32E30AF6973611F1DD0F47FC041ED3A8775DA6::get_offset_of_m_NativeHandle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_t4E32E30AF6973611F1DD0F47FC041ED3A8775DA6::get_offset_of_m_Dimensions_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_t4E32E30AF6973611F1DD0F47FC041ED3A8775DA6::get_offset_of_m_PlaneCount_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_t4E32E30AF6973611F1DD0F47FC041ED3A8775DA6::get_offset_of_m_Timestamp_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_t4E32E30AF6973611F1DD0F47FC041ED3A8775DA6::get_offset_of_m_Format_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2604[7] =
{
XRCpuImage_tA48C0687D95D3D63D1101E4E08EFCF0ABB2431CE::get_offset_of_m_NativeHandle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCpuImage_tA48C0687D95D3D63D1101E4E08EFCF0ABB2431CE::get_offset_of_m_Api_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCpuImage_tA48C0687D95D3D63D1101E4E08EFCF0ABB2431CE_StaticFields::get_offset_of_s_OnAsyncConversionCompleteDelegate_2(),
XRCpuImage_tA48C0687D95D3D63D1101E4E08EFCF0ABB2431CE::get_offset_of_U3CdimensionsU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCpuImage_tA48C0687D95D3D63D1101E4E08EFCF0ABB2431CE::get_offset_of_U3CplaneCountU3Ek__BackingField_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCpuImage_tA48C0687D95D3D63D1101E4E08EFCF0ABB2431CE::get_offset_of_U3CformatU3Ek__BackingField_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRCpuImage_tA48C0687D95D3D63D1101E4E08EFCF0ABB2431CE::get_offset_of_U3CtimestampU3Ek__BackingField_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2608[5] =
{
Capabilities_t6199DDFE580DA802DBAEC0155BA1C345525286CC::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2609[5] =
{
Cinfo_t37F91E88FCD8623834BE1898FC146620538C08B1::get_offset_of_id_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_t37F91E88FCD8623834BE1898FC146620538C08B1::get_offset_of_U3CproviderTypeU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_t37F91E88FCD8623834BE1898FC146620538C08B1::get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_t37F91E88FCD8623834BE1898FC146620538C08B1::get_offset_of_implementationType_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_t37F91E88FCD8623834BE1898FC146620538C08B1::get_offset_of_U3CcapabilitiesU3Ek__BackingField_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2610[3] =
{
XRDepthSubsystemDescriptor_t745DBB7D313FB52F756E0B7AA993FBBC26B412C2::get_offset_of_U3CsupportsFeaturePointsU3Ek__BackingField_3(),
XRDepthSubsystemDescriptor_t745DBB7D313FB52F756E0B7AA993FBBC26B412C2::get_offset_of_U3CsupportsUniqueIdsU3Ek__BackingField_4(),
XRDepthSubsystemDescriptor_t745DBB7D313FB52F756E0B7AA993FBBC26B412C2::get_offset_of_U3CsupportsConfidenceU3Ek__BackingField_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2611[5] =
{
XRPointCloud_t08B41A05528E45CE709F8C14CA6C484D360A62F2_StaticFields::get_offset_of_s_Default_0(),
XRPointCloud_t08B41A05528E45CE709F8C14CA6C484D360A62F2::get_offset_of_m_TrackableId_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRPointCloud_t08B41A05528E45CE709F8C14CA6C484D360A62F2::get_offset_of_m_Pose_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRPointCloud_t08B41A05528E45CE709F8C14CA6C484D360A62F2::get_offset_of_m_TrackingState_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRPointCloud_t08B41A05528E45CE709F8C14CA6C484D360A62F2::get_offset_of_m_NativePtr_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2612[3] =
{
XRPointCloudData_t3AFE7A70A93C061F8C3B3B7AEDE07EDF6A86B177::get_offset_of_m_Positions_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRPointCloudData_t3AFE7A70A93C061F8C3B3B7AEDE07EDF6A86B177::get_offset_of_m_ConfidenceValues_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRPointCloudData_t3AFE7A70A93C061F8C3B3B7AEDE07EDF6A86B177::get_offset_of_m_Identifiers_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2613[8] =
{
XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C_StaticFields::get_offset_of_s_Default_0(),
XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C::get_offset_of_m_TrackableId_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C::get_offset_of_m_Scale_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C::get_offset_of_m_Pose_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C::get_offset_of_m_Size_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C::get_offset_of_m_TextureDescriptor_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C::get_offset_of_m_TrackingState_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
XREnvironmentProbe_t4D75B5DF95135D1BA45222CBE3E7677E823B8D4C::get_offset_of_m_NativePtr_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2616[10] =
{
XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2::get_offset_of_U3CidU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2::get_offset_of_U3CproviderTypeU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2::get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2::get_offset_of_U3CimplementationTypeU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2::get_offset_of_U3CsupportsManualPlacementU3Ek__BackingField_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2::get_offset_of_U3CsupportsRemovalOfManualU3Ek__BackingField_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2::get_offset_of_U3CsupportsAutomaticPlacementU3Ek__BackingField_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2::get_offset_of_U3CsupportsRemovalOfAutomaticU3Ek__BackingField_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2::get_offset_of_U3CsupportsEnvironmentTextureU3Ek__BackingField_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
XREnvironmentProbeSubsystemCinfo_t6D9368EC95B6B356A67B7289270F27BB6A4440B2::get_offset_of_U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2617[6] =
{
XREnvironmentProbeSubsystemDescriptor_t7C10519F545418330347AC7434FBB10F39DD4243::get_offset_of_U3CsupportsManualPlacementU3Ek__BackingField_3(),
XREnvironmentProbeSubsystemDescriptor_t7C10519F545418330347AC7434FBB10F39DD4243::get_offset_of_U3CsupportsRemovalOfManualU3Ek__BackingField_4(),
XREnvironmentProbeSubsystemDescriptor_t7C10519F545418330347AC7434FBB10F39DD4243::get_offset_of_U3CsupportsAutomaticPlacementU3Ek__BackingField_5(),
XREnvironmentProbeSubsystemDescriptor_t7C10519F545418330347AC7434FBB10F39DD4243::get_offset_of_U3CsupportsRemovalOfAutomaticU3Ek__BackingField_6(),
XREnvironmentProbeSubsystemDescriptor_t7C10519F545418330347AC7434FBB10F39DD4243::get_offset_of_U3CsupportsEnvironmentTextureU3Ek__BackingField_7(),
XREnvironmentProbeSubsystemDescriptor_t7C10519F545418330347AC7434FBB10F39DD4243::get_offset_of_U3CsupportsEnvironmentTextureHDRU3Ek__BackingField_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2618[8] =
{
XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599::get_offset_of_m_TrackableId_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599::get_offset_of_m_Pose_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599::get_offset_of_m_TrackingState_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599::get_offset_of_m_NativePtr_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599::get_offset_of_m_LeftEyePose_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599::get_offset_of_m_RightEyePose_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599::get_offset_of_m_FixationPoint_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRFace_tA970995ECE26D43D1CBB9058ABEC72B76D2DA599_StaticFields::get_offset_of_s_Default_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2619[4] =
{
Attributes_tD47C14745EB853AB5A128A56544CF6C1BC670186::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2620[4] =
{
XRFaceMesh_t2ADC7E6069DCCCFB439A4A60DB9189338C9E1AD0::get_offset_of_m_Vertices_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRFaceMesh_t2ADC7E6069DCCCFB439A4A60DB9189338C9E1AD0::get_offset_of_m_Normals_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRFaceMesh_t2ADC7E6069DCCCFB439A4A60DB9189338C9E1AD0::get_offset_of_m_Indices_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRFaceMesh_t2ADC7E6069DCCCFB439A4A60DB9189338C9E1AD0::get_offset_of_m_UVs_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2621[1] =
{
Provider_t0133E0DB4F1A68EB3D4814F63B14456832E3EAE7::get_offset_of_m_RequestedMaximumFaceCount_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2623[7] =
{
FaceSubsystemCapabilities_t84A18B266F89BCEE6ADA3FB05E21935877632057::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2624[5] =
{
FaceSubsystemParams_t2FC64133455298391F1A1DDC61B151E688301B09::get_offset_of_U3CidU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceSubsystemParams_t2FC64133455298391F1A1DDC61B151E688301B09::get_offset_of_U3CproviderTypeU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceSubsystemParams_t2FC64133455298391F1A1DDC61B151E688301B09::get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceSubsystemParams_t2FC64133455298391F1A1DDC61B151E688301B09::get_offset_of_U3CsubsystemImplementationTypeU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
FaceSubsystemParams_t2FC64133455298391F1A1DDC61B151E688301B09::get_offset_of_m_Capabilities_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2625[5] =
{
XRFaceSubsystemDescriptor_t129999D2BF40B1016A8C70A0FDE9763C21DCD618::get_offset_of_U3CsupportsFacePoseU3Ek__BackingField_3(),
XRFaceSubsystemDescriptor_t129999D2BF40B1016A8C70A0FDE9763C21DCD618::get_offset_of_U3CsupportsFaceMeshVerticesAndIndicesU3Ek__BackingField_4(),
XRFaceSubsystemDescriptor_t129999D2BF40B1016A8C70A0FDE9763C21DCD618::get_offset_of_U3CsupportsFaceMeshUVsU3Ek__BackingField_5(),
XRFaceSubsystemDescriptor_t129999D2BF40B1016A8C70A0FDE9763C21DCD618::get_offset_of_U3CsupportsFaceMeshNormalsU3Ek__BackingField_6(),
XRFaceSubsystemDescriptor_t129999D2BF40B1016A8C70A0FDE9763C21DCD618::get_offset_of_U3CsupportsEyeTrackingU3Ek__BackingField_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2628[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2629[6] =
{
XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B::get_offset_of_m_TrackableId_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B::get_offset_of_m_Pose_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B::get_offset_of_m_EstimatedHeightScaleFactor_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B::get_offset_of_m_TrackingState_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B::get_offset_of_m_NativePtr_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRHumanBody_t1AA9DC3BEBCF86A64BE2B83452AC5704AD08C13B_StaticFields::get_offset_of_s_Default_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2630[7] =
{
XRHumanBodyJoint_t80D5022A816E4F24C92A9EABD645794FC0B5E2E4::get_offset_of_m_Index_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRHumanBodyJoint_t80D5022A816E4F24C92A9EABD645794FC0B5E2E4::get_offset_of_m_ParentIndex_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRHumanBodyJoint_t80D5022A816E4F24C92A9EABD645794FC0B5E2E4::get_offset_of_m_LocalScale_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRHumanBodyJoint_t80D5022A816E4F24C92A9EABD645794FC0B5E2E4::get_offset_of_m_LocalPose_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRHumanBodyJoint_t80D5022A816E4F24C92A9EABD645794FC0B5E2E4::get_offset_of_m_AnchorScale_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRHumanBodyJoint_t80D5022A816E4F24C92A9EABD645794FC0B5E2E4::get_offset_of_m_AnchorPose_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRHumanBodyJoint_t80D5022A816E4F24C92A9EABD645794FC0B5E2E4::get_offset_of_m_Tracked_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2631[4] =
{
XRHumanBodyPose2DJoint_t901EEB0FA2A9FF2D258978EC36EE0852FEF35BA4::get_offset_of_m_Index_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRHumanBodyPose2DJoint_t901EEB0FA2A9FF2D258978EC36EE0852FEF35BA4::get_offset_of_m_ParentIndex_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRHumanBodyPose2DJoint_t901EEB0FA2A9FF2D258978EC36EE0852FEF35BA4::get_offset_of_m_Position_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRHumanBodyPose2DJoint_t901EEB0FA2A9FF2D258978EC36EE0852FEF35BA4::get_offset_of_m_Tracked_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2634[7] =
{
XRHumanBodySubsystemCinfo_tAFFD9EF9197B51AA2EAC628F54C90C842B7E54CC::get_offset_of_U3CidU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRHumanBodySubsystemCinfo_tAFFD9EF9197B51AA2EAC628F54C90C842B7E54CC::get_offset_of_U3CproviderTypeU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRHumanBodySubsystemCinfo_tAFFD9EF9197B51AA2EAC628F54C90C842B7E54CC::get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRHumanBodySubsystemCinfo_tAFFD9EF9197B51AA2EAC628F54C90C842B7E54CC::get_offset_of_U3CimplementationTypeU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRHumanBodySubsystemCinfo_tAFFD9EF9197B51AA2EAC628F54C90C842B7E54CC::get_offset_of_U3CsupportsHumanBody2DU3Ek__BackingField_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRHumanBodySubsystemCinfo_tAFFD9EF9197B51AA2EAC628F54C90C842B7E54CC::get_offset_of_U3CsupportsHumanBody3DU3Ek__BackingField_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRHumanBodySubsystemCinfo_tAFFD9EF9197B51AA2EAC628F54C90C842B7E54CC::get_offset_of_U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2635[3] =
{
XRHumanBodySubsystemDescriptor_t00E75DD05B03BCC1BF5A794547615692B7A55C04::get_offset_of_U3CsupportsHumanBody2DU3Ek__BackingField_3(),
XRHumanBodySubsystemDescriptor_t00E75DD05B03BCC1BF5A794547615692B7A55C04::get_offset_of_U3CsupportsHumanBody3DU3Ek__BackingField_4(),
XRHumanBodySubsystemDescriptor_t00E75DD05B03BCC1BF5A794547615692B7A55C04::get_offset_of_U3CsupportsHumanBody3DScaleEstimationU3Ek__BackingField_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2636[3] =
{
AddReferenceImageJobState_t6818A53BD54BDCDCA326D660A1575F66DF832633::get_offset_of_m_Handle_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
AddReferenceImageJobState_t6818A53BD54BDCDCA326D660A1575F66DF832633::get_offset_of_m_Library_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
AddReferenceImageJobState_t6818A53BD54BDCDCA326D660A1575F66DF832633::get_offset_of_U3CjobHandleU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2637[6] =
{
AddReferenceImageJobStatus_t9DCD4D2016D73AAD47038B7967E3C83B06A91899::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2640[2] =
{
Enumerator_t9B104B3EE1E7390464361D775D18230CF662A7D5::get_offset_of_m_Library_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Enumerator_t9B104B3EE1E7390464361D775D18230CF662A7D5::get_offset_of_m_Index_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2644[1] =
{
XRImageTrackingSubsystem_tBC68AD21C11D8D67F3343844E129DF505FF705CE::get_offset_of_m_ImageLibrary_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2645[8] =
{
Cinfo_tED92D7CBD16BE657927A6B7DB64A22DA21EB7D32::get_offset_of_U3CidU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tED92D7CBD16BE657927A6B7DB64A22DA21EB7D32::get_offset_of_U3CproviderTypeU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tED92D7CBD16BE657927A6B7DB64A22DA21EB7D32::get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tED92D7CBD16BE657927A6B7DB64A22DA21EB7D32::get_offset_of_U3CsubsystemImplementationTypeU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tED92D7CBD16BE657927A6B7DB64A22DA21EB7D32::get_offset_of_U3CsupportsMovingImagesU3Ek__BackingField_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tED92D7CBD16BE657927A6B7DB64A22DA21EB7D32::get_offset_of_U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tED92D7CBD16BE657927A6B7DB64A22DA21EB7D32::get_offset_of_U3CsupportsMutableLibraryU3Ek__BackingField_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tED92D7CBD16BE657927A6B7DB64A22DA21EB7D32::get_offset_of_U3CsupportsImageValidationU3Ek__BackingField_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2646[4] =
{
XRImageTrackingSubsystemDescriptor_t3EC191739B144A8AA00CEEE03E8F7FF01D7F833B::get_offset_of_U3CsupportsMovingImagesU3Ek__BackingField_3(),
XRImageTrackingSubsystemDescriptor_t3EC191739B144A8AA00CEEE03E8F7FF01D7F833B::get_offset_of_U3CrequiresPhysicalImageDimensionsU3Ek__BackingField_4(),
XRImageTrackingSubsystemDescriptor_t3EC191739B144A8AA00CEEE03E8F7FF01D7F833B::get_offset_of_U3CsupportsMutableLibraryU3Ek__BackingField_5(),
XRImageTrackingSubsystemDescriptor_t3EC191739B144A8AA00CEEE03E8F7FF01D7F833B::get_offset_of_U3CsupportsImageValidationU3Ek__BackingField_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2647[6] =
{
XRReferenceImage_tB1803A72EB581FB35B2CA944973679132A1D4467::get_offset_of_m_SerializedGuid_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRReferenceImage_tB1803A72EB581FB35B2CA944973679132A1D4467::get_offset_of_m_SerializedTextureGuid_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRReferenceImage_tB1803A72EB581FB35B2CA944973679132A1D4467::get_offset_of_m_Size_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRReferenceImage_tB1803A72EB581FB35B2CA944973679132A1D4467::get_offset_of_m_SpecifySize_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRReferenceImage_tB1803A72EB581FB35B2CA944973679132A1D4467::get_offset_of_m_Name_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRReferenceImage_tB1803A72EB581FB35B2CA944973679132A1D4467::get_offset_of_m_Texture_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2648[3] =
{
XRReferenceImageLibrary_tC415743C1DDCE2331D5B0F159B2A1D72A70C44B2::get_offset_of_m_GuidLow_4(),
XRReferenceImageLibrary_tC415743C1DDCE2331D5B0F159B2A1D72A70C44B2::get_offset_of_m_GuidHigh_5(),
XRReferenceImageLibrary_tC415743C1DDCE2331D5B0F159B2A1D72A70C44B2::get_offset_of_m_Images_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2649[7] =
{
XRTrackedImage_t92B53E0621C6D2E930761110E719F0E9580A722F_StaticFields::get_offset_of_s_Default_0(),
XRTrackedImage_t92B53E0621C6D2E930761110E719F0E9580A722F::get_offset_of_m_Id_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRTrackedImage_t92B53E0621C6D2E930761110E719F0E9580A722F::get_offset_of_m_SourceImageId_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRTrackedImage_t92B53E0621C6D2E930761110E719F0E9580A722F::get_offset_of_m_Pose_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRTrackedImage_t92B53E0621C6D2E930761110E719F0E9580A722F::get_offset_of_m_Size_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRTrackedImage_t92B53E0621C6D2E930761110E719F0E9580A722F::get_offset_of_m_TrackingState_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRTrackedImage_t92B53E0621C6D2E930761110E719F0E9580A722F::get_offset_of_m_NativePtr_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2651[9] =
{
NotTrackingReason_t853CA5527FA4E156B45DD1BD3E3E978C78BC49A9::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2653[1] =
{
XRObjectTrackingSubsystem_t3F31F4C8BCA868FE69BD8EC75BA5A1116026C881::get_offset_of_m_Library_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2655[1] =
{
XRObjectTrackingSubsystemDescriptor_t831B568A9BE175A6A79BB87E25DEFAC519A6C472::get_offset_of_U3CcapabilitiesU3Ek__BackingField_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2656[4] =
{
XRReferenceObject_t18877E1C9F50FF11192A86805D881349020032AE::get_offset_of_m_GuidLow_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRReferenceObject_t18877E1C9F50FF11192A86805D881349020032AE::get_offset_of_m_GuidHigh_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRReferenceObject_t18877E1C9F50FF11192A86805D881349020032AE::get_offset_of_m_Name_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRReferenceObject_t18877E1C9F50FF11192A86805D881349020032AE::get_offset_of_m_Entries_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2658[3] =
{
XRReferenceObjectLibrary_t07704B2996E507F23EE3C99CFC3BB73A83C99A7C::get_offset_of_m_GuidLow_4(),
XRReferenceObjectLibrary_t07704B2996E507F23EE3C99CFC3BB73A83C99A7C::get_offset_of_m_GuidHigh_5(),
XRReferenceObjectLibrary_t07704B2996E507F23EE3C99CFC3BB73A83C99A7C::get_offset_of_m_ReferenceObjects_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2659[6] =
{
XRTrackedObject_t247BBE67D4F9308544C4BAD807F321E0C404EC58::get_offset_of_m_TrackableId_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRTrackedObject_t247BBE67D4F9308544C4BAD807F321E0C404EC58::get_offset_of_m_Pose_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRTrackedObject_t247BBE67D4F9308544C4BAD807F321E0C404EC58::get_offset_of_m_TrackingState_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRTrackedObject_t247BBE67D4F9308544C4BAD807F321E0C404EC58::get_offset_of_m_NativePtr_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRTrackedObject_t247BBE67D4F9308544C4BAD807F321E0C404EC58::get_offset_of_m_ReferenceObjectGuid_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRTrackedObject_t247BBE67D4F9308544C4BAD807F321E0C404EC58_StaticFields::get_offset_of_s_Default_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2660[5] =
{
EnvironmentDepthMode_t3510F9A630A7170A2481D60487384089E64D84C7::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2662[4] =
{
HumanSegmentationDepthMode_tFF8EE69372C0D9890D3F0566DC0D2781CE584028::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2664[5] =
{
HumanSegmentationStencilMode_tB151C7AE42CB87D7EB7A0A12C759BD0BA03AC9DB::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2666[3] =
{
OcclusionPreferenceMode_tB85530C1AF1BD2CD83770B19A90C6D3F781EADC1::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2669[8] =
{
XROcclusionSubsystemCinfo_tA29FDBA57EBA835927124FC18780DDD9CC4D84FD::get_offset_of_U3CidU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XROcclusionSubsystemCinfo_tA29FDBA57EBA835927124FC18780DDD9CC4D84FD::get_offset_of_U3CproviderTypeU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XROcclusionSubsystemCinfo_tA29FDBA57EBA835927124FC18780DDD9CC4D84FD::get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XROcclusionSubsystemCinfo_tA29FDBA57EBA835927124FC18780DDD9CC4D84FD::get_offset_of_U3CimplementationTypeU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XROcclusionSubsystemCinfo_tA29FDBA57EBA835927124FC18780DDD9CC4D84FD::get_offset_of_U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
XROcclusionSubsystemCinfo_tA29FDBA57EBA835927124FC18780DDD9CC4D84FD::get_offset_of_U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
XROcclusionSubsystemCinfo_tA29FDBA57EBA835927124FC18780DDD9CC4D84FD::get_offset_of_U3CqueryForSupportsEnvironmentDepthImageU3Ek__BackingField_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
XROcclusionSubsystemCinfo_tA29FDBA57EBA835927124FC18780DDD9CC4D84FD::get_offset_of_U3CqueryForSupportsEnvironmentDepthConfidenceImageU3Ek__BackingField_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2670[4] =
{
XROcclusionSubsystemDescriptor_tC9C8F2EFB7768358C203968CA71D353F0DD234FB::get_offset_of_m_QueryForSupportsEnvironmentDepthImage_3(),
XROcclusionSubsystemDescriptor_tC9C8F2EFB7768358C203968CA71D353F0DD234FB::get_offset_of_m_QueryForSupportsEnvironmentDepthConfidenceImage_4(),
XROcclusionSubsystemDescriptor_tC9C8F2EFB7768358C203968CA71D353F0DD234FB::get_offset_of_U3CsupportsHumanSegmentationStencilImageU3Ek__BackingField_5(),
XROcclusionSubsystemDescriptor_tC9C8F2EFB7768358C203968CA71D353F0DD234FB::get_offset_of_U3CsupportsHumanSegmentationDepthImageU3Ek__BackingField_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2671[6] =
{
XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F::get_offset_of_m_TrackableId_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F::get_offset_of_m_Pose_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F::get_offset_of_m_TrackingState_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F::get_offset_of_m_NativePtr_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F::get_offset_of_m_SessionId_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRParticipant_t8CFF46A2CDD860A7591AD0FC0EE563458C8FA13F_StaticFields::get_offset_of_k_Default_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2674[2] =
{
Capabilities_t9DF0D3D327C4E491811A4DFCF21EBD355596C4D0::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2675[1] =
{
XRParticipantSubsystemDescriptor_t533EE70DC8D4B105B9C87B76D35A7D59A84BCA55::get_offset_of_U3CcapabilitiesU3Ek__BackingField_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2676[10] =
{
BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5_StaticFields::get_offset_of_s_Default_0(),
BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5::get_offset_of_m_TrackableId_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5::get_offset_of_m_SubsumedById_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5::get_offset_of_m_Center_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5::get_offset_of_m_Pose_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5::get_offset_of_m_Size_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5::get_offset_of_m_Alignment_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5::get_offset_of_m_TrackingState_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5::get_offset_of_m_NativePtr_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
BoundedPlane_t9001963C43ACDF4CDEA8BBF97CD783B7969B79C5::get_offset_of_m_Classification_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2677[6] =
{
PlaneAlignment_t1BB7048E3969913434FB1B3BCBCA2E81D4E71ADA::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2679[9] =
{
PlaneClassification_tAC2E2E9609D4396BC311E2987CA3EFA5115EDD10::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2680[4] =
{
PlaneDetectionMode_t22DC72CB3F42DDC9A2472A66F8119475357B48CD::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2683[9] =
{
Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD::get_offset_of_U3CidU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD::get_offset_of_U3CproviderTypeU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD::get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD::get_offset_of_U3CsubsystemImplementationTypeU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD::get_offset_of_U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD::get_offset_of_U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD::get_offset_of_U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD::get_offset_of_U3CsupportsBoundaryVerticesU3Ek__BackingField_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tC49A76BF09DB3F926B17955E1B8D729DC9B272AD::get_offset_of_U3CsupportsClassificationU3Ek__BackingField_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2684[5] =
{
XRPlaneSubsystemDescriptor_t98B66B6D99804656DDDB45C9BDA61C2EE4EDB483::get_offset_of_U3CsupportsHorizontalPlaneDetectionU3Ek__BackingField_3(),
XRPlaneSubsystemDescriptor_t98B66B6D99804656DDDB45C9BDA61C2EE4EDB483::get_offset_of_U3CsupportsVerticalPlaneDetectionU3Ek__BackingField_4(),
XRPlaneSubsystemDescriptor_t98B66B6D99804656DDDB45C9BDA61C2EE4EDB483::get_offset_of_U3CsupportsArbitraryPlaneDetectionU3Ek__BackingField_5(),
XRPlaneSubsystemDescriptor_t98B66B6D99804656DDDB45C9BDA61C2EE4EDB483::get_offset_of_U3CsupportsBoundaryVerticesU3Ek__BackingField_6(),
XRPlaneSubsystemDescriptor_t98B66B6D99804656DDDB45C9BDA61C2EE4EDB483::get_offset_of_U3CsupportsClassificationU3Ek__BackingField_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2686[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2687[11] =
{
TrackableType_t2352F7091A5BE0192C8D908019BA7481A347C85F::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2688[7] =
{
XRRaycast_tA18F9107EFF1D692E70EF15233BB6134A5F66C55_StaticFields::get_offset_of_s_Default_0(),
XRRaycast_tA18F9107EFF1D692E70EF15233BB6134A5F66C55::get_offset_of_m_TrackableId_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRRaycast_tA18F9107EFF1D692E70EF15233BB6134A5F66C55::get_offset_of_m_Pose_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRRaycast_tA18F9107EFF1D692E70EF15233BB6134A5F66C55::get_offset_of_m_TrackingState_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRRaycast_tA18F9107EFF1D692E70EF15233BB6134A5F66C55::get_offset_of_m_NativePtr_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRRaycast_tA18F9107EFF1D692E70EF15233BB6134A5F66C55::get_offset_of_m_Distance_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRRaycast_tA18F9107EFF1D692E70EF15233BB6134A5F66C55::get_offset_of_m_HitTrackableId_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2689[5] =
{
XRRaycastHit_t94A3D13B245A9D0A7A7F2D0919DCAAC7C8DF8DDB_StaticFields::get_offset_of_s_Default_0(),
XRRaycastHit_t94A3D13B245A9D0A7A7F2D0919DCAAC7C8DF8DDB::get_offset_of_m_TrackableId_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRRaycastHit_t94A3D13B245A9D0A7A7F2D0919DCAAC7C8DF8DDB::get_offset_of_m_Pose_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRRaycastHit_t94A3D13B245A9D0A7A7F2D0919DCAAC7C8DF8DDB::get_offset_of_m_Distance_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRRaycastHit_t94A3D13B245A9D0A7A7F2D0919DCAAC7C8DF8DDB::get_offset_of_m_HitType_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2692[8] =
{
Cinfo_tAC330BB49E2D0C7E18C66AB4018927A6EC856E01::get_offset_of_U3CidU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tAC330BB49E2D0C7E18C66AB4018927A6EC856E01::get_offset_of_U3CproviderTypeU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tAC330BB49E2D0C7E18C66AB4018927A6EC856E01::get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tAC330BB49E2D0C7E18C66AB4018927A6EC856E01::get_offset_of_U3CsubsystemImplementationTypeU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tAC330BB49E2D0C7E18C66AB4018927A6EC856E01::get_offset_of_U3CsupportsViewportBasedRaycastU3Ek__BackingField_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tAC330BB49E2D0C7E18C66AB4018927A6EC856E01::get_offset_of_U3CsupportsWorldBasedRaycastU3Ek__BackingField_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tAC330BB49E2D0C7E18C66AB4018927A6EC856E01::get_offset_of_U3CsupportedTrackableTypesU3Ek__BackingField_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_tAC330BB49E2D0C7E18C66AB4018927A6EC856E01::get_offset_of_U3CsupportsTrackedRaycastsU3Ek__BackingField_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2693[4] =
{
XRRaycastSubsystemDescriptor_tB9891F63FC4871797BCD04DB7167142BE2049B2C::get_offset_of_U3CsupportsViewportBasedRaycastU3Ek__BackingField_3(),
XRRaycastSubsystemDescriptor_tB9891F63FC4871797BCD04DB7167142BE2049B2C::get_offset_of_U3CsupportsWorldBasedRaycastU3Ek__BackingField_4(),
XRRaycastSubsystemDescriptor_tB9891F63FC4871797BCD04DB7167142BE2049B2C::get_offset_of_U3CsupportedTrackableTypesU3Ek__BackingField_5(),
XRRaycastSubsystemDescriptor_tB9891F63FC4871797BCD04DB7167142BE2049B2C::get_offset_of_U3CsupportsTrackedRaycastsU3Ek__BackingField_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2695[3] =
{
SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC_StaticFields::get_offset_of_k_Empty_0(),
SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC::get_offset_of_m_GuidLow_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
SerializableGuid_t5F8E8B4FF33F91AF9B16C6CC3F75AE00014505CC::get_offset_of_m_GuidHigh_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2696[4] =
{
SessionAvailability_tF5E98733E00C91772417EDEF3B3A6FA1DF653FCD::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2698[7] =
{
SessionInstallationStatus_t5298F0EEA216D050FFE923AE490498BBF0792F7E::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2700[3] =
{
XRSessionSubsystem_t8AD3C01568AA19BF038D23A6031FF9814CAF93CD::get_offset_of_U3CcurrentConfigurationU3Ek__BackingField_4(),
XRSessionSubsystem_t8AD3C01568AA19BF038D23A6031FF9814CAF93CD::get_offset_of_m_DefaultConfigurationChooser_5(),
XRSessionSubsystem_t8AD3C01568AA19BF038D23A6031FF9814CAF93CD::get_offset_of_m_ConfigurationChooser_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2701[6] =
{
Cinfo_t2842A97DA95F40ECADDCA24A291B6114A3A5F71A::get_offset_of_U3CsupportsInstallU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_t2842A97DA95F40ECADDCA24A291B6114A3A5F71A::get_offset_of_U3CsupportsMatchFrameRateU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_t2842A97DA95F40ECADDCA24A291B6114A3A5F71A::get_offset_of_U3CidU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_t2842A97DA95F40ECADDCA24A291B6114A3A5F71A::get_offset_of_U3CproviderTypeU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_t2842A97DA95F40ECADDCA24A291B6114A3A5F71A::get_offset_of_U3CsubsystemTypeOverrideU3Ek__BackingField_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
Cinfo_t2842A97DA95F40ECADDCA24A291B6114A3A5F71A::get_offset_of_U3CsubsystemImplementationTypeU3Ek__BackingField_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2702[2] =
{
XRSessionSubsystemDescriptor_tC45A49D1179090D5C6D3B3DC1DC31CAB5A627B1C::get_offset_of_U3CsupportsInstallU3Ek__BackingField_3(),
XRSessionSubsystemDescriptor_tC45A49D1179090D5C6D3B3DC1DC31CAB5A627B1C::get_offset_of_U3CsupportsMatchFrameRateU3Ek__BackingField_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2703[2] =
{
XRSessionUpdateParams_t106E075C3B348969D6F3B634195F295CE47DB77F::get_offset_of_U3CscreenOrientationU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRSessionUpdateParams_t106E075C3B348969D6F3B634195F295CE47DB77F::get_offset_of_U3CscreenDimensionsU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2704[4] =
{
TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B_StaticFields::get_offset_of_s_TrackableIdRegex_0(),
TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B_StaticFields::get_offset_of_s_InvalidId_1(),
TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B::get_offset_of_m_SubId1_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
TrackableId_t17A59B04292038BB1B77BEACD41221D2700BE90B::get_offset_of_m_SubId2_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2705[4] =
{
TrackingState_tB6996ED0D52D2A17DFACC90800705B81D370FC38::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2707[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2709[5] =
{
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2711[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2712[8] =
{
XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57::get_offset_of_m_NativeTexture_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57::get_offset_of_m_Width_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57::get_offset_of_m_Height_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57::get_offset_of_m_MipmapCount_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57::get_offset_of_m_Format_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57::get_offset_of_m_PropertyNameId_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57::get_offset_of_m_Depth_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
XRTextureDescriptor_t9CA857DCCC1208B74376787BE4F3008A01B29A57::get_offset_of_m_Dimension_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2714[2] =
{
XRConfigurationDataAttribute_tC94F83D607B934FF3F894802DF857C51AA165236::get_offset_of_U3CdisplayNameU3Ek__BackingField_0(),
XRConfigurationDataAttribute_tC94F83D607B934FF3F894802DF857C51AA165236::get_offset_of_U3CbuildSettingsKeyU3Ek__BackingField_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2715[7] =
{
XRGeneralSettings_t32A12852D8662239F55902E9FD6A299201C04042_StaticFields::get_offset_of_k_SettingsKey_4(),
XRGeneralSettings_t32A12852D8662239F55902E9FD6A299201C04042_StaticFields::get_offset_of_s_RuntimeSettingsInstance_5(),
XRGeneralSettings_t32A12852D8662239F55902E9FD6A299201C04042::get_offset_of_m_LoaderManagerInstance_6(),
XRGeneralSettings_t32A12852D8662239F55902E9FD6A299201C04042::get_offset_of_m_InitManagerOnStart_7(),
XRGeneralSettings_t32A12852D8662239F55902E9FD6A299201C04042::get_offset_of_m_XRManager_8(),
XRGeneralSettings_t32A12852D8662239F55902E9FD6A299201C04042::get_offset_of_m_ProviderIntialized_9(),
XRGeneralSettings_t32A12852D8662239F55902E9FD6A299201C04042::get_offset_of_m_ProviderStarted_10(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2717[1] =
{
XRLoaderHelper_t37A55C343AC31D25BB3EBD203DABFA357F51C013::get_offset_of_m_SubsystemInstanceMap_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2718[4] =
{
BuildEvent_t91DF130C6ECDD6C929257705DB0AFE481F5BFE17::get_offset_of_buildGuid_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
BuildEvent_t91DF130C6ECDD6C929257705DB0AFE481F5BFE17::get_offset_of_buildTarget_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
BuildEvent_t91DF130C6ECDD6C929257705DB0AFE481F5BFE17::get_offset_of_buildTargetGroup_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
BuildEvent_t91DF130C6ECDD6C929257705DB0AFE481F5BFE17::get_offset_of_assigned_loaders_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2719[5] =
{
0,
0,
0,
0,
XRManagementAnalytics_tDE4A4982DC5ED0711D2F4A52850AB7F44E446251_StaticFields::get_offset_of_s_Initialized_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2720[4] =
{
U3CInitializeLoaderU3Ed__24_tBE52372328AAFF3147B0E3361196652E33780D08::get_offset_of_U3CU3E1__state_0(),
U3CInitializeLoaderU3Ed__24_tBE52372328AAFF3147B0E3361196652E33780D08::get_offset_of_U3CU3E2__current_1(),
U3CInitializeLoaderU3Ed__24_tBE52372328AAFF3147B0E3361196652E33780D08::get_offset_of_U3CU3E4__this_2(),
U3CInitializeLoaderU3Ed__24_tBE52372328AAFF3147B0E3361196652E33780D08::get_offset_of_U3CU3E7__wrap1_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2721[7] =
{
XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F::get_offset_of_m_InitializationComplete_4(),
XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F::get_offset_of_m_RequiresSettingsUpdate_5(),
XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F::get_offset_of_m_AutomaticLoading_6(),
XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F::get_offset_of_m_AutomaticRunning_7(),
XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F::get_offset_of_m_Loaders_8(),
XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F::get_offset_of_m_RegisteredLoaders_9(),
XRManagerSettings_t8F274E413BAFFBB547DAD1B7E50EDD9D7B16E19F::get_offset_of_U3CactiveLoaderU3Ek__BackingField_10(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2724[2] =
{
PoseData_t3F5C8C74C50A6ECAE42890BBEF683882DB4E97C3::get_offset_of_PoseNames_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
PoseData_t3F5C8C74C50A6ECAE42890BBEF683882DB4E97C3::get_offset_of_Poses_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2725[1] =
{
TrackedPoseDriverDataDescription_t1DDD4ABD8892762FC3F4825233D1EA413197B9A1_StaticFields::get_offset_of_DeviceData_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2726[4] =
{
PoseDataFlags_tB6A466AA30BE06A3F9ABA4C63BC7E4912FB8C6D7::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2727[1] =
{
PoseDataSource_t729321C69DC33F646ED3624A4E79FFDB69C51D44_StaticFields::get_offset_of_nodeStates_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2728[4] =
{
DeviceType_tAE2B3246436F9B924A6284C9C0603322DD6D09E8::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2729[12] =
{
TrackedPose_t1326EFD84D48C3339F652B2A072743C3189B581B::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2730[4] =
{
TrackingType_t6524BC8345E54C620E3557D2BD223CEAF7CA5EA9::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2731[4] =
{
UpdateType_t4CA0C1D1034EEB2D3CB9C008009B2F4967CD658E::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2732[7] =
{
TrackedPoseDriver_t76FFA7BA9FCABF9DA0A77CA1D1B387E63BE3EDE8::get_offset_of_m_Device_4(),
TrackedPoseDriver_t76FFA7BA9FCABF9DA0A77CA1D1B387E63BE3EDE8::get_offset_of_m_PoseSource_5(),
TrackedPoseDriver_t76FFA7BA9FCABF9DA0A77CA1D1B387E63BE3EDE8::get_offset_of_m_PoseProviderComponent_6(),
TrackedPoseDriver_t76FFA7BA9FCABF9DA0A77CA1D1B387E63BE3EDE8::get_offset_of_m_TrackingType_7(),
TrackedPoseDriver_t76FFA7BA9FCABF9DA0A77CA1D1B387E63BE3EDE8::get_offset_of_m_UpdateType_8(),
TrackedPoseDriver_t76FFA7BA9FCABF9DA0A77CA1D1B387E63BE3EDE8::get_offset_of_m_UseRelativeTransform_9(),
TrackedPoseDriver_t76FFA7BA9FCABF9DA0A77CA1D1B387E63BE3EDE8::get_offset_of_m_OriginPose_10(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2735[10] =
{
0,
0,
0,
0,
0,
AnimationTriggers_tF38CA7FA631709E096B57D732668D86081F44C11::get_offset_of_m_NormalTrigger_5(),
AnimationTriggers_tF38CA7FA631709E096B57D732668D86081F44C11::get_offset_of_m_HighlightedTrigger_6(),
AnimationTriggers_tF38CA7FA631709E096B57D732668D86081F44C11::get_offset_of_m_PressedTrigger_7(),
AnimationTriggers_tF38CA7FA631709E096B57D732668D86081F44C11::get_offset_of_m_SelectedTrigger_8(),
AnimationTriggers_tF38CA7FA631709E096B57D732668D86081F44C11::get_offset_of_m_DisabledTrigger_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2737[5] =
{
U3COnFinishSubmitU3Ed__9_t270CA6BB596B5C583A2E70FB6BED90A6D04C43C0::get_offset_of_U3CU3E1__state_0(),
U3COnFinishSubmitU3Ed__9_t270CA6BB596B5C583A2E70FB6BED90A6D04C43C0::get_offset_of_U3CU3E2__current_1(),
U3COnFinishSubmitU3Ed__9_t270CA6BB596B5C583A2E70FB6BED90A6D04C43C0::get_offset_of_U3CU3E4__this_2(),
U3COnFinishSubmitU3Ed__9_t270CA6BB596B5C583A2E70FB6BED90A6D04C43C0::get_offset_of_U3CfadeTimeU3E5__2_3(),
U3COnFinishSubmitU3Ed__9_t270CA6BB596B5C583A2E70FB6BED90A6D04C43C0::get_offset_of_U3CelapsedTimeU3E5__3_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2738[1] =
{
Button_tA893FC15AB26E1439AC25BDCA7079530587BB65D::get_offset_of_m_OnClick_20(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2739[7] =
{
CanvasUpdate_tFC4C725F7712606C89DEE6B687AE307B04B428B9::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2741[8] =
{
CanvasUpdateRegistry_t53CA156F8691B17AB7B441C52E0FB436E96A5D0B_StaticFields::get_offset_of_s_Instance_0(),
CanvasUpdateRegistry_t53CA156F8691B17AB7B441C52E0FB436E96A5D0B::get_offset_of_m_PerformingLayoutUpdate_1(),
CanvasUpdateRegistry_t53CA156F8691B17AB7B441C52E0FB436E96A5D0B::get_offset_of_m_PerformingGraphicUpdate_2(),
CanvasUpdateRegistry_t53CA156F8691B17AB7B441C52E0FB436E96A5D0B::get_offset_of_m_CanvasUpdateProfilerStrings_3(),
0,
CanvasUpdateRegistry_t53CA156F8691B17AB7B441C52E0FB436E96A5D0B::get_offset_of_m_LayoutRebuildQueue_5(),
CanvasUpdateRegistry_t53CA156F8691B17AB7B441C52E0FB436E96A5D0B::get_offset_of_m_GraphicRebuildQueue_6(),
CanvasUpdateRegistry_t53CA156F8691B17AB7B441C52E0FB436E96A5D0B_StaticFields::get_offset_of_s_SortLayoutFunction_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2742[8] =
{
ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955::get_offset_of_m_NormalColor_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955::get_offset_of_m_HighlightedColor_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955::get_offset_of_m_PressedColor_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955::get_offset_of_m_SelectedColor_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955::get_offset_of_m_DisabledColor_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955::get_offset_of_m_ColorMultiplier_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955::get_offset_of_m_FadeDuration_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
ColorBlock_t04DFBB97B4772D2E00FD17ED2E3E6590E6916955_StaticFields::get_offset_of_defaultColorBlock_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2743[2] =
{
ClipperRegistry_t9BC15A5BC2B100BD84917F6F6F9B158359F72760_StaticFields::get_offset_of_s_Instance_0(),
ClipperRegistry_t9BC15A5BC2B100BD84917F6F6F9B158359F72760::get_offset_of_m_Clippers_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2747[2] =
{
RectangularVertexClipper_t34360F92063A8540ABA87922B62269ADA99EB5E7::get_offset_of_m_WorldCorners_0(),
RectangularVertexClipper_t34360F92063A8540ABA87922B62269ADA99EB5E7::get_offset_of_m_CanvasCorners_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2749[1] =
{
DefaultRuntimeFactory_t4E24DBF7E133BB9F56A10FB79743B3EEB6F4AF36_StaticFields::get_offset_of_Default_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2750[7] =
{
Resources_tA64317917B3D01310E84588407113D059D802DEB::get_offset_of_standard_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Resources_tA64317917B3D01310E84588407113D059D802DEB::get_offset_of_background_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Resources_tA64317917B3D01310E84588407113D059D802DEB::get_offset_of_inputField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Resources_tA64317917B3D01310E84588407113D059D802DEB::get_offset_of_knob_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Resources_tA64317917B3D01310E84588407113D059D802DEB::get_offset_of_checkmark_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
Resources_tA64317917B3D01310E84588407113D059D802DEB::get_offset_of_dropdown_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
Resources_tA64317917B3D01310E84588407113D059D802DEB::get_offset_of_mask_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2751[10] =
{
DefaultControls_tFF6EBE691F18364C4BC2323C4293DBA094461F3C_StaticFields::get_offset_of_m_CurrentFactory_0(),
0,
0,
0,
DefaultControls_tFF6EBE691F18364C4BC2323C4293DBA094461F3C_StaticFields::get_offset_of_s_ThickElementSize_4(),
DefaultControls_tFF6EBE691F18364C4BC2323C4293DBA094461F3C_StaticFields::get_offset_of_s_ThinElementSize_5(),
DefaultControls_tFF6EBE691F18364C4BC2323C4293DBA094461F3C_StaticFields::get_offset_of_s_ImageElementSize_6(),
DefaultControls_tFF6EBE691F18364C4BC2323C4293DBA094461F3C_StaticFields::get_offset_of_s_DefaultSelectableColor_7(),
DefaultControls_tFF6EBE691F18364C4BC2323C4293DBA094461F3C_StaticFields::get_offset_of_s_PanelColor_8(),
DefaultControls_tFF6EBE691F18364C4BC2323C4293DBA094461F3C_StaticFields::get_offset_of_s_TextColor_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2752[4] =
{
DropdownItem_t4D0754A7D4953D1DDC5663E6877182138BF8DEEB::get_offset_of_m_Text_4(),
DropdownItem_t4D0754A7D4953D1DDC5663E6877182138BF8DEEB::get_offset_of_m_Image_5(),
DropdownItem_t4D0754A7D4953D1DDC5663E6877182138BF8DEEB::get_offset_of_m_RectTransform_6(),
DropdownItem_t4D0754A7D4953D1DDC5663E6877182138BF8DEEB::get_offset_of_m_Toggle_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2753[2] =
{
OptionData_t5F665DC13C1E4307727D66ECC1100B3A77E3E857::get_offset_of_m_Text_0(),
OptionData_t5F665DC13C1E4307727D66ECC1100B3A77E3E857::get_offset_of_m_Image_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2754[1] =
{
OptionDataList_t524EBDB7A2B178269FD5B4740108D0EC6404B4B6::get_offset_of_m_Options_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2756[2] =
{
U3CU3Ec__DisplayClass62_0_t96A019B47E3FFDA79D4582E287B82C36070F25C1::get_offset_of_item_0(),
U3CU3Ec__DisplayClass62_0_t96A019B47E3FFDA79D4582E287B82C36070F25C1::get_offset_of_U3CU3E4__this_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2757[4] =
{
U3CDelayedDestroyDropdownListU3Ed__74_tFA5A06284A89E19506BA684072E3EF1C366FC38E::get_offset_of_U3CU3E1__state_0(),
U3CDelayedDestroyDropdownListU3Ed__74_tFA5A06284A89E19506BA684072E3EF1C366FC38E::get_offset_of_U3CU3E2__current_1(),
U3CDelayedDestroyDropdownListU3Ed__74_tFA5A06284A89E19506BA684072E3EF1C366FC38E::get_offset_of_delay_2(),
U3CDelayedDestroyDropdownListU3Ed__74_tFA5A06284A89E19506BA684072E3EF1C366FC38E::get_offset_of_U3CU3E4__this_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2758[15] =
{
Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96::get_offset_of_m_Template_20(),
Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96::get_offset_of_m_CaptionText_21(),
Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96::get_offset_of_m_CaptionImage_22(),
Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96::get_offset_of_m_ItemText_23(),
Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96::get_offset_of_m_ItemImage_24(),
Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96::get_offset_of_m_Value_25(),
Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96::get_offset_of_m_Options_26(),
Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96::get_offset_of_m_OnValueChanged_27(),
Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96::get_offset_of_m_AlphaFadeSpeed_28(),
Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96::get_offset_of_m_Dropdown_29(),
Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96::get_offset_of_m_Blocker_30(),
Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96::get_offset_of_m_Items_31(),
Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96::get_offset_of_m_AlphaTweenRunner_32(),
Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96::get_offset_of_validTemplate_33(),
Dropdown_t099F5232BB75810BC79EED6E27DDCED46C3BCD96_StaticFields::get_offset_of_s_NoOptionData_34(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2759[12] =
{
FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738::get_offset_of_m_Font_0(),
FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738::get_offset_of_m_FontSize_1(),
FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738::get_offset_of_m_FontStyle_2(),
FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738::get_offset_of_m_BestFit_3(),
FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738::get_offset_of_m_MinSize_4(),
FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738::get_offset_of_m_MaxSize_5(),
FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738::get_offset_of_m_Alignment_6(),
FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738::get_offset_of_m_AlignByGeometry_7(),
FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738::get_offset_of_m_RichText_8(),
FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738::get_offset_of_m_HorizontalOverflow_9(),
FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738::get_offset_of_m_VerticalOverflow_10(),
FontData_t0F1E9B3ED8136CD40782AC9A6AFB69CAD127C738::get_offset_of_m_LineSpacing_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2760[1] =
{
FontUpdateTracker_t6CDAB2F65201DFA5C15166ED2318E076F58620CF_StaticFields::get_offset_of_m_Tracked_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2761[22] =
{
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24_StaticFields::get_offset_of_s_DefaultUI_4(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24_StaticFields::get_offset_of_s_WhiteTexture_5(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24::get_offset_of_m_Material_6(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24::get_offset_of_m_Color_7(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24::get_offset_of_m_SkipLayoutUpdate_8(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24::get_offset_of_m_SkipMaterialUpdate_9(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24::get_offset_of_m_RaycastTarget_10(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24::get_offset_of_m_RaycastPadding_11(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24::get_offset_of_m_RectTransform_12(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24::get_offset_of_m_CanvasRenderer_13(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24::get_offset_of_m_Canvas_14(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24::get_offset_of_m_VertsDirty_15(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24::get_offset_of_m_MaterialDirty_16(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24::get_offset_of_m_OnDirtyLayoutCallback_17(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24::get_offset_of_m_OnDirtyVertsCallback_18(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24::get_offset_of_m_OnDirtyMaterialCallback_19(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24_StaticFields::get_offset_of_s_Mesh_20(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24_StaticFields::get_offset_of_s_VertexHelper_21(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24::get_offset_of_m_CachedMesh_22(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24::get_offset_of_m_CachedUvs_23(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24::get_offset_of_m_ColorTweenRunner_24(),
Graphic_tF07D777035055CF93BA5F46F77ED5EDFEFF9AE24::get_offset_of_U3CuseLegacyMeshGenerationU3Ek__BackingField_25(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2762[5] =
{
BlockingObjects_t3E2C52C921D1DE2C3EDB3FBC0685E319727BE810::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2763[2] =
{
U3CU3Ec_t43FDD2D1BAB9CBA1C02E24FEF16A3D9C757F6010_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_t43FDD2D1BAB9CBA1C02E24FEF16A3D9C757F6010_StaticFields::get_offset_of_U3CU3E9__27_0_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2764[7] =
{
0,
GraphicRaycaster_tD6DFF30B8B7F1E0DA9522A4F2BB9DC18E19638E6::get_offset_of_m_IgnoreReversedGraphics_6(),
GraphicRaycaster_tD6DFF30B8B7F1E0DA9522A4F2BB9DC18E19638E6::get_offset_of_m_BlockingObjects_7(),
GraphicRaycaster_tD6DFF30B8B7F1E0DA9522A4F2BB9DC18E19638E6::get_offset_of_m_BlockingMask_8(),
GraphicRaycaster_tD6DFF30B8B7F1E0DA9522A4F2BB9DC18E19638E6::get_offset_of_m_Canvas_9(),
GraphicRaycaster_tD6DFF30B8B7F1E0DA9522A4F2BB9DC18E19638E6::get_offset_of_m_RaycastResults_10(),
GraphicRaycaster_tD6DFF30B8B7F1E0DA9522A4F2BB9DC18E19638E6_StaticFields::get_offset_of_s_SortedGraphics_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2765[4] =
{
GraphicRegistry_t3993D13217A68FC7F6FF5A74B3AD46BFD7DFA4B3_StaticFields::get_offset_of_s_Instance_0(),
GraphicRegistry_t3993D13217A68FC7F6FF5A74B3AD46BFD7DFA4B3::get_offset_of_m_Graphics_1(),
GraphicRegistry_t3993D13217A68FC7F6FF5A74B3AD46BFD7DFA4B3::get_offset_of_m_RaycastableGraphics_2(),
GraphicRegistry_t3993D13217A68FC7F6FF5A74B3AD46BFD7DFA4B3_StaticFields::get_offset_of_s_EmptyList_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2769[5] =
{
Type_tDCB08AB7425CAB70C1E46CC341F877423B5A5E12::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2770[6] =
{
FillMethod_tC37E5898D113A8FBF25A6AB6FBA451CC51E211E2::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2771[3] =
{
OriginHorizontal_t72F5B53ABDB378449F3FCFDC6421A6AADBC4F370::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2772[3] =
{
OriginVertical_t7465CC451DC60C4921B3D1104E52DFCBFA5A1691::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2773[5] =
{
Origin90_tB57615AFF706967A9E6E3AC17407E907682BB11C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2774[5] =
{
Origin180_t3B03D734A486C2695209E575030607580CFF7179::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2775[5] =
{
Origin360_tA24EF1B8CB07A3BEA409758DDA348121A9BC67B7::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2776[21] =
{
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C_StaticFields::get_offset_of_s_ETC1DefaultUI_36(),
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C::get_offset_of_m_Sprite_37(),
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C::get_offset_of_m_OverrideSprite_38(),
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C::get_offset_of_m_Type_39(),
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C::get_offset_of_m_PreserveAspect_40(),
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C::get_offset_of_m_FillCenter_41(),
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C::get_offset_of_m_FillMethod_42(),
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C::get_offset_of_m_FillAmount_43(),
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C::get_offset_of_m_FillClockwise_44(),
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C::get_offset_of_m_FillOrigin_45(),
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C::get_offset_of_m_AlphaHitTestMinimumThreshold_46(),
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C::get_offset_of_m_Tracked_47(),
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C::get_offset_of_m_UseSpriteMesh_48(),
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C::get_offset_of_m_PixelsPerUnitMultiplier_49(),
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C::get_offset_of_m_CachedReferencePixelsPerUnit_50(),
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C_StaticFields::get_offset_of_s_VertScratch_51(),
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C_StaticFields::get_offset_of_s_UVScratch_52(),
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C_StaticFields::get_offset_of_s_Xy_53(),
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C_StaticFields::get_offset_of_s_Uv_54(),
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C_StaticFields::get_offset_of_m_TrackedTexturelessImages_55(),
Image_t4021FF27176E44BFEDDCBE43C7FE6B713EC70D3C_StaticFields::get_offset_of_s_Initialized_56(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2777[11] =
{
ContentType_t15FD47A38F32CADD417E3A07C787F1B3997B9AC1::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2778[4] =
{
InputType_t43FE97C0C3EE1F7DB81E2F34420780D1DFBF03D2::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2779[7] =
{
CharacterValidation_t03AFB752BBD6215579765978CE67D7159431FC41::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2780[4] =
{
LineType_t3249F1C248D9D12DE265C49F371F2C3618AFEFCE::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2784[3] =
{
EditState_tB978DACF7D497A639D7FA14E2B6974AE3DA6D29E::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2785[3] =
{
U3CCaretBlinkU3Ed__161_tA860DFAB8E5BBF24FFD05F32A049BC7C482A4D52::get_offset_of_U3CU3E1__state_0(),
U3CCaretBlinkU3Ed__161_tA860DFAB8E5BBF24FFD05F32A049BC7C482A4D52::get_offset_of_U3CU3E2__current_1(),
U3CCaretBlinkU3Ed__161_tA860DFAB8E5BBF24FFD05F32A049BC7C482A4D52::get_offset_of_U3CU3E4__this_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2786[4] =
{
U3CMouseDragOutsideRectU3Ed__181_t00A1484BA91FD72E18648C1B65BB4E9A839DE83C::get_offset_of_U3CU3E1__state_0(),
U3CMouseDragOutsideRectU3Ed__181_t00A1484BA91FD72E18648C1B65BB4E9A839DE83C::get_offset_of_U3CU3E2__current_1(),
U3CMouseDragOutsideRectU3Ed__181_t00A1484BA91FD72E18648C1B65BB4E9A839DE83C::get_offset_of_eventData_2(),
U3CMouseDragOutsideRectU3Ed__181_t00A1484BA91FD72E18648C1B65BB4E9A839DE83C::get_offset_of_U3CU3E4__this_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2787[51] =
{
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_Keyboard_20(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0_StaticFields::get_offset_of_kSeparators_21(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_TextComponent_22(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_Placeholder_23(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_ContentType_24(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_InputType_25(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_AsteriskChar_26(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_KeyboardType_27(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_LineType_28(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_HideMobileInput_29(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_CharacterValidation_30(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_CharacterLimit_31(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_OnEndEdit_32(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_OnValueChanged_33(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_OnValidateInput_34(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_CaretColor_35(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_CustomCaretColor_36(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_SelectionColor_37(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_Text_38(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_CaretBlinkRate_39(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_CaretWidth_40(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_ReadOnly_41(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_ShouldActivateOnSelect_42(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_CaretPosition_43(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_CaretSelectPosition_44(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_caretRectTrans_45(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_CursorVerts_46(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_InputTextCache_47(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_CachedInputRenderer_48(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_PreventFontCallback_49(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_Mesh_50(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_AllowInput_51(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_ShouldActivateNextUpdate_52(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_UpdateDrag_53(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_DragPositionOutOfBounds_54(),
0,
0,
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_CaretVisible_57(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_BlinkCoroutine_58(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_BlinkStartTime_59(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_DrawStart_60(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_DrawEnd_61(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_DragCoroutine_62(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_OriginalText_63(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_WasCanceled_64(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_HasDoneFocusTransition_65(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_WaitForSecondsRealtime_66(),
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_TouchKeyboardAllowsInPlaceEditing_67(),
0,
InputField_tB41A2814F31A3E9373D443EDEBBB2856006324D0::get_offset_of_m_ProcessingEvent_69(),
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2788[6] =
{
AspectMode_t36213FA489787D7A0D888D00CD344AD5349CD563::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2789[6] =
{
AspectRatioFitter_tDF617A8ACD769EAE81CBB1716C95C6F4A1E1D2A3::get_offset_of_m_AspectMode_4(),
AspectRatioFitter_tDF617A8ACD769EAE81CBB1716C95C6F4A1E1D2A3::get_offset_of_m_AspectRatio_5(),
AspectRatioFitter_tDF617A8ACD769EAE81CBB1716C95C6F4A1E1D2A3::get_offset_of_m_Rect_6(),
AspectRatioFitter_tDF617A8ACD769EAE81CBB1716C95C6F4A1E1D2A3::get_offset_of_m_DelayedSetDirty_7(),
AspectRatioFitter_tDF617A8ACD769EAE81CBB1716C95C6F4A1E1D2A3::get_offset_of_m_DoesParentExist_8(),
AspectRatioFitter_tDF617A8ACD769EAE81CBB1716C95C6F4A1E1D2A3::get_offset_of_m_Tracker_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2790[4] =
{
ScaleMode_t0CBCB9FD5EB6F84B682D0F5E4203D0925BCDB069::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2791[4] =
{
ScreenMatchMode_t64D475564756A5C040CC9B7C62D321C7133970DB::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2792[6] =
{
Unit_t48D9126E954FB214B48FD2E199CB041FF97CFF80::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2793[15] =
{
CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1::get_offset_of_m_UiScaleMode_4(),
CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1::get_offset_of_m_ReferencePixelsPerUnit_5(),
CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1::get_offset_of_m_ScaleFactor_6(),
CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1::get_offset_of_m_ReferenceResolution_7(),
CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1::get_offset_of_m_ScreenMatchMode_8(),
CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1::get_offset_of_m_MatchWidthOrHeight_9(),
0,
CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1::get_offset_of_m_PhysicalUnit_11(),
CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1::get_offset_of_m_FallbackScreenDPI_12(),
CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1::get_offset_of_m_DefaultSpriteDPI_13(),
CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1::get_offset_of_m_DynamicPixelsPerUnit_14(),
CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1::get_offset_of_m_Canvas_15(),
CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1::get_offset_of_m_PrevScaleFactor_16(),
CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1::get_offset_of_m_PrevReferencePixelsPerUnit_17(),
CanvasScaler_t8EF50255FD2913C31BD62B14476C994F64D711F1::get_offset_of_m_PresetInfoIsWorld_18(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2794[4] =
{
FitMode_t003CA2D5EEC902650F2182E2D748E327BC6D4571::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2795[4] =
{
ContentSizeFitter_t49F1C2D57ADBDB752A275C75C5437E47A55818D5::get_offset_of_m_HorizontalFit_4(),
ContentSizeFitter_t49F1C2D57ADBDB752A275C75C5437E47A55818D5::get_offset_of_m_VerticalFit_5(),
ContentSizeFitter_t49F1C2D57ADBDB752A275C75C5437E47A55818D5::get_offset_of_m_Rect_6(),
ContentSizeFitter_t49F1C2D57ADBDB752A275C75C5437E47A55818D5::get_offset_of_m_Tracker_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2796[5] =
{
Corner_t448F8AE9F386A784CC3EF956C9BDDC068E6DAFB2::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2797[3] =
{
Axis_tBD4147C2DEA74142784225B3CB0DC2DF0217A1DE::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2798[4] =
{
Constraint_tA930C0D79BAE00A005492CF973235EFBAD92D20D::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2799[6] =
{
GridLayoutGroup_tE25FFEE93AF1291734B4EB8DA986D23A500E7C28::get_offset_of_m_StartCorner_12(),
GridLayoutGroup_tE25FFEE93AF1291734B4EB8DA986D23A500E7C28::get_offset_of_m_StartAxis_13(),
GridLayoutGroup_tE25FFEE93AF1291734B4EB8DA986D23A500E7C28::get_offset_of_m_CellSize_14(),
GridLayoutGroup_tE25FFEE93AF1291734B4EB8DA986D23A500E7C28::get_offset_of_m_Spacing_15(),
GridLayoutGroup_tE25FFEE93AF1291734B4EB8DA986D23A500E7C28::get_offset_of_m_Constraint_16(),
GridLayoutGroup_tE25FFEE93AF1291734B4EB8DA986D23A500E7C28::get_offset_of_m_ConstraintCount_17(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2801[8] =
{
HorizontalOrVerticalLayoutGroup_tAEE7FC9DCA8F7E95D4DE560305B3A219008A8108::get_offset_of_m_Spacing_12(),
HorizontalOrVerticalLayoutGroup_tAEE7FC9DCA8F7E95D4DE560305B3A219008A8108::get_offset_of_m_ChildForceExpandWidth_13(),
HorizontalOrVerticalLayoutGroup_tAEE7FC9DCA8F7E95D4DE560305B3A219008A8108::get_offset_of_m_ChildForceExpandHeight_14(),
HorizontalOrVerticalLayoutGroup_tAEE7FC9DCA8F7E95D4DE560305B3A219008A8108::get_offset_of_m_ChildControlWidth_15(),
HorizontalOrVerticalLayoutGroup_tAEE7FC9DCA8F7E95D4DE560305B3A219008A8108::get_offset_of_m_ChildControlHeight_16(),
HorizontalOrVerticalLayoutGroup_tAEE7FC9DCA8F7E95D4DE560305B3A219008A8108::get_offset_of_m_ChildScaleWidth_17(),
HorizontalOrVerticalLayoutGroup_tAEE7FC9DCA8F7E95D4DE560305B3A219008A8108::get_offset_of_m_ChildScaleHeight_18(),
HorizontalOrVerticalLayoutGroup_tAEE7FC9DCA8F7E95D4DE560305B3A219008A8108::get_offset_of_m_ReverseArrangement_19(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2807[8] =
{
LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF::get_offset_of_m_IgnoreLayout_4(),
LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF::get_offset_of_m_MinWidth_5(),
LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF::get_offset_of_m_MinHeight_6(),
LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF::get_offset_of_m_PreferredWidth_7(),
LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF::get_offset_of_m_PreferredHeight_8(),
LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF::get_offset_of_m_FlexibleWidth_9(),
LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF::get_offset_of_m_FlexibleHeight_10(),
LayoutElement_tE514951184806899FE23EC4FA6112A5F2038CECF::get_offset_of_m_LayoutPriority_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2808[3] =
{
U3CDelayedSetDirtyU3Ed__56_tFC01B8A0930877A6B06D182C0DEA09660B57E7DE::get_offset_of_U3CU3E1__state_0(),
U3CDelayedSetDirtyU3Ed__56_tFC01B8A0930877A6B06D182C0DEA09660B57E7DE::get_offset_of_U3CU3E2__current_1(),
U3CDelayedSetDirtyU3Ed__56_tFC01B8A0930877A6B06D182C0DEA09660B57E7DE::get_offset_of_rectTransform_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2809[8] =
{
LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2::get_offset_of_m_Padding_4(),
LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2::get_offset_of_m_ChildAlignment_5(),
LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2::get_offset_of_m_Rect_6(),
LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2::get_offset_of_m_Tracker_7(),
LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2::get_offset_of_m_TotalMinSize_8(),
LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2::get_offset_of_m_TotalPreferredSize_9(),
LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2::get_offset_of_m_TotalFlexibleSize_10(),
LayoutGroup_t63C978964192B57EFC660D5FDA03DEE89DDC1AE2::get_offset_of_m_RectChildren_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2810[6] =
{
U3CU3Ec_tF79F3380B4FBBEE2D222FA51ECA9C5F326A844EE_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_tF79F3380B4FBBEE2D222FA51ECA9C5F326A844EE_StaticFields::get_offset_of_U3CU3E9__10_0_1(),
U3CU3Ec_tF79F3380B4FBBEE2D222FA51ECA9C5F326A844EE_StaticFields::get_offset_of_U3CU3E9__12_0_2(),
U3CU3Ec_tF79F3380B4FBBEE2D222FA51ECA9C5F326A844EE_StaticFields::get_offset_of_U3CU3E9__12_1_3(),
U3CU3Ec_tF79F3380B4FBBEE2D222FA51ECA9C5F326A844EE_StaticFields::get_offset_of_U3CU3E9__12_2_4(),
U3CU3Ec_tF79F3380B4FBBEE2D222FA51ECA9C5F326A844EE_StaticFields::get_offset_of_U3CU3E9__12_3_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2811[3] =
{
LayoutRebuilder_tE88B8B9EA50644E438123BDCE2BC2A3287E07585::get_offset_of_m_ToRebuild_0(),
LayoutRebuilder_tE88B8B9EA50644E438123BDCE2BC2A3287E07585::get_offset_of_m_CachedHashFromTransform_1(),
LayoutRebuilder_tE88B8B9EA50644E438123BDCE2BC2A3287E07585_StaticFields::get_offset_of_s_Rebuilders_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2812[9] =
{
U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425_StaticFields::get_offset_of_U3CU3E9__3_0_1(),
U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425_StaticFields::get_offset_of_U3CU3E9__4_0_2(),
U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425_StaticFields::get_offset_of_U3CU3E9__4_1_3(),
U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425_StaticFields::get_offset_of_U3CU3E9__5_0_4(),
U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425_StaticFields::get_offset_of_U3CU3E9__6_0_5(),
U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425_StaticFields::get_offset_of_U3CU3E9__7_0_6(),
U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425_StaticFields::get_offset_of_U3CU3E9__7_1_7(),
U3CU3Ec_t7FCAF6521DF9F0C0224AF729F0D318FEBBDF7425_StaticFields::get_offset_of_U3CU3E9__8_0_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2815[5] =
{
Mask_t8DE5E31E7C928D3B32AA60E36E49B4DCFED4417D::get_offset_of_m_RectTransform_4(),
Mask_t8DE5E31E7C928D3B32AA60E36E49B4DCFED4417D::get_offset_of_m_ShowMaskGraphic_5(),
Mask_t8DE5E31E7C928D3B32AA60E36E49B4DCFED4417D::get_offset_of_m_Graphic_6(),
Mask_t8DE5E31E7C928D3B32AA60E36E49B4DCFED4417D::get_offset_of_m_MaskMaterial_7(),
Mask_t8DE5E31E7C928D3B32AA60E36E49B4DCFED4417D::get_offset_of_m_UnmaskMaterial_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2818[10] =
{
MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE::get_offset_of_m_ShouldRecalculateStencil_26(),
MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE::get_offset_of_m_MaskMaterial_27(),
MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE::get_offset_of_m_ParentMask_28(),
MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE::get_offset_of_m_Maskable_29(),
MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE::get_offset_of_m_IsMaskingGraphic_30(),
MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE::get_offset_of_m_IncludeForMasking_31(),
MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE::get_offset_of_m_OnCullStateChanged_32(),
MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE::get_offset_of_m_ShouldRecalculate_33(),
MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE::get_offset_of_m_StencilValue_34(),
MaskableGraphic_t0DB59E37E3C8AD2F5A4FB7FB091630CB21370CCE::get_offset_of_m_Corners_35(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2822[6] =
{
Mode_t3113FDF05158BBA1DFC78D7F69E4C1D25135CB0F::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2823[6] =
{
Navigation_t1CF0FFB22C0357CD64714FB7A40A275F899D363A::get_offset_of_m_Mode_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Navigation_t1CF0FFB22C0357CD64714FB7A40A275F899D363A::get_offset_of_m_WrapAround_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Navigation_t1CF0FFB22C0357CD64714FB7A40A275F899D363A::get_offset_of_m_SelectOnUp_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Navigation_t1CF0FFB22C0357CD64714FB7A40A275F899D363A::get_offset_of_m_SelectOnDown_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Navigation_t1CF0FFB22C0357CD64714FB7A40A275F899D363A::get_offset_of_m_SelectOnLeft_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
Navigation_t1CF0FFB22C0357CD64714FB7A40A275F899D363A::get_offset_of_m_SelectOnRight_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2824[2] =
{
RawImage_tFE280EF0C73AF19FE9AC24DB06501937DC2D6F1A::get_offset_of_m_Texture_36(),
RawImage_tFE280EF0C73AF19FE9AC24DB06501937DC2D6F1A::get_offset_of_m_UVRect_37(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2825[12] =
{
RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15::get_offset_of_m_VertexClipper_4(),
RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15::get_offset_of_m_RectTransform_5(),
RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15::get_offset_of_m_MaskableTargets_6(),
RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15::get_offset_of_m_ClipTargets_7(),
RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15::get_offset_of_m_ShouldRecalculateClipRects_8(),
RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15::get_offset_of_m_Clippers_9(),
RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15::get_offset_of_m_LastClipRectCanvasSpace_10(),
RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15::get_offset_of_m_ForceClip_11(),
RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15::get_offset_of_m_Padding_12(),
RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15::get_offset_of_m_Softness_13(),
RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15::get_offset_of_m_Canvas_14(),
RectMask2D_tD909811991B341D752E4C978C89EFB80FA7A2B15::get_offset_of_m_Corners_15(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2826[4] =
{
MovementType_tAC9293D74600C5C0F8769961576D21C7107BB258::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2827[4] =
{
ScrollbarVisibility_t8223EB8BD4F3CB01D1A246265D1563AAB5F89F2E::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2829[37] =
{
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_Content_4(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_Horizontal_5(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_Vertical_6(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_MovementType_7(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_Elasticity_8(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_Inertia_9(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_DecelerationRate_10(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_ScrollSensitivity_11(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_Viewport_12(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_HorizontalScrollbar_13(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_VerticalScrollbar_14(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_HorizontalScrollbarVisibility_15(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_VerticalScrollbarVisibility_16(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_HorizontalScrollbarSpacing_17(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_VerticalScrollbarSpacing_18(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_OnValueChanged_19(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_PointerStartLocalCursor_20(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_ContentStartPosition_21(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_ViewRect_22(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_ContentBounds_23(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_ViewBounds_24(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_Velocity_25(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_Dragging_26(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_Scrolling_27(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_PrevPosition_28(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_PrevContentBounds_29(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_PrevViewBounds_30(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_HasRebuiltLayout_31(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_HSliderExpand_32(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_VSliderExpand_33(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_HSliderHeight_34(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_VSliderWidth_35(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_Rect_36(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_HorizontalScrollbarRect_37(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_VerticalScrollbarRect_38(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_Tracker_39(),
ScrollRect_tB16156010F89FFDAAB2127CA878608FD91B9FBEA::get_offset_of_m_Corners_40(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2830[5] =
{
Direction_tCE7C4B78403A18007E901268411DB754E7B784B7::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2832[3] =
{
Axis_t561E10ABB080BB3C1F7C93C39E8DDD06BE6490B1::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2833[5] =
{
U3CClickRepeatU3Ed__58_t4A7572863E83E4FDDB7EC44F38E5C0055224BDCE::get_offset_of_U3CU3E1__state_0(),
U3CClickRepeatU3Ed__58_t4A7572863E83E4FDDB7EC44F38E5C0055224BDCE::get_offset_of_U3CU3E2__current_1(),
U3CClickRepeatU3Ed__58_t4A7572863E83E4FDDB7EC44F38E5C0055224BDCE::get_offset_of_U3CU3E4__this_2(),
U3CClickRepeatU3Ed__58_t4A7572863E83E4FDDB7EC44F38E5C0055224BDCE::get_offset_of_screenPosition_3(),
U3CClickRepeatU3Ed__58_t4A7572863E83E4FDDB7EC44F38E5C0055224BDCE::get_offset_of_camera_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2834[12] =
{
Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28::get_offset_of_m_HandleRect_20(),
Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28::get_offset_of_m_Direction_21(),
Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28::get_offset_of_m_Value_22(),
Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28::get_offset_of_m_Size_23(),
Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28::get_offset_of_m_NumberOfSteps_24(),
Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28::get_offset_of_m_OnValueChanged_25(),
Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28::get_offset_of_m_ContainerRect_26(),
Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28::get_offset_of_m_Offset_27(),
Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28::get_offset_of_m_Tracker_28(),
Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28::get_offset_of_m_PointerDownRepeat_29(),
Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28::get_offset_of_isPointerDownAndNotDragging_30(),
Scrollbar_tECAC7FD315210FC856A3EC60AE1847A66AAF6C28::get_offset_of_m_DelayedUpdateVisuals_31(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2835[5] =
{
Transition_t1FC449676815A798E758D32E8BE6DC0A2511DF14::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2836[6] =
{
SelectionState_tB421C4551CDC64C8EB31158E8C7FF118F46FF72F::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2837[16] =
{
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD_StaticFields::get_offset_of_s_Selectables_4(),
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD_StaticFields::get_offset_of_s_SelectableCount_5(),
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD::get_offset_of_m_EnableCalled_6(),
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD::get_offset_of_m_Navigation_7(),
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD::get_offset_of_m_Transition_8(),
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD::get_offset_of_m_Colors_9(),
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD::get_offset_of_m_SpriteState_10(),
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD::get_offset_of_m_AnimationTriggers_11(),
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD::get_offset_of_m_Interactable_12(),
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD::get_offset_of_m_TargetGraphic_13(),
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD::get_offset_of_m_GroupsAllowInteraction_14(),
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD::get_offset_of_m_CurrentIndex_15(),
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD::get_offset_of_U3CisPointerInsideU3Ek__BackingField_16(),
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD::get_offset_of_U3CisPointerDownU3Ek__BackingField_17(),
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD::get_offset_of_U3ChasSelectionU3Ek__BackingField_18(),
Selectable_t34088A3677CC9D344F81B0D91999D8C5963D7DBD::get_offset_of_m_CanvasGroupCache_19(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2839[5] =
{
Direction_tFC329DCFF9844C052301C90100CA0F5FA9C65961::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2841[3] =
{
Axis_t5BFF2AACB2D94E92243ED4EF295A1DCAF2FC52D5::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2842[16] =
{
Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A::get_offset_of_m_FillRect_20(),
Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A::get_offset_of_m_HandleRect_21(),
Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A::get_offset_of_m_Direction_22(),
Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A::get_offset_of_m_MinValue_23(),
Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A::get_offset_of_m_MaxValue_24(),
Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A::get_offset_of_m_WholeNumbers_25(),
Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A::get_offset_of_m_Value_26(),
Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A::get_offset_of_m_OnValueChanged_27(),
Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A::get_offset_of_m_FillImage_28(),
Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A::get_offset_of_m_FillTransform_29(),
Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A::get_offset_of_m_FillContainerRect_30(),
Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A::get_offset_of_m_HandleTransform_31(),
Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A::get_offset_of_m_HandleContainerRect_32(),
Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A::get_offset_of_m_Offset_33(),
Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A::get_offset_of_m_Tracker_34(),
Slider_tBF39A11CC24CBD3F8BD728982ACAEAE43989B51A::get_offset_of_m_DelayedUpdateVisuals_35(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2843[4] =
{
SpriteState_t9024961148433175CE2F3D9E8E9239A8B1CAB15E::get_offset_of_m_HighlightedSprite_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteState_t9024961148433175CE2F3D9E8E9239A8B1CAB15E::get_offset_of_m_PressedSprite_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteState_t9024961148433175CE2F3D9E8E9239A8B1CAB15E::get_offset_of_m_SelectedSprite_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteState_t9024961148433175CE2F3D9E8E9239A8B1CAB15E::get_offset_of_m_DisabledSprite_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2844[10] =
{
MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E::get_offset_of_baseMat_0(),
MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E::get_offset_of_customMat_1(),
MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E::get_offset_of_count_2(),
MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E::get_offset_of_stencilId_3(),
MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E::get_offset_of_operation_4(),
MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E::get_offset_of_compareFunction_5(),
MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E::get_offset_of_readMask_6(),
MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E::get_offset_of_writeMask_7(),
MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E::get_offset_of_useAlphaClip_8(),
MatEntry_t94DD6F2A201E3EF569EE31B20C3EC8274A9E022E::get_offset_of_colorMask_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2845[1] =
{
StencilMaterial_t498DA9A7C15643B79E27575F27F1D2FC2FEA6AC5_StaticFields::get_offset_of_m_List_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2846[7] =
{
Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1::get_offset_of_m_FontData_36(),
Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1::get_offset_of_m_Text_37(),
Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1::get_offset_of_m_TextCache_38(),
Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1::get_offset_of_m_TextCacheForLayout_39(),
Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1_StaticFields::get_offset_of_s_DefaultText_40(),
Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1::get_offset_of_m_DisableFontTextureRebuiltCallback_41(),
Text_t6A2339DA6C05AE2646FC1A6C8FCC127391BE7FA1::get_offset_of_m_TempVerts_42(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2847[3] =
{
ToggleTransition_t4D1AA30F2BA24242EB9D1DD2E3DF839F0BAC5167::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2849[5] =
{
Toggle_t68F5A84CDD2BBAEA866F42EB4E0C9F2B431D612E::get_offset_of_toggleTransition_20(),
Toggle_t68F5A84CDD2BBAEA866F42EB4E0C9F2B431D612E::get_offset_of_graphic_21(),
Toggle_t68F5A84CDD2BBAEA866F42EB4E0C9F2B431D612E::get_offset_of_m_Group_22(),
Toggle_t68F5A84CDD2BBAEA866F42EB4E0C9F2B431D612E::get_offset_of_onValueChanged_23(),
Toggle_t68F5A84CDD2BBAEA866F42EB4E0C9F2B431D612E::get_offset_of_m_IsOn_24(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2850[3] =
{
U3CU3Ec_t6FADCC9ADE15B1BB28A4FA9CDCE1340EFAEB9961_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_t6FADCC9ADE15B1BB28A4FA9CDCE1340EFAEB9961_StaticFields::get_offset_of_U3CU3E9__13_0_1(),
U3CU3Ec_t6FADCC9ADE15B1BB28A4FA9CDCE1340EFAEB9961_StaticFields::get_offset_of_U3CU3E9__14_0_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2851[2] =
{
ToggleGroup_t12E1DFDEB3FFD979A20299EE42A94388AC619C95::get_offset_of_m_AllowSwitchOff_4(),
ToggleGroup_t12E1DFDEB3FFD979A20299EE42A94388AC619C95::get_offset_of_m_Toggles_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2852[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2853[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2860[7] =
{
ReflectionMethodsCache_t315D4F7C3E58291AD340D6CBFD1A09B2B1EAE8D1::get_offset_of_raycast3D_0(),
ReflectionMethodsCache_t315D4F7C3E58291AD340D6CBFD1A09B2B1EAE8D1::get_offset_of_raycast3DAll_1(),
ReflectionMethodsCache_t315D4F7C3E58291AD340D6CBFD1A09B2B1EAE8D1::get_offset_of_getRaycastNonAlloc_2(),
ReflectionMethodsCache_t315D4F7C3E58291AD340D6CBFD1A09B2B1EAE8D1::get_offset_of_raycast2D_3(),
ReflectionMethodsCache_t315D4F7C3E58291AD340D6CBFD1A09B2B1EAE8D1::get_offset_of_getRayIntersectionAll_4(),
ReflectionMethodsCache_t315D4F7C3E58291AD340D6CBFD1A09B2B1EAE8D1::get_offset_of_getRayIntersectionAllNonAlloc_5(),
ReflectionMethodsCache_t315D4F7C3E58291AD340D6CBFD1A09B2B1EAE8D1_StaticFields::get_offset_of_s_ReflectionMethodsCache_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2861[12] =
{
VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55::get_offset_of_m_Positions_0(),
VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55::get_offset_of_m_Colors_1(),
VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55::get_offset_of_m_Uv0S_2(),
VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55::get_offset_of_m_Uv1S_3(),
VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55::get_offset_of_m_Uv2S_4(),
VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55::get_offset_of_m_Uv3S_5(),
VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55::get_offset_of_m_Normals_6(),
VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55::get_offset_of_m_Tangents_7(),
VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55::get_offset_of_m_Indices_8(),
VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55_StaticFields::get_offset_of_s_DefaultTangent_9(),
VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55_StaticFields::get_offset_of_s_DefaultNormal_10(),
VertexHelper_tDE8B67D3B076061C4F8DF325B0D63ED2E5367E55::get_offset_of_m_ListsInitalized_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2863[1] =
{
BaseMeshEffect_tC7D44B0AC6406BAC3E4FC4579A43FC135BDB6FDA::get_offset_of_m_Graphic_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2868[4] =
{
Shadow_t96D9C6FC7BB4D9CBEB5788F2333125365DE12F8E::get_offset_of_m_EffectColor_5(),
Shadow_t96D9C6FC7BB4D9CBEB5788F2333125365DE12F8E::get_offset_of_m_EffectDistance_6(),
Shadow_t96D9C6FC7BB4D9CBEB5788F2333125365DE12F8E::get_offset_of_m_UseGraphicAlpha_7(),
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2869[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2871[4] =
{
ColorTweenMode_tC8254CFED9F320A1B7A452159F60A143952DFE19::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2873[6] =
{
ColorTween_tB608DC1CF7A7F226B0D4DD8B269798F27CECE339::get_offset_of_m_Target_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ColorTween_tB608DC1CF7A7F226B0D4DD8B269798F27CECE339::get_offset_of_m_StartColor_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ColorTween_tB608DC1CF7A7F226B0D4DD8B269798F27CECE339::get_offset_of_m_TargetColor_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
ColorTween_tB608DC1CF7A7F226B0D4DD8B269798F27CECE339::get_offset_of_m_TweenMode_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
ColorTween_tB608DC1CF7A7F226B0D4DD8B269798F27CECE339::get_offset_of_m_Duration_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
ColorTween_tB608DC1CF7A7F226B0D4DD8B269798F27CECE339::get_offset_of_m_IgnoreTimeScale_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2875[5] =
{
FloatTween_tFC6A79CB4DD9D51D99523093925F926E12D2F228::get_offset_of_m_Target_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
FloatTween_tFC6A79CB4DD9D51D99523093925F926E12D2F228::get_offset_of_m_StartValue_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
FloatTween_tFC6A79CB4DD9D51D99523093925F926E12D2F228::get_offset_of_m_TargetValue_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
FloatTween_tFC6A79CB4DD9D51D99523093925F926E12D2F228::get_offset_of_m_Duration_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
FloatTween_tFC6A79CB4DD9D51D99523093925F926E12D2F228::get_offset_of_m_IgnoreTimeScale_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2876[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2877[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2878[2] =
{
AxisEventData_t5F2EE83206BFD1BC59087D1C9CE31A4389A17E1E::get_offset_of_U3CmoveVectorU3Ek__BackingField_2(),
AxisEventData_t5F2EE83206BFD1BC59087D1C9CE31A4389A17E1E::get_offset_of_U3CmoveDirU3Ek__BackingField_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2879[1] =
{
AbstractEventData_tA0B5065DE3430C0031ADE061668E1C7073D718DF::get_offset_of_m_Used_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2880[1] =
{
BaseEventData_t722C48843CF21B50E06CC0E2E679415E38A7444E::get_offset_of_m_EventSystem_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2881[4] =
{
InputButton_tA5409FE587ADC841D2BF80835D04074A89C59A9D::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2882[5] =
{
FramePressState_t4BB461B7704D7F72519B36A0C8B3370AB302E7A7::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2883[22] =
{
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_U3CpointerEnterU3Ek__BackingField_2(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_m_PointerPress_3(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_U3ClastPressU3Ek__BackingField_4(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_U3CrawPointerPressU3Ek__BackingField_5(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_U3CpointerDragU3Ek__BackingField_6(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_U3CpointerClickU3Ek__BackingField_7(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_U3CpointerCurrentRaycastU3Ek__BackingField_8(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_U3CpointerPressRaycastU3Ek__BackingField_9(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_hovered_10(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_U3CeligibleForClickU3Ek__BackingField_11(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_U3CpointerIdU3Ek__BackingField_12(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_U3CpositionU3Ek__BackingField_13(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_U3CdeltaU3Ek__BackingField_14(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_U3CpressPositionU3Ek__BackingField_15(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_U3CworldPositionU3Ek__BackingField_16(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_U3CworldNormalU3Ek__BackingField_17(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_U3CclickTimeU3Ek__BackingField_18(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_U3CclickCountU3Ek__BackingField_19(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_U3CscrollDeltaU3Ek__BackingField_20(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_U3CuseDragThresholdU3Ek__BackingField_21(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_U3CdraggingU3Ek__BackingField_22(),
PointerEventData_tC6C1BEE9D4C8755A31DA7FC0C9A1F28A36456954::get_offset_of_U3CbuttonU3Ek__BackingField_23(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2884[3] =
{
EventHandle_t2A81C886C0708BC766E39686BBB54121A310F554::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2903[11] =
{
EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C::get_offset_of_m_SystemInputModules_4(),
EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C::get_offset_of_m_CurrentInputModule_5(),
EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C_StaticFields::get_offset_of_m_EventSystems_6(),
EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C::get_offset_of_m_FirstSelected_7(),
EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C::get_offset_of_m_sendNavigationEvents_8(),
EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C::get_offset_of_m_DragThreshold_9(),
EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C::get_offset_of_m_CurrentSelected_10(),
EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C::get_offset_of_m_HasFocus_11(),
EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C::get_offset_of_m_SelectionGuard_12(),
EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C::get_offset_of_m_DummyData_13(),
EventSystem_t5DC458FCD0355A74CDCCE79287B38B9C4278E39C_StaticFields::get_offset_of_s_RaycastComparer_14(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2905[2] =
{
Entry_t9C594CD634607709CF020BE9C8A469E1C9033D36::get_offset_of_eventID_0(),
Entry_t9C594CD634607709CF020BE9C8A469E1C9033D36::get_offset_of_callback_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2906[1] =
{
EventTrigger_tA136EB086A23F8BBDC2D547223F1AA9CBA9A2563::get_offset_of_m_Delegates_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2907[18] =
{
EventTriggerType_tED9176836ED486B7FEE926108C027C4E2954B9CE::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2909[1] =
{
U3CU3Ec_t20C9A4C48478BFCA11C0533F07831530FE1782BB_StaticFields::get_offset_of_U3CU3E9_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2910[19] =
{
ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields::get_offset_of_s_PointerEnterHandler_0(),
ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields::get_offset_of_s_PointerExitHandler_1(),
ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields::get_offset_of_s_PointerDownHandler_2(),
ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields::get_offset_of_s_PointerUpHandler_3(),
ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields::get_offset_of_s_PointerClickHandler_4(),
ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields::get_offset_of_s_InitializePotentialDragHandler_5(),
ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields::get_offset_of_s_BeginDragHandler_6(),
ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields::get_offset_of_s_DragHandler_7(),
ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields::get_offset_of_s_EndDragHandler_8(),
ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields::get_offset_of_s_DropHandler_9(),
ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields::get_offset_of_s_ScrollHandler_10(),
ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields::get_offset_of_s_UpdateSelectedHandler_11(),
ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields::get_offset_of_s_SelectHandler_12(),
ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields::get_offset_of_s_DeselectHandler_13(),
ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields::get_offset_of_s_MoveHandler_14(),
ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields::get_offset_of_s_SubmitHandler_15(),
ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields::get_offset_of_s_CancelHandler_16(),
ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields::get_offset_of_s_HandlerListPool_17(),
ExecuteEvents_tEA324150A01AFB802974FA8B7DB1C19F83FECA68_StaticFields::get_offset_of_s_InternalTransformList_18(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2912[6] =
{
BaseInputModule_t395DEB45C225A941B2C831CBDB000A23E5899924::get_offset_of_m_RaycastResultCache_4(),
BaseInputModule_t395DEB45C225A941B2C831CBDB000A23E5899924::get_offset_of_m_AxisEventData_5(),
BaseInputModule_t395DEB45C225A941B2C831CBDB000A23E5899924::get_offset_of_m_EventSystem_6(),
BaseInputModule_t395DEB45C225A941B2C831CBDB000A23E5899924::get_offset_of_m_BaseEventData_7(),
BaseInputModule_t395DEB45C225A941B2C831CBDB000A23E5899924::get_offset_of_m_InputOverride_8(),
BaseInputModule_t395DEB45C225A941B2C831CBDB000A23E5899924::get_offset_of_m_DefaultInput_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2913[2] =
{
ButtonState_t49AF0FCF7DF429002E167972B40DC5A2A3804562::get_offset_of_m_Button_0(),
ButtonState_t49AF0FCF7DF429002E167972B40DC5A2A3804562::get_offset_of_m_EventData_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2914[1] =
{
MouseState_tD62A64A795CF964D179003BB566EF667DB7DACC1::get_offset_of_m_TrackedButtons_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2915[2] =
{
MouseButtonEventData_tE8E157C9D47E03160B193B4853B5DF5AA3FA65B6::get_offset_of_buttonState_0(),
MouseButtonEventData_tE8E157C9D47E03160B193B4853B5DF5AA3FA65B6::get_offset_of_buttonData_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2916[6] =
{
0,
0,
0,
0,
PointerInputModule_tD7460503C6A4E1060914FFD213535AEF6AE2F421::get_offset_of_m_PointerData_14(),
PointerInputModule_tD7460503C6A4E1060914FFD213535AEF6AE2F421::get_offset_of_m_MouseState_15(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2917[3] =
{
InputMode_tABD640D064CD823116744F702C9DD0836A7E8972::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2918[14] =
{
StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD::get_offset_of_m_PrevActionTime_16(),
StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD::get_offset_of_m_LastMoveVector_17(),
StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD::get_offset_of_m_ConsecutiveMoveCount_18(),
StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD::get_offset_of_m_LastMousePosition_19(),
StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD::get_offset_of_m_MousePosition_20(),
StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD::get_offset_of_m_CurrentFocusedGameObject_21(),
StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD::get_offset_of_m_InputPointerEvent_22(),
StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD::get_offset_of_m_HorizontalAxis_23(),
StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD::get_offset_of_m_VerticalAxis_24(),
StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD::get_offset_of_m_SubmitButton_25(),
StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD::get_offset_of_m_CancelButton_26(),
StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD::get_offset_of_m_InputActionsPerSecond_27(),
StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD::get_offset_of_m_RepeatDelay_28(),
StandaloneInputModule_tA1F0F27C9314CBB9B5E3E583D455DD97355E8BAD::get_offset_of_m_ForceModuleActive_29(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2919[4] =
{
TouchInputModule_tC92ADD4A36C73348565AD94F128327F6D44DBB9B::get_offset_of_m_LastMousePosition_16(),
TouchInputModule_tC92ADD4A36C73348565AD94F128327F6D44DBB9B::get_offset_of_m_MousePosition_17(),
TouchInputModule_tC92ADD4A36C73348565AD94F128327F6D44DBB9B::get_offset_of_m_InputPointerEvent_18(),
TouchInputModule_tC92ADD4A36C73348565AD94F128327F6D44DBB9B::get_offset_of_m_ForceModuleActive_19(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2920[6] =
{
MoveDirection_t740623362F85DF2963BE20C702F7B8EF44E91645::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2921[11] =
{
RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE::get_offset_of_m_GameObject_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE::get_offset_of_module_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE::get_offset_of_distance_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE::get_offset_of_index_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE::get_offset_of_depth_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE::get_offset_of_sortingLayer_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE::get_offset_of_sortingOrder_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE::get_offset_of_worldPosition_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE::get_offset_of_worldNormal_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE::get_offset_of_screenPosition_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
RaycastResult_t9EFDE24B29650BD6DC8A49D954A3769E17146BCE::get_offset_of_displayIndex_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2922[1] =
{
RaycasterManager_t9B5A044582C34098C71FC3C8CD413369CDE0DA33_StaticFields::get_offset_of_s_Raycasters_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2923[1] =
{
BaseRaycaster_tBC0FB2CBE6D3D40991EC20F689C43F76AD82A876::get_offset_of_m_RootRaycaster_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2924[1] =
{
Physics2DRaycaster_t0A86A26E1B770FECE956F4B4FD773887AF66C4C3::get_offset_of_m_Hits_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2925[1] =
{
RaycastHitComparer_tC1146CEF99040544A2E1034A40CA0E4747E83877_StaticFields::get_offset_of_instance_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2926[6] =
{
0,
PhysicsRaycaster_t30CAABC8B439EB2F455D320192635CFD2BD89823::get_offset_of_m_EventCamera_6(),
PhysicsRaycaster_t30CAABC8B439EB2F455D320192635CFD2BD89823::get_offset_of_m_EventMask_7(),
PhysicsRaycaster_t30CAABC8B439EB2F455D320192635CFD2BD89823::get_offset_of_m_MaxRayIntersections_8(),
PhysicsRaycaster_t30CAABC8B439EB2F455D320192635CFD2BD89823::get_offset_of_m_LastMaxRayIntersections_9(),
PhysicsRaycaster_t30CAABC8B439EB2F455D320192635CFD2BD89823::get_offset_of_m_Hits_10(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2929[1] =
{
U3CPrivateImplementationDetailsU3E_tA4B8E3F98E3B6A41218937C44898DCEE20629F8F_StaticFields::get_offset_of_U31C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2933[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2934[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2938[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2939[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2941[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2942[9] =
{
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2943[8] =
{
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2944[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2945[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2946[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2947[1] =
{
AddressablesInterface_t886D152C08420B515FDEA81ED0CF77A0FC881075_StaticFields::get_offset_of_s_Instance_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2948[1] =
{
DisplayNameAttribute_t62B52922FEACDFE4CCB98A5A7D68D3CA9BE1E3E6::get_offset_of_U3CNameU3Ek__BackingField_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2949[2] =
{
LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF::get_offset_of_m_Code_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
LocaleIdentifier_tC6208E6952C61786CE8EEE1A661AA5986FE309CF::get_offset_of_m_CultureInfo_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2950[7] =
{
Locale_tD8F38559A470AB424FCEE52608573679917924AA::get_offset_of_m_Identifier_4(),
Locale_tD8F38559A470AB424FCEE52608573679917924AA::get_offset_of_m_Metadata_5(),
Locale_tD8F38559A470AB424FCEE52608573679917924AA::get_offset_of_m_LocaleName_6(),
Locale_tD8F38559A470AB424FCEE52608573679917924AA::get_offset_of_m_CustomFormatCultureCode_7(),
Locale_tD8F38559A470AB424FCEE52608573679917924AA::get_offset_of_m_UseCustomFormatter_8(),
Locale_tD8F38559A470AB424FCEE52608573679917924AA::get_offset_of_m_SortOrder_9(),
Locale_tD8F38559A470AB424FCEE52608573679917924AA::get_offset_of_m_Formatter_10(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2957[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2959[4] =
{
LocalizedReference_tE4351868059E6AD279BD3FF03A163E130BFAE960::get_offset_of_m_TableReference_0(),
LocalizedReference_tE4351868059E6AD279BD3FF03A163E130BFAE960::get_offset_of_m_TableEntryReference_1(),
LocalizedReference_tE4351868059E6AD279BD3FF03A163E130BFAE960::get_offset_of_m_FallbackState_2(),
LocalizedReference_tE4351868059E6AD279BD3FF03A163E130BFAE960::get_offset_of_m_WaitForCompletion_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2961[7] =
{
LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F::get_offset_of_m_ChangeHandler_4(),
LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F::get_offset_of_m_CurrentLoadingOperation_5(),
LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F::get_offset_of_m_CurrentStringChangedValue_6(),
LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F::get_offset_of_m_LastUsedGlobalVariables_7(),
LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F::get_offset_of_m_OnGlobalVariableChanged_8(),
LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F::get_offset_of_m_SmartArguments_9(),
LocalizedString_tE68C32156CF2593F858EAE1F4136B685B98F1F0F::get_offset_of_m_WaitingForGlobalVariablesEndUpdate_10(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2964[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2965[6] =
{
GetLocalizedStringOperation_t365FC49C5336EDC26CF3E92336AE0CED46F0FFF9::get_offset_of_m_Database_18(),
GetLocalizedStringOperation_t365FC49C5336EDC26CF3E92336AE0CED46F0FFF9::get_offset_of_m_TableEntryOperation_19(),
GetLocalizedStringOperation_t365FC49C5336EDC26CF3E92336AE0CED46F0FFF9::get_offset_of_m_TableReference_20(),
GetLocalizedStringOperation_t365FC49C5336EDC26CF3E92336AE0CED46F0FFF9::get_offset_of_m_TableEntryReference_21(),
GetLocalizedStringOperation_t365FC49C5336EDC26CF3E92336AE0CED46F0FFF9::get_offset_of_m_SelectedLocale_22(),
GetLocalizedStringOperation_t365FC49C5336EDC26CF3E92336AE0CED46F0FFF9::get_offset_of_m_Arguments_23(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2966[7] =
{
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2968[4] =
{
InitializationOperation_t2B0AD354655F0D06A2907F236FF708AA8627318C::get_offset_of_m_Settings_18(),
InitializationOperation_t2B0AD354655F0D06A2907F236FF708AA8627318C::get_offset_of_m_LoadDatabasesOperations_19(),
InitializationOperation_t2B0AD354655F0D06A2907F236FF708AA8627318C::get_offset_of_m_RemainingSteps_20(),
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2969[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2970[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2971[6] =
{
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2972[6] =
{
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2973[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2975[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2976[3] =
{
U3CReleaseHandlesNextFrameU3Ed__4_tE20879FBC91D46B466379318C1520567C710A75C::get_offset_of_U3CU3E1__state_0(),
U3CReleaseHandlesNextFrameU3Ed__4_tE20879FBC91D46B466379318C1520567C710A75C::get_offset_of_U3CU3E2__current_1(),
U3CReleaseHandlesNextFrameU3Ed__4_tE20879FBC91D46B466379318C1520567C710A75C::get_offset_of_handles_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2977[2] =
{
OperationHandleDeferedRelease_t3CB8447B82D250E89F6635FD4BC3B44470843EC3::get_offset_of_m_CurrentReleaseHandles_5(),
OperationHandleDeferedRelease_t3CB8447B82D250E89F6635FD4BC3B44470843EC3::get_offset_of_m_ReleaseFrame_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2978[1] =
{
U3CU3Ec_t6189D1564EB40701AD4F10224C3368FDCEF2CAE5_StaticFields::get_offset_of_U3CU3E9_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2979[1] =
{
StringBuilderPool_t66EF9650CCD3F0053F6CEFA6D1A1A9BA8D0746B5_StaticFields::get_offset_of_s_Pool_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2980[1] =
{
StringExtensionMethods_t84F2A9FC579850AF915D495F9C58981F08EF2011_StaticFields::get_offset_of_s_WhitespaceRegex_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2982[1] =
{
AssetTableEntry_t8BC9520DDA3C46AB2690F450901B9B4C7A8A68E7::get_offset_of_U3CAsyncOperationU3Ek__BackingField_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2983[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2984[1] =
{
AssetTable_t448913BBFEE5CDE56FD8C52CA7D1FA0BF2D1D3A7::get_offset_of_m_PreloadOperationHandle_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2985[3] =
{
TableEntry_tA427D0F61CA32E93B0D893A4DB2A5BB793DF9F3F::get_offset_of_m_SharedTableEntry_0(),
TableEntry_tA427D0F61CA32E93B0D893A4DB2A5BB793DF9F3F::get_offset_of_U3CTableU3Ek__BackingField_1(),
TableEntry_tA427D0F61CA32E93B0D893A4DB2A5BB793DF9F3F::get_offset_of_U3CDataU3Ek__BackingField_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2986[4] =
{
MissingEntryAction_t8D6A116336D30D315968442ABE62F8387B7846E6::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2987[3] =
{
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2988[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2989[9] =
{
0,
0,
DistributedUIDGenerator_t574AB48BE7154EB2C8868CBD18B7546DA063646B_StaticFields::get_offset_of_kMaxNodeId_2(),
DistributedUIDGenerator_t574AB48BE7154EB2C8868CBD18B7546DA063646B_StaticFields::get_offset_of_kMaxSequence_3(),
0,
DistributedUIDGenerator_t574AB48BE7154EB2C8868CBD18B7546DA063646B::get_offset_of_m_CustomEpoch_5(),
DistributedUIDGenerator_t574AB48BE7154EB2C8868CBD18B7546DA063646B::get_offset_of_m_LastTimestamp_6(),
DistributedUIDGenerator_t574AB48BE7154EB2C8868CBD18B7546DA063646B::get_offset_of_m_Sequence_7(),
DistributedUIDGenerator_t574AB48BE7154EB2C8868CBD18B7546DA063646B::get_offset_of_m_MachineId_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2991[1] =
{
SequentialIDGenerator_tE64902B256ED17F0CDAFDA18F83324EE089C654C::get_offset_of_m_NextAvailableId_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2992[4] =
{
LocalizationTable_t663E5614B59380B6CE76CFF2FD8500C82CF8F707::get_offset_of_m_LocaleId_4(),
LocalizationTable_t663E5614B59380B6CE76CFF2FD8500C82CF8F707::get_offset_of_m_SharedData_5(),
LocalizationTable_t663E5614B59380B6CE76CFF2FD8500C82CF8F707::get_offset_of_m_Metadata_6(),
LocalizationTable_t663E5614B59380B6CE76CFF2FD8500C82CF8F707::get_offset_of_m_TableData_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2993[3] =
{
SharedTableEntry_tF52A697114343CFD6DD566A7B600E1D4B860552B::get_offset_of_m_Id_0(),
SharedTableEntry_tF52A697114343CFD6DD566A7B600E1D4B860552B::get_offset_of_m_Key_1(),
SharedTableEntry_tF52A697114343CFD6DD566A7B600E1D4B860552B::get_offset_of_m_Metadata_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2994[10] =
{
0,
0,
SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC::get_offset_of_m_TableCollectionName_6(),
SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC::get_offset_of_m_TableCollectionNameGuidString_7(),
SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC::get_offset_of_m_Entries_8(),
SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC::get_offset_of_m_Metadata_9(),
SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC::get_offset_of_m_KeyGenerator_10(),
SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC::get_offset_of_m_TableCollectionNameGuid_11(),
SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC::get_offset_of_m_IdDictionary_12(),
SharedTableData_tCBBD1B89D332C6504F955487086236E978CE07BC::get_offset_of_m_KeyDictionary_13(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2995[1] =
{
StringTableEntry_t6D879CDDDEEAE0816C7D1088BD4C26394E5BECD5::get_offset_of_m_FormatCache_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2996[2] =
{
U3CU3Ec_t913A939717238F67F98EFA222B1DC96F526720D0_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_t913A939717238F67F98EFA222B1DC96F526720D0_StaticFields::get_offset_of_U3CU3E9__0_0_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2998[3] =
{
TableEntryData_t8B850C9555DC3790200D386D4F74F9441E015DA2::get_offset_of_m_Id_0(),
TableEntryData_t8B850C9555DC3790200D386D4F74F9441E015DA2::get_offset_of_m_Localized_1(),
TableEntryData_t8B850C9555DC3790200D386D4F74F9441E015DA2::get_offset_of_m_Metadata_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable2999[4] =
{
Type_t65971A8B6DFBF97E5629D5547846A1D2F79AD756::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3000[5] =
{
TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4::get_offset_of_m_TableCollectionName_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4::get_offset_of_m_Valid_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4::get_offset_of_U3CReferenceTypeU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
TableReference_tC7896C494D44B161BF170E1DE90BC533E7E8F7B4::get_offset_of_U3CTableCollectionNameGuidU3Ek__BackingField_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3001[4] =
{
Type_tD83EF716BECA56D7611924427F97765760E76B6A::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3002[4] =
{
TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4::get_offset_of_m_KeyId_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4::get_offset_of_m_Key_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4::get_offset_of_m_Valid_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
TableEntryReference_t2E9F18803B83370E47F8A95702B2CCEE944661B4::get_offset_of_U3CReferenceTypeU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3003[3] =
{
FormattingErrorEventArgs_t164055C4ACF4CC62FD8C99F243450D259F5D8ECF::get_offset_of_U3CPlaceholderU3Ek__BackingField_1(),
FormattingErrorEventArgs_t164055C4ACF4CC62FD8C99F243450D259F5D8ECF::get_offset_of_U3CErrorIndexU3Ek__BackingField_2(),
FormattingErrorEventArgs_t164055C4ACF4CC62FD8C99F243450D259F5D8ECF::get_offset_of_U3CIgnoreErrorU3Ek__BackingField_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3004[1] =
{
Smart_t6F78E62CAE00F7562B3E4A062597CF92F2E71F9F_StaticFields::get_offset_of_U3CDefaultU3Ek__BackingField_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3006[7] =
{
SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858::get_offset_of_m_Settings_0(),
SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858::get_offset_of_m_Parser_1(),
SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858::get_offset_of_m_Sources_2(),
SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858::get_offset_of_m_Formatters_3(),
SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858::get_offset_of_m_NotEmptyFormatterExtensionNames_4(),
SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858_StaticFields::get_offset_of_k_Empty_5(),
SmartFormatter_tD618B6BBD301A5205EC59F2C9DD081AD1D18D858::get_offset_of_OnFormattingFailure_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3007[1] =
{
SmartFormatterLiteralCharacterExtractor_tF43625F2B4A44F7479CAC868924990F6E0C4A8FA::get_offset_of_m_Characters_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3008[1] =
{
U3CU3Ec_t6BAD9EB2D484BF022A8FFF196790CE1592A285D0_StaticFields::get_offset_of_U3CU3E9_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3009[1] =
{
FormatCachePool_t4452FF3391E54FB7C5991854CDADF6A6D8DA9896_StaticFields::get_offset_of_s_Pool_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3010[1] =
{
U3CU3Ec_tF8DBC54F3412448AE4F8E4E39251275326CEF620_StaticFields::get_offset_of_U3CU3E9_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3011[1] =
{
FormatDetailsPool_t32E71F44A027F9C828C9EA1203C7568F1A38E82A_StaticFields::get_offset_of_s_Pool_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3012[1] =
{
U3CU3Ec_t6DD5094ED00310DB3C588B18F5465FECD9258F49_StaticFields::get_offset_of_U3CU3E9_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3013[4] =
{
FormatItemPool_t29F23EA24D8E05166B481C6693C1D7F1ECBB05B9_StaticFields::get_offset_of_s_LiteralTextPool_0(),
FormatItemPool_t29F23EA24D8E05166B481C6693C1D7F1ECBB05B9_StaticFields::get_offset_of_s_FormatPool_1(),
FormatItemPool_t29F23EA24D8E05166B481C6693C1D7F1ECBB05B9_StaticFields::get_offset_of_s_PlaceholderPool_2(),
FormatItemPool_t29F23EA24D8E05166B481C6693C1D7F1ECBB05B9_StaticFields::get_offset_of_s_SelectorPool_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3014[1] =
{
U3CU3Ec_t5F607CDD6E2CA14EEA2ADB1112B3A5B98C3E90F1_StaticFields::get_offset_of_U3CU3E9_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3015[1] =
{
FormattingInfoPool_tB5DE57EC3888FDE1731DBCE54240BE759435136F_StaticFields::get_offset_of_s_Pool_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3016[1] =
{
U3CU3Ec_t0C635980D2E7F12C310CE3A024CD62623CF032B7_StaticFields::get_offset_of_U3CU3E9_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3017[1] =
{
ParsingErrorsPool_t111C887E98B909875F2E430F8F18AE21E236A8A6_StaticFields::get_offset_of_s_Pool_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3018[1] =
{
U3CU3Ec_tD9574588ECB7D2B133315AB14427EAA5810740BF_StaticFields::get_offset_of_U3CU3E9_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3019[1] =
{
SplitListPool_tA036000F564D12E970A728DF806917D53B129BB9_StaticFields::get_offset_of_s_Pool_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3020[1] =
{
U3CU3Ec_t37D725A4E67DDFEAAE5C1BD1350081D6F24003BC_StaticFields::get_offset_of_U3CU3E9_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3021[1] =
{
StringOutputPool_t8D064FFFB334B0B678E01F014C75E3A06B52DC9F_StaticFields::get_offset_of_s_Pool_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3022[1] =
{
U3CU3Ec__DisplayClass1_0_t93EA8B13CC29969A9CE10B6DEBDA61A78A122C5B::get_offset_of_dateTimeNow_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3023[1] =
{
U3CU3Ec__DisplayClass3_0_t21E57719F75CC1C48085B0BDA01FC8F6D362B3AA::get_offset_of_dateTimeOffset_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3024[3] =
{
U3CU3Ec_t814827044D73BAF0CFB8F06DA4098B37DD70BD2E_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_t814827044D73BAF0CFB8F06DA4098B37DD70BD2E_StaticFields::get_offset_of_U3CU3E9__4_0_1(),
U3CU3Ec_t814827044D73BAF0CFB8F06DA4098B37DD70BD2E_StaticFields::get_offset_of_U3CU3E9__4_1_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3025[2] =
{
SystemTime_t665F4116DE23082A8C818CE524059950261E7936_StaticFields::get_offset_of_Now_0(),
SystemTime_t665F4116DE23082A8C818CE524059950261E7936_StaticFields::get_offset_of_OffsetNow_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3026[2] =
{
FormatDelegate_t2E6C86A294C7CDA50900B5203F3FB6FBD9AEFC4E::get_offset_of_getFormat1_0(),
FormatDelegate_t2E6C86A294C7CDA50900B5203F3FB6FBD9AEFC4E::get_offset_of_getFormat2_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3028[24] =
{
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__2_0_1(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__4_0_2(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__6_0_3(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__8_0_4(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__10_0_5(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__12_0_6(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__14_0_7(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__16_0_8(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__18_0_9(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__20_0_10(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__22_0_11(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__24_0_12(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__26_0_13(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__28_0_14(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__30_0_15(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__32_0_16(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__34_0_17(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__36_0_18(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__38_0_19(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__40_0_20(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__42_0_21(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__44_0_22(),
U3CU3Ec_t49200EA6B28EB730512BBFF3C3631255532C1AB3_StaticFields::get_offset_of_U3CU3E9__46_0_23(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3029[1] =
{
PluralRules_tC7A092374D17B8AE57F02E6A478FAD6B8F90538A_StaticFields::get_offset_of_IsoLangToDelegate_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3030[6] =
{
0,
0,
0,
0,
TimeSpanUtility_t3903E6E2EE7425539C5603887372B7E17A19C016_StaticFields::get_offset_of_U3CDefaultFormatOptionsU3Ek__BackingField_4(),
TimeSpanUtility_t3903E6E2EE7425539C5603887372B7E17A19C016_StaticFields::get_offset_of_U3CAbsoluteDefaultsU3Ek__BackingField_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3031[16] =
{
TimeSpanFormatOptions_tE2755764F74DE68883A9F71B8D46F05E8F684554::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3032[6] =
{
U3CAllFlagsU3Ed__3_t9A45070F34EBCFD236B29AE4F0BF74B9938F333D::get_offset_of_U3CU3E1__state_0(),
U3CAllFlagsU3Ed__3_t9A45070F34EBCFD236B29AE4F0BF74B9938F333D::get_offset_of_U3CU3E2__current_1(),
U3CAllFlagsU3Ed__3_t9A45070F34EBCFD236B29AE4F0BF74B9938F333D::get_offset_of_U3CU3El__initialThreadId_2(),
U3CAllFlagsU3Ed__3_t9A45070F34EBCFD236B29AE4F0BF74B9938F333D::get_offset_of_timeSpanFormatOptions_3(),
U3CAllFlagsU3Ed__3_t9A45070F34EBCFD236B29AE4F0BF74B9938F333D::get_offset_of_U3CU3E3__timeSpanFormatOptions_4(),
U3CAllFlagsU3Ed__3_t9A45070F34EBCFD236B29AE4F0BF74B9938F333D::get_offset_of_U3CvalueU3E5__2_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3033[1] =
{
TimeSpanFormatOptionsConverter_t70FE8B07338D4199BA66BDF00A97AC71B2311E84_StaticFields::get_offset_of_parser_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3034[2] =
{
U3CU3Ec_tC94F5AD03B031CAAA1109615AB9753ADBB35EB90_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_tC94F5AD03B031CAAA1109615AB9753ADBB35EB90_StaticFields::get_offset_of_U3CU3E9__15_0_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3035[14] =
{
TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619::get_offset_of_d_0(),
TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619::get_offset_of_day_1(),
TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619::get_offset_of_h_2(),
TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619::get_offset_of_hour_3(),
TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619::get_offset_of_lessThan_4(),
TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619::get_offset_of_m_5(),
TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619::get_offset_of_millisecond_6(),
TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619::get_offset_of_minute_7(),
TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619::get_offset_of_ms_8(),
TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619::get_offset_of_PluralRule_9(),
TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619::get_offset_of_s_10(),
TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619::get_offset_of_second_11(),
TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619::get_offset_of_w_12(),
TimeTextInfo_tE1166AC1519083FBBA993A71E35F219B0E104619::get_offset_of_week_13(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3037[1] =
{
U3CU3Ec__DisplayClass3_0_tA95895DE85B643E7590508A692C1B5C6AF965741::get_offset_of_tuple_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3038[2] =
{
U3CU3Ec_tD5513ABAE62B8F230FC883A04B70101811EA46A8_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_tD5513ABAE62B8F230FC883A04B70101811EA46A8_StaticFields::get_offset_of_U3CU3E9__4_0_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3039[7] =
{
U3CGetValueTupleItemObjectsFlattenedU3Ed__6_t8B0DB9EB49D98CD7E327742CC8147FF3513935E2::get_offset_of_U3CU3E1__state_0(),
U3CGetValueTupleItemObjectsFlattenedU3Ed__6_t8B0DB9EB49D98CD7E327742CC8147FF3513935E2::get_offset_of_U3CU3E2__current_1(),
U3CGetValueTupleItemObjectsFlattenedU3Ed__6_t8B0DB9EB49D98CD7E327742CC8147FF3513935E2::get_offset_of_U3CU3El__initialThreadId_2(),
U3CGetValueTupleItemObjectsFlattenedU3Ed__6_t8B0DB9EB49D98CD7E327742CC8147FF3513935E2::get_offset_of_tuple_3(),
U3CGetValueTupleItemObjectsFlattenedU3Ed__6_t8B0DB9EB49D98CD7E327742CC8147FF3513935E2::get_offset_of_U3CU3E3__tuple_4(),
U3CGetValueTupleItemObjectsFlattenedU3Ed__6_t8B0DB9EB49D98CD7E327742CC8147FF3513935E2::get_offset_of_U3CU3E7__wrap1_5(),
U3CGetValueTupleItemObjectsFlattenedU3Ed__6_t8B0DB9EB49D98CD7E327742CC8147FF3513935E2::get_offset_of_U3CU3E7__wrap2_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3040[1] =
{
TupleExtensions_t766DBDC6D2D2DE2BF99007F81E241C8E2158F465_StaticFields::get_offset_of_ValueTupleTypes_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3044[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3050[2] =
{
NameValuePair_t5BEE3DA7E9D214707F7721C37CABF730B972BF97::get_offset_of_name_0(),
NameValuePair_t5BEE3DA7E9D214707F7721C37CABF730B972BF97::get_offset_of_variable_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3051[2] =
{
U3CU3Ec_t885C017A81D8E9F93DAC1DA7F81F1C15AC432CC6_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_t885C017A81D8E9F93DAC1DA7F81F1C15AC432CC6_StaticFields::get_offset_of_U3CU3E9__10_0_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3052[4] =
{
U3CSystemU2DCollectionsU2DGenericU2DIEnumerableU3CSystemU2DCollectionsU2DGenericU2DKeyValuePairU3CSystemU2DStringU2CUnityEngineU2DLocalizationU2DSmartFormatU2DGlobalVariablesU2DIGlobalVariableU3EU3EU2DGetEnumeratorU3Ed__24_t13FF67CE641C37291F5FF88E078160A60F8597F3::get_offset_of_U3CU3E1__state_0(),
U3CSystemU2DCollectionsU2DGenericU2DIEnumerableU3CSystemU2DCollectionsU2DGenericU2DKeyValuePairU3CSystemU2DStringU2CUnityEngineU2DLocalizationU2DSmartFormatU2DGlobalVariablesU2DIGlobalVariableU3EU3EU2DGetEnumeratorU3Ed__24_t13FF67CE641C37291F5FF88E078160A60F8597F3::get_offset_of_U3CU3E2__current_1(),
U3CSystemU2DCollectionsU2DGenericU2DIEnumerableU3CSystemU2DCollectionsU2DGenericU2DKeyValuePairU3CSystemU2DStringU2CUnityEngineU2DLocalizationU2DSmartFormatU2DGlobalVariablesU2DIGlobalVariableU3EU3EU2DGetEnumeratorU3Ed__24_t13FF67CE641C37291F5FF88E078160A60F8597F3::get_offset_of_U3CU3E4__this_2(),
U3CSystemU2DCollectionsU2DGenericU2DIEnumerableU3CSystemU2DCollectionsU2DGenericU2DKeyValuePairU3CSystemU2DStringU2CUnityEngineU2DLocalizationU2DSmartFormatU2DGlobalVariablesU2DIGlobalVariableU3EU3EU2DGetEnumeratorU3Ed__24_t13FF67CE641C37291F5FF88E078160A60F8597F3::get_offset_of_U3CU3E7__wrap1_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3053[4] =
{
U3CGetEnumeratorU3Ed__25_tBFB199AC3F04A1253EDE14EBCF2EF263BDF49308::get_offset_of_U3CU3E1__state_0(),
U3CGetEnumeratorU3Ed__25_tBFB199AC3F04A1253EDE14EBCF2EF263BDF49308::get_offset_of_U3CU3E2__current_1(),
U3CGetEnumeratorU3Ed__25_tBFB199AC3F04A1253EDE14EBCF2EF263BDF49308::get_offset_of_U3CU3E4__this_2(),
U3CGetEnumeratorU3Ed__25_tBFB199AC3F04A1253EDE14EBCF2EF263BDF49308::get_offset_of_U3CU3E7__wrap1_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3054[2] =
{
GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A::get_offset_of_m_Variables_4(),
GlobalVariablesGroup_tE79CBC1D9B10701984339916CB5A9AB42B3C6B6A::get_offset_of_m_VariableLookup_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3055[1] =
{
ChooseFormatter_tC8BE1B658C0A9146259888BF09153270BEA65139::get_offset_of_m_SplitChar_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3056[1] =
{
ConditionalFormatter_tB58C41A538AFDA319CCBFF79E92C32BDFF194C79_StaticFields::get_offset_of__complexConditionPattern_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3059[2] =
{
U3CU3Ec__DisplayClass1_0_t6E96D83D926B669F854F9CC0C1478FB49706BC05::get_offset_of_selector_0(),
U3CU3Ec__DisplayClass1_0_t6E96D83D926B669F854F9CC0C1478FB49706BC05::get_offset_of_selectorInfo_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3061[2] =
{
NameValuePair_t094C9E03AB65EA488E72926E1D87B3815929D708::get_offset_of_name_0(),
NameValuePair_t094C9E03AB65EA488E72926E1D87B3815929D708::get_offset_of_group_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3063[2] =
{
U3CU3Ec_tCAD9A6D5F5AF7B13974CA0839B293C8A9153AFF2_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_tCAD9A6D5F5AF7B13974CA0839B293C8A9153AFF2_StaticFields::get_offset_of_U3CU3E9__14_0_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3064[4] =
{
U3CSystemU2DCollectionsU2DGenericU2DIEnumerableU3CSystemU2DCollectionsU2DGenericU2DKeyValuePairU3CSystemU2DStringU2CUnityEngineU2DLocalizationU2DSmartFormatU2DGlobalVariablesU2DGlobalVariablesGroupU3EU3EU2DGetEnumeratorU3Ed__34_t130F7B502CB9B78E8A54D6822F1A60F2FB2D7494::get_offset_of_U3CU3E1__state_0(),
U3CSystemU2DCollectionsU2DGenericU2DIEnumerableU3CSystemU2DCollectionsU2DGenericU2DKeyValuePairU3CSystemU2DStringU2CUnityEngineU2DLocalizationU2DSmartFormatU2DGlobalVariablesU2DGlobalVariablesGroupU3EU3EU2DGetEnumeratorU3Ed__34_t130F7B502CB9B78E8A54D6822F1A60F2FB2D7494::get_offset_of_U3CU3E2__current_1(),
U3CSystemU2DCollectionsU2DGenericU2DIEnumerableU3CSystemU2DCollectionsU2DGenericU2DKeyValuePairU3CSystemU2DStringU2CUnityEngineU2DLocalizationU2DSmartFormatU2DGlobalVariablesU2DGlobalVariablesGroupU3EU3EU2DGetEnumeratorU3Ed__34_t130F7B502CB9B78E8A54D6822F1A60F2FB2D7494::get_offset_of_U3CU3E4__this_2(),
U3CSystemU2DCollectionsU2DGenericU2DIEnumerableU3CSystemU2DCollectionsU2DGenericU2DKeyValuePairU3CSystemU2DStringU2CUnityEngineU2DLocalizationU2DSmartFormatU2DGlobalVariablesU2DGlobalVariablesGroupU3EU3EU2DGetEnumeratorU3Ed__34_t130F7B502CB9B78E8A54D6822F1A60F2FB2D7494::get_offset_of_U3CU3E7__wrap1_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3065[4] =
{
U3CGetEnumeratorU3Ed__35_t323BBBAA1F567E355900284382E7579C453E0884::get_offset_of_U3CU3E1__state_0(),
U3CGetEnumeratorU3Ed__35_t323BBBAA1F567E355900284382E7579C453E0884::get_offset_of_U3CU3E2__current_1(),
U3CGetEnumeratorU3Ed__35_t323BBBAA1F567E355900284382E7579C453E0884::get_offset_of_U3CU3E4__this_2(),
U3CGetEnumeratorU3Ed__35_t323BBBAA1F567E355900284382E7579C453E0884::get_offset_of_U3CU3E7__wrap1_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3066[4] =
{
GlobalVariablesSource_t63C3E81001CC79BCD3A55CD9C9BF266E89243D5A::get_offset_of_m_Groups_0(),
GlobalVariablesSource_t63C3E81001CC79BCD3A55CD9C9BF266E89243D5A::get_offset_of_m_GroupLookup_1(),
GlobalVariablesSource_t63C3E81001CC79BCD3A55CD9C9BF266E89243D5A_StaticFields::get_offset_of_s_IsUpdating_2(),
GlobalVariablesSource_t63C3E81001CC79BCD3A55CD9C9BF266E89243D5A_StaticFields::get_offset_of_EndUpdate_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3067[1] =
{
IsMatchFormatter_t4452033DEB3534C432BC49AB960B530D489A186F::get_offset_of_U3CRegexOptionsU3Ek__BackingField_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3068[2] =
{
ListFormatter_t62C919E44F94C0855BB14AE2B64861B3E6225422::get_offset_of_m_SmartSettings_1(),
ListFormatter_t62C919E44F94C0855BB14AE2B64861B3E6225422_StaticFields::get_offset_of_U3CCollectionIndexU3Ek__BackingField_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3069[2] =
{
PluralLocalizationFormatter_tFE6ADAB7CF9E03FCFBB34A665434A018F47594CB::get_offset_of_m_DefaultTwoLetterISOLanguageName_1(),
PluralLocalizationFormatter_tFE6ADAB7CF9E03FCFBB34A665434A018F47594CB::get_offset_of_m_DefaultPluralRule_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3070[1] =
{
CustomPluralRuleProvider_t0B182C81324371AE53EF4AD628488125ADB6029A::get_offset_of__pluralRule_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3071[2] =
{
U3CU3Ec__DisplayClass5_0_t3FB5655A2A0A7220494C24F5C890EEFB2F30CC92::get_offset_of_selector_0(),
U3CU3Ec__DisplayClass5_0_t3FB5655A2A0A7220494C24F5C890EEFB2F30CC92::get_offset_of_selectorInfo_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3072[2] =
{
ReflectionSource_t30C272864A62283187B3717B3F745B849B042B8D_StaticFields::get_offset_of_k_Empty_0(),
ReflectionSource_t30C272864A62283187B3717B3F745B849B042B8D::get_offset_of_m_TypeCache_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3073[4] =
{
SubStringOutOfRangeBehavior_t8E2694839EA481250B523AE9712FF1F0CBF42D1D::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3074[3] =
{
SubStringFormatter_t60914361294E427D7E917BBE96B11F9A7DCEE243::get_offset_of_m_ParameterDelimiter_1(),
SubStringFormatter_t60914361294E427D7E917BBE96B11F9A7DCEE243::get_offset_of_m_NullDisplayString_2(),
SubStringFormatter_t60914361294E427D7E917BBE96B11F9A7DCEE243::get_offset_of_m_OutOfRangeBehavior_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3075[2] =
{
TemplateFormatter_tD1E414D8A7865827939FE0A82A907AD96FFA822A::get_offset_of_m_Templates_1(),
TemplateFormatter_tD1E414D8A7865827939FE0A82A907AD96FFA822A::get_offset_of_m_Formatter_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3076[2] =
{
TimeFormatter_t92A9A82213B9A480EDE6DD5B7AF1B6D42D8BD2FC::get_offset_of_m_DefaultFormatOptions_1(),
TimeFormatter_t92A9A82213B9A480EDE6DD5B7AF1B6D42D8BD2FC::get_offset_of_m_DefaultTwoLetterIsoLanguageName_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3077[1] =
{
ValueTupleSource_t2CF3B6D442EF6FEBC98E0E0F1EE4042BD19A3A15::get_offset_of__formatter_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3079[1] =
{
U3CU3Ec__DisplayClass1_0_t88989E2B6DAA8E41F6AC01BFBE7CF39BFA379B51::get_offset_of_selector_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3081[3] =
{
CaseSensitivityType_t9A9ADC5998A98C0D9A626F9394F31B7960B18095::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3082[5] =
{
ErrorAction_tC9C54A79FB8B5C7DAAA6130842F01AD1249A38BF::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3083[4] =
{
SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627::get_offset_of_m_FormatErrorAction_0(),
SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627::get_offset_of_m_ParseErrorAction_1(),
SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627::get_offset_of_m_CaseSensitivity_2(),
SmartSettings_t6138BC2CF750123930BD4CB8BA403F9E2ECDD627::get_offset_of_m_ConvertCharacterStringLiterals_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3084[3] =
{
SplitList_t426F20506F82FD8E8819BBBFAF3C5B6464497E8F::get_offset_of_m_Format_0(),
SplitList_t426F20506F82FD8E8819BBBFAF3C5B6464497E8F::get_offset_of_m_Splits_1(),
SplitList_t426F20506F82FD8E8819BBBFAF3C5B6464497E8F::get_offset_of_m_FormatCache_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3085[6] =
{
Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E::get_offset_of_parent_6(),
Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E::get_offset_of_U3CItemsU3Ek__BackingField_7(),
Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E::get_offset_of_U3CHasNestedU3Ek__BackingField_8(),
Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E::get_offset_of_m_Splits_9(),
Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E::get_offset_of_splitCacheChar_10(),
Format_tFEFA9814434D3CE1128F6907259D4E8B93ECBD9E::get_offset_of_splitCache_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3086[4] =
{
U3CGetEnumeratorU3Ed__4_t2745D8C980B737DDBE34EFF2B6223971CD949865::get_offset_of_U3CU3E1__state_0(),
U3CGetEnumeratorU3Ed__4_t2745D8C980B737DDBE34EFF2B6223971CD949865::get_offset_of_U3CU3E2__current_1(),
U3CGetEnumeratorU3Ed__4_t2745D8C980B737DDBE34EFF2B6223971CD949865::get_offset_of_U3CU3E4__this_2(),
U3CGetEnumeratorU3Ed__4_t2745D8C980B737DDBE34EFF2B6223971CD949865::get_offset_of_U3CiU3E5__2_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3087[3] =
{
PartialCharEnumerator_tFF688D7D308D094A1CF656C5B83CD77765351586::get_offset_of_m_BaseString_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
PartialCharEnumerator_tFF688D7D308D094A1CF656C5B83CD77765351586::get_offset_of_m_From_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
PartialCharEnumerator_tFF688D7D308D094A1CF656C5B83CD77765351586::get_offset_of_m_To_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3088[6] =
{
FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843::get_offset_of_baseString_0(),
FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843::get_offset_of_endIndex_1(),
FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843::get_offset_of_SmartSettings_2(),
FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843::get_offset_of_startIndex_3(),
FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843::get_offset_of_m_RawText_4(),
FormatItem_t96070B899E49BA7E8467614C20AAB9BAEC179843::get_offset_of_U3CParentU3Ek__BackingField_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3090[5] =
{
ParsingError_t72C41195FBEECAE6C0F6CF0C2B5DF23B055F3161::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3091[1] =
{
ParsingErrorText_tAC0E515A3A9B190E5441D8B3D0D36AA0E3137423::get_offset_of__errors_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3092[1] =
{
U3CU3Ec__DisplayClass24_0_t7E88E11EFD43CD879329554C9B4A358E408D3AD3::get_offset_of_currentResult_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3093[2] =
{
U3CU3Ec__DisplayClass24_1_t33331B4B24DE6440ECFAB31BE8D158AFA9E71BD2::get_offset_of_i_0(),
U3CU3Ec__DisplayClass24_1_t33331B4B24DE6440ECFAB31BE8D158AFA9E71BD2::get_offset_of_CSU24U3CU3E8__locals1_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3094[2] =
{
U3CU3Ec__DisplayClass24_2_t0DD21685EF84F9D3CB49E399FC4CBDC3A68C54FB::get_offset_of_i_0(),
U3CU3Ec__DisplayClass24_2_t0DD21685EF84F9D3CB49E399FC4CBDC3A68C54FB::get_offset_of_CSU24U3CU3E8__locals2_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3095[11] =
{
Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D::get_offset_of_m_OpeningBrace_0(),
Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D::get_offset_of_m_ClosingBrace_1(),
Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D::get_offset_of_m_Settings_2(),
Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D::get_offset_of_m_AlphanumericSelectors_3(),
Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D::get_offset_of_m_AllowedSelectorChars_4(),
Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D::get_offset_of_m_Operators_5(),
Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D::get_offset_of_m_AlternativeEscaping_6(),
Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D::get_offset_of_m_AlternativeEscapeChar_7(),
0,
Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D_StaticFields::get_offset_of_s_ParsingErrorText_9(),
Parser_tFBF51192CB7B1BAE70EED61EF2844F30708CB54D::get_offset_of_OnParsingFailure_10(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3096[2] =
{
ParsingErrorEventArgs_t7EC8195894483A842EFB45C807F2D8CFC19EAB52::get_offset_of_U3CErrorsU3Ek__BackingField_1(),
ParsingErrorEventArgs_t7EC8195894483A842EFB45C807F2D8CFC19EAB52::get_offset_of_U3CThrowsExceptionU3Ek__BackingField_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3097[3] =
{
ParsingIssue_tBA9AB9CCCBD08E24A24063E7FC40541A27F33919::get_offset_of_U3CIndexU3Ek__BackingField_0(),
ParsingIssue_tBA9AB9CCCBD08E24A24063E7FC40541A27F33919::get_offset_of_U3CLengthU3Ek__BackingField_1(),
ParsingIssue_tBA9AB9CCCBD08E24A24063E7FC40541A27F33919::get_offset_of_U3CIssueU3Ek__BackingField_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3098[3] =
{
U3CU3Ec_tC7E382B242708B8A133A54FC63B8AE206E1AF565_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_tC7E382B242708B8A133A54FC63B8AE206E1AF565_StaticFields::get_offset_of_U3CU3E9__9_0_1(),
U3CU3Ec_tC7E382B242708B8A133A54FC63B8AE206E1AF565_StaticFields::get_offset_of_U3CU3E9__11_0_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3099[2] =
{
ParsingErrors_t6BAAFC24B387A47B9FAEEF8FDD6CCA45E7CA6ABA::get_offset_of_result_17(),
ParsingErrors_t6BAAFC24B387A47B9FAEEF8FDD6CCA45E7CA6ABA::get_offset_of_U3CIssuesU3Ek__BackingField_18(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3100[6] =
{
Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE::get_offset_of_U3CNestedDepthU3Ek__BackingField_6(),
Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE::get_offset_of_U3CSelectorsU3Ek__BackingField_7(),
Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE::get_offset_of_U3CAlignmentU3Ek__BackingField_8(),
Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE::get_offset_of_U3CFormatterNameU3Ek__BackingField_9(),
Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE::get_offset_of_U3CFormatterOptionsU3Ek__BackingField_10(),
Placeholder_t7AD5BCF894E6878F0944BAF150185456E51C8BDE::get_offset_of_U3CFormatU3Ek__BackingField_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3101[3] =
{
Selector_tF6C7CE90C0DF83DB6EA881F4C8E38FC33D35FB6B::get_offset_of_m_Operator_6(),
Selector_tF6C7CE90C0DF83DB6EA881F4C8E38FC33D35FB6B::get_offset_of_operatorStart_7(),
Selector_tF6C7CE90C0DF83DB6EA881F4C8E38FC33D35FB6B::get_offset_of_U3CSelectorIndexU3Ek__BackingField_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3103[1] =
{
StringOutput_t02889D76152DED30CEF3F1ED564D2EE9BE79747E::get_offset_of_output_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3104[1] =
{
TextWriterOutput_t32BEEFF58B91E742CC0CE48C111060FA4591C315::get_offset_of_U3COutputU3Ek__BackingField_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3105[3] =
{
FormatCache_t4F6B4586AEED86AD3934044A4661A92A6EB22812::get_offset_of_U3CFormatU3Ek__BackingField_0(),
FormatCache_t4F6B4586AEED86AD3934044A4661A92A6EB22812::get_offset_of_U3CCachedObjectsU3Ek__BackingField_1(),
FormatCache_t4F6B4586AEED86AD3934044A4661A92A6EB22812::get_offset_of_U3CGlobalVariableTriggersU3Ek__BackingField_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3106[7] =
{
FormatDetails_t66E2407A10EBE2859C428830F49442618B0BB853::get_offset_of_U3CFormatterU3Ek__BackingField_0(),
FormatDetails_t66E2407A10EBE2859C428830F49442618B0BB853::get_offset_of_U3COriginalFormatU3Ek__BackingField_1(),
FormatDetails_t66E2407A10EBE2859C428830F49442618B0BB853::get_offset_of_U3COriginalArgsU3Ek__BackingField_2(),
FormatDetails_t66E2407A10EBE2859C428830F49442618B0BB853::get_offset_of_U3CFormatCacheU3Ek__BackingField_3(),
FormatDetails_t66E2407A10EBE2859C428830F49442618B0BB853::get_offset_of_U3CProviderU3Ek__BackingField_4(),
FormatDetails_t66E2407A10EBE2859C428830F49442618B0BB853::get_offset_of_U3COutputU3Ek__BackingField_5(),
FormatDetails_t66E2407A10EBE2859C428830F49442618B0BB853::get_offset_of_U3CFormattingExceptionU3Ek__BackingField_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3107[4] =
{
FormattingException_t2367F6BB7974421C65FCE00BFA026F01CCE5849D::get_offset_of_U3CFormatU3Ek__BackingField_17(),
FormattingException_t2367F6BB7974421C65FCE00BFA026F01CCE5849D::get_offset_of_U3CErrorItemU3Ek__BackingField_18(),
FormattingException_t2367F6BB7974421C65FCE00BFA026F01CCE5849D::get_offset_of_U3CIssueU3Ek__BackingField_19(),
FormattingException_t2367F6BB7974421C65FCE00BFA026F01CCE5849D::get_offset_of_U3CIndexU3Ek__BackingField_20(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3108[8] =
{
FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB::get_offset_of_U3CParentU3Ek__BackingField_0(),
FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB::get_offset_of_U3CSelectorU3Ek__BackingField_1(),
FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB::get_offset_of_U3CFormatDetailsU3Ek__BackingField_2(),
FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB::get_offset_of_U3CCurrentValueU3Ek__BackingField_3(),
FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB::get_offset_of_U3CPlaceholderU3Ek__BackingField_4(),
FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB::get_offset_of_U3CFormatU3Ek__BackingField_5(),
FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB::get_offset_of_U3CChildrenU3Ek__BackingField_6(),
FormattingInfo_t51751510DF48308077B82F0745A46E43E4B4CDCB::get_offset_of_U3CResultU3Ek__BackingField_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3109[1] =
{
FormatterBase_t9C41952D199D3C96A9F94A46395C8E387B42FC0C::get_offset_of_m_Names_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3116[4] =
{
FallbackBehavior_t06A7780FDD0577725A81DB636DCC4C2E53C7010D::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3117[3] =
{
MissingTranslationBehavior_t011AACFD6009AC0B883A6BB8E3297C28BA0C95F0::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3118[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3119[7] =
{
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3120[5] =
{
LocalizedStringDatabase_tF8BDBBC4A694A1B429F79AC8AB9E9A170726272D::get_offset_of_m_MissingTranslationState_7(),
0,
LocalizedStringDatabase_tF8BDBBC4A694A1B429F79AC8AB9E9A170726272D::get_offset_of_m_NoTranslationFoundMessage_9(),
LocalizedStringDatabase_tF8BDBBC4A694A1B429F79AC8AB9E9A170726272D::get_offset_of_m_SmartFormat_10(),
LocalizedStringDatabase_tF8BDBBC4A694A1B429F79AC8AB9E9A170726272D::get_offset_of_m_MissingTranslationTable_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3125[2] =
{
LocalesProvider_t4DC116C69873D1DE01CC6A04C6961C70524F25F8::get_offset_of_m_Locales_0(),
LocalesProvider_t4DC116C69873D1DE01CC6A04C6961C70524F25F8::get_offset_of_m_LoadOperation_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3126[2] =
{
U3CU3Ec__DisplayClass58_0_tAE55A0A8AC79D60086A8FBFE13FAED70BDD9351D::get_offset_of_U3CU3E4__this_0(),
U3CU3Ec__DisplayClass58_0_tAE55A0A8AC79D60086A8FBFE13FAED70BDD9351D::get_offset_of_locale_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3127[13] =
{
0,
0,
0,
0,
LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660::get_offset_of_m_StartupSelectors_8(),
LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660::get_offset_of_m_AvailableLocales_9(),
LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660::get_offset_of_m_AssetDatabase_10(),
LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660::get_offset_of_m_StringDatabase_11(),
LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660::get_offset_of_m_Metadata_12(),
LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660::get_offset_of_m_InitializingOperationHandle_13(),
LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660::get_offset_of_m_SelectedLocaleAsync_14(),
LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660_StaticFields::get_offset_of_s_Instance_15(),
LocalizationSettings_tF43DE04E141744296395E895EF30BE7BE4679660::get_offset_of_OnSelectedLocaleChanged_16(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3128[1] =
{
CommandLineLocaleSelector_t5CF5E992409059DD9AE8BDA0A56459EB0BEFD557::get_offset_of_m_CommandLineArgument_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3129[1] =
{
PlayerPrefLocaleSelector_tA11C3B1EB04B60AE5A2D5FAAEB327BE3B82D7D8C::get_offset_of_m_PlayerPreferenceKey_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3130[1] =
{
SpecificLocaleSelector_tED92C41A0956CBA3299518F8C6D96E791FE1441C::get_offset_of_m_LocaleId_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3133[5] =
{
MessageFragment_tEF32B022F0C14D888AFD1536C631977DB5E0D513::get_offset_of_m_OriginalString_0(),
MessageFragment_tEF32B022F0C14D888AFD1536C631977DB5E0D513::get_offset_of_m_StartIndex_1(),
MessageFragment_tEF32B022F0C14D888AFD1536C631977DB5E0D513::get_offset_of_m_EndIndex_2(),
MessageFragment_tEF32B022F0C14D888AFD1536C631977DB5E0D513::get_offset_of_m_CachedToString_3(),
MessageFragment_tEF32B022F0C14D888AFD1536C631977DB5E0D513::get_offset_of_U3CMessageU3Ek__BackingField_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3136[2] =
{
Message_t812E39857F3919C74FAB178F2A9DDD4B90ADA3F3::get_offset_of_U3COriginalU3Ek__BackingField_0(),
Message_t812E39857F3919C74FAB178F2A9DDD4B90ADA3F3::get_offset_of_U3CFragmentsU3Ek__BackingField_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3138[5] =
{
SubstitutionMethod_tF44ADFFEEC26291CB88EC224455CAE73B9ACF7B9::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3139[2] =
{
CharReplacement_t743B10607D7222BB8A9378C7E4D5A53236CF2E9F::get_offset_of_original_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
CharReplacement_t743B10607D7222BB8A9378C7E4D5A53236CF2E9F::get_offset_of_replacement_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3140[4] =
{
ListSelectionMethod_tE8A7D27F125D7099C5EE86C474457BC6F5E13C38::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3141[6] =
{
CharacterSubstitutor_t879E92B833550920277D3849A28C08ABAC66088D::get_offset_of_m_SubstitutionMethod_0(),
CharacterSubstitutor_t879E92B833550920277D3849A28C08ABAC66088D::get_offset_of_m_ListMode_1(),
CharacterSubstitutor_t879E92B833550920277D3849A28C08ABAC66088D::get_offset_of_m_ReplacementsMap_2(),
CharacterSubstitutor_t879E92B833550920277D3849A28C08ABAC66088D::get_offset_of_m_ReplacementList_3(),
CharacterSubstitutor_t879E92B833550920277D3849A28C08ABAC66088D::get_offset_of_m_ReplacementsPosition_4(),
CharacterSubstitutor_t879E92B833550920277D3849A28C08ABAC66088D::get_offset_of_U3CReplacementMapU3Ek__BackingField_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3142[2] =
{
Encapsulator_t7DAB08EE7B1BD8AB98E4A8A8612824CF5F811B68::get_offset_of_m_Start_0(),
Encapsulator_t7DAB08EE7B1BD8AB98E4A8A8612824CF5F811B68::get_offset_of_m_End_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3143[4] =
{
InsertLocation_tBC4175A1316CEF59ABDF83C22A1AEC485B300311::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3144[3] =
{
ExpansionRule_t623BFCA5F70CCD04562D355ED26233486264D958::get_offset_of_m_MinCharacters_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ExpansionRule_t623BFCA5F70CCD04562D355ED26233486264D958::get_offset_of_m_MaxCharacters_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ExpansionRule_t623BFCA5F70CCD04562D355ED26233486264D958::get_offset_of_m_ExpansionAmount_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3145[4] =
{
Expander_t27F8893816C402B1FAB6AB3EE423991C4C41503A::get_offset_of_m_ExpansionRules_0(),
Expander_t27F8893816C402B1FAB6AB3EE423991C4C41503A::get_offset_of_m_Location_1(),
Expander_t27F8893816C402B1FAB6AB3EE423991C4C41503A::get_offset_of_m_MinimumStringLength_2(),
Expander_t27F8893816C402B1FAB6AB3EE423991C4C41503A::get_offset_of_m_PaddingCharacters_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3147[2] =
{
PreserveTags_tF191582AD53CF29EA8F95686B4886E9719AF51D0::get_offset_of_m_Opening_0(),
PreserveTags_tF191582AD53CF29EA8F95686B4886E9719AF51D0::get_offset_of_m_Closing_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3148[1] =
{
PseudoLocale_t36650458CA58C2E100D8FF2A2EBB518A8B912E65::get_offset_of_m_Methods_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3149[1] =
{
TypicalCharacterSets_t29843768AF12C1914F1456840617CFABD5DFB774_StaticFields::get_offset_of_s_TypicalCharacterSets_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3150[5] =
{
AppInfo_t06CC052DF77F47437FEB68E8E90850AEEA0ABBB2::get_offset_of_m_ShortName_0(),
AppInfo_t06CC052DF77F47437FEB68E8E90850AEEA0ABBB2::get_offset_of_m_DisplayName_1(),
AppInfo_t06CC052DF77F47437FEB68E8E90850AEEA0ABBB2::get_offset_of_m_CameraUsageDescription_2(),
AppInfo_t06CC052DF77F47437FEB68E8E90850AEEA0ABBB2::get_offset_of_m_MicrophoneUsageDescription_3(),
AppInfo_t06CC052DF77F47437FEB68E8E90850AEEA0ABBB2::get_offset_of_m_LocationUsageDescription_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3151[1] =
{
AppInfo_tCBFED6E646D13450192F7E27F3AAB06E7303ED06::get_offset_of_m_DisplayName_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3152[2] =
{
AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D::get_offset_of_m_Background_0(),
AdaptiveIcon_t53FBBB58DDBADC471CAE641AAAF51908AACB402D::get_offset_of_m_Foreground_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3153[6] =
{
AdaptiveIconsInfo_t88DCF67F379FCE17EEFEAD2451DC3DB05BD401BE::get_offset_of_m_Adaptive_hdpi_0(),
AdaptiveIconsInfo_t88DCF67F379FCE17EEFEAD2451DC3DB05BD401BE::get_offset_of_m_Adaptive_idpi_1(),
AdaptiveIconsInfo_t88DCF67F379FCE17EEFEAD2451DC3DB05BD401BE::get_offset_of_m_Adaptive_mdpi_2(),
AdaptiveIconsInfo_t88DCF67F379FCE17EEFEAD2451DC3DB05BD401BE::get_offset_of_m_Adaptive_xhdpi_3(),
AdaptiveIconsInfo_t88DCF67F379FCE17EEFEAD2451DC3DB05BD401BE::get_offset_of_m_Adaptive_xxhdpi_4(),
AdaptiveIconsInfo_t88DCF67F379FCE17EEFEAD2451DC3DB05BD401BE::get_offset_of_m_Adaptive_xxxhdpi_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3154[6] =
{
RoundIconsInfo_tAE046B02CC7AAAAE77CD68E03606F47A4DBF9E24::get_offset_of_m_Round_hdpi_0(),
RoundIconsInfo_tAE046B02CC7AAAAE77CD68E03606F47A4DBF9E24::get_offset_of_m_Round_idpi_1(),
RoundIconsInfo_tAE046B02CC7AAAAE77CD68E03606F47A4DBF9E24::get_offset_of_m_Round_mdpi_2(),
RoundIconsInfo_tAE046B02CC7AAAAE77CD68E03606F47A4DBF9E24::get_offset_of_m_Round_xhdpi_3(),
RoundIconsInfo_tAE046B02CC7AAAAE77CD68E03606F47A4DBF9E24::get_offset_of_m_Round_xxhdpi_4(),
RoundIconsInfo_tAE046B02CC7AAAAE77CD68E03606F47A4DBF9E24::get_offset_of_m_Round_xxxhdpi_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3155[6] =
{
LegacyIconsInfo_tB00BAC053DCCA152CCD88B3C05A496BAE7B11C99::get_offset_of_m_Legacy_hdpi_0(),
LegacyIconsInfo_tB00BAC053DCCA152CCD88B3C05A496BAE7B11C99::get_offset_of_m_Legacy_idpi_1(),
LegacyIconsInfo_tB00BAC053DCCA152CCD88B3C05A496BAE7B11C99::get_offset_of_m_Legacy_mdpi_2(),
LegacyIconsInfo_tB00BAC053DCCA152CCD88B3C05A496BAE7B11C99::get_offset_of_m_Legacy_xhdpi_3(),
LegacyIconsInfo_tB00BAC053DCCA152CCD88B3C05A496BAE7B11C99::get_offset_of_m_Legacy_xxhdpi_4(),
LegacyIconsInfo_tB00BAC053DCCA152CCD88B3C05A496BAE7B11C99::get_offset_of_m_Legacy_xxxhdpi_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3163[3] =
{
LocalizeStringEvent_t8255744F57C3136DC936C014C1B0A86E5A24FA75::get_offset_of_m_StringReference_4(),
LocalizeStringEvent_t8255744F57C3136DC936C014C1B0A86E5A24FA75::get_offset_of_m_FormatArguments_5(),
LocalizeStringEvent_t8255744F57C3136DC936C014C1B0A86E5A24FA75::get_offset_of_m_UpdateString_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3165[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3166[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3167[1] =
{
LocalizedGameObjectEvent_tF0B1C59B6487FAB346E8043BF50BCA33437D729B::get_offset_of_m_Current_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3169[14] =
{
MetadataType_t588991910633FE91AD2A66ABA36F6B5D3059756C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3170[1] =
{
MetadataTypeAttribute_tAFCE5B38497B8A0A568A0679436A8CEA8F215B62::get_offset_of_U3CTypeU3Ek__BackingField_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3171[3] =
{
MetadataAttribute_tE37D7B4320EBB7FA34C1C0417A090B1F47C010C2::get_offset_of_U3CMenuItemU3Ek__BackingField_0(),
MetadataAttribute_tE37D7B4320EBB7FA34C1C0417A090B1F47C010C2::get_offset_of_U3CAllowMultipleU3Ek__BackingField_1(),
MetadataAttribute_tE37D7B4320EBB7FA34C1C0417A090B1F47C010C2::get_offset_of_U3CAllowedTypesU3Ek__BackingField_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3172[2] =
{
AssetTypeMetadata_t3F58FB27451A29F2B33E9590EE9DDC081255A710::get_offset_of_m_TypeString_2(),
AssetTypeMetadata_t3F58FB27451A29F2B33E9590EE9DDC081255A710::get_offset_of_U3CTypeU3Ek__BackingField_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3173[1] =
{
Comment_tDC6F064B3B801338263B595A89F8A5CC7A26ED77::get_offset_of_m_CommentText_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3175[1] =
{
FallbackLocale_tBBD731D50E06BC5B150238D0F8A7B2F705125436::get_offset_of_m_Locale_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3179[1] =
{
MetadataCollection_t969873F65A2F9415F2D79D49BE27B02E5BA1D0F5::get_offset_of_m_Items_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3180[5] =
{
EntryOverrideType_tE73A6769FA338EBC3C12F2E926188E830E496E98::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3182[4] =
{
PlatformOverrideData_tB7D2F019EF1B3D1C87CD4C9EB3D9F80170D68E79::get_offset_of_platform_0(),
PlatformOverrideData_tB7D2F019EF1B3D1C87CD4C9EB3D9F80170D68E79::get_offset_of_entryOverrideType_1(),
PlatformOverrideData_tB7D2F019EF1B3D1C87CD4C9EB3D9F80170D68E79::get_offset_of_tableReference_2(),
PlatformOverrideData_tB7D2F019EF1B3D1C87CD4C9EB3D9F80170D68E79::get_offset_of_tableEntryReference_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3183[2] =
{
PlatformOverride_tD1C6258EE6FA2AFAF9CB9E04E1F38DF9CA02AD59::get_offset_of_m_PlatformOverrides_0(),
PlatformOverride_tD1C6258EE6FA2AFAF9CB9E04E1F38DF9CA02AD59::get_offset_of_m_PlayerPlatformOverride_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3184[3] =
{
PreloadBehaviour_tE99FBE790F019FCCF3D949B77069320657212303::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3185[1] =
{
PreloadAssetTableMetadata_t0D4FCA82FF850B93DB57C1D7663CB8E89F4CA205::get_offset_of_m_PreloadBehaviour_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3186[2] =
{
Item_tCEBD4BE696E7AEC8FBCE3E1F5B43069C8989ECE5::get_offset_of_m_KeyId_0(),
Item_tCEBD4BE696E7AEC8FBCE3E1F5B43069C8989ECE5::get_offset_of_m_TableCodes_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3187[2] =
{
SharedTableCollectionMetadata_tBCEFC3ADDFF5D44DAC473D0D37664BA3D51880FF::get_offset_of_m_Entries_0(),
SharedTableCollectionMetadata_tBCEFC3ADDFF5D44DAC473D0D37664BA3D51880FF::get_offset_of_U3CEntriesLookupU3Ek__BackingField_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3188[2] =
{
SharedTableEntryMetadata_t6EA9874AE56F84087DDE506298F609E95D890BEF::get_offset_of_m_Entries_0(),
SharedTableEntryMetadata_t6EA9874AE56F84087DDE506298F609E95D890BEF::get_offset_of_m_EntriesLookup_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3191[1] =
{
U3CPrivateImplementationDetailsU3E_t3573ABCD834901F1FDD85F26F20270E99040843B_StaticFields::get_offset_of_U37120394F626BBF1FA0CBCCC594E26088288785E527E95DF88B22A147DD1E1350_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3193[2] =
{
FastAction_tE1E0598414A65086C904C55ED0DCB45F330C9EFC::get_offset_of_delegates_0(),
FastAction_tE1E0598414A65086C904C55ED0DCB45F330C9EFC::get_offset_of_lookup_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3194[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3195[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3196[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3198[5] =
{
MaterialReferenceManager_t52FF6BEA7BD21A51D0C0A96D591DDE6461C492EF_StaticFields::get_offset_of_s_Instance_0(),
MaterialReferenceManager_t52FF6BEA7BD21A51D0C0A96D591DDE6461C492EF::get_offset_of_m_FontMaterialReferenceLookup_1(),
MaterialReferenceManager_t52FF6BEA7BD21A51D0C0A96D591DDE6461C492EF::get_offset_of_m_FontAssetReferenceLookup_2(),
MaterialReferenceManager_t52FF6BEA7BD21A51D0C0A96D591DDE6461C492EF::get_offset_of_m_SpriteAssetReferenceLookup_3(),
MaterialReferenceManager_t52FF6BEA7BD21A51D0C0A96D591DDE6461C492EF::get_offset_of_m_ColorGradientReferenceLookup_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3199[2] =
{
TMP_MaterialReference_t543088676AB27EF87E4F35B7346287F1858526BB::get_offset_of_material_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_MaterialReference_t543088676AB27EF87E4F35B7346287F1858526BB::get_offset_of_referenceCount_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3200[9] =
{
MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B::get_offset_of_index_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B::get_offset_of_fontAsset_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B::get_offset_of_spriteAsset_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B::get_offset_of_material_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B::get_offset_of_isDefaultMaterial_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B::get_offset_of_isFallbackMaterial_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B::get_offset_of_fallbackMaterial_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B::get_offset_of_padding_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
MaterialReference_tB00D33F114B6EF4E7D63B25D053A0111D502951B::get_offset_of_referenceCount_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3201[4] =
{
TMP_Asset_tEE129B2B2FE167D4B860286167207DD3AD45B45E::get_offset_of_m_InstanceID_4(),
TMP_Asset_tEE129B2B2FE167D4B860286167207DD3AD45B45E::get_offset_of_hashCode_5(),
TMP_Asset_tEE129B2B2FE167D4B860286167207DD3AD45B45E::get_offset_of_material_6(),
TMP_Asset_tEE129B2B2FE167D4B860286167207DD3AD45B45E::get_offset_of_materialHashCode_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3203[6] =
{
TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E::get_offset_of_position_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E::get_offset_of_uv_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E::get_offset_of_uv2_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E::get_offset_of_uv4_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E::get_offset_of_color_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_Vertex_t8008D4AEC9AE4E475F5E02225801EB18A2A1341E_StaticFields::get_offset_of_k_Zero_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3204[5] =
{
TMP_Offset_tFD2420EE03933F6A720EB5B66ED6B4FB67AE2117::get_offset_of_m_Left_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_Offset_tFD2420EE03933F6A720EB5B66ED6B4FB67AE2117::get_offset_of_m_Right_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_Offset_tFD2420EE03933F6A720EB5B66ED6B4FB67AE2117::get_offset_of_m_Top_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_Offset_tFD2420EE03933F6A720EB5B66ED6B4FB67AE2117::get_offset_of_m_Bottom_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_Offset_tFD2420EE03933F6A720EB5B66ED6B4FB67AE2117_StaticFields::get_offset_of_k_ZeroOffset_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3205[2] =
{
HighlightState_t52CE27A1187034A1037ABC13A70BAEE4AC3B5759::get_offset_of_color_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
HighlightState_t52CE27A1187034A1037ABC13A70BAEE4AC3B5759::get_offset_of_padding_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3206[41] =
{
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_character_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_index_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_stringLength_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_elementType_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_textElement_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_fontAsset_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_spriteAsset_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_spriteIndex_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_material_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_materialReferenceIndex_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_isUsingAlternateTypeface_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_pointSize_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_lineNumber_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_pageNumber_13() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_vertexIndex_14() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_vertex_BL_15() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_vertex_TL_16() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_vertex_TR_17() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_vertex_BR_18() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_topLeft_19() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_bottomLeft_20() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_topRight_21() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_bottomRight_22() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_origin_23() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_xAdvance_24() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_ascender_25() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_baseLine_26() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_descender_27() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_adjustedAscender_28() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_adjustedDescender_29() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_aspectRatio_30() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_scale_31() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_color_32() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_underlineColor_33() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_underlineVertexIndex_34() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_strikethroughColor_35() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_strikethroughVertexIndex_36() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_highlightColor_37() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_highlightState_38() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_style_39() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_CharacterInfo_t6F1B9FE4246803FFE4F527B3CEFED9D60AD7383B::get_offset_of_isVisible_40() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3207[5] =
{
ColorMode_t2C99ABBE35C08A863709500BFBBD6784D7114C09::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3208[7] =
{
TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461::get_offset_of_colorMode_4(),
TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461::get_offset_of_topLeft_5(),
TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461::get_offset_of_topRight_6(),
TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461::get_offset_of_bottomLeft_7(),
TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461::get_offset_of_bottomRight_8(),
0,
TMP_ColorGradient_tC18C01CF1F597BD442D01A29724FE1B32497E461_StaticFields::get_offset_of_k_DefaultColor_10(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3209[12] =
{
AnchorPositions_t956C512C9F0B2358CB0A13AEA158BB486BCB2DFB::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3212[4] =
{
ColorTweenMode_t73D753514D6DF62D23C5E54E33F154B2D5984A14::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3214[6] =
{
ColorTween_t8F1B0A85C30909F8F8E0924A1C54C2BD8690A637::get_offset_of_m_Target_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ColorTween_t8F1B0A85C30909F8F8E0924A1C54C2BD8690A637::get_offset_of_m_StartColor_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ColorTween_t8F1B0A85C30909F8F8E0924A1C54C2BD8690A637::get_offset_of_m_TargetColor_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
ColorTween_t8F1B0A85C30909F8F8E0924A1C54C2BD8690A637::get_offset_of_m_TweenMode_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
ColorTween_t8F1B0A85C30909F8F8E0924A1C54C2BD8690A637::get_offset_of_m_Duration_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
ColorTween_t8F1B0A85C30909F8F8E0924A1C54C2BD8690A637::get_offset_of_m_IgnoreTimeScale_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3216[5] =
{
FloatTween_t5A586E52817A19AA6B977C2E775A83AB391BBC97::get_offset_of_m_Target_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
FloatTween_t5A586E52817A19AA6B977C2E775A83AB391BBC97::get_offset_of_m_StartValue_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
FloatTween_t5A586E52817A19AA6B977C2E775A83AB391BBC97::get_offset_of_m_TargetValue_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
FloatTween_t5A586E52817A19AA6B977C2E775A83AB391BBC97::get_offset_of_m_Duration_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
FloatTween_t5A586E52817A19AA6B977C2E775A83AB391BBC97::get_offset_of_m_IgnoreTimeScale_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3217[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3218[2] =
{
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3219[7] =
{
Resources_t3833BE8E7BA13C4C2E4ADFFB599717EEA8956756::get_offset_of_standard_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Resources_t3833BE8E7BA13C4C2E4ADFFB599717EEA8956756::get_offset_of_background_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Resources_t3833BE8E7BA13C4C2E4ADFFB599717EEA8956756::get_offset_of_inputField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Resources_t3833BE8E7BA13C4C2E4ADFFB599717EEA8956756::get_offset_of_knob_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Resources_t3833BE8E7BA13C4C2E4ADFFB599717EEA8956756::get_offset_of_checkmark_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
Resources_t3833BE8E7BA13C4C2E4ADFFB599717EEA8956756::get_offset_of_dropdown_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
Resources_t3833BE8E7BA13C4C2E4ADFFB599717EEA8956756::get_offset_of_mask_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3220[8] =
{
0,
0,
0,
TMP_DefaultControls_t770F41DE5BF9BAB6B6F2F8756C8DDFBFEC0200F6_StaticFields::get_offset_of_s_TextElementSize_3(),
TMP_DefaultControls_t770F41DE5BF9BAB6B6F2F8756C8DDFBFEC0200F6_StaticFields::get_offset_of_s_ThickElementSize_4(),
TMP_DefaultControls_t770F41DE5BF9BAB6B6F2F8756C8DDFBFEC0200F6_StaticFields::get_offset_of_s_ThinElementSize_5(),
TMP_DefaultControls_t770F41DE5BF9BAB6B6F2F8756C8DDFBFEC0200F6_StaticFields::get_offset_of_s_DefaultSelectableColor_6(),
TMP_DefaultControls_t770F41DE5BF9BAB6B6F2F8756C8DDFBFEC0200F6_StaticFields::get_offset_of_s_TextColor_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3221[4] =
{
DropdownItem_t1D4B22605EB395783BA669C9ECBE4773C3CA3898::get_offset_of_m_Text_4(),
DropdownItem_t1D4B22605EB395783BA669C9ECBE4773C3CA3898::get_offset_of_m_Image_5(),
DropdownItem_t1D4B22605EB395783BA669C9ECBE4773C3CA3898::get_offset_of_m_RectTransform_6(),
DropdownItem_t1D4B22605EB395783BA669C9ECBE4773C3CA3898::get_offset_of_m_Toggle_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3222[2] =
{
OptionData_tB4568C660E74AB98EEE1E4F9B283FE4D09EEC023::get_offset_of_m_Text_0(),
OptionData_tB4568C660E74AB98EEE1E4F9B283FE4D09EEC023::get_offset_of_m_Image_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3223[1] =
{
OptionDataList_t65D7C0B329EDFEDE9B4B8B768214CB19676A4D1B::get_offset_of_m_Options_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3225[2] =
{
U3CU3Ec__DisplayClass69_0_tF593E29885367226B911A8332DCC347A2EACAB67::get_offset_of_item_0(),
U3CU3Ec__DisplayClass69_0_tF593E29885367226B911A8332DCC347A2EACAB67::get_offset_of_U3CU3E4__this_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3226[4] =
{
U3CDelayedDestroyDropdownListU3Ed__81_tDCC96D8C2E2A1BBF26E2C4298BEA75436FD00262::get_offset_of_U3CU3E1__state_0(),
U3CDelayedDestroyDropdownListU3Ed__81_tDCC96D8C2E2A1BBF26E2C4298BEA75436FD00262::get_offset_of_U3CU3E2__current_1(),
U3CDelayedDestroyDropdownListU3Ed__81_tDCC96D8C2E2A1BBF26E2C4298BEA75436FD00262::get_offset_of_delay_2(),
U3CDelayedDestroyDropdownListU3Ed__81_tDCC96D8C2E2A1BBF26E2C4298BEA75436FD00262::get_offset_of_U3CU3E4__this_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3227[17] =
{
TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63::get_offset_of_m_Template_20(),
TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63::get_offset_of_m_CaptionText_21(),
TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63::get_offset_of_m_CaptionImage_22(),
TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63::get_offset_of_m_Placeholder_23(),
TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63::get_offset_of_m_ItemText_24(),
TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63::get_offset_of_m_ItemImage_25(),
TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63::get_offset_of_m_Value_26(),
TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63::get_offset_of_m_Options_27(),
TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63::get_offset_of_m_OnValueChanged_28(),
TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63::get_offset_of_m_AlphaFadeSpeed_29(),
TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63::get_offset_of_m_Dropdown_30(),
TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63::get_offset_of_m_Blocker_31(),
TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63::get_offset_of_m_Items_32(),
TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63::get_offset_of_m_AlphaTweenRunner_33(),
TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63::get_offset_of_validTemplate_34(),
TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63::get_offset_of_m_Coroutine_35(),
TMP_Dropdown_t3FD3826E105DA5CC167E721237E450A4BA855E63_StaticFields::get_offset_of_s_NoOptionData_36(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3228[3] =
{
AtlasPopulationMode_t23261B68B33F6966CAB75B6F5162648F7F0F8999::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3229[3] =
{
U3CU3Ec_t8FB0A53D52B6894397BCA82B5567869EB9D8ED4F_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_t8FB0A53D52B6894397BCA82B5567869EB9D8ED4F_StaticFields::get_offset_of_U3CU3E9__124_0_1(),
U3CU3Ec_t8FB0A53D52B6894397BCA82B5567869EB9D8ED4F_StaticFields::get_offset_of_U3CU3E9__125_0_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3230[62] =
{
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_Version_8(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_SourceFontFileGUID_9(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_SourceFontFile_10(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_AtlasPopulationMode_11(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_FaceInfo_12(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_GlyphTable_13(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_GlyphLookupDictionary_14(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_CharacterTable_15(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_CharacterLookupDictionary_16(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_AtlasTexture_17(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_AtlasTextures_18(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_AtlasTextureIndex_19(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_IsMultiAtlasTexturesEnabled_20(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_ClearDynamicDataOnBuild_21(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_UsedGlyphRects_22(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_FreeGlyphRects_23(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_fontInfo_24(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_atlas_25(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_AtlasWidth_26(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_AtlasHeight_27(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_AtlasPadding_28(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_AtlasRenderMode_29(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_glyphInfoList_30(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_KerningTable_31(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_FontFeatureTable_32(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_fallbackFontAssets_33(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_FallbackFontAssetTable_34(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_CreationSettings_35(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_FontWeightTable_36(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_fontWeights_37(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_normalStyle_38(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_normalSpacingOffset_39(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_boldStyle_40(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_boldSpacing_41(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_italicStyle_42(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_tabSize_43(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_IsFontAssetLookupTablesDirty_44(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields::get_offset_of_k_ReadFontAssetDefinitionMarker_45(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields::get_offset_of_k_AddSynthesizedCharactersMarker_46(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields::get_offset_of_k_TryAddCharacterMarker_47(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields::get_offset_of_k_TryAddCharactersMarker_48(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields::get_offset_of_k_UpdateGlyphAdjustmentRecordsMarker_49(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields::get_offset_of_k_ClearFontAssetDataMarker_50(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields::get_offset_of_k_UpdateFontAssetDataMarker_51(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields::get_offset_of_s_DefaultMaterialSuffix_52(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_FallbackSearchQueryLookup_53(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields::get_offset_of_k_SearchedFontAssetLookup_54(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields::get_offset_of_k_FontAssets_FontFeaturesUpdateQueue_55(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields::get_offset_of_k_FontAssets_FontFeaturesUpdateQueueLookup_56(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields::get_offset_of_k_FontAssets_AtlasTexturesUpdateQueue_57(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields::get_offset_of_k_FontAssets_AtlasTexturesUpdateQueueLookup_58(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_GlyphsToRender_59(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_GlyphsRendered_60(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_GlyphIndexList_61(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_GlyphIndexListNewlyAdded_62(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_GlyphsToAdd_63(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_GlyphsToAddLookup_64(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_CharactersToAdd_65(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_CharactersToAddLookup_66(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_s_MissingCharacterList_67(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2::get_offset_of_m_MissingUnicodesFromFontFile_68(),
TMP_FontAsset_tDD8F58129CF4A9094C82DD209531E9E71F9837B2_StaticFields::get_offset_of_k_GlyphIndexArray_69(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3231[21] =
{
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_Name_0(),
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_PointSize_1(),
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_Scale_2(),
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_CharacterCount_3(),
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_LineHeight_4(),
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_Baseline_5(),
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_Ascender_6(),
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_CapHeight_7(),
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_Descender_8(),
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_CenterLine_9(),
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_SuperscriptOffset_10(),
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_SubscriptOffset_11(),
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_SubSize_12(),
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_Underline_13(),
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_UnderlineThickness_14(),
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_strikethrough_15(),
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_strikethroughThickness_16(),
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_TabWidth_17(),
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_Padding_18(),
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_AtlasWidth_19(),
FaceInfo_Legacy_t9002691F7DB46E42ADE3B69A8861C144379D192F::get_offset_of_AtlasHeight_20(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3233[16] =
{
FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1::get_offset_of_sourceFontFileName_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1::get_offset_of_sourceFontFileGUID_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1::get_offset_of_pointSizeSamplingMode_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1::get_offset_of_pointSize_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1::get_offset_of_padding_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1::get_offset_of_packingMode_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1::get_offset_of_atlasWidth_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1::get_offset_of_atlasHeight_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1::get_offset_of_characterSetSelectionMode_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1::get_offset_of_characterSequence_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1::get_offset_of_referencedFontAssetGUID_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1::get_offset_of_referencedTextAssetGUID_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1::get_offset_of_fontStyle_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1::get_offset_of_fontStyleModifier_13() + static_cast<int32_t>(sizeof(RuntimeObject)),
FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1::get_offset_of_renderMode_14() + static_cast<int32_t>(sizeof(RuntimeObject)),
FontAssetCreationSettings_t70B67907C3CF96F5289A141EA8D87A2A422802A1::get_offset_of_includeFontFeatures_15() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3234[2] =
{
TMP_FontWeightPair_t247CB1B93D28CF85E17B8AD781485888D78BBD2A::get_offset_of_regularTypeface_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_FontWeightPair_t247CB1B93D28CF85E17B8AD781485888D78BBD2A::get_offset_of_italicTypeface_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3235[3] =
{
KerningPairKey_t52AE779FABF54257C7A1CDA02CAF0DF98471A7B8::get_offset_of_ascii_Left_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
KerningPairKey_t52AE779FABF54257C7A1CDA02CAF0DF98471A7B8::get_offset_of_ascii_Right_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
KerningPairKey_t52AE779FABF54257C7A1CDA02CAF0DF98471A7B8::get_offset_of_key_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3236[4] =
{
GlyphValueRecord_Legacy_t5C73495CD377A665A6AAD41DBC2F73E6091E1907::get_offset_of_xPlacement_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphValueRecord_Legacy_t5C73495CD377A665A6AAD41DBC2F73E6091E1907::get_offset_of_yPlacement_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphValueRecord_Legacy_t5C73495CD377A665A6AAD41DBC2F73E6091E1907::get_offset_of_xAdvance_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphValueRecord_Legacy_t5C73495CD377A665A6AAD41DBC2F73E6091E1907::get_offset_of_yAdvance_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3237[7] =
{
KerningPair_t86851B62BD57903968C233D4A2504AD606853408::get_offset_of_m_FirstGlyph_0(),
KerningPair_t86851B62BD57903968C233D4A2504AD606853408::get_offset_of_m_FirstGlyphAdjustments_1(),
KerningPair_t86851B62BD57903968C233D4A2504AD606853408::get_offset_of_m_SecondGlyph_2(),
KerningPair_t86851B62BD57903968C233D4A2504AD606853408::get_offset_of_m_SecondGlyphAdjustments_3(),
KerningPair_t86851B62BD57903968C233D4A2504AD606853408::get_offset_of_xOffset_4(),
KerningPair_t86851B62BD57903968C233D4A2504AD606853408_StaticFields::get_offset_of_empty_5(),
KerningPair_t86851B62BD57903968C233D4A2504AD606853408::get_offset_of_m_IgnoreSpacingAdjustments_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3238[2] =
{
U3CU3Ec__DisplayClass3_0_tEB73E9245A5EFD083D464F9FE57F7FB58666664F::get_offset_of_first_0(),
U3CU3Ec__DisplayClass3_0_tEB73E9245A5EFD083D464F9FE57F7FB58666664F::get_offset_of_second_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3239[2] =
{
U3CU3Ec__DisplayClass4_0_tC60F61D96B2E70F18543641DED5110621C652873::get_offset_of_first_0(),
U3CU3Ec__DisplayClass4_0_tC60F61D96B2E70F18543641DED5110621C652873::get_offset_of_second_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3240[2] =
{
U3CU3Ec__DisplayClass5_0_tC52C218F866F631263FEA661AE904357C1E1123E::get_offset_of_left_0(),
U3CU3Ec__DisplayClass5_0_tC52C218F866F631263FEA661AE904357C1E1123E::get_offset_of_right_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3241[3] =
{
U3CU3Ec_t703AFB8812FA710DAC810048091DD4D9E636B648_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_t703AFB8812FA710DAC810048091DD4D9E636B648_StaticFields::get_offset_of_U3CU3E9__7_0_1(),
U3CU3Ec_t703AFB8812FA710DAC810048091DD4D9E636B648_StaticFields::get_offset_of_U3CU3E9__7_1_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3242[1] =
{
KerningTable_t820628F74178B0781DBFFB55BF1277247047617D::get_offset_of_kerningPairs_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3243[1] =
{
TMP_FontUtilities_tB8945027F475F44CD3906AC5AF32B7FE0313C91B_StaticFields::get_offset_of_k_searchedFontAssets_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3244[3] =
{
TMP_FontAssetUtilities_t2583EED4C3204E36709D05D384BB9A3A072CA114_StaticFields::get_offset_of_s_Instance_0(),
TMP_FontAssetUtilities_t2583EED4C3204E36709D05D384BB9A3A072CA114_StaticFields::get_offset_of_k_SearchedAssets_1(),
TMP_FontAssetUtilities_t2583EED4C3204E36709D05D384BB9A3A072CA114_StaticFields::get_offset_of_k_IsFontEngineInitialized_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3245[3] =
{
U3CU3Ec_tF88AF20CB2438D890FF144DE494116FA6D9CDAC0_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_tF88AF20CB2438D890FF144DE494116FA6D9CDAC0_StaticFields::get_offset_of_U3CU3E9__6_0_1(),
U3CU3Ec_tF88AF20CB2438D890FF144DE494116FA6D9CDAC0_StaticFields::get_offset_of_U3CU3E9__6_1_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3246[2] =
{
TMP_FontFeatureTable_t4A06C31656BB8CB686657DC85E0179FA3D15E2F1::get_offset_of_m_GlyphPairAdjustmentRecords_0(),
TMP_FontFeatureTable_t4A06C31656BB8CB686657DC85E0179FA3D15E2F1::get_offset_of_m_GlyphPairAdjustmentRecordLookupDictionary_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3247[4] =
{
FontFeatureLookupFlags_tE7216065FB6761767313ECAF3EE6A1565CAE0A37::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3248[4] =
{
TMP_GlyphValueRecord_tEF00CF591899C9C5D8028D3F6C55FD7B67DFE9D2::get_offset_of_m_XPlacement_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_GlyphValueRecord_tEF00CF591899C9C5D8028D3F6C55FD7B67DFE9D2::get_offset_of_m_YPlacement_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_GlyphValueRecord_tEF00CF591899C9C5D8028D3F6C55FD7B67DFE9D2::get_offset_of_m_XAdvance_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_GlyphValueRecord_tEF00CF591899C9C5D8028D3F6C55FD7B67DFE9D2::get_offset_of_m_YAdvance_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3249[2] =
{
TMP_GlyphAdjustmentRecord_t722843E4D5C44C6027391ACAFAC6D117DE8AAF4D::get_offset_of_m_GlyphIndex_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_GlyphAdjustmentRecord_t722843E4D5C44C6027391ACAFAC6D117DE8AAF4D::get_offset_of_m_GlyphValueRecord_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3250[3] =
{
TMP_GlyphPairAdjustmentRecord_t79F65D973582F66AF3787F0C63E6E6575C8E0C10::get_offset_of_m_FirstAdjustmentRecord_0(),
TMP_GlyphPairAdjustmentRecord_t79F65D973582F66AF3787F0C63E6E6575C8E0C10::get_offset_of_m_SecondAdjustmentRecord_1(),
TMP_GlyphPairAdjustmentRecord_t79F65D973582F66AF3787F0C63E6E6575C8E0C10::get_offset_of_m_FeatureLookupFlags_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3251[3] =
{
GlyphPairKey_t57B91D5EFC7D65AD20ABFC6A47F01D86616DAD2D::get_offset_of_firstGlyphIndex_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphPairKey_t57B91D5EFC7D65AD20ABFC6A47F01D86616DAD2D::get_offset_of_secondGlyphIndex_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
GlyphPairKey_t57B91D5EFC7D65AD20ABFC6A47F01D86616DAD2D::get_offset_of_key_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3252[11] =
{
ContentType_t3496CF3DD8D3F13E61A7A5D5D6BAC0B339D16C4D::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3253[4] =
{
InputType_tBE7A7257C7830BF7F2CBF8D2F612B497DEB8AC95::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3254[10] =
{
CharacterValidation_t08E980563A3EBE46E8507BD2BC8F4E865EE0DDB3::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3255[4] =
{
LineType_tCC7BCF3286F44F2AEEBF998AEDB21F4B353569FC::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3262[3] =
{
EditState_tF04C02DEB4A44FFD870596EE7F2958DF44EA5468::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3263[3] =
{
U3CCaretBlinkU3Ed__276_tE391F900890C07848FF4D1C14321A497A5DA401C::get_offset_of_U3CU3E1__state_0(),
U3CCaretBlinkU3Ed__276_tE391F900890C07848FF4D1C14321A497A5DA401C::get_offset_of_U3CU3E2__current_1(),
U3CCaretBlinkU3Ed__276_tE391F900890C07848FF4D1C14321A497A5DA401C::get_offset_of_U3CU3E4__this_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3264[4] =
{
U3CMouseDragOutsideRectU3Ed__294_t128D204C94949C68CCF257DBC1D467CC63A7C848::get_offset_of_U3CU3E1__state_0(),
U3CMouseDragOutsideRectU3Ed__294_t128D204C94949C68CCF257DBC1D467CC63A7C848::get_offset_of_U3CU3E2__current_1(),
U3CMouseDragOutsideRectU3Ed__294_t128D204C94949C68CCF257DBC1D467CC63A7C848::get_offset_of_U3CU3E4__this_2(),
U3CMouseDragOutsideRectU3Ed__294_t128D204C94949C68CCF257DBC1D467CC63A7C848::get_offset_of_eventData_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3265[95] =
{
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_SoftKeyboard_20(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59_StaticFields::get_offset_of_kSeparators_21(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_RectTransform_22(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_TextViewport_23(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_TextComponentRectMask_24(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_TextViewportRectMask_25(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_CachedViewportRect_26(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_TextComponent_27(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_TextComponentRectTransform_28(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_Placeholder_29(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_VerticalScrollbar_30(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_VerticalScrollbarEventHandler_31(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_IsDrivenByLayoutComponents_32(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_LayoutGroup_33(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_IScrollHandlerParent_34(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_ScrollPosition_35(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_ScrollSensitivity_36(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_ContentType_37(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_InputType_38(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_AsteriskChar_39(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_KeyboardType_40(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_LineType_41(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_HideMobileInput_42(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_HideSoftKeyboard_43(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_CharacterValidation_44(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_RegexValue_45(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_GlobalPointSize_46(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_CharacterLimit_47(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_OnEndEdit_48(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_OnSubmit_49(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_OnSelect_50(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_OnDeselect_51(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_OnTextSelection_52(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_OnEndTextSelection_53(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_OnValueChanged_54(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_OnTouchScreenKeyboardStatusChanged_55(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_OnValidateInput_56(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_CaretColor_57(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_CustomCaretColor_58(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_SelectionColor_59(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_Text_60(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_CaretBlinkRate_61(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_CaretWidth_62(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_ReadOnly_63(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_RichText_64(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_StringPosition_65(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_StringSelectPosition_66(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_CaretPosition_67(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_CaretSelectPosition_68(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_caretRectTrans_69(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_CursorVerts_70(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_CachedInputRenderer_71(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_LastPosition_72(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_Mesh_73(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_AllowInput_74(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_ShouldActivateNextUpdate_75(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_UpdateDrag_76(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_DragPositionOutOfBounds_77(),
0,
0,
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_CaretVisible_80(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_BlinkCoroutine_81(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_BlinkStartTime_82(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_DragCoroutine_83(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_OriginalText_84(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_WasCanceled_85(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_HasDoneFocusTransition_86(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_WaitForSecondsRealtime_87(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_PreventCallback_88(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_TouchKeyboardAllowsInPlaceEditing_89(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_IsTextComponentUpdateRequired_90(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_isLastKeyBackspace_91(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_PointerDownClickStartTime_92(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_KeyDownStartTime_93(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_DoubleClickDelay_94(),
0,
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_IsCompositionActive_96(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_ShouldUpdateIMEWindowPosition_97(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_PreviousIMEInsertionLine_98(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_GlobalFontAsset_99(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_OnFocusSelectAll_100(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_isSelectAll_101(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_ResetOnDeActivation_102(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_SelectionStillActive_103(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_ReleaseSelection_104(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_PreviouslySelectedObject_105(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_RestoreOriginalTextOnEscape_106(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_isRichTextEditingAllowed_107(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_LineLimit_108(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_InputValidator_109(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_isSelected_110(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_IsStringPositionDirty_111(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_IsCaretPositionDirty_112(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_forceRectTransformAdjustment_113(),
TMP_InputField_tD50B4F3E6822EAC2720FAED56B86E98183F61D59::get_offset_of_m_ProcessingEvent_114(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3268[20] =
{
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7::get_offset_of_controlCharacterCount_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7::get_offset_of_characterCount_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7::get_offset_of_visibleCharacterCount_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7::get_offset_of_spaceCount_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7::get_offset_of_wordCount_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7::get_offset_of_firstCharacterIndex_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7::get_offset_of_firstVisibleCharacterIndex_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7::get_offset_of_lastCharacterIndex_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7::get_offset_of_lastVisibleCharacterIndex_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7::get_offset_of_length_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7::get_offset_of_lineHeight_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7::get_offset_of_ascender_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7::get_offset_of_baseline_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7::get_offset_of_descender_13() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7::get_offset_of_maxAdvance_14() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7::get_offset_of_width_15() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7::get_offset_of_marginLeft_16() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7::get_offset_of_marginRight_17() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7::get_offset_of_alignment_18() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LineInfo_tB86D3A31D61EB73EEFB08F6B1AB5C60DE52981F7::get_offset_of_lineExtents_19() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3269[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3270[1] =
{
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3271[5] =
{
FallbackMaterial_t34F3811743F5B0EEF3F543CCF13DB3B8D467328D::get_offset_of_fallbackID_0(),
FallbackMaterial_t34F3811743F5B0EEF3F543CCF13DB3B8D467328D::get_offset_of_sourceMaterial_1(),
FallbackMaterial_t34F3811743F5B0EEF3F543CCF13DB3B8D467328D::get_offset_of_sourceMaterialCRC_2(),
FallbackMaterial_t34F3811743F5B0EEF3F543CCF13DB3B8D467328D::get_offset_of_fallbackMaterial_3(),
FallbackMaterial_t34F3811743F5B0EEF3F543CCF13DB3B8D467328D::get_offset_of_count_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3272[4] =
{
MaskingMaterial_tF09DD3EF93552BEDC575F09D61BCBD84F28C06F6::get_offset_of_baseMaterial_0(),
MaskingMaterial_tF09DD3EF93552BEDC575F09D61BCBD84F28C06F6::get_offset_of_stencilMaterial_1(),
MaskingMaterial_tF09DD3EF93552BEDC575F09D61BCBD84F28C06F6::get_offset_of_count_2(),
MaskingMaterial_tF09DD3EF93552BEDC575F09D61BCBD84F28C06F6::get_offset_of_stencilID_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3273[1] =
{
U3CU3Ec__DisplayClass9_0_t7087FAF936242B5ABFF4962727AD779E67518FC8::get_offset_of_stencilMaterial_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3274[1] =
{
U3CU3Ec__DisplayClass11_0_t12991BA75A113BC1C43C5158F9F99E352D3FEE41::get_offset_of_stencilMaterial_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3275[1] =
{
U3CU3Ec__DisplayClass12_0_t97E44E0822D2A972850C27A67A346E3DDD2C17CE::get_offset_of_stencilMaterial_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3276[1] =
{
U3CU3Ec__DisplayClass13_0_t03B63B6E389DD5F625E9793691378A839FAC326A::get_offset_of_baseMaterial_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3277[5] =
{
TMP_MaterialManager_t79DA77A77FC0A305FCC9D9DBCD89A768F678D758_StaticFields::get_offset_of_m_materialList_0(),
TMP_MaterialManager_t79DA77A77FC0A305FCC9D9DBCD89A768F678D758_StaticFields::get_offset_of_m_fallbackMaterials_1(),
TMP_MaterialManager_t79DA77A77FC0A305FCC9D9DBCD89A768F678D758_StaticFields::get_offset_of_m_fallbackMaterialLookup_2(),
TMP_MaterialManager_t79DA77A77FC0A305FCC9D9DBCD89A768F678D758_StaticFields::get_offset_of_m_fallbackCleanupList_3(),
TMP_MaterialManager_t79DA77A77FC0A305FCC9D9DBCD89A768F678D758_StaticFields::get_offset_of_isFallbackListDirty_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3278[3] =
{
VertexSortingOrder_t8D099B77634C901CB5D2497AEAC94127E9DE013B::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3279[14] =
{
TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176_StaticFields::get_offset_of_s_DefaultColor_0(),
TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176_StaticFields::get_offset_of_s_DefaultNormal_1(),
TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176_StaticFields::get_offset_of_s_DefaultTangent_2(),
TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176_StaticFields::get_offset_of_s_DefaultBounds_3(),
TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176::get_offset_of_mesh_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176::get_offset_of_vertexCount_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176::get_offset_of_vertices_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176::get_offset_of_normals_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176::get_offset_of_tangents_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176::get_offset_of_uvs0_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176::get_offset_of_uvs2_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176::get_offset_of_colors32_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176::get_offset_of_triangles_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_MeshInfo_t69FCEF4CBC055C00598478835753D43D94A03176::get_offset_of_material_13() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3280[4] =
{
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3281[4] =
{
TMP_ResourceManager_t4433212C7BA80649F2A08C6B4D3F43BD0D035489_StaticFields::get_offset_of_s_instance_0(),
TMP_ResourceManager_t4433212C7BA80649F2A08C6B4D3F43BD0D035489_StaticFields::get_offset_of_s_TextSettings_1(),
TMP_ResourceManager_t4433212C7BA80649F2A08C6B4D3F43BD0D035489_StaticFields::get_offset_of_s_FontAssetReferences_2(),
TMP_ResourceManager_t4433212C7BA80649F2A08C6B4D3F43BD0D035489_StaticFields::get_offset_of_s_FontAssetReferenceLookup_3(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3282[127] =
{
MarkupTag_tF77960F5CD044C369E911BC4CB4C44F9487AB14F::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3283[5] =
{
TagValueType_t45477BE8BE064D51E9DF1DAE60A0C84D7CDD564C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3284[4] =
{
TagUnitType_t49D497DCEF602CC71A9788FB5C964D7AA57ED107::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3285[20] =
{
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3286[1] =
{
TMP_ScrollbarEventHandler_t7F929E74769BB2B34B1292F2872125C7A18E93ED::get_offset_of_isSelected_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3288[2] =
{
LineBreakingTable_t5E2CD902456D50AA9B0F9C64BCF16045E86D19F2::get_offset_of_leadingCharacters_0(),
LineBreakingTable_t5E2CD902456D50AA9B0F9C64BCF16045E86D19F2::get_offset_of_followingCharacters_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3289[32] =
{
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7_StaticFields::get_offset_of_s_Instance_4(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_enableWordWrapping_5(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_enableKerning_6(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_enableExtraPadding_7(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_enableTintAllSprites_8(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_enableParseEscapeCharacters_9(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_EnableRaycastTarget_10(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_GetFontFeaturesAtRuntime_11(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_missingGlyphCharacter_12(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_warningsDisabled_13(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_defaultFontAsset_14(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_defaultFontAssetPath_15(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_defaultFontSize_16(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_defaultAutoSizeMinRatio_17(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_defaultAutoSizeMaxRatio_18(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_defaultTextMeshProTextContainerSize_19(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_defaultTextMeshProUITextContainerSize_20(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_autoSizeTextContainer_21(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_IsTextObjectScaleStatic_22(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_fallbackFontAssets_23(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_matchMaterialPreset_24(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_defaultSpriteAsset_25(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_defaultSpriteAssetPath_26(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_enableEmojiSupport_27(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_MissingCharacterSpriteUnicode_28(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_defaultColorGradientPresetsPath_29(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_defaultStyleSheet_30(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_StyleSheetsResourcePath_31(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_leadingCharacters_32(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_followingCharacters_33(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_linebreakingRules_34(),
TMP_Settings_t303C8601BE4E1717C9662D23032D21EC531797F7::get_offset_of_m_UseModernHangulLineBreakingRules_35(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3290[68] =
{
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_MainTex_0(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_FaceTex_1(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_FaceColor_2(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_FaceDilate_3(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_Shininess_4(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_UnderlayColor_5(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_UnderlayOffsetX_6(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_UnderlayOffsetY_7(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_UnderlayDilate_8(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_UnderlaySoftness_9(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_UnderlayOffset_10(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_UnderlayIsoPerimeter_11(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_WeightNormal_12(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_WeightBold_13(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_OutlineTex_14(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_OutlineWidth_15(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_OutlineSoftness_16(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_OutlineColor_17(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_Outline2Color_18(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_Outline2Width_19(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_Padding_20(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_GradientScale_21(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_ScaleX_22(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_ScaleY_23(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_PerspectiveFilter_24(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_Sharpness_25(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_TextureWidth_26(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_TextureHeight_27(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_BevelAmount_28(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_GlowColor_29(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_GlowOffset_30(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_GlowPower_31(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_GlowOuter_32(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_GlowInner_33(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_LightAngle_34(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_EnvMap_35(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_EnvMatrix_36(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_EnvMatrixRotation_37(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_MaskCoord_38(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_ClipRect_39(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_MaskSoftnessX_40(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_MaskSoftnessY_41(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_VertexOffsetX_42(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_VertexOffsetY_43(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_UseClipRect_44(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_StencilID_45(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_StencilOp_46(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_StencilComp_47(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_StencilReadMask_48(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_StencilWriteMask_49(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_ShaderFlags_50(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_ScaleRatio_A_51(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_ScaleRatio_B_52(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ID_ScaleRatio_C_53(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_Keyword_Bevel_54(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_Keyword_Glow_55(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_Keyword_Underlay_56(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_Keyword_Ratios_57(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_Keyword_MASK_SOFT_58(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_Keyword_MASK_HARD_59(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_Keyword_MASK_TEX_60(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_Keyword_Outline_61(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ShaderTag_ZTestMode_62(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_ShaderTag_CullMode_63(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_m_clamp_64(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_isInitialized_65(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_k_ShaderRef_MobileSDF_66(),
ShaderUtilities_t1F6A93635DB66FAB6A2DE3ABEA7DE635B7E34B14_StaticFields::get_offset_of_k_ShaderRef_MobileBitmap_67(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3291[5] =
{
TMP_Sprite_t5728DA47AB37F3092BAB32BC014D1937340F20A4::get_offset_of_name_9(),
TMP_Sprite_t5728DA47AB37F3092BAB32BC014D1937340F20A4::get_offset_of_hashCode_10(),
TMP_Sprite_t5728DA47AB37F3092BAB32BC014D1937340F20A4::get_offset_of_unicode_11(),
TMP_Sprite_t5728DA47AB37F3092BAB32BC014D1937340F20A4::get_offset_of_pivot_12(),
TMP_Sprite_t5728DA47AB37F3092BAB32BC014D1937340F20A4::get_offset_of_sprite_13(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3292[16] =
{
U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F::get_offset_of_U3CU3E1__state_0(),
U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F::get_offset_of_U3CU3E2__current_1(),
U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F::get_offset_of_U3CU3E4__this_2(),
U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F::get_offset_of_start_3(),
U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F::get_offset_of_end_4(),
U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F::get_offset_of_spriteAsset_5(),
U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F::get_offset_of_currentCharacter_6(),
U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F::get_offset_of_framerate_7(),
U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F::get_offset_of_U3CcurrentFrameU3E5__2_8(),
U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F::get_offset_of_U3CcharInfoU3E5__3_9(),
U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F::get_offset_of_U3CmaterialIndexU3E5__4_10(),
U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F::get_offset_of_U3CvertexIndexU3E5__5_11(),
U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F::get_offset_of_U3CmeshInfoU3E5__6_12(),
U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F::get_offset_of_U3CbaseSpriteScaleU3E5__7_13(),
U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F::get_offset_of_U3CelapsedTimeU3E5__8_14(),
U3CDoSpriteAnimationInternalU3Ed__7_t17C4944ED8E79F3794896A7905EB186136E7189F::get_offset_of_U3CtargetTimeU3E5__9_15(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3293[2] =
{
TMP_SpriteAnimator_t07C769A1F1F85B545DD32357826E08F569E3D902::get_offset_of_m_animations_4(),
TMP_SpriteAnimator_t07C769A1F1F85B545DD32357826E08F569E3D902::get_offset_of_m_TextComponent_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3294[3] =
{
U3CU3Ec_t7A519F9483C9CA5531AF1A542B4482FB88DE972E_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_t7A519F9483C9CA5531AF1A542B4482FB88DE972E_StaticFields::get_offset_of_U3CU3E9__40_0_1(),
U3CU3Ec_t7A519F9483C9CA5531AF1A542B4482FB88DE972E_StaticFields::get_offset_of_U3CU3E9__41_0_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3295[13] =
{
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714::get_offset_of_m_NameLookup_8(),
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714::get_offset_of_m_GlyphIndexLookup_9(),
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714::get_offset_of_m_Version_10(),
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714::get_offset_of_m_FaceInfo_11(),
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714::get_offset_of_spriteSheet_12(),
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714::get_offset_of_m_SpriteCharacterTable_13(),
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714::get_offset_of_m_SpriteCharacterLookup_14(),
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714::get_offset_of_m_SpriteGlyphTable_15(),
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714::get_offset_of_m_SpriteGlyphLookup_16(),
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714::get_offset_of_spriteInfoList_17(),
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714::get_offset_of_fallbackSpriteAssets_18(),
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714::get_offset_of_m_IsSpriteAssetLookupTablesDirty_19(),
TMP_SpriteAsset_t0746714D8A56C0A27AE56DC6897CC1A129220714_StaticFields::get_offset_of_k_searchedSpriteAssets_20(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3296[2] =
{
TMP_SpriteCharacter_t77E119FE8164154A682A4F70E7787B2C56A0E9BE::get_offset_of_m_Name_6(),
TMP_SpriteCharacter_t77E119FE8164154A682A4F70E7787B2C56A0E9BE::get_offset_of_m_HashCode_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3297[1] =
{
TMP_SpriteGlyph_t5DF3D3BFFC0D0A72ABEBA3490F804B591BF1F25D::get_offset_of_sprite_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3298[9] =
{
TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB_StaticFields::get_offset_of_k_NormalStyle_0(),
TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB::get_offset_of_m_Name_1(),
TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB::get_offset_of_m_HashCode_2(),
TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB::get_offset_of_m_OpeningDefinition_3(),
TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB::get_offset_of_m_ClosingDefinition_4(),
TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB::get_offset_of_m_OpeningTagArray_5(),
TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB::get_offset_of_m_ClosingTagArray_6(),
TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB::get_offset_of_m_OpeningTagUnicodeArray_7(),
TMP_Style_t078D8A76F4A60B868298420272B7089582EF53AB::get_offset_of_m_ClosingTagUnicodeArray_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3299[2] =
{
TMP_StyleSheet_t8E2FC777D06D295BE700B8EDE56389D3581BA94E::get_offset_of_m_StyleList_4(),
TMP_StyleSheet_t8E2FC777D06D295BE700B8EDE56389D3581BA94E::get_offset_of_m_StyleLookupDictionary_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3300[13] =
{
TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8::get_offset_of_m_fontAsset_4(),
TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8::get_offset_of_m_spriteAsset_5(),
TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8::get_offset_of_m_material_6(),
TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8::get_offset_of_m_sharedMaterial_7(),
TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8::get_offset_of_m_fallbackMaterial_8(),
TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8::get_offset_of_m_fallbackSourceMaterial_9(),
TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8::get_offset_of_m_isDefaultMaterial_10(),
TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8::get_offset_of_m_padding_11(),
TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8::get_offset_of_m_renderer_12(),
TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8::get_offset_of_m_meshFilter_13(),
TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8::get_offset_of_m_mesh_14(),
TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8::get_offset_of_m_TextComponent_15(),
TMP_SubMesh_tF05E95C4AC87BBE600564968E24B50BE2E06D1B8::get_offset_of_m_isRegisteredForEvents_16(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3301[14] =
{
TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD::get_offset_of_m_fontAsset_36(),
TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD::get_offset_of_m_spriteAsset_37(),
TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD::get_offset_of_m_material_38(),
TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD::get_offset_of_m_sharedMaterial_39(),
TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD::get_offset_of_m_fallbackMaterial_40(),
TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD::get_offset_of_m_fallbackSourceMaterial_41(),
TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD::get_offset_of_m_isDefaultMaterial_42(),
TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD::get_offset_of_m_padding_43(),
TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD::get_offset_of_m_mesh_44(),
TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD::get_offset_of_m_TextComponent_45(),
TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD::get_offset_of_m_isRegisteredForEvents_46(),
TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD::get_offset_of_m_materialDirty_47(),
TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD::get_offset_of_m_materialReferenceIndex_48(),
TMP_SubMeshUI_t195A51A37201FDE870476A2371F70E0F0EEB92FD::get_offset_of_m_RootCanvasTransform_49(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3303[38] =
{
TextAlignmentOptions_t682AC2BC382B468C04A23B008505ACCBF826AD63::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3304[7] =
{
HorizontalAlignmentOptions_tCBBC74167BDEF6B5B510DDC43B5136F793A05193::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3305[7] =
{
VerticalAlignmentOptions_t6F8B6FBA36D97C6CA534AE3956D9060E39C9D326::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3306[3] =
{
TextRenderFlags_tBA599FEF207E56A80860B6266E3C9F57B59CA9F4::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3307[3] =
{
TMP_TextElementType_t4BDF96DA2071216188B19EB33C35912BD185ECA3::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3308[4] =
{
MaskingTypes_t0CDA999B819C7FDED898736492CA0E70E4163477::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3309[8] =
{
TextOverflowModes_t3E5E40446E0C1088788010EE07323B45DB7549C6::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3310[3] =
{
MaskingOffsetMode_t30F23674FFB22EED1657C10E7314D083591392EF::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3311[5] =
{
TextureMappingOptions_t9FA25F9B2D01E6B7D8DA8761AAED241D285A285A::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3312[12] =
{
FontStyles_tAB9AC2C8316219AE73612ED4DD60417C14B5B74C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3313[10] =
{
FontWeight_tBF8B23C3A4F63D5602FEC93BE775C93CA4DDDC26::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3314[2] =
{
CharacterSubstitution_tDA217C96ED6B78235EF55ECECF09EEBD7B32156B::get_offset_of_index_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
CharacterSubstitution_tDA217C96ED6B78235EF55ECECF09EEBD7B32156B::get_offset_of_unicode_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3315[5] =
{
TextInputSources_t8A0451130450FC08C5847209E7551F27F5CAF4D0::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3316[3] =
{
UnicodeChar_t7C67F31D1AA3029C5AC96F50A8312DB6F9BB5B25::get_offset_of_unicode_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
UnicodeChar_t7C67F31D1AA3029C5AC96F50A8312DB6F9BB5B25::get_offset_of_stringIndex_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
UnicodeChar_t7C67F31D1AA3029C5AC96F50A8312DB6F9BB5B25::get_offset_of_length_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3317[4] =
{
SpecialCharacter_t06A60B3C91ABA764227413C096AE5060D50D844F::get_offset_of_character_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpecialCharacter_t06A60B3C91ABA764227413C096AE5060D50D844F::get_offset_of_fontAsset_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpecialCharacter_t06A60B3C91ABA764227413C096AE5060D50D844F::get_offset_of_material_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpecialCharacter_t06A60B3C91ABA764227413C096AE5060D50D844F::get_offset_of_materialIndex_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3318[2] =
{
TextBackingContainer_t50AA56C265D2A3DB961E3DD200165FE78270562B::get_offset_of_m_Array_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TextBackingContainer_t50AA56C265D2A3DB961E3DD200165FE78270562B::get_offset_of_m_Count_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3319[2] =
{
U3CU3Ec_t3FA2E381E5CAAEA74E5E6C4311A98C59D063EAD7_StaticFields::get_offset_of_U3CU3E9_0(),
U3CU3Ec_t3FA2E381E5CAAEA74E5E6C4311A98C59D063EAD7_StaticFields::get_offset_of_U3CU3E9__622_0_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3320[229] =
{
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_text_36(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_IsTextBackingStringDirty_37(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_TextPreprocessor_38(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isRightToLeft_39(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_fontAsset_40(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_currentFontAsset_41(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isSDFShader_42(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_sharedMaterial_43(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_currentMaterial_44(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_m_materialReferences_45(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_m_materialReferenceIndexLookup_46(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_m_materialReferenceStack_47(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_currentMaterialIndex_48(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_fontSharedMaterials_49(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_fontMaterial_50(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_fontMaterials_51(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isMaterialDirty_52(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_fontColor32_53(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_fontColor_54(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_s_colorWhite_55(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_underlineColor_56(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_strikethroughColor_57(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_enableVertexGradient_58(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_colorMode_59(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_fontColorGradient_60(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_fontColorGradientPreset_61(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_spriteAsset_62(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_tintAllSprites_63(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_tintSprite_64(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_spriteColor_65(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_StyleSheet_66(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_TextStyle_67(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_TextStyleHashCode_68(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_overrideHtmlColors_69(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_faceColor_70(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_outlineColor_71(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_outlineWidth_72(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_fontSize_73(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_currentFontSize_74(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_fontSizeBase_75(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_sizeStack_76(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_fontWeight_77(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_FontWeightInternal_78(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_FontWeightStack_79(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_enableAutoSizing_80(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_maxFontSize_81(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_minFontSize_82(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_AutoSizeIterationCount_83(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_AutoSizeMaxIterationCount_84(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_IsAutoSizePointSizeSet_85(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_fontSizeMin_86(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_fontSizeMax_87(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_fontStyle_88(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_FontStyleInternal_89(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_fontStyleStack_90(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isUsingBold_91(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_HorizontalAlignment_92(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_VerticalAlignment_93(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_textAlignment_94(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_lineJustification_95(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_lineJustificationStack_96(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_textContainerLocalCorners_97(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_characterSpacing_98(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_cSpacing_99(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_monoSpacing_100(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_wordSpacing_101(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_lineSpacing_102(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_lineSpacingDelta_103(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_lineHeight_104(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_IsDrivenLineSpacing_105(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_lineSpacingMax_106(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_paragraphSpacing_107(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_charWidthMaxAdj_108(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_charWidthAdjDelta_109(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_enableWordWrapping_110(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isCharacterWrappingEnabled_111(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isNonBreakingSpace_112(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isIgnoringAlignment_113(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_wordWrappingRatios_114(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_overflowMode_115(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_firstOverflowCharacterIndex_116(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_linkedTextComponent_117(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_parentLinkedComponent_118(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isTextTruncated_119(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_enableKerning_120(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_GlyphHorizontalAdvanceAdjustment_121(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_enableExtraPadding_122(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_checkPaddingRequired_123(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isRichText_124(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_parseCtrlCharacters_125(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isOverlay_126(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isOrthographic_127(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isCullingEnabled_128(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isMaskingEnabled_129(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_isMaskUpdateRequired_130(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_ignoreCulling_131(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_horizontalMapping_132(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_verticalMapping_133(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_uvLineOffset_134(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_renderMode_135(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_geometrySortingOrder_136(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_IsTextObjectScaleStatic_137(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_VertexBufferAutoSizeReduction_138(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_firstVisibleCharacter_139(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_maxVisibleCharacters_140(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_maxVisibleWords_141(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_maxVisibleLines_142(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_useMaxVisibleDescender_143(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_pageToDisplay_144(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isNewPage_145(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_margin_146(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_marginLeft_147(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_marginRight_148(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_marginWidth_149(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_marginHeight_150(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_width_151(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_textInfo_152(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_havePropertiesChanged_153(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isUsingLegacyAnimationComponent_154(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_transform_155(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_rectTransform_156(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_PreviousRectTransformSize_157(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_PreviousPivotPosition_158(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_U3CautoSizeTextContainerU3Ek__BackingField_159(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_autoSizeTextContainer_160(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_mesh_161(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isVolumetricText_162(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_OnFontAssetRequest_163(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_OnSpriteAssetRequest_164(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_OnPreRenderText_165(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_spriteAnimator_166(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_flexibleHeight_167(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_flexibleWidth_168(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_minWidth_169(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_minHeight_170(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_maxWidth_171(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_maxHeight_172(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_LayoutElement_173(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_preferredWidth_174(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_renderedWidth_175(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isPreferredWidthDirty_176(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_preferredHeight_177(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_renderedHeight_178(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isPreferredHeightDirty_179(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isCalculatingPreferredValues_180(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_layoutPriority_181(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isLayoutDirty_182(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isAwake_183(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isWaitingOnResourceLoad_184(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_inputSource_185(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_fontScaleMultiplier_186(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_m_htmlTag_187(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_m_xmlAttribute_188(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_m_attributeParameterValues_189(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_tag_LineIndent_190(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_tag_Indent_191(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_indentStack_192(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_tag_NoParsing_193(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isParsingText_194(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_FXMatrix_195(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_isFXMatrixSet_196(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_TextProcessingArray_197(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_InternalTextProcessingArraySize_198(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_internalCharacterInfo_199(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_totalCharacterCount_200(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_m_SavedWordWrapState_201(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_m_SavedLineState_202(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_m_SavedEllipsisState_203(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_m_SavedLastValidState_204(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_m_SavedSoftLineBreakState_205(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_m_EllipsisInsertionCandidateStack_206(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_characterCount_207(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_firstCharacterOfLine_208(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_firstVisibleCharacterOfLine_209(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_lastCharacterOfLine_210(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_lastVisibleCharacterOfLine_211(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_lineNumber_212(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_lineVisibleCharacterCount_213(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_pageNumber_214(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_PageAscender_215(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_maxTextAscender_216(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_maxCapHeight_217(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_ElementAscender_218(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_ElementDescender_219(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_maxLineAscender_220(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_maxLineDescender_221(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_startOfLineAscender_222(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_startOfLineDescender_223(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_lineOffset_224(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_meshExtents_225(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_htmlColor_226(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_colorStack_227(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_underlineColorStack_228(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_strikethroughColorStack_229(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_HighlightStateStack_230(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_colorGradientPreset_231(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_colorGradientStack_232(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_colorGradientPresetIsTinted_233(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_tabSpacing_234(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_spacing_235(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_TextStyleStacks_236(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_TextStyleStackDepth_237(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_ItalicAngleStack_238(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_ItalicAngle_239(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_actionStack_240(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_padding_241(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_baselineOffset_242(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_baselineOffsetStack_243(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_xAdvance_244(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_textElementType_245(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_cached_TextElement_246(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_Ellipsis_247(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_Underline_248(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_defaultSpriteAsset_249(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_currentSpriteAsset_250(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_spriteCount_251(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_spriteIndex_252(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_spriteAnimationID_253(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_k_ParseTextMarker_254(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_k_InsertNewLineMarker_255(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_ignoreActiveState_256(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_m_TextBackingArray_257(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262::get_offset_of_k_Power_258(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_k_LargePositiveVector2_259(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_k_LargeNegativeVector2_260(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_k_LargePositiveFloat_261(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_k_LargeNegativeFloat_262(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_k_LargePositiveInt_263(),
TMP_Text_t86179C97C713E1A6B3751B48DC7A16C874A7B262_StaticFields::get_offset_of_k_LargeNegativeInt_264(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3321[3] =
{
TextElementType_t2D8E05268B46E26157BE5E075752253FF0CE344F::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3322[6] =
{
TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832::get_offset_of_m_ElementType_0(),
TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832::get_offset_of_m_Unicode_1(),
TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832::get_offset_of_m_TextAsset_2(),
TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832::get_offset_of_m_Glyph_3(),
TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832::get_offset_of_m_GlyphIndex_4(),
TMP_TextElement_tDF9A55D56A0B44EA4EA36DEDF942AEB6369AF832::get_offset_of_m_Scale_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3323[9] =
{
TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA::get_offset_of_id_0(),
TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA::get_offset_of_x_1(),
TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA::get_offset_of_y_2(),
TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA::get_offset_of_width_3(),
TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA::get_offset_of_height_4(),
TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA::get_offset_of_xOffset_5(),
TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA::get_offset_of_yOffset_6(),
TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA::get_offset_of_xAdvance_7(),
TMP_TextElement_Legacy_t866D601C7252803AC3D5FC2E4CC0BF21129BB3AA::get_offset_of_scale_8(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3324[18] =
{
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547_StaticFields::get_offset_of_k_InfinityVectorPositive_0(),
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547_StaticFields::get_offset_of_k_InfinityVectorNegative_1(),
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547::get_offset_of_textComponent_2(),
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547::get_offset_of_characterCount_3(),
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547::get_offset_of_spriteCount_4(),
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547::get_offset_of_spaceCount_5(),
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547::get_offset_of_wordCount_6(),
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547::get_offset_of_linkCount_7(),
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547::get_offset_of_lineCount_8(),
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547::get_offset_of_pageCount_9(),
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547::get_offset_of_materialCount_10(),
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547::get_offset_of_characterInfo_11(),
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547::get_offset_of_wordInfo_12(),
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547::get_offset_of_linkInfo_13(),
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547::get_offset_of_lineInfo_14(),
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547::get_offset_of_pageInfo_15(),
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547::get_offset_of_meshInfo_16(),
TMP_TextInfo_t33ACB74FB814F588497640C86976E5DB6DD7B547::get_offset_of_m_CachedMeshInfo_17(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3325[3] =
{
TMP_TextParsingUtilities_t845792ABB1A30432C444A226C892D25B815A009B_StaticFields::get_offset_of_s_Instance_0(),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3326[10] =
{
TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9::get_offset_of_bold_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9::get_offset_of_italic_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9::get_offset_of_underline_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9::get_offset_of_strikethrough_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9::get_offset_of_highlight_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9::get_offset_of_superscript_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9::get_offset_of_subscript_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9::get_offset_of_uppercase_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9::get_offset_of_lowercase_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_FontStyleStack_tAD8C041F7E36517A3CF6E8301D6913159EE2D4D9::get_offset_of_smallcaps_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3327[7] =
{
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3328[4] =
{
CaretPosition_tD29400DB5A98AE9A55B4332E16DB433692C74D70::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3329[2] =
{
CaretInfo_tFB92F927E37504CA993DF4772283577B1F28B015::get_offset_of_index_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
CaretInfo_tFB92F927E37504CA993DF4772283577B1F28B015::get_offset_of_position_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3330[2] =
{
LineSegment_t7EBE28F12DB31AD9429D413B42DCC8F91EB6DEB4::get_offset_of_Point1_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
LineSegment_t7EBE28F12DB31AD9429D413B42DCC8F91EB6DEB4::get_offset_of_Point2_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3331[3] =
{
TMP_TextUtilities_t10EED8029408480141690D0F3D3A17239920837F_StaticFields::get_offset_of_m_rectWorldCorners_0(),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3332[14] =
{
TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1_StaticFields::get_offset_of_s_Instance_0(),
TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1::get_offset_of_m_LayoutQueueLookup_1(),
TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1::get_offset_of_m_LayoutRebuildQueue_2(),
TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1::get_offset_of_m_GraphicQueueLookup_3(),
TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1::get_offset_of_m_GraphicRebuildQueue_4(),
TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1::get_offset_of_m_InternalUpdateLookup_5(),
TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1::get_offset_of_m_InternalUpdateQueue_6(),
TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1::get_offset_of_m_CullingUpdateLookup_7(),
TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1::get_offset_of_m_CullingUpdateQueue_8(),
TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1_StaticFields::get_offset_of_k_RegisterTextObjectForUpdateMarker_9(),
TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1_StaticFields::get_offset_of_k_RegisterTextElementForGraphicRebuildMarker_10(),
TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1_StaticFields::get_offset_of_k_RegisterTextElementForCullingUpdateMarker_11(),
TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1_StaticFields::get_offset_of_k_UnregisterTextObjectForUpdateMarker_12(),
TMP_UpdateManager_tDF9A1F6AC36B3228A091313D3CED71650F3BBBA1_StaticFields::get_offset_of_k_UnregisterTextElementForGraphicRebuildMarker_13(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3333[5] =
{
TMP_UpdateRegistry_t4F3B7A977A49346D2EBADCC1B29A5DAA15DB3FC0_StaticFields::get_offset_of_s_Instance_0(),
TMP_UpdateRegistry_t4F3B7A977A49346D2EBADCC1B29A5DAA15DB3FC0::get_offset_of_m_LayoutRebuildQueue_1(),
TMP_UpdateRegistry_t4F3B7A977A49346D2EBADCC1B29A5DAA15DB3FC0::get_offset_of_m_LayoutQueueLookup_2(),
TMP_UpdateRegistry_t4F3B7A977A49346D2EBADCC1B29A5DAA15DB3FC0::get_offset_of_m_GraphicRebuildQueue_3(),
TMP_UpdateRegistry_t4F3B7A977A49346D2EBADCC1B29A5DAA15DB3FC0::get_offset_of_m_GraphicQueueLookup_4(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3334[3] =
{
Compute_DistanceTransform_EventTypes_tD78C17A77AE0EF6649B6EDC29F8C57AE738B3A0C::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3335[12] =
{
TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields::get_offset_of_COMPUTE_DT_EVENT_0(),
TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields::get_offset_of_MATERIAL_PROPERTY_EVENT_1(),
TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields::get_offset_of_FONT_PROPERTY_EVENT_2(),
TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields::get_offset_of_SPRITE_ASSET_PROPERTY_EVENT_3(),
TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields::get_offset_of_TEXTMESHPRO_PROPERTY_EVENT_4(),
TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields::get_offset_of_DRAG_AND_DROP_MATERIAL_EVENT_5(),
TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields::get_offset_of_TEXT_STYLE_PROPERTY_EVENT_6(),
TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields::get_offset_of_COLOR_GRADIENT_PROPERTY_EVENT_7(),
TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields::get_offset_of_TMP_SETTINGS_PROPERTY_EVENT_8(),
TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields::get_offset_of_RESOURCE_LOAD_EVENT_9(),
TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields::get_offset_of_TEXTMESHPRO_UGUI_PROPERTY_EVENT_10(),
TMPro_EventManager_t8A07AD64AF1C174D621817FEA8D2CF0DA7065AA1_StaticFields::get_offset_of_TEXT_CHANGED_EVENT_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3336[3] =
{
Compute_DT_EventArgs_t67EB1217554822AAFFEB095D5A45363B26B8A7E6::get_offset_of_EventType_0(),
Compute_DT_EventArgs_t67EB1217554822AAFFEB095D5A45363B26B8A7E6::get_offset_of_ProgressPercentage_1(),
Compute_DT_EventArgs_t67EB1217554822AAFFEB095D5A45363B26B8A7E6::get_offset_of_Colors_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3338[8] =
{
0,
0,
0,
0,
0,
0,
TMP_Math_t1321001EB20EF6B301080B9518D7D119F1772E18_StaticFields::get_offset_of_MAX_16BIT_6(),
TMP_Math_t1321001EB20EF6B301080B9518D7D119F1772E18_StaticFields::get_offset_of_MIN_16BIT_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3339[8] =
{
TMP_VertexDataUpdateFlags_tE7C38BDA9FC5B09848F4412694FFA8AEC56C4782::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3340[4] =
{
VertexGradient_t673FE70EC807F322353FB5B9A790207A57DBFC0D::get_offset_of_topLeft_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
VertexGradient_t673FE70EC807F322353FB5B9A790207A57DBFC0D::get_offset_of_topRight_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
VertexGradient_t673FE70EC807F322353FB5B9A790207A57DBFC0D::get_offset_of_bottomLeft_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
VertexGradient_t673FE70EC807F322353FB5B9A790207A57DBFC0D::get_offset_of_bottomRight_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3341[5] =
{
TMP_PageInfo_tB5F02C2AE1421D5984972F28F2ABEE49763D58CC::get_offset_of_firstCharacterIndex_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_PageInfo_tB5F02C2AE1421D5984972F28F2ABEE49763D58CC::get_offset_of_lastCharacterIndex_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_PageInfo_tB5F02C2AE1421D5984972F28F2ABEE49763D58CC::get_offset_of_ascender_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_PageInfo_tB5F02C2AE1421D5984972F28F2ABEE49763D58CC::get_offset_of_baseLine_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_PageInfo_tB5F02C2AE1421D5984972F28F2ABEE49763D58CC::get_offset_of_descender_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3342[7] =
{
TMP_LinkInfo_t1BFC3C15E256E033F84E8C3A48E0AC5F64D206A6::get_offset_of_textComponent_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LinkInfo_t1BFC3C15E256E033F84E8C3A48E0AC5F64D206A6::get_offset_of_hashCode_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LinkInfo_t1BFC3C15E256E033F84E8C3A48E0AC5F64D206A6::get_offset_of_linkIdFirstCharacterIndex_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LinkInfo_t1BFC3C15E256E033F84E8C3A48E0AC5F64D206A6::get_offset_of_linkIdLength_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LinkInfo_t1BFC3C15E256E033F84E8C3A48E0AC5F64D206A6::get_offset_of_linkTextfirstCharacterIndex_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LinkInfo_t1BFC3C15E256E033F84E8C3A48E0AC5F64D206A6::get_offset_of_linkTextLength_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_LinkInfo_t1BFC3C15E256E033F84E8C3A48E0AC5F64D206A6::get_offset_of_linkID_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3343[4] =
{
TMP_WordInfo_t168F70FD30F4875E4C84D40F9F30FCB5D2EB895C::get_offset_of_textComponent_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_WordInfo_t168F70FD30F4875E4C84D40F9F30FCB5D2EB895C::get_offset_of_firstCharacterIndex_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_WordInfo_t168F70FD30F4875E4C84D40F9F30FCB5D2EB895C::get_offset_of_lastCharacterIndex_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_WordInfo_t168F70FD30F4875E4C84D40F9F30FCB5D2EB895C::get_offset_of_characterCount_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3344[3] =
{
TMP_SpriteInfo_t91CEF12D8CA7FD5DCFAD8EE703494BCBFF8131C7::get_offset_of_spriteIndex_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_SpriteInfo_t91CEF12D8CA7FD5DCFAD8EE703494BCBFF8131C7::get_offset_of_characterIndex_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
TMP_SpriteInfo_t91CEF12D8CA7FD5DCFAD8EE703494BCBFF8131C7::get_offset_of_vertexIndex_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3345[4] =
{
Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA_StaticFields::get_offset_of_zero_0(),
Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA_StaticFields::get_offset_of_uninitialized_1(),
Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA::get_offset_of_min_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Extents_tD663823B610620A001CCCCFF452C10403AF2A0FA::get_offset_of_max_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3346[2] =
{
Mesh_Extents_t20EA631E658D52CEB1F7199707A4E95FD2702F94::get_offset_of_min_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Mesh_Extents_t20EA631E658D52CEB1F7199707A4E95FD2702F94::get_offset_of_max_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3347[65] =
{
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_previous_WordBreak_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_total_CharacterCount_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_visible_CharacterCount_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_visible_SpriteCount_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_visible_LinkCount_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_firstCharacterIndex_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_firstVisibleCharacterIndex_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_lastCharacterIndex_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_lastVisibleCharIndex_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_lineNumber_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_maxCapHeight_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_maxAscender_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_maxDescender_12() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_startOfLineAscender_13() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_maxLineAscender_14() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_maxLineDescender_15() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_pageAscender_16() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_horizontalAlignment_17() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_marginLeft_18() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_marginRight_19() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_xAdvance_20() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_preferredWidth_21() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_preferredHeight_22() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_previousLineScale_23() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_wordCount_24() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_fontStyle_25() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_italicAngle_26() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_fontScaleMultiplier_27() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_currentFontSize_28() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_baselineOffset_29() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_lineOffset_30() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_isDrivenLineSpacing_31() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_glyphHorizontalAdvanceAdjustment_32() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_cSpace_33() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_mSpace_34() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_textInfo_35() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_lineInfo_36() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_vertexColor_37() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_underlineColor_38() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_strikethroughColor_39() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_highlightColor_40() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_basicStyleStack_41() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_italicAngleStack_42() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_colorStack_43() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_underlineColorStack_44() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_strikethroughColorStack_45() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_highlightColorStack_46() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_highlightStateStack_47() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_colorGradientStack_48() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_sizeStack_49() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_indentStack_50() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_fontWeightStack_51() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_styleStack_52() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_baselineStack_53() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_actionStack_54() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_materialReferenceStack_55() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_lineJustificationStack_56() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_spriteAnimationID_57() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_currentFontAsset_58() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_currentSpriteAsset_59() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_currentMaterial_60() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_currentMaterialIndex_61() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_meshExtents_62() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_tagNoParsing_63() + static_cast<int32_t>(sizeof(RuntimeObject)),
WordWrapState_t15805FC5C080AC77203F872695E3B951F460DE99::get_offset_of_isNonBreakingSpace_64() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3348[3] =
{
TagAttribute_tBD8D72F38DCB2FA8B13B320159A5463EEBDC0B46::get_offset_of_startIndex_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
TagAttribute_tBD8D72F38DCB2FA8B13B320159A5463EEBDC0B46::get_offset_of_length_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
TagAttribute_tBD8D72F38DCB2FA8B13B320159A5463EEBDC0B46::get_offset_of_hashCode_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3349[6] =
{
RichTextTagAttribute_t5686297F46AB107FF79754273CB592F0185ACCC9::get_offset_of_nameHashCode_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
RichTextTagAttribute_t5686297F46AB107FF79754273CB592F0185ACCC9::get_offset_of_valueHashCode_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
RichTextTagAttribute_t5686297F46AB107FF79754273CB592F0185ACCC9::get_offset_of_valueType_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
RichTextTagAttribute_t5686297F46AB107FF79754273CB592F0185ACCC9::get_offset_of_valueStartIndex_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
RichTextTagAttribute_t5686297F46AB107FF79754273CB592F0185ACCC9::get_offset_of_valueLength_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
RichTextTagAttribute_t5686297F46AB107FF79754273CB592F0185ACCC9::get_offset_of_unitType_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3350[37] =
{
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4::get_offset_of_m_hasFontAssetChanged_265(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4::get_offset_of_m_previousLossyScaleY_266(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4::get_offset_of_m_renderer_267(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4::get_offset_of_m_meshFilter_268(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4::get_offset_of_m_isFirstAllocation_269(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4::get_offset_of_m_max_characters_270(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4::get_offset_of_m_max_numberOfLines_271(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4::get_offset_of_m_subTextObjects_272(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4::get_offset_of_m_maskType_273(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4::get_offset_of_m_EnvMapMatrix_274(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4::get_offset_of_m_RectTransformCorners_275(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4::get_offset_of_m_isRegisteredForEvents_276(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields::get_offset_of_k_GenerateTextMarker_277(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields::get_offset_of_k_SetArraySizesMarker_278(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields::get_offset_of_k_GenerateTextPhaseIMarker_279(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields::get_offset_of_k_ParseMarkupTextMarker_280(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields::get_offset_of_k_CharacterLookupMarker_281(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields::get_offset_of_k_HandleGPOSFeaturesMarker_282(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields::get_offset_of_k_CalculateVerticesPositionMarker_283(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields::get_offset_of_k_ComputeTextMetricsMarker_284(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields::get_offset_of_k_HandleVisibleCharacterMarker_285(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields::get_offset_of_k_HandleWhiteSpacesMarker_286(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields::get_offset_of_k_HandleHorizontalLineBreakingMarker_287(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields::get_offset_of_k_HandleVerticalLineBreakingMarker_288(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields::get_offset_of_k_SaveGlyphVertexDataMarker_289(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields::get_offset_of_k_ComputeCharacterAdvanceMarker_290(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields::get_offset_of_k_HandleCarriageReturnMarker_291(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields::get_offset_of_k_HandleLineTerminationMarker_292(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields::get_offset_of_k_SavePageInfoMarker_293(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields::get_offset_of_k_SaveProcessingStatesMarker_294(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields::get_offset_of_k_GenerateTextPhaseIIMarker_295(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4_StaticFields::get_offset_of_k_GenerateTextPhaseIIIMarker_296(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4::get_offset_of__SortingLayer_297(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4::get_offset_of__SortingLayerID_298(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4::get_offset_of__SortingOrder_299(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4::get_offset_of_OnPreRenderText_300(),
TextMeshPro_t4C8C961C0939CD311CCC4F5F306C27C5301BD8E4::get_offset_of_m_currentAutoSizeMode_301(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3351[3] =
{
U3CDelayedGraphicRebuildU3Ed__89_t4344BE5B582CA8FA97AD75DDDC5A3773E5DC4E02::get_offset_of_U3CU3E1__state_0(),
U3CDelayedGraphicRebuildU3Ed__89_t4344BE5B582CA8FA97AD75DDDC5A3773E5DC4E02::get_offset_of_U3CU3E2__current_1(),
U3CDelayedGraphicRebuildU3Ed__89_t4344BE5B582CA8FA97AD75DDDC5A3773E5DC4E02::get_offset_of_U3CU3E4__this_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3352[3] =
{
U3CDelayedMaterialRebuildU3Ed__90_t86D334C125057A5A17C14582D622BA4D41BF1D26::get_offset_of_U3CU3E1__state_0(),
U3CDelayedMaterialRebuildU3Ed__90_t86D334C125057A5A17C14582D622BA4D41BF1D26::get_offset_of_U3CU3E2__current_1(),
U3CDelayedMaterialRebuildU3Ed__90_t86D334C125057A5A17C14582D622BA4D41BF1D26::get_offset_of_U3CU3E4__this_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3353[40] =
{
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1::get_offset_of_m_hasFontAssetChanged_265(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1::get_offset_of_m_subTextObjects_266(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1::get_offset_of_m_previousLossyScaleY_267(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1::get_offset_of_m_RectTransformCorners_268(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1::get_offset_of_m_canvasRenderer_269(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1::get_offset_of_m_canvas_270(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1::get_offset_of_m_CanvasScaleFactor_271(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1::get_offset_of_m_isFirstAllocation_272(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1::get_offset_of_m_max_characters_273(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1::get_offset_of_m_baseMaterial_274(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1::get_offset_of_m_isScrollRegionSet_275(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1::get_offset_of_m_maskOffset_276(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1::get_offset_of_m_EnvMapMatrix_277(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1::get_offset_of_m_isRegisteredForEvents_278(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields::get_offset_of_k_GenerateTextMarker_279(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields::get_offset_of_k_SetArraySizesMarker_280(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields::get_offset_of_k_GenerateTextPhaseIMarker_281(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields::get_offset_of_k_ParseMarkupTextMarker_282(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields::get_offset_of_k_CharacterLookupMarker_283(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields::get_offset_of_k_HandleGPOSFeaturesMarker_284(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields::get_offset_of_k_CalculateVerticesPositionMarker_285(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields::get_offset_of_k_ComputeTextMetricsMarker_286(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields::get_offset_of_k_HandleVisibleCharacterMarker_287(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields::get_offset_of_k_HandleWhiteSpacesMarker_288(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields::get_offset_of_k_HandleHorizontalLineBreakingMarker_289(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields::get_offset_of_k_HandleVerticalLineBreakingMarker_290(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields::get_offset_of_k_SaveGlyphVertexDataMarker_291(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields::get_offset_of_k_ComputeCharacterAdvanceMarker_292(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields::get_offset_of_k_HandleCarriageReturnMarker_293(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields::get_offset_of_k_HandleLineTerminationMarker_294(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields::get_offset_of_k_SavePageInfoMarker_295(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields::get_offset_of_k_SaveProcessingStatesMarker_296(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields::get_offset_of_k_GenerateTextPhaseIIMarker_297(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1_StaticFields::get_offset_of_k_GenerateTextPhaseIIIMarker_298(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1::get_offset_of_m_isRebuildingLayout_299(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1::get_offset_of_m_DelayedGraphicRebuild_300(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1::get_offset_of_m_DelayedMaterialRebuild_301(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1::get_offset_of_m_ClipRect_302(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1::get_offset_of_m_ValidRect_303(),
TextMeshProUGUI_tCC5BE8A76E6E9AF92521A462E8D81ACFBA7C85F1::get_offset_of_OnPreRenderText_304(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3354[11] =
{
TextContainerAnchors_t25F7579302D0B5735E125B3CDDDF4B1C3E3D43EA::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
0,
0,
0,
0,
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3355[13] =
{
TextContainer_t397B1340CD69150F936048DB53D857135408D2A1::get_offset_of_m_hasChanged_4(),
TextContainer_t397B1340CD69150F936048DB53D857135408D2A1::get_offset_of_m_pivot_5(),
TextContainer_t397B1340CD69150F936048DB53D857135408D2A1::get_offset_of_m_anchorPosition_6(),
TextContainer_t397B1340CD69150F936048DB53D857135408D2A1::get_offset_of_m_rect_7(),
TextContainer_t397B1340CD69150F936048DB53D857135408D2A1::get_offset_of_m_isDefaultWidth_8(),
TextContainer_t397B1340CD69150F936048DB53D857135408D2A1::get_offset_of_m_isDefaultHeight_9(),
TextContainer_t397B1340CD69150F936048DB53D857135408D2A1::get_offset_of_m_isAutoFitting_10(),
TextContainer_t397B1340CD69150F936048DB53D857135408D2A1::get_offset_of_m_corners_11(),
TextContainer_t397B1340CD69150F936048DB53D857135408D2A1::get_offset_of_m_worldCorners_12(),
TextContainer_t397B1340CD69150F936048DB53D857135408D2A1::get_offset_of_m_margins_13(),
TextContainer_t397B1340CD69150F936048DB53D857135408D2A1::get_offset_of_m_rectTransform_14(),
TextContainer_t397B1340CD69150F936048DB53D857135408D2A1_StaticFields::get_offset_of_k_defaultSize_15(),
TextContainer_t397B1340CD69150F936048DB53D857135408D2A1::get_offset_of_m_textMeshPro_16(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3356[3] =
{
SpriteAssetImportFormats_tE8DDFF067E525D24500F83864F115B0E0A1126FB::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3357[4] =
{
SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9::get_offset_of_x_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9::get_offset_of_y_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9::get_offset_of_w_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteFrame_t5B610F44C5943B89962CC8CC4245EECDE29E94D9::get_offset_of_h_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3358[2] =
{
SpriteSize_t7D47B39A52139B8CD3CE7F233C48981F70275A3D::get_offset_of_w_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
SpriteSize_t7D47B39A52139B8CD3CE7F233C48981F70275A3D::get_offset_of_h_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3359[7] =
{
Frame_t277B57D2C572A3B179CEA0357869DB245F52128D::get_offset_of_filename_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Frame_t277B57D2C572A3B179CEA0357869DB245F52128D::get_offset_of_frame_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Frame_t277B57D2C572A3B179CEA0357869DB245F52128D::get_offset_of_rotated_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Frame_t277B57D2C572A3B179CEA0357869DB245F52128D::get_offset_of_trimmed_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Frame_t277B57D2C572A3B179CEA0357869DB245F52128D::get_offset_of_spriteSourceSize_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
Frame_t277B57D2C572A3B179CEA0357869DB245F52128D::get_offset_of_sourceSize_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
Frame_t277B57D2C572A3B179CEA0357869DB245F52128D::get_offset_of_pivot_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3360[7] =
{
Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306::get_offset_of_app_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306::get_offset_of_version_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306::get_offset_of_image_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306::get_offset_of_format_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306::get_offset_of_size_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306::get_offset_of_scale_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
Meta_t309392A7421E6817684A82BC6F9D648BA1CAA306::get_offset_of_smartupdate_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3361[2] =
{
SpriteDataObject_t9610506C3AD16488DFAF966EB77EB5B246F03398::get_offset_of_frames_0(),
SpriteDataObject_t9610506C3AD16488DFAF966EB77EB5B246F03398::get_offset_of_meta_1(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3364[1] =
{
U3CPrivateImplementationDetailsU3E_t738F99F8D276B0C588A5CC36F0AE7944007DC963_StaticFields::get_offset_of_U31C3635C112D556F4C11A4FE6BDE6ED3F126C4B2B546811BDB64DE7BDED3A05CB_0(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3369[2] =
{
ARAnchorManager_t969330AB785F0DC41EF9F4390D77F7ABA30F7D0F::get_offset_of_m_AnchorPrefab_14(),
ARAnchorManager_t969330AB785F0DC41EF9F4390D77F7ABA30F7D0F::get_offset_of_anchorsChanged_15(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3370[3] =
{
ARAnchorsChangedEventArgs_tD1D6CD5187F2B16BADA979200B333341991FAAC6::get_offset_of_U3CaddedU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARAnchorsChangedEventArgs_tD1D6CD5187F2B16BADA979200B333341991FAAC6::get_offset_of_U3CupdatedU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARAnchorsChangedEventArgs_tD1D6CD5187F2B16BADA979200B333341991FAAC6::get_offset_of_U3CremovedU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3372[21] =
{
0,
0,
0,
ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84_StaticFields::get_offset_of_k_MainTexId_7(),
ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84_StaticFields::get_offset_of_k_DisplayTransformId_8(),
ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84_StaticFields::get_offset_of_k_CameraForwardScaleId_9(),
ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84::get_offset_of_m_Camera_10(),
ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84::get_offset_of_m_CameraManager_11(),
ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84::get_offset_of_m_OcclusionManager_12(),
ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84::get_offset_of_m_CommandBuffer_13(),
ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84::get_offset_of_m_UseCustomMaterial_14(),
ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84::get_offset_of_m_CustomMaterial_15(),
ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84::get_offset_of_m_DefaultMaterial_16(),
ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84::get_offset_of_m_PreviousCameraClearFlags_17(),
ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84::get_offset_of_m_PreviousCameraFieldOfView_18(),
ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84::get_offset_of_m_BackgroundRenderingEnabled_19(),
ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84::get_offset_of_m_CommandBufferCullingState_20(),
ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84_StaticFields::get_offset_of_s_BeforeBackgroundRenderHandler_21(),
ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84_StaticFields::get_offset_of_s_BeforeBackgroundRenderHandlerFuncPtr_22(),
ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84_StaticFields::get_offset_of_s_CameraSubsystem_23(),
ARCameraBackground_t385B7A69758233C0F02979288D372CFBA4AACD84_StaticFields::get_offset_of_s_DefaultCameraEvents_24(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3373[12] =
{
ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42::get_offset_of_U3ClightEstimationU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42::get_offset_of_U3CtimestampNsU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42::get_offset_of_U3CprojectionMatrixU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42::get_offset_of_U3CdisplayMatrixU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42::get_offset_of_U3CtexturesU3Ek__BackingField_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42::get_offset_of_U3CpropertyNameIdsU3Ek__BackingField_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42::get_offset_of_U3CexposureDurationU3Ek__BackingField_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42::get_offset_of_U3CexposureOffsetU3Ek__BackingField_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42::get_offset_of_U3CenabledMaterialKeywordsU3Ek__BackingField_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42::get_offset_of_U3CdisabledMaterialKeywordsU3Ek__BackingField_9() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42::get_offset_of_U3CcameraGrainTextureU3Ek__BackingField_10() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARCameraFrameEventArgs_t6DC46EA4DDD08CB3703AE73DA3D08CB7634FDB42::get_offset_of_U3CnoiseIntensityU3Ek__BackingField_11() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3374[12] =
{
ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874::get_offset_of_m_FocusMode_7(),
ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874::get_offset_of_m_LightEstimationMode_8(),
ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874::get_offset_of_m_AutoFocus_9(),
ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874::get_offset_of_m_LightEstimation_10(),
ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874::get_offset_of_m_FacingDirection_11(),
ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874::get_offset_of_frameReceived_12(),
ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874_StaticFields::get_offset_of_s_Textures_13(),
ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874_StaticFields::get_offset_of_s_PropertyIds_14(),
ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874::get_offset_of_m_TextureInfos_15(),
ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874::get_offset_of_m_Camera_16(),
ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874::get_offset_of_m_PreRenderInvertCullingValue_17(),
ARCameraManager_tD802D88B523419FD1AC898539EE734DA20903874::get_offset_of_m_CameraGrainInfo_18(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3375[5] =
{
AREnvironmentProbe_t07D9FE76280E485B45567C85DEE6E1CEF5D518CB::get_offset_of_m_ReflectionProbe_7(),
AREnvironmentProbe_t07D9FE76280E485B45567C85DEE6E1CEF5D518CB::get_offset_of_m_CurrentTextureDescriptor_8(),
AREnvironmentProbe_t07D9FE76280E485B45567C85DEE6E1CEF5D518CB::get_offset_of_m_CustomBakedTextureInfo_9(),
AREnvironmentProbe_t07D9FE76280E485B45567C85DEE6E1CEF5D518CB::get_offset_of_m_EnvironmentTextureFilterMode_10(),
AREnvironmentProbe_t07D9FE76280E485B45567C85DEE6E1CEF5D518CB::get_offset_of_U3CplacementTypeU3Ek__BackingField_11(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3376[5] =
{
AREnvironmentProbeManager_tAA6D770241EB7BC46001E8E2D8BA1C73370F6571::get_offset_of_m_AutomaticPlacement_14(),
AREnvironmentProbeManager_tAA6D770241EB7BC46001E8E2D8BA1C73370F6571::get_offset_of_m_EnvironmentTextureFilterMode_15(),
AREnvironmentProbeManager_tAA6D770241EB7BC46001E8E2D8BA1C73370F6571::get_offset_of_m_EnvironmentTextureHDR_16(),
AREnvironmentProbeManager_tAA6D770241EB7BC46001E8E2D8BA1C73370F6571::get_offset_of_m_DebugPrefab_17(),
AREnvironmentProbeManager_tAA6D770241EB7BC46001E8E2D8BA1C73370F6571::get_offset_of_environmentProbesChanged_18(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3377[4] =
{
AREnvironmentProbePlacementType_t8B7FE91B96D893B1F0D71AACCE26488675785DDC::get_offset_of_value___2() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
0,
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3378[3] =
{
AREnvironmentProbesChangedEvent_t68EC14AA6CBF65AAEA57265703F86FBC51EDDE02::get_offset_of_U3CaddedU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
AREnvironmentProbesChangedEvent_t68EC14AA6CBF65AAEA57265703F86FBC51EDDE02::get_offset_of_U3CupdatedU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
AREnvironmentProbesChangedEvent_t68EC14AA6CBF65AAEA57265703F86FBC51EDDE02::get_offset_of_U3CremovedU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3379[6] =
{
ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1::get_offset_of_updated_7(),
ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1::get_offset_of_U3CleftEyeU3Ek__BackingField_8(),
ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1::get_offset_of_U3CrightEyeU3Ek__BackingField_9(),
ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1::get_offset_of_U3CfixationPointU3Ek__BackingField_10(),
ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1::get_offset_of_m_FaceMesh_11(),
ARFace_t7EC7B3979551DCD92E4C51D35BD9664F44CE86E1::get_offset_of_m_Updated_12(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3380[3] =
{
ARFaceManager_t587CD3EE57FE343549CEF05B14CA6258A9E11647::get_offset_of_m_FacePrefab_14(),
ARFaceManager_t587CD3EE57FE343549CEF05B14CA6258A9E11647::get_offset_of_m_MaximumFaceCount_15(),
ARFaceManager_t587CD3EE57FE343549CEF05B14CA6258A9E11647::get_offset_of_facesChanged_16(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3381[4] =
{
ARFaceMeshVisualizer_tAB37DE7C3787FD37DCDAA4C769A5813D7F8963B1::get_offset_of_U3CmeshU3Ek__BackingField_4(),
ARFaceMeshVisualizer_tAB37DE7C3787FD37DCDAA4C769A5813D7F8963B1::get_offset_of_m_Face_5(),
ARFaceMeshVisualizer_tAB37DE7C3787FD37DCDAA4C769A5813D7F8963B1::get_offset_of_m_MeshRenderer_6(),
ARFaceMeshVisualizer_tAB37DE7C3787FD37DCDAA4C769A5813D7F8963B1::get_offset_of_m_TopologyUpdatedThisFrame_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3382[1] =
{
ARFaceUpdatedEventArgs_t19EF18AED849B5FE9A5C3948C924E7C369A1E24A::get_offset_of_U3CfaceU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3383[3] =
{
ARFacesChangedEventArgs_t89074BF90E245926F958D87247377FC764637A12::get_offset_of_U3CaddedU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARFacesChangedEventArgs_t89074BF90E245926F958D87247377FC764637A12::get_offset_of_U3CupdatedU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARFacesChangedEventArgs_t89074BF90E245926F958D87247377FC764637A12::get_offset_of_U3CremovedU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3384[3] =
{
ARHumanBodiesChangedEventArgs_t03BC9E10B0F7EA109F54F589571A7FCE26B18729::get_offset_of_U3CaddedU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARHumanBodiesChangedEventArgs_t03BC9E10B0F7EA109F54F589571A7FCE26B18729::get_offset_of_U3CupdatedU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARHumanBodiesChangedEventArgs_t03BC9E10B0F7EA109F54F589571A7FCE26B18729::get_offset_of_U3CremovedU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3385[1] =
{
ARHumanBody_tD50BBE7B486B76556A46BE9C799EE268D4ABB3B5::get_offset_of_m_Joints_7(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3386[5] =
{
ARHumanBodyManager_t901B9F11785ED05D74F4FAC50D14259488D800B4::get_offset_of_m_Pose2D_14(),
ARHumanBodyManager_t901B9F11785ED05D74F4FAC50D14259488D800B4::get_offset_of_m_Pose3D_15(),
ARHumanBodyManager_t901B9F11785ED05D74F4FAC50D14259488D800B4::get_offset_of_m_Pose3DScaleEstimation_16(),
ARHumanBodyManager_t901B9F11785ED05D74F4FAC50D14259488D800B4::get_offset_of_m_HumanBodyPrefab_17(),
ARHumanBodyManager_t901B9F11785ED05D74F4FAC50D14259488D800B4::get_offset_of_humanBodiesChanged_18(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3387[2] =
{
ARInputManager_tEBA4F07AD44EC2C0FAE6216583A42EE567E74A1A::get_offset_of_U3CsubsystemU3Ek__BackingField_4(),
ARInputManager_tEBA4F07AD44EC2C0FAE6216583A42EE567E74A1A_StaticFields::get_offset_of_s_SubsystemDescriptors_5(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3388[10] =
{
ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423::get_offset_of_U3CaverageColorTemperatureU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423::get_offset_of_U3CcolorCorrectionU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423::get_offset_of_U3CmainLightIntensityLumensU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423::get_offset_of_U3CmainLightColorU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423::get_offset_of_U3CmainLightDirectionU3Ek__BackingField_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423::get_offset_of_U3CambientSphericalHarmonicsU3Ek__BackingField_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423::get_offset_of_m_AverageBrightness_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423::get_offset_of_m_AverageIntensityInLumens_7() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARLightEstimationData_tC7EC4FC85F9EDACE1CED2BB3D2DC659DE43B8423::get_offset_of_m_MainLightBrightness_8() + static_cast<int32_t>(sizeof(RuntimeObject)),
0,
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3390[19] =
{
ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E::get_offset_of_m_MeshPrefab_4(),
ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E::get_offset_of_m_Density_5(),
ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E::get_offset_of_m_Normals_6(),
ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E::get_offset_of_m_Tangents_7(),
ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E::get_offset_of_m_TextureCoordinates_8(),
ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E::get_offset_of_m_Colors_9(),
ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E::get_offset_of_m_ConcurrentQueueSize_10(),
ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E::get_offset_of_meshesChanged_11(),
ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E::get_offset_of_m_Added_12(),
ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E::get_offset_of_m_Updated_13(),
ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E::get_offset_of_m_Removed_14(),
ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E::get_offset_of_m_Pending_15(),
ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E::get_offset_of_m_Generating_16(),
ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E::get_offset_of_m_Meshes_17(),
ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E::get_offset_of_m_OnMeshGeneratedDelegate_18(),
ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E::get_offset_of_m_Subsystem_19(),
ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E_StaticFields::get_offset_of_s_TrackableIdComparer_20(),
ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E_StaticFields::get_offset_of_s_MeshInfos_21(),
ARMeshManager_tF8934ADF36AB80CC38B14784992B1F24F9EB651E_StaticFields::get_offset_of_s_SubsystemDescriptors_22(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3391[3] =
{
ARMeshesChangedEventArgs_t06713ECAD9AF2974D409426B639B83B98D2B35E5::get_offset_of_U3CaddedU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARMeshesChangedEventArgs_t06713ECAD9AF2974D409426B639B83B98D2B35E5::get_offset_of_U3CupdatedU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARMeshesChangedEventArgs_t06713ECAD9AF2974D409426B639B83B98D2B35E5::get_offset_of_U3CremovedU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3392[4] =
{
AROcclusionFrameEventArgs_t9F744F233B658BEAD4AB89A404804C5FF8B23CC0::get_offset_of_U3CtexturesU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
AROcclusionFrameEventArgs_t9F744F233B658BEAD4AB89A404804C5FF8B23CC0::get_offset_of_U3CpropertyNameIdsU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
AROcclusionFrameEventArgs_t9F744F233B658BEAD4AB89A404804C5FF8B23CC0::get_offset_of_U3CenabledMaterialKeywordsU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
AROcclusionFrameEventArgs_t9F744F233B658BEAD4AB89A404804C5FF8B23CC0::get_offset_of_U3CdisabledMaterialKeywordsU3Ek__BackingField_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3393[12] =
{
AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48::get_offset_of_m_TextureInfos_7(),
AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48::get_offset_of_m_Textures_8(),
AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48::get_offset_of_m_TexturePropertyIds_9(),
AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48::get_offset_of_m_HumanStencilTextureInfo_10(),
AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48::get_offset_of_m_HumanDepthTextureInfo_11(),
AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48::get_offset_of_m_EnvironmentDepthTextureInfo_12(),
AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48::get_offset_of_m_EnvironmentDepthConfidenceTextureInfo_13(),
AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48::get_offset_of_frameReceived_14(),
AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48::get_offset_of_m_HumanSegmentationStencilMode_15(),
AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48::get_offset_of_m_HumanSegmentationDepthMode_16(),
AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48::get_offset_of_m_EnvironmentDepthMode_17(),
AROcclusionManager_t0DA10EFF8FB8272628E35BE67EE46088901C3F48::get_offset_of_m_OcclusionPreferenceMode_18(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3395[2] =
{
ARParticipantManager_tC242B678433E078C62A39ED688B880133BEE3E2F::get_offset_of_m_ParticipantPrefab_14(),
ARParticipantManager_tC242B678433E078C62A39ED688B880133BEE3E2F::get_offset_of_participantsChanged_15(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3396[3] =
{
ARParticipantsChangedEventArgs_tE7D46B14884B7CC3D05BA163A51AFC0029773A4A::get_offset_of_U3CaddedU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARParticipantsChangedEventArgs_tE7D46B14884B7CC3D05BA163A51AFC0029773A4A::get_offset_of_U3CupdatedU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARParticipantsChangedEventArgs_tE7D46B14884B7CC3D05BA163A51AFC0029773A4A::get_offset_of_U3CremovedU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3397[6] =
{
ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891::get_offset_of_m_VertexChangedThreshold_7(),
ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891::get_offset_of_boundaryChanged_8(),
ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891::get_offset_of_U3CsubsumedByU3Ek__BackingField_9(),
ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891::get_offset_of_m_Boundary_10(),
ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891::get_offset_of_m_OldBoundary_11(),
ARPlane_t6336725EC68CE9029844CBE72A7FE7374AD74891::get_offset_of_m_HasBoundaryChanged_12(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3398[1] =
{
ARPlaneBoundaryChangedEventArgs_t6B93A5A70BFA40A2722C0351B2401EE7375D30D8::get_offset_of_U3CplaneU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3399[3] =
{
ARPlaneManager_t4700B0BC3E8B6CD35F8D925701C89A5A21DDBAD4::get_offset_of_m_PlanePrefab_14(),
ARPlaneManager_t4700B0BC3E8B6CD35F8D925701C89A5A21DDBAD4::get_offset_of_m_DetectionMode_15(),
ARPlaneManager_t4700B0BC3E8B6CD35F8D925701C89A5A21DDBAD4::get_offset_of_planesChanged_16(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3400[3] =
{
ARPlaneMeshGenerators_t74107DEC770B394B32C215FEC11C39D8315CB2C9_StaticFields::get_offset_of_s_Indices_0(),
ARPlaneMeshGenerators_t74107DEC770B394B32C215FEC11C39D8315CB2C9_StaticFields::get_offset_of_s_Uvs_1(),
ARPlaneMeshGenerators_t74107DEC770B394B32C215FEC11C39D8315CB2C9_StaticFields::get_offset_of_s_Vertices_2(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3401[3] =
{
ARPlaneMeshVisualizer_t4C981AECE943267AD0363C57F2F3D32273E932F2::get_offset_of_U3CmeshU3Ek__BackingField_4(),
ARPlaneMeshVisualizer_t4C981AECE943267AD0363C57F2F3D32273E932F2::get_offset_of_m_InitialLineWidthMultiplier_5(),
ARPlaneMeshVisualizer_t4C981AECE943267AD0363C57F2F3D32273E932F2::get_offset_of_m_Plane_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3402[3] =
{
ARPlanesChangedEventArgs_tBF7407003D3B2F49087DBED7DEEBD8803466E6CF::get_offset_of_U3CaddedU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARPlanesChangedEventArgs_tBF7407003D3B2F49087DBED7DEEBD8803466E6CF::get_offset_of_U3CupdatedU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARPlanesChangedEventArgs_tBF7407003D3B2F49087DBED7DEEBD8803466E6CF::get_offset_of_U3CremovedU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3403[3] =
{
ARPointCloud_t7801A20C710FCBFDF1A589FA3ED53C7C9DF9222A::get_offset_of_updated_7(),
ARPointCloud_t7801A20C710FCBFDF1A589FA3ED53C7C9DF9222A::get_offset_of_m_Data_8(),
ARPointCloud_t7801A20C710FCBFDF1A589FA3ED53C7C9DF9222A::get_offset_of_m_PointsUpdated_9(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3404[3] =
{
ARPointCloudChangedEventArgs_t1531F6AE2CFDE8B9CF209F070465A20E1A235A36::get_offset_of_U3CaddedU3Ek__BackingField_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARPointCloudChangedEventArgs_t1531F6AE2CFDE8B9CF209F070465A20E1A235A36::get_offset_of_U3CupdatedU3Ek__BackingField_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
ARPointCloudChangedEventArgs_t1531F6AE2CFDE8B9CF209F070465A20E1A235A36::get_offset_of_U3CremovedU3Ek__BackingField_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3405[2] =
{
PointCloudRaycastInfo_t3CEA434CD8C654942880AB891772D174AE33A2B1::get_offset_of_distance_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
PointCloudRaycastInfo_t3CEA434CD8C654942880AB891772D174AE33A2B1::get_offset_of_cosineAngleWithRay_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3406[3] =
{
PointCloudRaycastJob_t097E5071568968353900E36DD9110FEC04135270::get_offset_of_points_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
PointCloudRaycastJob_t097E5071568968353900E36DD9110FEC04135270::get_offset_of_infoOut_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
PointCloudRaycastJob_t097E5071568968353900E36DD9110FEC04135270::get_offset_of_ray_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3407[7] =
{
PointCloudRaycastCollectResultsJob_t5BFBE359542CF027CBCCAA334BA76CF64F29627D::get_offset_of_points_0() + static_cast<int32_t>(sizeof(RuntimeObject)),
PointCloudRaycastCollectResultsJob_t5BFBE359542CF027CBCCAA334BA76CF64F29627D::get_offset_of_infos_1() + static_cast<int32_t>(sizeof(RuntimeObject)),
PointCloudRaycastCollectResultsJob_t5BFBE359542CF027CBCCAA334BA76CF64F29627D::get_offset_of_hits_2() + static_cast<int32_t>(sizeof(RuntimeObject)),
PointCloudRaycastCollectResultsJob_t5BFBE359542CF027CBCCAA334BA76CF64F29627D::get_offset_of_count_3() + static_cast<int32_t>(sizeof(RuntimeObject)),
PointCloudRaycastCollectResultsJob_t5BFBE359542CF027CBCCAA334BA76CF64F29627D::get_offset_of_cosineThreshold_4() + static_cast<int32_t>(sizeof(RuntimeObject)),
PointCloudRaycastCollectResultsJob_t5BFBE359542CF027CBCCAA334BA76CF64F29627D::get_offset_of_pose_5() + static_cast<int32_t>(sizeof(RuntimeObject)),
PointCloudRaycastCollectResultsJob_t5BFBE359542CF027CBCCAA334BA76CF64F29627D::get_offset_of_trackableId_6() + static_cast<int32_t>(sizeof(RuntimeObject)),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3408[2] =
{
ARPointCloudManager_tFB5917457B296992E01D1DB28761170B075ABADF::get_offset_of_m_PointCloudPrefab_14(),
ARPointCloudManager_tFB5917457B296992E01D1DB28761170B075ABADF::get_offset_of_pointCloudsChanged_15(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3409[3] =
{
ARPointCloudMeshVisualizer_tDCAC90D67DB95B1F42B9D60D7166A05D7B30FE6C::get_offset_of_U3CmeshU3Ek__BackingField_4(),
ARPointCloudMeshVisualizer_tDCAC90D67DB95B1F42B9D60D7166A05D7B30FE6C::get_offset_of_m_PointCloud_5(),
ARPointCloudMeshVisualizer_tDCAC90D67DB95B1F42B9D60D7166A05D7B30FE6C_StaticFields::get_offset_of_s_Vertices_6(),
};
IL2CPP_EXTERN_C const int32_t g_FieldOffsetTable3410[5] =
{
ARPointCloudParticleVisualizer_tD36EB0704B08FAE9C25319F49973E4062E7B6ADD::get_offset_of_m_PointCloud_4(),
ARPointCloudParticleVisualizer_tD36EB0704B08FAE9C25319F49973E4062E7B6ADD::get_offset_of_m_ParticleSystem_5(),
ARPointCloudParticleVisualizer_tD36EB0704B08FAE9C25319F49973E4062E7B6ADD::get_offset_of_m_Particles_6(),
ARPointCloudParticleVisualizer_tD36EB0704B08FAE9C25319F49973E4062E7B6ADD::get_offset_of_m_NumParticles_7(),
ARPointCloudParticleVisualizer_tD36EB0704B08FAE9C25319F49973E4062E7B6ADD_StaticFields::get_offset_of_s_Vertices_8(),
};
#ifdef __clang__
#pragma clang diagnostic pop
#endif
| [
"56165527+Ostappoo@users.noreply.github.com"
] | 56165527+Ostappoo@users.noreply.github.com |
23e4fed74ece3235d099a3bd6984121cc0d5f747 | e297179f022557942c1e0805667ead758cc0f0ed | /arenagameplay.cpp | c1d8e3dd99f4ae131f31cf2f736d091593040257 | [] | no_license | Sumlerd/TeachersVsStudents | e5f5868181adadb0a9258eb09933eeab27c35a29 | 8058b9ba4dc45bc761d850894573968ffd047d2c | refs/heads/master | 2021-01-19T14:41:54.696074 | 2017-04-13T16:19:02 | 2017-04-13T16:19:02 | 88,184,503 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 9,797 | cpp | #include "arenagameplay.h"
#include "arena.h"
#include "Specs.h"
#include "navigate.h"
#include "settings.h"
#include <wx/msgdlg.h>
#include "wx/dc.h"
#include "wx/dcclient.h"
#include "json/json.h"
#include <iostream>
#include <fstream>
#include "classify.h"
#include "game.h"
#include "object.h"
#include "obstacle.h"
#include "character.h"
#include "wx/stopwatch.h"
//(*InternalHeaders(arenagameplay)
#include <wx/bitmap.h>
#include <wx/intl.h>
#include <wx/image.h>
#include <wx/string.h>
//*)
//(*IdInit(arenagameplay)
const long arenagameplay::ID_STATICBITMAP1 = wxNewId();
const long arenagameplay::ID_STATICBITMAP2 = wxNewId();
const long arenagameplay::ID_STATICBITMAP6 = wxNewId();
const long arenagameplay::ID_STATICBITMAP10 = wxNewId();
const long arenagameplay::ID_BUTTON1 = wxNewId();
const long arenagameplay::ID_STATICLINE1 = wxNewId();
const long arenagameplay::ID_CHOICE1 = wxNewId();
const long arenagameplay::ID_CHOICE2 = wxNewId();
const long arenagameplay::ID_BUTTON5 = wxNewId();
const long arenagameplay::ID_STATICTEXT1 = wxNewId();
const long arenagameplay::ID_STATICTEXT2 = wxNewId();
const long arenagameplay::ID_STATICTEXT3 = wxNewId();
const long arenagameplay::ID_STATICLINE2 = wxNewId();
const long arenagameplay::ID_TEXTCTRL1 = wxNewId();
const long arenagameplay::ID_TEXTCTRL2 = wxNewId();
const long arenagameplay::ID_STATICTEXT4 = wxNewId();
const long arenagameplay::ID_STATICTEXT5 = wxNewId();
const long arenagameplay::ID_TEXTCTRL3 = wxNewId();
const long arenagameplay::ID_STATICTEXT6 = wxNewId();
const long arenagameplay::ID_TEXTCTRL4 = wxNewId();
const long arenagameplay::ID_STATICTEXT7 = wxNewId();
const long arenagameplay::ID_PANEL2 = wxNewId();
const long arenagameplay::ID_STATUSBAR1 = wxNewId();
//*)
BEGIN_EVENT_TABLE(arenagameplay,wxFrame)
//(*EventTable(arenagameplay)
//*)
END_EVENT_TABLE()
arenagameplay::arenagameplay(wxWindow* parent,wxWindowID id,const wxPoint& pos,const wxSize& size)
{
//SetScrollbar(wxVERTICAL, 0, 16, 50);
//(*Initialize(arenagameplay)
Create(parent, wxID_ANY, wxEmptyString, wxDefaultPosition, wxDefaultSize, wxDEFAULT_FRAME_STYLE|wxTAB_TRAVERSAL|wxVSCROLL|wxHSCROLL, _T("wxID_ANY"));
SetClientSize(wxSize(800,578));
Panel2 = new wxPanel(this, ID_PANEL2, wxPoint(-56,0), wxSize(1600,500), wxTAB_TRAVERSAL, _T("ID_PANEL2"));
StaticBitmap1 = new wxStaticBitmap(Panel2, ID_STATICBITMAP1, wxBitmap(wxImage(_T("/home/dylan/Documents/Cawledge/TeachersVsStudents (copy)/pic/bg.png")).Rescale(wxSize(800,578).GetWidth(),wxSize(800,578).GetHeight())), wxPoint(0,0), wxSize(800,578), wxSIMPLE_BORDER, _T("ID_STATICBITMAP1"));
StaticBitmap2 = new wxStaticBitmap(Panel2, ID_STATICBITMAP2, wxBitmap(wxImage(_T("/home/dylan/Documents/Cawledge/TeachersVsStudents (copy)/pic/sa.png")).Rescale(wxSize(40,42).GetWidth(),wxSize(40,42).GetHeight())), wxPoint(608,8), wxSize(40,42), wxSIMPLE_BORDER, _T("ID_STATICBITMAP2"));
StaticBitmap6 = new wxStaticBitmap(Panel2, ID_STATICBITMAP6, wxBitmap(wxImage(_T("/home/dylan/Documents/Cawledge/TeachersVsStudents (copy)/pic/ta.png")).Rescale(wxSize(40,42).GetWidth(),wxSize(40,42).GetHeight())), wxPoint(696,8), wxSize(40,42), wxSIMPLE_BORDER, _T("ID_STATICBITMAP6"));
StaticBitmap10 = new wxStaticBitmap(Panel2, ID_STATICBITMAP10, wxBitmap(wxImage(_T("./VS.png")).Rescale(wxSize(56,48).GetWidth(),wxSize(56,48).GetHeight())), wxPoint(648,8), wxSize(56,48), wxSIMPLE_BORDER, _T("ID_STATICBITMAP10"));
Button1 = new wxButton(Panel2, ID_BUTTON1, _("Run"), wxPoint(656,272), wxDefaultSize, wxTAB_TRAVERSAL, wxDefaultValidator, _T("ID_BUTTON1"));
StaticLine1 = new wxStaticLine(Panel2, ID_STATICLINE1, wxPoint(530,0), wxSize(24,824), wxLI_VERTICAL|wxSUNKEN_BORDER, _T("ID_STATICLINE1"));
Choice1 = new wxChoice(Panel2, ID_CHOICE1, wxPoint(656,112), wxDefaultSize, 0, 0, 0, wxDefaultValidator, _T("ID_CHOICE1"));
Choice1->SetSelection( Choice1->Append(_("5")) );
Choice1->Append(_("6"));
Choice1->Append(_("7"));
Choice1->Append(_("8"));
Choice1->Append(_("9"));
Choice1->Append(_("10"));
Choice2 = new wxChoice(Panel2, ID_CHOICE2, wxPoint(656,160), wxDefaultSize, 0, 0, 0, wxDefaultValidator, _T("ID_CHOICE2"));
Choice2->SetSelection( Choice2->Append(_("5")) );
Choice2->Append(_("6"));
Choice2->Append(_("7"));
Choice2->Append(_("8"));
Choice2->Append(_("9"));
Choice2->Append(_("10"));
Button5 = new wxButton(Panel2, ID_BUTTON5, _("Apply"), wxPoint(656,216), wxDefaultSize, 0, wxDefaultValidator, _T("ID_BUTTON5"));
StaticText1 = new wxStaticText(Panel2, ID_STATICTEXT1, _("Arena Settings"), wxPoint(632,80), wxDefaultSize, 0, _T("ID_STATICTEXT1"));
StaticText2 = new wxStaticText(Panel2, ID_STATICTEXT2, _("Length"), wxPoint(600,120), wxDefaultSize, 0, _T("ID_STATICTEXT2"));
StaticText3 = new wxStaticText(Panel2, ID_STATICTEXT3, _("Width"), wxPoint(600,168), wxDefaultSize, 0, _T("ID_STATICTEXT3"));
StaticLine2 = new wxStaticLine(Panel2, ID_STATICLINE2, wxPoint(544,256), wxSize(248,0), wxLI_HORIZONTAL, _T("ID_STATICLINE2"));
TextCtrl1 = new wxTextCtrl(Panel2, ID_TEXTCTRL1, wxEmptyString, wxPoint(664,344), wxDefaultSize, 0, wxDefaultValidator, _T("ID_TEXTCTRL1"));
TextCtrl2 = new wxTextCtrl(Panel2, ID_TEXTCTRL2, wxEmptyString, wxPoint(664,392), wxDefaultSize, 0, wxDefaultValidator, _T("ID_TEXTCTRL2"));
StaticText4 = new wxStaticText(Panel2, ID_STATICTEXT4, _("Students Alive:"), wxPoint(552,352), wxDefaultSize, 0, _T("ID_STATICTEXT4"));
StaticText5 = new wxStaticText(Panel2, ID_STATICTEXT5, _("Teacher Alive:"), wxPoint(560,400), wxDefaultSize, 0, _T("ID_STATICTEXT5"));
TextCtrl3 = new wxTextCtrl(Panel2, ID_TEXTCTRL3, wxEmptyString, wxPoint(664,464), wxDefaultSize, 0, wxDefaultValidator, _T("ID_TEXTCTRL3"));
StaticText6 = new wxStaticText(Panel2, ID_STATICTEXT6, _("Timer (ms)"), wxPoint(576,472), wxDefaultSize, 0, _T("ID_STATICTEXT6"));
TextCtrl4 = new wxTextCtrl(Panel2, ID_TEXTCTRL4, wxEmptyString, wxPoint(664,504), wxDefaultSize, 0, wxDefaultValidator, _T("ID_TEXTCTRL4"));
StaticText7 = new wxStaticText(Panel2, ID_STATICTEXT7, _("WINNER!"), wxPoint(592,512), wxDefaultSize, 0, _T("ID_STATICTEXT7"));
StatusBar1 = new wxStatusBar(this, ID_STATUSBAR1, 0, _T("ID_STATUSBAR1"));
int __wxStatusBarWidths_1[1] = { -10 };
int __wxStatusBarStyles_1[1] = { wxSB_NORMAL };
StatusBar1->SetFieldsCount(1,__wxStatusBarWidths_1);
StatusBar1->SetStatusStyles(1,__wxStatusBarStyles_1);
SetStatusBar(StatusBar1);
Center();
Connect(ID_BUTTON1,wxEVT_COMMAND_BUTTON_CLICKED,(wxObjectEventFunction)&arenagameplay::OnButton1Click);
Connect(ID_CHOICE1,wxEVT_COMMAND_CHOICE_SELECTED,(wxObjectEventFunction)&arenagameplay::OnChoice1Select1);
Connect(ID_CHOICE2,wxEVT_COMMAND_CHOICE_SELECTED,(wxObjectEventFunction)&arenagameplay::OnChoice2Select);
Connect(ID_BUTTON5,wxEVT_COMMAND_BUTTON_CLICKED,(wxObjectEventFunction)&arenagameplay::OnButton5Click1);
Connect(ID_TEXTCTRL1,wxEVT_COMMAND_TEXT_UPDATED,(wxObjectEventFunction)&arenagameplay::OnTextCtrl1Text1);
Panel2->Connect(wxEVT_PAINT,(wxObjectEventFunction)&arenagameplay::OnPanel2Paint,0,this);
Connect(wxID_ANY,wxEVT_CLOSE_WINDOW,(wxObjectEventFunction)&arenagameplay::OnClose1);
//*)
navigate::Point dimensions = arenaSettings::getDimensions();
this->Choice1->SetSelection(dimensions.x);
this->Choice2->SetSelection(dimensions.y);
}
arenagameplay::~arenagameplay()
{
//(*Destroy(arenagameplay)
//*)
}
void arenagameplay::OnButton1Click(wxCommandEvent& event)
{
string teachers="Teachers";
navigate::Point dimensions = arenaSettings::getDimensions();
//this->Choice1->SetSelection(dimensions.x);
//this->Choice2->SetSelection(dimensions.y);
Arena arena3(this,dimensions);
arena3.occupy();
wxClientDC dc(Panel2);
watch.Start(0);
while(!arena3.foundWinner())
{
arena3.toShow(dc);
arena3.toShuffle();
}
watch.Pause();
wxString wm = wxString::Format(wxT("%i"),watch.Time());
TextCtrl3->Clear();
TextCtrl3->SetValue(wm);
if(arena3.getWinner()==teachers)
{
TextCtrl4->SetValue("Teachers");
}
else if(arena3.getWinner() != teachers)
{
TextCtrl4->SetValue("Students");
}
arena3.empty();
}
void arenagameplay::OnPanel2Paint(wxPaintEvent& event)
{
// event.Skip();
}
void arenagameplay::OnChoice1Select1(wxCommandEvent& event)
{
lengthselected=Choice1->GetSelection();
}
void arenagameplay::OnChoice2Select(wxCommandEvent& event)
{
widthselected=Choice2->GetSelection();
}
void arenagameplay::OnButton5Click1(wxCommandEvent& event)
{
if (widthselected==0)
{
width=5;
}
else if (widthselected==1)
{
width=6;
}
else if (widthselected==2)
{
width=7;
}
else if (widthselected==3)
{
width=8;
}
else if (widthselected==4)
{
width=9;
}
else if (widthselected==5)
{
width=10;
}
if (lengthselected==0)
{
length=5;
}
else if (lengthselected==1)
{
length=6;
}
else if (lengthselected==2)
{
length=7;
}
else if (lengthselected==3)
{
length=8;
}
else if (lengthselected==4)
{
length=9;
}
else if (lengthselected==5)
{
length=10;
}
Game game(width,length);
game.settings();
//Destroy();
}
void arenagameplay::OnTextCtrl1Text1(wxCommandEvent& event)
{
//Arena.GetStudents()
}
void arenagameplay::OnIdle(wxIdleEvent& event)
{
}
void arenagameplay::OnClose(wxCloseEvent& event)
{
//Game game(width, length);
//game.settings();
}
void arenagameplay::OnClose1(wxCloseEvent& event)
{
}
| [
"sumlerd@gmail.com"
] | sumlerd@gmail.com |
a033dc2697561a9190f26a160b9f14d3f0afb4a8 | c8f5645b30296b11a797b853490573c869b99f19 | /physicalkeyboard.h | cd19c16b17bdbce65dce26296c332ccc9cc632e8 | [] | no_license | JorjBauer/aiie | f61e7c8f06765794741b1b6a5c7a16db1382e3a4 | 26a0a2abd516ae0d7a8b5e6bc6a1dc85ca983fbb | refs/heads/master | 2022-02-12T05:01:45.850578 | 2022-02-10T21:10:56 | 2022-02-10T21:10:56 | 82,481,453 | 63 | 7 | null | null | null | null | UTF-8 | C++ | false | false | 945 | h | #ifndef __PHYSICALKEYBOARD_H
#define __PHYSICALKEYBOARD_H
#include <stdint.h>
#include "vmkeyboard.h"
#define PK_ESC 0x1B
#define PK_DEL 0x7F
#define PK_RET 0x0D
#define PK_TAB 0x09
#define PK_LARR 0x08 // control-H
#define PK_RARR 0x15 // control-U
#define PK_DARR 0x0A
#define PK_UARR 0x0B
// Virtual keys
#define PK_CTRL 0x81
#define PK_LSHFT 0x82
#define PK_RSHFT 0x83
#define PK_LOCK 0x84 // caps lock
#define PK_LA 0x85 // left (open) apple, aka paddle0 button
#define PK_RA 0x86 // right (closed) apple aka paddle1 button
#define PK_NONE 0xFF // not a key; but 0x00 is used internally by the
// library, and I don't want to harsh its buzz
class PhysicalKeyboard {
public:
PhysicalKeyboard(VMKeyboard *k) { this->vmkeyboard = k; }
virtual ~PhysicalKeyboard() {};
virtual void maintainKeyboard() = 0;
virtual bool kbhit() = 0;
virtual int8_t read() = 0;
protected:
VMKeyboard *vmkeyboard;
};
#endif
| [
"jorj@jorj.org"
] | jorj@jorj.org |
7b09d4a40ae6ca03614811fda46f41dad3c41643 | 4517a61b756f1a2c7e9684be619d872569fda30e | /lib_src/libgpu-commands/src/gpu-fphi-variables.h | f48a9ce083f22f4f33f5ed7f60a8c6c86995a50f | [] | no_license | brian09/solar-eclipse-8.5.1 | 096858b0c7a6691af665c2a07213d2ee8ce79ee1 | 9adf8b29446d4533f0cb384bdda8ecca5800e468 | refs/heads/master | 2023-06-07T21:59:03.792678 | 2021-07-02T22:21:19 | 2021-07-02T22:21:19 | 342,719,917 | 1 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 4,022 | h | #include "cuda_runtime.h"
#include "cublas_v2.h"
#include "gpu-exception.h"
#include "gpu-data.h"
class GPU_FPHI_Shared_Variables{
private:
void allocate_gpu_memory();
void free_gpu_memory();
public:
const int gpu_id;
const int pitch;
const int n_subjects;
float * eigenvalues;
float * eigenvectors_transposed;
float * hat_matrix;
bool use_covariates;
const float ZTZI_0;
const float ZTZI_1;
const float ZTZI_2;
const float ZTZI_3;
GPU_FPHI_Shared_Variables(const int _gpu_id,const int _pitch,const int _n_subjects, float * const _eigenvalues, float * const _eigenvectors_transposed, float * hat_matrix,const float _ZTZI_0, \
const float _ZTZI_1,const float _ZTZI_2, const float _ZTZI_3);
~GPU_FPHI_Shared_Variables();
static inline int Static_GPU_Memory_Cost(const int _pitch, const bool _use_covariates){
int covariate_memory = 0;
if(_use_covariates){
covariate_memory = sizeof(float)*_pitch*_pitch;
}
return sizeof(float)*(_pitch + _pitch*_pitch) + covariate_memory;
}
};
class GPU_FPHI_Stream_Variables{
private:
void allocate_gpu_memory();
void free_gpu_memory();
public:
GPU_Data * const gpu_data;
const int pitch;
const int n_subjects;
const int max_batch_size;
int current_batch_size;
float * trait_matrix;
float * temp_trait_matrix;
float * cpu_trait_matrix;
float2 * sigma_e_and_a;
float * sigma;
float2 * theta;
bool * boolean_score;
GPU_FPHI_Stream_Variables(GPU_Data * const _gpu_data,const int _pitch,const int _n_subjects,const int _max_batch_size);
void copy_trait_data_to_gpu(const int batch_size);
~GPU_FPHI_Stream_Variables();
static inline int Adjustable_GPU_Memory_Cost(const int _pitch){
return sizeof(float)*(2*_pitch + 1) + sizeof(bool) + sizeof(float2)*2;
}
};
class GPU_FPHI_Results{
private:
void allocate_gpu_memory();
void free_gpu_memory();
public:
const int max_batch_size;
float * h2r;
float * chi_squared;
float * SE;
float * score;
float * const cpu_h2r;
float * const cpu_chi_squared;
float * const cpu_SE;
GPU_FPHI_Results(float * _cpu_h2r, float * _cpu_chi_squared, float * _cpu_SE,const int _max_batch_size);
~GPU_FPHI_Results();
void copy_results_to_cpu(const int start_index, const int batch_size,cudaStream_t stream);
static inline int Adjustable_GPU_Memory_Cost(){
return sizeof(float)*4;
}
};
/*
class GPU_FPHI_Trait_Matrix{
private:
void allocate_gpu_memory();
void free_gpu_memory();
public:
int gpu_id;
double * raw_phenotype_buffer;
float * cpu_trait_matrix;
float * trait_matrix;
float * temp_trait_matrix;
int max_batch_size;
int pitch;
int n_subjects;
GPU_FPHI_Trait_Matrix(const int _gpu_id, double * _raw_phenotype_buffer, const int _max_batch_size, const int _n_subjects);
int fill_trait_matrix(int & current_col_index, int & n_phenotypes_left, int & batch_size);
~GPU_FPHI_Trait_Matrix();
*/
class GPU_FPHI_Estimator{
private:
void set_function_pointer();
void (*Run_GPU_FPHI_Function_Pointer)(GPU_Data * const gpu_data, GPU_FPHI_Shared_Variables * const shared_variables, GPU_FPHI_Stream_Variables * const stream_variables, GPU_FPHI_Results * const results);
public:
const int n_phenotypes;
int n_phenotypes_left;
int current_col_index;
const int n_devices;
const int n_streams;
const int blockSize;
const int pitch;
const int n_subjects;
const int max_batch_size;
const bool verbose;
GPU_FPHI_Estimator( double * const _raw_phenotype_buffer, const int _n_phenotypes,const int _n_devices,const int _n_streams,const int _blockSize,const int _pitch,const int _n_subjects, const int _max_batch_size, const bool _verbose);
~GPU_FPHI_Estimator();
double * const raw_phenotype_buffer;
int fill_trait_matrix( float * const , int & batch_size);
void Thread_Launch(const int, const int, GPU_Data * const gpu_data, GPU_FPHI_Stream_Variables * const stream_variables, GPU_FPHI_Shared_Variables * const shared_variables, GPU_FPHI_Results * const results, const char ** error_message, bool & break_loop);
};
| [
"bdono09@gmail.com"
] | bdono09@gmail.com |
2bc474ee86273cd753f84123081a920e003a2ad3 | b5c28ad25ac7cc86838d09411d7deef2a66ea863 | /SOAPClient/main.cpp | 6258dcac2297fad970fdab572e4de3fb7fee2213 | [] | no_license | song2010040402102/SOAP_Server_Client | 46a8f110ede139c745e788394c09f0dd0be1040c | fdb56e965a80a2e96a0ef6cfc4576ab9330560c1 | refs/heads/master | 2021-08-31T18:47:00.358921 | 2017-12-22T12:19:43 | 2017-12-22T12:19:43 | 115,112,702 | 0 | 2 | null | null | null | null | GB18030 | C++ | false | false | 1,024 | cpp | #include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include "soapStub.h"
#include "ns.nsmap"
int add(const char *server,double a,double b,double *result)
{
struct soap add_soap;
int res = 0;
soap_init(&add_soap); //初始化环境变量
soap_set_namespaces(&add_soap,namespaces);
soap_call_ns__add(&add_soap,server,NULL,a,b,result); //调用ns2__add远程方法
if (add_soap.error)
{
printf("soap error: %d, %s, %s\n",add_soap.error, *soap_faultcode(&add_soap), *soap_faultstring(&add_soap));
res= add_soap.error;
}
soap_end(&add_soap); //清除环境变量
soap_done(&add_soap);
return res;
}
int main(int argc,char *argv[])
{
int result = -1;
char server[128] = {0};
double num1 = 0, num2 = 0, sum = 0;
gets(server);
scanf("%lf %lf", &num1, &num2);
result= add(server,num1,num2,&sum);
if (result != 0)
{
printf("soap error, errcode=%d\n",result);
}
else
{
printf("%f+ %f = %f\n", num1, num2, sum);
}
return 0;
} | [
"song_2010040402102@163.com"
] | song_2010040402102@163.com |
701ee8fc80169da06dea7c0f694e9cc88cc2d2c5 | 5456502f97627278cbd6e16d002d50f1de3da7bb | /extensions/common/manifest_handlers/sandboxed_page_info.cc | dd5853f9aba7be86289ba6886df0c21cd855f397 | [
"BSD-3-Clause"
] | permissive | TrellixVulnTeam/Chromium_7C66 | 72d108a413909eb3bd36c73a6c2f98de1573b6e5 | c8649ab2a0f5a747369ed50351209a42f59672ee | refs/heads/master | 2023-03-16T12:51:40.231959 | 2017-12-20T10:38:26 | 2017-12-20T10:38:26 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 4,335 | cc | // Copyright 2013 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "extensions/common/manifest_handlers/sandboxed_page_info.h"
#include <stddef.h>
#include <memory>
#include "base/lazy_instance.h"
#include "base/strings/string_number_conversions.h"
#include "base/strings/utf_string_conversions.h"
#include "base/values.h"
#include "extensions/common/csp_validator.h"
#include "extensions/common/error_utils.h"
#include "extensions/common/manifest_constants.h"
#include "extensions/common/url_pattern.h"
namespace extensions {
namespace {
namespace keys = extensions::manifest_keys;
namespace errors = manifest_errors;
const char kDefaultSandboxedPageContentSecurityPolicy[] =
"sandbox allow-scripts allow-forms allow-popups allow-modals";
static base::LazyInstance<SandboxedPageInfo> g_empty_sandboxed_info =
LAZY_INSTANCE_INITIALIZER;
const SandboxedPageInfo& GetSandboxedPageInfo(const Extension* extension) {
SandboxedPageInfo* info = static_cast<SandboxedPageInfo*>(
extension->GetManifestData(keys::kSandboxedPages));
return info ? *info : g_empty_sandboxed_info.Get();
}
} // namespace
SandboxedPageInfo::SandboxedPageInfo() {
}
SandboxedPageInfo::~SandboxedPageInfo() {
}
const std::string& SandboxedPageInfo::GetContentSecurityPolicy(
const Extension* extension) {
return GetSandboxedPageInfo(extension).content_security_policy;
}
const URLPatternSet& SandboxedPageInfo::GetPages(const Extension* extension) {
return GetSandboxedPageInfo(extension).pages;
}
bool SandboxedPageInfo::IsSandboxedPage(const Extension* extension,
const std::string& relative_path) {
return extension->ResourceMatches(GetPages(extension), relative_path);
}
SandboxedPageHandler::SandboxedPageHandler() {
}
SandboxedPageHandler::~SandboxedPageHandler() {
}
bool SandboxedPageHandler::Parse(Extension* extension, base::string16* error) {
std::unique_ptr<SandboxedPageInfo> sandboxed_info(new SandboxedPageInfo);
const base::ListValue* list_value = NULL;
if (!extension->manifest()->GetList(keys::kSandboxedPages, &list_value)) {
*error = base::ASCIIToUTF16(errors::kInvalidSandboxedPagesList);
return false;
}
for (size_t i = 0; i < list_value->GetSize(); ++i) {
std::string relative_path;
if (!list_value->GetString(i, &relative_path)) {
*error = ErrorUtils::FormatErrorMessageUTF16(
errors::kInvalidSandboxedPage, base::SizeTToString(i));
return false;
}
URLPattern pattern(URLPattern::SCHEME_EXTENSION);
if (pattern.Parse(extension->url().spec()) != URLPattern::PARSE_SUCCESS) {
*error = ErrorUtils::FormatErrorMessageUTF16(
errors::kInvalidURLPatternError, extension->url().spec());
return false;
}
while (relative_path[0] == '/')
relative_path = relative_path.substr(1, relative_path.length() - 1);
pattern.SetPath(pattern.path() + relative_path);
sandboxed_info->pages.AddPattern(pattern);
}
if (extension->manifest()->HasPath(keys::kSandboxedPagesCSP)) {
if (!extension->manifest()->GetString(
keys::kSandboxedPagesCSP,
&sandboxed_info->content_security_policy)) {
*error = base::ASCIIToUTF16(errors::kInvalidSandboxedPagesCSP);
return false;
}
if (!csp_validator::ContentSecurityPolicyIsLegal(
sandboxed_info->content_security_policy) ||
!csp_validator::ContentSecurityPolicyIsSandboxed(
sandboxed_info->content_security_policy, extension->GetType())) {
*error = base::ASCIIToUTF16(errors::kInvalidSandboxedPagesCSP);
return false;
}
} else {
sandboxed_info->content_security_policy =
kDefaultSandboxedPageContentSecurityPolicy;
CHECK(csp_validator::ContentSecurityPolicyIsSandboxed(
sandboxed_info->content_security_policy, extension->GetType()));
}
extension->SetManifestData(keys::kSandboxedPages, sandboxed_info.release());
return true;
}
const std::vector<std::string> SandboxedPageHandler::Keys() const {
return SingleKey(keys::kSandboxedPages);
}
} // namespace extensions
| [
"lixiaodonglove7@aliyun.com"
] | lixiaodonglove7@aliyun.com |
1ad32edc0161c1567a0d41f7ecfe0356d66e8608 | 286c7126518a531affc0fda945c34d4553774495 | /park/solutions/park_author_subtask3_opt.cpp | 72b446fd349a88f06145df5594ea106491f222f1 | [
"MIT"
] | permissive | indjev99/Competitive-Programming-Problems | fb5fe81089e80d737d3c24e6799d1aac583d22e1 | f5b3203fc2191ba946249af3505259f636f267ef | refs/heads/master | 2023-09-04T07:26:51.528481 | 2023-08-19T00:39:33 | 2023-08-19T00:39:33 | 171,058,102 | 4 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 1,789 | cpp | #include "park.h"
const int batchSize=4;
const int qpb=3; //queries per batch
const int dirs[1<<qpb]={0b0110, 0b1111, 0b0101, 0b1010, 0b1101, 0b1011, 0b1110, 0b0111};
std::pair<int, int> getEdge(int num)
{
int f,t;
f=num/2+1;
t=f+1+num%2;
return {f,t};
}
bool askAndState(const std::pair<int, int>& edge)
{
bool direction=get_xor({edge});
state_direction(edge,direction);
return direction;
}
std::vector<std::pair<int, int>> toState;
void run(int n)
{
std::pair<int, int> edge;
for (int i=0; i<4*n+1; ++i)
{
edge=getEdge(i);
if (i%2==1 || i==0 || i==4*n) state_direction(edge,true);
else toState.push_back(edge);
}
int curr=0;
bool xor1,xor2,xor3;
int currDirs;
int direction;
bool lastDir=true;
while (curr<toState.size())
{
if (lastDir==false)
{
state_direction(toState[curr],true);
lastDir=true;
++curr;
}
else
{
if (curr+batchSize>toState.size())
{
lastDir=askAndState(toState[curr]);
++curr;
}
else
{
xor1=get_xor({toState[curr],toState[curr+1],toState[curr+2],toState[curr+3]});
xor2=get_xor({toState[curr],toState[curr+3]});
if (xor1==true) xor3=get_xor({toState[curr],toState[curr+1]});
else xor3=get_xor({toState[curr]});
currDirs=dirs[xor1<<2 | xor2<<1 | xor3];
for (int i=0; i<batchSize; ++i)
{
state_direction(toState[curr+i],currDirs & 1<<(batchSize-1-i));
}
lastDir=currDirs & 1;
curr+=batchSize;
}
}
}
}
| [
"emil.indjev@gmail.com"
] | emil.indjev@gmail.com |
bc03c2d6b9db6bf70e175f3a6ac143da8936e99f | 663f36cfff3bfaf9ad64bba430e648b0dadc0f99 | /dependencies/MyGui/Common/ItemBox/BaseCellView.h | 0d0ec90b7c02a67d2f4f7169833eff5bdf97e0a7 | [
"LGPL-3.0-only",
"Apache-2.0"
] | permissive | LiberatorUSA/GUCEF | b579a530ac40478e8d92d8c1688dce71634ec004 | 2f24399949bc2b2eb20b3f445100dd3e141fe6d5 | refs/heads/master | 2023-09-03T18:05:25.190918 | 2023-09-02T17:23:59 | 2023-09-02T17:23:59 | 24,012,676 | 9 | 15 | Apache-2.0 | 2021-07-04T04:53:42 | 2014-09-14T03:30:46 | C++ | UTF-8 | C++ | false | false | 517 | h | /*!
@file
@author Albert Semenov
@date 07/2008
@module
*/
#ifndef __BASE_CELL_VIEW_H__
#define __BASE_CELL_VIEW_H__
#include <MyGUI.h>
#include "BaseLayout/BaseLayout.h"
namespace wraps
{
template<typename DataType>
class BaseCellView :
public BaseLayout
{
public:
typedef DataType Type;
protected:
BaseCellView(const std::string& _layout, MyGUI::Widget* _parent) :
BaseLayout(_layout, _parent)
{
}
};
} // namespace wraps
#endif // __BASE_CELL_VIEW_H__
| [
"liberatorusa@9712d391-321d-0410-84f4-d6a0ebf28296"
] | liberatorusa@9712d391-321d-0410-84f4-d6a0ebf28296 |
4f527bb7631088926d9b9cea278a5e32b2bf16f4 | 65af047619465d143123ad7018abcc94095973ce | /salvation_src_rabbmod/src/gui/CButtons.h | 8d423760474868e9cdf5262ef956f5e3ebf0808b | [] | no_license | FardMan69420/eth32nix-rabbmod | 60948b2bdf7495fc93a7bac4a40178614e076402 | 9db19146cd2373812c1e83657190cfae07565cf5 | refs/heads/master | 2022-04-02T07:17:07.763709 | 2009-12-21T08:16:40 | 2009-12-21T08:16:40 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 479 | h | // ETH32 - an Enemy Territory cheat for windows
// Copyright (c) 2007 eth32 team
// www.cheatersutopia.com & www.nixcoders.org
#pragma once
#include "CControl.h"
class CButton : public CControl
{
public:
CButton(const char *clabel, int cx, int cy, int cw, int ch, void (*cfunc)(void));
void Display(void);
int ProcessMouse(int mx, int my, uint32 event, CControl **mhook, CControl **khook);
void MouseMove(int mx, int my);
private:
void (*func)(void);
};
| [
"unarmed71@hotmail.com"
] | unarmed71@hotmail.com |
6f724887dce07159f6809719dfe39dd049617080 | f49af15675a8528de1f7d929e16ded0463cb88e6 | /C++/C++ Advanced/TestProjects/10ExcersieRuleOfThreeInheritancePoly/03Extractor/BufferdExtractor.h | 6c41c520182413f8437e74385f84561ec02caacf | [] | no_license | genadi1980/SoftUni | 0a5e207e0038fb7855fed7cddc088adbf4cec301 | 6562f7e6194c53d1e24b14830f637fea31375286 | refs/heads/master | 2021-01-11T18:57:36.163116 | 2019-05-18T13:37:19 | 2019-05-18T13:37:19 | 79,638,550 | 2 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 592 | h | #ifndef BUFFERED_EXTRACTOR_H
#include <sstream>
#include "Extractor.h"
class BufferdExtractor : public Extractor {
protected:
std::ostringstream buffer;
bool process(char symbol, std::string& output) override {
if (shouldBuffer(symbol)) {
buffer << symbol;
return false;
}
else if (!buffer.str().empty()) {
output = buffer.str();
buffer.str("");
buffer.clear();
return true;
}
}
virtual bool shouldBuffer(char symbol) = 0;
public:
BufferdExtractor(std::istream& steram) : Extractor(steram) {}
};
#define BUFFERED_EXTRACTOR_H
#endif //!BUFFERED_EXTRACTOR_H | [
"genadi_georgiev@abv.bg"
] | genadi_georgiev@abv.bg |
f36ca9022ac5e9d169341cc1e6860c7f3f838475 | d48644fd41d0cfc21184efffea9979d204d4a29c | /C++/CppND-System-Monitor/include/system.h | 16b900eddddc709a36b57104d62427ccdf1c7c9f | [
"MIT"
] | permissive | JeffLearnings/LearningStuffs | 7c099ba2496390c0c9cc6a9bf6d90a6728399b4c | 1c634dceb66af7644a5d69cd569088b9d1243916 | refs/heads/master | 2023-03-24T06:23:12.517128 | 2021-03-14T14:36:37 | 2021-03-14T14:36:37 | 347,653,914 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 787 | h | #ifndef SYSTEM_H
#define SYSTEM_H
#include <string>
#include <vector>
#include "linux_parser.h"
#include "process.h"
#include "processor.h"
class System {
public:
Processor& Cpu(); // : See src/system.cpp
std::vector<Process>& Processes(); // : See src/system.cpp
float MemoryUtilization(); // : See src/system.cpp
long UpTime(); // : See src/system.cpp
int TotalProcesses(); // : See src/system.cpp
int RunningProcesses(); // : See src/system.cpp
std::string Kernel(); // : See src/system.cpp
std::string OperatingSystem(); // : See src/system.cpp
// : Define any necessary private members
private:
Processor cpu_ = {};
std::vector<Process> processes_;
};
#endif
| [
"mainameejeff@gmail.com"
] | mainameejeff@gmail.com |
47651e7a49c32800d61a7126e1c2a751ad243d4d | b571a0ae02b7275b52499c66a756d10815136326 | /0966.Vowel.Spellchecker/sol.cpp | c18cf7a2ff006afea18888c9a5bf7e74e1d29346 | [] | no_license | xjs-js/leetcode | 386f9acf89f7e69b5370fdeffa9e5120cf57f868 | ef7601cbac1a64339e519d263604f046c747eda8 | refs/heads/master | 2022-02-02T00:51:23.798702 | 2022-01-19T14:48:13 | 2022-01-19T14:48:13 | 89,140,244 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 103,832 | cpp | #include <iostream>
#include <vector>
#include <string>
#include <algorithm>
#include <unordered_map>
#include <chrono>
using namespace std;
class Solution {
public:
string getLower(string data) {
std::transform(data.begin(), data.end(), data.begin(),
[](unsigned char c){ return std::tolower(c); });
return data;
}
bool isVowelMatch(string& left, string& right) {
bool isMatch = true;
int leftLen = left.size();
int rightLen = right.size();
if (leftLen == rightLen) {
for (int i = 0; i < leftLen; ++i) {
char& c_l = left[i];
char& c_r = right[i];
if (c_l == c_r || c_l - 32 == c_r || c_l + 32 == c_r) {
continue;
} else if ((c_l == 'A' || c_l == 'E' || c_l == 'I' || c_l == 'O' || c_l == 'U' || c_l == 'a' || c_l == 'e' || c_l == 'i' || c_l == 'o' || c_l == 'u')
&& (c_r == 'A' || c_r == 'E' || c_r == 'I' || c_r == 'O' || c_r == 'U' || c_r == 'a' || c_r == 'e' || c_r == 'i' || c_r == 'o' || c_r == 'u')) {
continue;
}
else {
return false;
}
}
} else {
isMatch = false;
}
return isMatch;
}
public:
vector<string> spellchecker(vector<string>& wordlist, vector<string>& queries) {
// 将wordlist中所有的word存在hashMap中
unordered_map<string, bool> wordDict;
size_t wordLen = wordlist.size();
for (size_t i = 0; i < wordLen; ++i) {
string str = wordlist[i];
wordDict[str] = true;
}
// 将wordList中所有的word小写存在hashMap中
unordered_map<string, int> capWordDict;
for (int i = wordLen-1; i >= 0; --i) {
string& word = wordlist[i];
string low_str = getLower(word);
capWordDict[low_str] = i;
}
// 遍历queries在wordlist中去查找
vector<string> result;
for (size_t i = 0; i < queries.size(); ++i) {
string query = queries[i];
size_t size = query.size();
if (wordDict.find(query) != wordDict.end()) {
result.emplace_back(query);
}
else if (capWordDict.find(getLower(query)) != capWordDict.end()) {
result.emplace_back(wordlist[capWordDict[getLower(query)]]);
}
else {
bool isMatch = false;
for (int j = 0; j < wordLen; ++j) {
if (isVowelMatch(wordlist[j], query)) {
isMatch = true;
result.emplace_back(wordlist[j]);
break;
}
}
if (!isMatch) {
result.emplace_back("");
}
}
}
return result;
}
};
int main(int argc, char* argv[]) {
Solution sol;
std::vector<string> wordList{"ceazcyk","aciqkby","qzqrxqx","zzihsko","lkzybqb","jawvkzu","tlemjbr","rfslilz","davixnp","sbarpji","rbyzips","qtolaiz","aelikpj","pnagrep","ezxzldx","tgacivr","jdqxisz","ckysfzt","ihrxnhx","gfqiytb","ijnvyef","mhsuvpw","afqxynh","mrcyrsq","tbpsxyw","lfnlnnd","lceedcj","nigghbz","kiudabg","gyjkglf","ckmhbtz","nibdghy","yxzdpuq","gwcbcea","tydyghn","bgjkibu","chroutr","flpnjxs","lfnvajg","joxujdp","reuamrz","wmdpqfs","xkjwljz","bpxnsbx","wtjppja","xcpffbk","wvuzaez","jgkmksg","qyvltua","yskhges","zljbsjr","dexrlwu","ssncuup","nloxhrn","tklfwrh","llooxrb","qqqixoc","iryqvjf","apmmsgo","rlnrout","tljrtvw","jfkxqhw","irgbutl","cpiclcz","llshlft","rxybnpo","ywdotyu","tmtgdhx","jftebqc","azjwqmp","jilnmgs","ypwxzez","ozbxzcj","ybrhjlv","oshanxz","lrauzlj","adewydx","rhnrqzq","mxqvjse","hwbvzfx","bniogsb","lkhjdcj","hduifwk","roalvqx","eylgaiy","yfhbglf","ukepygm","iveduxz","gjblspp","edwhekz","agfcsvr","plifhvu","lfmymqw","cwdsgrp","zojolef","hvygqws","luzgfhq","vrwzrxp","mwzktpn","iyrtveh","xqkilyt","iwbtxkb","cbproyf","myijfuf","oihpnln","fiwivxl","dgrgyjp","yeizxbf","kzdyfzs","yqisopi","crtowhx","asyycrp","qzylafo","mjaeaay","jfztavt","crbzsaf","syzbtip","xqwpiyb","hzicsbg","tfjbnwo","mclqwbf","fipjgda","hlglutg","zjdbctu","itiwdbz","zmpeglh","xhyrupv","dnvfulz","crtrpge","jafbaoi","pyssxex","heumaoa","wzgwvwe","moiggyz","osrxuom","xxhwmie","hdgvblx","aoswyvl","jluqjhb","cvncdnm","uxpjhip","zkgymwe","ogytakh","aicuyzv","pfwkqba","visqbvt","csyqqmm","nyjilzs","vehclir","tarqdmx","lgzmjjg","agbfyxe","uhpfbnt","jmeuqxc","rqkhhoc","lkskvvn","dngencq","bswdkyd","iuaxkpn","yxpzzsx","hfidapd","noajemc","fevcxae","ackaaxg","plrwwfl","ltxfijs","llrkhqe","liyzphi","gkifpvp","lscwoff","oadaxku","wjsekkx","hznxugo","bzwwvne","alexvvx","lopzrkt","ikwmhmj","rawhruh","kwstfni","xewuuxt","htihklh","soxzznb","glwjhzd","fvhgwvy","maqijpi","hfrdyog","fsgvcbd","kbvdbxq","mlrbcpf","wbfbetw","wboyslg","ypeckys","zusqscf","bkdcisk","zhocdmt","ehaossj","zqlxqnh","uoxhinh","hixaowd","mzkelfu","jfhgora","wwrhbko","vnccied","dvychal","xwqtzvs","ynaxgmo","jkhjjnx","wpkvxvh","lchszhp","sqgxdbu","tzlpner","pmuiogr","evkaxxo","zsxjxsq","lgfbqug","tcfcbrt","bbeigxm","wndtpbr","xrlivla","fmmzewh","mlluttp","leqkspl","mwjgykm","wcgzdbt","tptqdbb","gsvttkf","jtqckwl","symyuie","zttwtaj","vzlwzlt","mgtlbeu","eiwigyz","ryfdphy","ppnfphl","gkbqavl","betkjcw","bqbxuaz","uwgdsjp","cfkgfei","zxbfhwc","ygfrbiq","sjyastf","rrygnab","wbwuqti","qieuckz","kmdqmrn","rrrnrci","uthjkpt","yygatyf","utnprna","anfzngd","hovdqhn","tzceuon","pvcmeyf","ttdmylu","wuqveec","cigfigq","bcwbvxz","fmyhpka","fxycwyc","pyvkuts","nlzdclo","sucxhfd","anjegws","btgisqd","oggnfwo","bcohrsx","pauneyu","ipgtnfg","gigmysh","fjokrgk","dhguxft","ouyzbmy","tdtmxxl","shkmnmy","bdhdrzn","jpxbfwh","yacezfe","mobiatd","upavmwd","lpuqbje","vbvecro","jxdgtjg","zzidmwx","pnzntaf","rpdvxkd","xgslhiw","ptmkvjl","vangvop","unimhru","dabmndm","gdudimt","fhjbpti","iabxayp","tmgbury","nwmcnoz","wvchfox","hdoutum","hgaqhao","xmniymu","ejkaplr","rdqkjxo","lichnpd","ygozoxd","pxnqxwh","aixcjcr","rqcgtqj","mrqlwht","cdnwexx","yssirqf","iprbjje","ixzcrnx","nwdaiss","vlqinyw","rmqsjzx","fyglolf","eqsumio","jkeypua","lsjscka","cjklaiz","fdzxqge","gemicxl","ueipelh","jcondrd","ftcqspw","axjftaa","rukbcot","exxmkae","qxkxcur","fjqrhwb","yrboubr","srjyqpj","wnslpob","myfzsvu","tyngjhr","ctgsvmm","fqtwexp","bqhgwaw","itdvwpo","nauxamn","ppvgzjb","suuwrwt","ljiqysy","rrtjcmu","sgxrzkw","jjrjrvy","qdczuce","hzicmnz","axtpxrs","xavyumq","ulowgmn","krwtvno","ochacnc","rurlejt","aaaeqsp","nenuver","gaqonln","advbdtg","izysvwt","ooxgxie","vjouibl","mmqwgtt","zuvfexy","odpdfoz","ztkxhte","xubxhco","pylbptp","braqyfs","cmkubqr","vvwsyhs","splqnpv","jjhrqfa","jvzjbwk","kzlbtxh","rfawzoj","ajykuhv","caqnpfp","fhewanv","frqmvgu","vdnipxv","tstlmez","wdxjvhu","omasbxb","swuqlgp","jwskhiu","mubrnic","kdymblw","irehiaf","rcjcfze","nlzrler","modzruv","eyxwzvn","cyjzyjg","hzmvvch","mlynxvs","yyybroy","pjdjzhw","vfmncrm","nncwblr","qpkcicr","xdslrpz","hijttat","kpbsmfw","ytuqgdg","yfpkraq","zwkbplj","ypgcafj","pggbnql","pathehs","uqssjvo","vwlomco","dqhpbzh","azbiidl","zvzwnpc","vwvharw","rujgkzp","eehosxs","jbzniqu","qspaapy","lzlxsvk","cgtbkgv","dvatckr","rvgcbea","iijdgxe","cucppav","phsinve","jjhvzmi","ljlhqmj","wvggvps","kzwofyh","edacvbv","fanvaja","notfewk","diwkuqn","tngaajg","qfgrqrt","uxfbnwv","nmgyssd","nsupgxf","csaglae","ipvoudt","zylyuxy","bxrhsmj","scwjggd","uhhlbvt","qgrdeob","rzyizxp","pmzjxnm","mvkyrhd","trysfuo","lrljrgr","lvpqdfr","cnfokaz","vnrwwhm","glvlmpg","lpbfsbd","thrklzq","elkmwae","ozhnoir","cawkddt","vbirnhw","cmhjmaw","daeoqgg","togsgff","tupzpwg","asdbtmi","cixjvrc","vlkmxzq","zgrfncx","cdlckru","ybkvuay","osturio","pxxyaim","afenyzk","yoaqgiv","eanzmkx","uxowurs","nfqahlv","skaivho","uvoqsby","koyvpjw","frobkfo","gkgksvb","bjnowjs","totnxlz","ckajuvh","pwcqjpb","fslkmzv","nlmhghm","marrdig","fxqbovh","qwrlwbj","nijqwep","eduuito","duaqdnz","jxwnrqt","rcleahj","iuybzrr","aztxyqi","soqeydf","knxzroc","zfycodu","cyzxeff","xgcuphp","oqxesle","rukyhgq","aussyom","cszgbrt","qbvrlbp","vwrgwze","xvgukmb","ulioohb","tinntlo","ccupuua","xzxeogh","wbbcmri","ekutcgj","gyyedez","umnxnox","eyvrpll","zszcwxi","pxhneax","htctcyf","ivbbyjc","tjxknni","nuawiiy","fbkzxrz","bzjejva","yodkjfh","mfdvgrs","otpsdmb","xfdqhhy","haisklv","oqbuqjq","owkdcds","prxnbzj","dpzwqwb","ltmrdqg","mevoach","npvzisb","jxysjng","sjkrvmo","xloatyt","rgvtvho","vpiwbet","qdfryeu","hakwyfk","pgkiabu","sszhzqa","zhihwjp","dnymdyd","zdezypi","psmilfj","weedrng","bipxfga","xggmhjx","ofetkja","catviza","bdqanyq","xrywmse","ajnfngr","khqyqzs","fqkxyyk","imtafnm","hqqgzgx","vyloaod","rttictw","gsilkzu","tnzwytj","isfzvmh","cjkiesi","xhnctbr","nioivaj","upcgmbe","wkghgfo","qywwjoj","wgthdvx","fckqfhl","acilwcm","ccqeiem","mdpttxw","xkgxynt","wnvdqfx","zqvvxbw","bzntjlu","bjtojip","ptqblyz","szaemfa","wphxvfu","dizssbg","bxblbnz","dtyitop","bmiakwy","evaislt","qlhrlwc","gphtjvk","wbsksvg","bbvulbt","dymaexk","hdotwhp","vxnuipx","gdthcgg","eosumvq","uqrrmjt","easvmqk","hsyivkf","iowspbv","pqujrdg","gtyvlzz","sjtfwos","grjswzg","edlcirs","hyuawvi","jfhgysx","kjrarzx","ceqaksj","phveubv","nnnaspq","txfsqnc","kmnrabg","smnpjcr","rmprtpx","qcnaech","wadmdia","nckyrji","nxzohms","cdfdsnv","tyvknnr","yqacfbg","lxcoymb","rnbcxjw","rgxzwdl","torfwqg","ipsaqir","ulzyjlr","llgnryp","qpahtuv","mmbjesw","oogzvya","deeujek","jorocbo","vqzwlfi","inostrw","zpdugvz","msxvjxr","huwmain","ndxaavv","lbzlasz","sntpmga","kmceslj","oyhwlqx","vevkufc","ucbmium","hlazrgw","ibkbadk","rtrptox","sebhzoi","tuwwsjs","mvwlrpj","wrajkdr","jouawlr","tiprqod","gkjripp","oizlwpw","kfygssz","adkkbju","kuikhan","vlztwiy","dkrerhb","uknubsv","zcdgksw","jfdecxw","ymiyiuy","hpkyqsg","xpjmgoj","cefnvrm","ulzoary","qanutbm","npmnidl","mcbcmmy","cfnruks","etcroni","kifuhou","sngnuxw","nrdkbyv","zezvidx","ycupudk","adoaomm","xbywsoz","bvaheky","zoqwpee","cmukoan","uedcsct","hnpcutr","rjoicee","xaljozf","kskvjfk","oujrhep","ifgonyd","trbgwmh","xdirdmc","wewqdyp","dqdzygp","onzqyao","pjvhjjo","wxvljas","yhkimko","eoitpyh","jppgvnh","rigoncq","wvgcklj","inbaomz","mjnlgxx","vipdifz","cddhhci","rlgjqhe","rvcwjhx","iktwitv","kamcdbj","jzyydvm","jcjgtab","ogpcdah","fesolbe","tzhgchc","ciwhivg","sbxtyrk","lpysuge","wqtgfqd","qpwaxml","spmfkfn","gldobja","yrhosno","ffkmrcw","hcsiwby","dvmfwcz","dxqyagd","zsjnpkt","fnzythm","sotbvad","yohoayp","rymamqw","yxybwbb","eomfhek","wcqzgbs","beisbie","mdtsjll","zcggmgj","uaftpzm","nebntdo","cwivubq","sylzefw","nldlchi","gqwknnb","ivqhxpk","obowgvc","ozkyrqx","iyohjee","tcgxsmj","bgarzyx","buocidh","vxtttut","sabsuqc","udsrdsx","sutqzdd","ammbigl","kxybhxd","uqxaxrb","bzbltxx","dhgkmbu","vjzhefs","neifpnd","kyycwaj","stvxxcl","zgnsbsq","ezqjrwp","rixrqwf","piccdqx","kzsnnnr","pmyesyk","ktfnutq","vaefurn","grmufbo","zpqpdma","fevfiop","gzjekux","gjxhnsv","wlkdndk","bshgcns","jkbsalw","kkuwfgf","lakmtmt","mfwbftu","emjmwvl","zuutpjz","fgiewdb","mswdvun","iutqwlx","sbogtem","gvxqmhj","pghykcm","ugjnxiy","zebwpoi","pgdmmrc","ufweraa","lnadzqi","qiojwzw","gxlxnxx","rizrxey","zzgzwuk","eqklcqx","ognnnuw","vikksmj","josejqu","iajoywp","zcqmvdj","dgljtzg","bxffmqn","hnmsogw","qahjxps","rrzplhi","xcwrwiw","xnkdnoy","paxvros","zboahkb","kexlivk","vskqcsa","bdbfkcw","apobzcd","jqynyhz","jbimjas","qvokkod","pjzjrii","kynvfwd","acopumj","vqdqttv","iooxnyt","cwzbutl","ngcqeys","ooxinfe","dyyevfr","xwlgknh","kobwswb","liposde","pxqcfbo","bjlejhz","ezgvpdh","kdprzpj","aurrjoy","jlmfewo","mvvvgqe","jsznsfx","nxkzyke","glxkkub","apmrzwt","fqfabyx","cbkmbdf","uebxedo","jjojjzd","raafznz","valdesi","jhlgwic","oemmmdh","gxqrqaf","wvcprhl","qwqjygh","ysozzii","xkhyfti","davyjsb","iuqmqvt","krwqpqk","mmqgdxb","bgecjyq","ioaxbnj","kekoufs","bwwpcik","kbmhzla","ukxduig","rigrgtd","hymtfnv","drjakzp","tyisdod","ufzdzbg","esngdkd","xecghsu","quhvdrm","ibyjdaa","oryzexv","tythyho","nhctkcc","uhgillj","ezwicki","ngqubut","huxtbft","naguitd","hhlyvju","cxnscwk","fviddko","sdzawfd","qhdvxyp","vjvhpvw","gfxtvgd","hxpzgng","izizwek","kqdvvfe","jdjofov","vugmtbg","sjydhpe","ynlpjua","wloglkq","uymrorr","uvzxmgw","bessxxl","fdnxlqq","qfxdnpn","rbznnoj","wjbmswa","kvowfvq","tviobow","nbhvccv","sfarpap","veruape","mttjksx","iejrhwd","bragbuu","lejgnpq","svjdyck","atvummv","zaxzvio","vsyrkpf","lcpzzrc","zyyfkey","fmcqgvo","yqhxfkp","pwammqz","bnhuwjf","rtrtcwp","qllechb","igvwhwv","rekbcht","oodfdsh","rjhtsbx","fpwtade","flmjxsn","sezeevu","uqsckui","asqhkcn","vezptku","svjcxjp","uuooove","osyfrzl","lcgqlgb","soupkfz","lhbtfzn","kdpehpt","jbskmms","kfhilki","batnwjh","bminjpb","vrurfzn","embeauf","xzbbnwk","iffqmry","khuqfqf","jfhimpm","vwegnbf","puiqieq","bxkpaol","poubgky","wkpudtl","znyepna","afzoaov","vkjiyaw","biqutod","bnqbkob","vlhvypq","gzidctb","vxfpgcw","crwgaon","sxtzhbn","yycsxlp","luqaxyn","ayejcvp","mopcywv","uhnppsu","doldmig","qdyatkz","vwcschr","mvxlatm","ljimpja","fgmfhhr","fgjqpwx","yawaheg","rqedfnc","vyogaqm","usfnlsi","gjuvxuq","wpcsqwb","adatqgo","ejzggen",
"smtddhq","dyrrgum","vojywqn","ekenlxi","idwhpph","rqjpxbi","vfdpobr","tbciuzq","jdpfouv","jwicipg","krlecoo","vcqkczn","xowmnmn","tfosdbt","jdhbpzs","gpillac","desjklh","ivmaitt","xbijrqz","mbhywvd","azyfcqd","zxtvyzy","wqgiwjx","qzgjlmi","qdonubl","ymktlvn","ozvafsy","seqoelo","pruchuh","rqzaqdb","jjmfshk","skmpdey","lndpmuo","amxzsch","dreewij","gwyevid","nubkkew","mtasrnw","hsiruau","xbtlwzo","dqzazsu","ijksedo","umapzxt","sawvxef","fjzglqa","mboqfir","kxopfgp","iqnouiy","jniofof","bwiowia","azcgdie","ryjrvvn","dxyvmym","whzfkgj","uypqnkm","yueorgb","itoyyhj","tzpikwq","qwhbyau","ryjljsl","pxxeymu","jvxdwkc","colyhop","tjdzsbu","wohxgnt","ogejrvn","wqojhht","vyhcyrm","ajdttsj","vkcjtqb","jwtzyju","choxasn","lsgsczs","nqqmrse","clqpbqx","eganmpm","hzqvecx","bhtdyrx","odhthmp","bwmqddd","bntutvt","qhbsdnb","tuappdd","zzobwzp","srodups","ovgddla","lfvvbio","qtghtli","xwkfzdw","ixtwqey","akvnzjs","giclkjl","nplaoiw","fmgjjxr","maydrju","kpdklee","hgciaho","yebgckw","tmridkk","gzdsgfa","jkilkso","fhirmqt","xgpriqr","ccffbhm","fzzbhqd","nypyahs","pcxdpls","pfrjbmv","oymhecg","rstciko","coludvk","ksjikye","ykdvuav","ylwjgkw","ditfuyd","kxsmglo","gqmkacy","dxnbhhi","kiuwmja","lzdubqv","uahcjxg","kmanmpq","rsbfzih","rzkcvki","mysxmnh","ksjbsas","jiaubcv","tpzlqso","pdpwkka","pmgqkve","mklxioc","rlndtjn","ktraowk","vrftsit","nepkfpx","nkrefrj","ymaomft","nagwkkv","verxnpo","xdrtoxl","rzamaah","zhsjssb","mvmxktl","kqkspxd","uaupctr","gzmqjrz","boqwncy","ufnsteh","psehcsm","wwcuiak","zpigpuy","njjoceu","densgxo","cbqomgw","ynztprn","bbxswyt","swruasa","wrybrwg","fmvefgr","coqtkwm","pamopst","uvclpia","zswzooc","fckrbin","xolrkrn","gaurweo","nxrjvlj","ijomeyt","xxkxkky","oqttzki","xwnsruh","dvojeli","lcdgyzz","plpevqo","rwrbljs","zzvrzmi","xtppdla","bnwevdp","oxjthft","orxkazo","dvkukix","setbmsj","ejsmpfm","oexkpek","ldyppej","yxrozij","xcaoclh","tvlzhkw","txakdys","xsvielb","uqhzmzv","ofnjiut","wrxbtun","lhxphfz","wmlxghp","riyidbe","froujiv","plbpfqb","nycrttq","skyuzpa","clmtvtt","imxmhsf","mabrkcy","zczyhsf","tgwscef","xgyityx","dozxoot","kdbaaqr","qwppzio","hoticmf","szpffgb","vvotqdu","igsrcrp","unzdojv","cfxmxhp","hsgbmdl","jtvybws","mvckbia","txcqvra","ifbpith","nkriwtb","etzzzix","hmqxqov","waozewo","jrvbrko","ttndwib","sbuipiu","kqshqaz","wcgujog","crevzrl","czqummf","agfcwfp","ntbxjbf","dwuiybu","ajiezgd","fdajfpn","ijowpuu","putcnyg","gamtkik","ngerlgq","zxoenpc","khrgrix","ewypqxu","rjtolhy","lfcnimc","chwsymj","tijlbof","erpefan","yilhorv","zcfvmpf","haocxrh","obrqbiw","qhoxfnm","xkhwphu","pvwfzpp","mkxjcps","gakssmo","drnzkgn","nzfzovx","hyvbxay","wussrcu","tnpkvls","tkrklru","xtlibpy","xoqrjsv","xqkvthd","vycwbmz","vnhvlnr","buayasi","zukpfoz","rcieyhe","xgskciq","nfxibaw","zcemphe","uvlhcbr","faqnfdj","mkutmis","hbyfwdi","wjrmmmn","vffejgx","yaslfpm","zyqanov","mysacqk","mkcebmc","vymyqov","qodmnen","zejhote","ntvhgfy","tpebkyp","bhxfekq","wxivsjg","jdjouvf","dgapkdw","liqmsur","hmuumue","fyzveqs","iktqckc","cvyvcve","djzmaiy","tsswcio","cvxxxgt","rhqwbfx","kvhrouw","ehjzvcz","scjkfls","tbimgwf","morhjeb","nqoqjza","fuydnvk","rjbelmy","igkzkfh","ydqqtil","guzwprq","zgdsxxl","vcpcmbw","vzxwlpd","qygzadc","minyddu","unwoncm","iloukzk","lfcxffn","bnjrtfj","dndqckm","otpmykq","zpxjtiw","rqddhyt","ohpaodb","qdmtzih","texmoje","uaaignp","jiteqdd","lopeuzr","hgciycw","vvscsob","fpnhhwj","adhekai","pyuuwnx","ghwaftj","izxyora","amcsnwn","lnfkfal","uocsaal","rnapych","llhixss","lwlpbwt","tnzoufi","zfkfiba","cnbamld","xvkvmiz","jnensbp","xhgwhiz","xmdvugp","ekyaadx","oyurghn","hwihrlg","hpsljtx","mlvltps","gcecjrz","zoolkcp","akecbjw","rqzngli","fdrypna","xvkjtzx","fkdgxcl","nnriops","sihkaek","xqjayjk","vjlglga","iskugxo","cstktuz","wacqtxo","wjzafsv","rikkogh","byrqigl","xbvsaox","gmlawuh","mrhpbgs","hdvkygs","zfkfwmo","czscgsk","kogbjca","ybpntyp","ledhpvh","qpdxsno","tsefpyt","chpfnog","tuxsptu","bkioatz","cpeurcx","xmbpbhq","szmjvlj","xtszntr","ovcatpi","xlbnoao","ukfjzez","cxrcnwf","jcrlmio","dbozenr","fkesrxj","qjfjrml","bbgecde","rpaqagk","doefhbg","divgheu","cuhbnjv","qiwozkr","srklztv","ymprprs","pltclgd","gfcyexx","mydcpju","olqyaii","pvpgwnz","sdbimnq","txboifm","qolwuzb","ruafewt","jyceujd","putrpnd","lipkfeo","ihinnyv","fceywxl","mybvpxj","fzfpovv","sujgkpp","hvrwcoh","jfyfqqf","gumyiyc","unafglo","bfshlfk","jdaehnd","dvatcqr","dmykgmp","ajjutny","cofrkge","fwpmqqi","qrdojar","tibridr","jwsomup","vbogxfv","bwtthhz","dazzebp","wdfwsxs","rtaylcj","amtontj","fauttby","shrlhqt","ipazfxn","jnjtdmf","pmujvcy","lyfpdde","wocwiuf","rexpodn","lfmnlda","ujojsid","sqdragl","nzwemdh","fdvijti","prjaksx","xxpnplg","fbgljxs","iquthpn","yhxqecw","lyknlri","fzbgevd","pyjsibs","mvltejy","ggteksw","gylrvpk","mxhulho","pxhrhgd","dcpgrlv","tlxnbnb","zkmiadn","ohpikdy","milwpal","xrrqyzm","oauxnfg","kokzfty","qivdpzc","nvkmruc","yiaiygr","bqgejys","qmiicak","whgrtep","twlqvdn","aoeynsp","xsmzjfm","gygmasz","degadeh","hlqvdcv","hulcjoa","oeepljw","qnthfhe","ypolhkn","cjxhvxw","qgrevww","abxojdr","aaddytb","awurbyn","vfyznht","hwnufvz","yolwkuv","lvttdgp","lkvjawe","ehclusc","xkvuuaa","vhbmyal","ukgtdqh","ezspngp","fxfwajq","vawdhsj","uukeiso","uswfkiu","dvehplf","hpvoilh","qitrrvb","bikjbmw","bazzzea","njjiyxj","nhmhhmr","ozvkckp","ggvrmue","ylwbgxo","qcchppy","nzxkwle","gslnlow","npirrve","bnjzcuy","zrtrjrv","mbjkbke","hcvbmgf","aqzcsqo","njxcsuh","lmyozxq","vlfdnnk","pncvsgp","bxplgoe","zkrjwjl","duupgpu","jnwsjzb","xgkyjbc","xijvrpp","bcszlgp","tjkpwnr","dlswtqe","kcgxqqo","lmkwopt","ztirskl","jskiiym","zpgiqsu","updfmaj","iqlhbeg","uualvum","lrrsxso","ctjvpoy","ujryksi","dhcgbde","bjyosup","vabxzfo","jewikec","fpjekjo","gicffgd","mxoqeky","zlzuwku","rljxdel","fmbmnsu","wvigwcg","vhhnfyc","vtzqtbx","fsyhdve","lrwlxfh","anvqnvp","nrzrsga","xtsrpky","vqqqrjr","docibfz","zbdwzuj","cdmchxr","wuqdwmp","nhnuinx","wtoqrfs","ekzqrsw","bjzivwf","wjufgcn","xjvszhn","uaymxmg","cgabgzb","shjpkqn","uxepayj","cvfzecr","jgvwoiu","sbnsugm","xknbhvs","pobdczn","oguditc","coewiyh","nyvaknh","cevnghx","ajitxex","iwtcvwu","dywgkoq","cjxkinn","hcixtdd","abezted","dmhjgad","ywnvusp","owfdiwb","lhwyqgt","nsnihjq","nbojdru","milclrv","asccftq","ihcjnmy","pwfjrkt","rksbxza","zvknsll","rtwgyrf","gwxrqbd","uirdkzq","dfrmmdm","zqqadiq","jyktgnp","eqvtsrp","ntpssgy","agxqorg","vehxypl","aqmqegd","lgarwpo","rtziegh","jgnlhmz","icumsbm","kjxwdsx","surbyzq","kuasjav","rwtywaa","ornkyfl","ymdqnys","jvnwqsx","axukqkd","qwtitzl","nkbocxc","htslifm","jsxycto","aygeuit","tolilqk","klusows","thsjzas","lanfgce","ctphuph","llokbbg","liajoao","bnqehcb","sgytumj","wotzatp","xnelysr","vohqmeb","ayemefz","pgnwyjc","mqdahjs","glsitfo","qcchjdf","vasypew","ornyjbj","wvhdvee","ghaspsl","gtlnnpc","rreqxub","vssmyix","vsfjcvy","iizegpn","jsqlvso","xlgicoj","yhkbtou","xnaxzic","bzihfkx","mwghbqy","qgiagys","nuxfjwq","ghdboqw","bpdmzyt","lokhssg","layzjuo","dwkatxq","jybferw","ruwvzwo","jumecrg","cdkofsx","jmbiwhl","kiwdvtl","flfbowo","sdsgyyi","tdziqco","cnodmpr","gvjgxyt","wmdlmqo","ltvvgcv","pphyzop","cvlgtav","logfbil","kqnuayq","xxbipfy","hoiabln","ednelan","qzboarn","fcbjjlz","kktacpl","uftdqcf","bdghcbd","wbsxwru","erbzodj","fbgguou","zhnmbth","dbqwgyz","clomhnu","egjywuz","puphcsk","gxaqkha","dyswpyf","jblxenm","vewhzsg","bvtevlc","ilflzpq","hvwsbjm","rrbcaaf","wxgrump","mxzysvv","idblwhz","nfteicu","jeuwqzx","uhdfljp","hfvnjix","hccvkqa","npngavx","qjwwwxa","ccyfijw","hpbspjf","yrokkpf","qdehpif","ztifeit","kciduky","ysajwou","ysaxzdq","klbcswg","brvryvd","obtjexw","hthclgn","arfckgw","mcruzlt","ezmsmzs","owctxtx","rkjwgab","tqaaiae","veeypyv","hmbnybv","kbuaivb","kmximzc","vdwuhje","dwgtaip","qppjqui","fvyjnam","hzlnhbi","tzcyebo","ftykref","qycmisn","gceahed","itzpzma","kdqsoli","urpvjvk","isvaczg","nsmxdpk","mnlhqni","dtjdjvp","osgbnjc","rtviwlc","avihlxd","bzxctfe","tnuwzix","pfsrqst","qlszsua","ptydadp","eapftvq","rxkknmg","rzebvdu","icoasjg","dhrmpic","snzmewh","tzvclxl","nutqgjl","fmpedwx","wuptuxo","nyyxiod","zxqtglq","vxbipnc","vototci","qibqlxc","vfsiwkm","ugbcbck","mwinpkm","jyuviui","lmsfbro","lpkmklk","bnaoybl","iyxxejk","kdjpiyd","wqhkmof","xknjzki","iuwrlje","sqqvpln","hfyxyra","pmsnujg","ynvkjdh","bievcvn","ngmxgfv","dalbmcy","nbjajpo","umymrqz","wrtckoj","qmviecl","pkaeqav","xdblqom","rhtucxg","nwotxfw","rqjbpvd","dyupyht","cpauixl","imvsgfe","ynjkipf","qnwznow","rqrmmwf","uckcvzc","rgmajlu","odslnlg","ibozbig","xggrerc","murcenp","ltjcwoo","tmpskjx","jlobozl","uvbvoie","iamdhlx","kiknqpa","mwevjlt","czazxvi","nzoiowh","xlziuih","fsmhjcr","nneespx","ysyxuqo","ymyitai","sbdzwcm","tayufdl","jvjbbvp","rxvybxq","kxbkmkl","okgrwtu","lefztyf","ugxokgp","jpmghnv","wxynuzb","vclkbdo","gvjzvou","yxlmtqt","cbojnek","rhcooli","qhkwohw","liqiaqg","mphhvvk","chbcvds","lbakjcd","tuzmsyx","xglwndw","gsixkpo","tldogtf","viksemr","rwqosuj","lgrjpgq","howqodl","kvkzezf","jsmvcva","xfdlbtf","yfqspkw","wnqeqkt","levrxzj","skhpzyf","arwscuw","lkfrebo","rqnelgd","tjosakb","rorhywa","wkhtqxk","geuomgn","krgnsil","qtzkfxj","hidzzdd","vhzjliv","zveriyp","ivxkmgp","mfrkxem","egqgmka","whrodvi","nesyecp","asivyuw","dbxbcwm","gyadehs","skcxzlw","qofngtl","inzoteo","bicriic","oxjximp","plfghdj","zhamgba","okjrzyb","wwygzka","bkhcwct","zzohlpr","vlwpdew","tobllhd","rekbuun","qgwdvtp","dwwrfyx","mnbgcfr","pqgcggo","igpqpya","zexdmzz","gthaqiw","pvgbtfh","nogsmez","rhkohil","qenzasu","lcdgzvy","zgodasx","ttyhwlo","mhpapez","vmovqpw","dxzuvhv","tuucjhi","zbafasa","epjvacu","xfqsska","utsfero","rdfhhrc","eynunry","zxjcmpw","cwutibk","qxbsqkq","ijloigy","ufgqygv","ybqkmkk","uvzvoox","kthyfit","hztxncb","vfigody","gtfmspp","vhpdnos","dhvctro","ffedest","kngysue","yhkfovj","pnbfhuk","ajmxzbt","jckygny","tjhvkyb","jlrxlks","vtcmvkt","oitwwfs","uqqeegz","mrpwrld","yoyyymk","ciltjkl","ygkelir","ssyyfnn","kcqplwt","yvbjjmb","wzbuazk","dcnycec","fipttkp","acgnomw","eelyvww","bkmwhhh","cdpqgub","ijmoqsx","kbzzmuc","usehapo","ezjdmar","vxccaal","epwcouk","nrkunmo","tqtwetr","pzeujly","qsagoxt","hkzzuln","spxhcyt","thjgeii","qdtzrxs","upirecr","wdqqpzj","oiqqfte","vpwawqc",
"cwlhgzv","bzzohpo","kojjdbi","xjusorb","bpljcyr","jkaavzk","ycjntkk","txplloz","rqqpcrg","hzmfnbm","womedbw","icmzljj","zitvmzs","zeojjbn","hforwao","tcoifqn","dyzukot","facwwou","dcgrpiq","rxwvoel","qraepax","vrpcjap","wcoariw","acoxdci","yfrvnvb","bezaapd","qyacpfn","dtuwpxm","zlwhqzw","mslsvbc","uaefhqq","ymnmyqh","cvwrqpd","boscfwf","tphlqce","cihiwrl","pbodagt","mcchwln","ximwumd","qjsggak","hsngkvo","bmfupkd","stsqkhk","zupdgyw","hlrthnn","krenake","uexabzm","hnmwhme","ltxpkpb","vhdeues","godcroi","hxkmqie","pbaahxt","yxjffyu","jjhplke","hkhqtsj","njkiuhw","sujtwwy","zlgftqx","sfjagnw","rpvszfb","hxlgbes","yzkfdio","jsnnijj","chlawzk","tdkpslt","oohmtcd","cmludil","nrxwlcw","nawuqpo","ygqpdpg","fjqplip","wwsqzwj","knauaqe","vbanjem","aweompl","zgofdtl","eomynpx","yreahly","oubtbjz","vskvhyr","yhmnemk","kftrmka","jgwycgk","viyxlih","auynngk","atqomrs","uieievp","uyuffpc","thssxsa","nrgpiwp","oxrpzyi","mefgvdv","srhvfam","kedjejn","kgrahzq","bbicfvu","kvzgwyu","yttvgps","ldoegyd","fcgfodi","xorrxkg","ilgkmrb","uaxcske","vjdrdxh","zdjtmea","afvcmca","upgrzsf","wlgmyoa","tfqujab","yhazhzg","oqekhtk","tuxnynd","imhghrg","dmactst","xuyqkgr","idmilyt","reqshub","xkntmbs","ywoyiyd","rwvdazu","ccyeymw","sfkykox","wtmrhwz","xraqzio","cnzwskd","qlymeur","gxkvkja","yjqjodk","jpnbslf","kywzefe","chfbilu","pctecyd","nplquwg","gqktcgd","bhbxpjc","tccnhun","jweptbe","csfetll","scrvjor","captmwe","qhakyza","vmrrxgb","temlebv","suqzbww","grxztbw","alnnruv","alcmfkq","ikptpij","kebdhdf","wnmsfaw","zgmrhxz","moyxece","dsuqtps","sufdpoi","fizzumm","bfwlzbo","vzupybs","xcdqmqd","ldyojwp","swosmuu","aynaeln","nxmwzzj","etyjshc","vyeniee","tjtjypw","owvugeg","lmgqqdy","bqculvh","hnkziwq","thnehqi","ryoesjm","jcuidtr","avkuuaj","nldzrhg","pxquskm","lffzjkn","essvpfu","vlmxbxz","cgxeqdi","rypgywc","sezpdcq","mkvmvyf","tbwyzll","ductwem","rtwwplk","kreyveu","rbacdpu","bhyrnxt","qjgrzoh","trqmvrm","apharam","jvmlppu","lawobzx","atvervy","hftpyjm","vxtvkec","huemuve","yjhjqws","pmtctzw","guxgrfe","dqwbxvw","spplrlb","brlowsg","zbnuvvu","wcdarfs","jwmkqou","yromewy","xygjfil","ohmwrrp","ucxtnyo","uhkjguy","gvcsfes","wxxkgtd","brkzael","dijtpzo","pfigpbq","afglcjb","tjnhisd","smoshzc","edtdssu","ugevkba","pvjqpkg","hybiarb","mjgwesj","kfbnfwg","pvgiplt","pzaserj","mqixfsk","anjxfwj","hiscoum","lcdzpzu","dxndmol","gqjuggg","itggruc","ljbirrp","zcuxrov","mlqzirv","aopdjar","tugtgyk","sfflcum","gjxrzxm","welkqoy","emvnsih","jrsybkt","wudjgdk","obzimpc","efsurdv","tbomrtz","cywbjdc","euwwelq","ophaasy","huzuuup","oaikcok","kuaauvh","teoallg","ifqeeyy","hzthcau","wfmyivm","hcnvskr","zsngbdc","tftuyjp","pnofqtg","ilaatgm","exjwdjt","bvpbvot","gbsjsai","afjgddn","fqrxcty","qalakii","obyjjvj","vhxnjgw","ydfetdx","dbsgoqk","twzsdow","pnhlxzf","pfedfkv","ddfjsvb","dspyifi","mtkviay","xldveqe","ppesffx","syhmzvi","wffwduy","awdemss","klefdrc","ostxkvd","fqiiava","cvnvrmq","vhwmapq","zxvrose","xorblft","xhllxeh","feyutat","elhxfhc","wlmruvl","yefbnkm","qvzsihd","zdklsqf","ctjfxim","gybkqwv","gszsxat","vluiecf","hnijnrx","tjpmkyz","lxydvtj","onkrerz","ekxzvgg","xlajaak","rtdzvcv","nqgwbjl","zpefnbk","qwqxzfj","nboaixi","rlwhfwa","ukfrpiw","ldchcfg","tpjrdst","algawio","avugndu","dfmoxgs","goiybsm","lgtkima","awftfpb","iuobkxy","lllvgpl","xiwzsba","yrjcupo","eibvhyv","xveloxe","vrdvnzm","hlxkpbr","uebtjyv","xautxiq","sqmzkbu","qdjsstu","kevbypj","sjpbvcv","dfotkok","wpoheas","plmpvdz","eenaqoi","xjqmosu","zgkrveg","utimuym","wyvmxtt","tkevpzr","ftorzvd","lfrlsxb","ginmose","ymaudmg","ozujfrd","xhmssxd","qhcsszt","mzyrqxh","ivvlloe","qqwvsba","veeinap","biiwivh","dwgbecx","mtjxgrq","wwngikj","wjgixhp","wtaozxk","uaruffl","vftbkce","xgsizlq","fuauonm","eaacwrq","avptpmu","qzenepe","kqguonw","ilgczaa","joncxut","eysmxnx","ayxzfec","kvugyht","xcmjsvq","vkfnekf","truvgfi","fgotffv","untihwb","tkmxzdz","bnqsbhv","fymvyga","riafaob","ucuzaek","xfkehan","thzlwgd","wkkgcxo","azqqril","lgbbvig","roofzzp","jrsnvda","nblcmzf","xedkuzy","zjhktii","uxzldpu","jmdasut","jzothom","eqyrpta","grllplq","zlpzqag","jcekcip","gjuefzt","thgnhzo","jlzdjdc","dvdlidv","nqvpabc","mrjdwwk","xkxskdh","ewqfxil","vqcucwn","eafbfll","jeicizz","ocgikyn","rrucjpf","okqrhdh","kxtakij","ehbrkdr","zczmrgc","rzxjxgr","hmyguey","ygbwojs","drtbkvs","cjjtgjv","bhwhejo","sllimng","zomsexz","jafffrz","kiqjjzg","fqsgtnb","bsdhwey","fsfjchf","ropkwid","stwlzpv","vipvxtq","pnndpxy","buecnrg","wrazfbo","zdjnomg","qdnogcm","onkffbj","ihafkfp","zzkimdu","vzqvpds","nesrern","pqtkiou","isxtems","cvsddte","grkzinf","wcydpfc","ayumaje","rwkztty","ddtfilo","bqkkpgd","fhwzyce","bmidskr","iseowqx","dwuyjon","rkavltf","epfjjwl","lglljcu","fjycmlt","nttmmwa","xzxbqzl","gqcgqvl","cveswmk","gzolabc","bezvdxf","rnukghm","taryzpo","gsimqbn","indoqeq","dckhwrt","lwzmdrm","yvhrvym","neqbpmj","vllebzr","aiuhuzn","tnhpozl","lqjdkjy","ceobljq","uingtil","bzyrqbx","jlozwji","edromvd","kcwtfcp","yqvjgmk","xyimxce","fapbylp","jnvbdun","ondlonx","wqlfspf","jirkevt","paksiej","dgskfqe","ysoammx","kbrrhhl","slygwit","ajaiuwp","gqzckio","xfirhzf","vjcihjl","eynmbyy","juugcbh","qygbfhx","edjruwx","eyghlak","xvcfobu","wyokguc","ybzjcuq","odheknt","styivft","pbizzkv","qndpesq","bvegtxw","twjatqx","joebytl","uiikppe","eeupozi","rtkmyjb","nvpdzia","xaysfzl","hhnqzrp","gcedfuj","ijjuymv","dfhlrni","oezpfhw","yjudrwi","nejwccm","xadzxil","oqdpqtb","cnuyhmn","ydvoevc","wwxjwki","ebaqncc","yucprax","ibuhlyo","ezmuekf","nhtjduz","sarxexi","qjdiyls","hgncysk","iruflif","kbeytuq","jmkgqtq","elullbd","ngqxclp","gkxivnq","nkoubsj","uqvcvle","nqdfeyb","wfsbwhg","evsddio","eiorrxn","nialjxa","viecdqr","qknmfii","xmsnijj","yxjdmkn","pkzcbod","olxuwme","atjuhvm","lzgbwxb","fnbwlhn","fovbhkz","keuoxoj","kcwpebc","vzucxqb","ntuushz","woiuhxs","ofmrcvp","qojlgzk","poimadl","qukvfiw","ittoxwi","rctjbey","urhwqis","tkwjjtx","ahctztn","uqyjino","kevktem","joxkmpc","hkqoirz","mnkdaky","ioybutl","smtychc","ausldrs","ohecsgw","loupsqf","ypyfhjc","odjuonh","dmffqsb","xwdxvqy","xnmdcus","eurorwb","hiipxsp","vhptbdu","ivuwujp","sqkhufa","uyefsfc","xahggdi","agijvfv","gxsipnm","uqvlpue","qcmbunb","hnpoquj","jazwfux","rknkcvy","sehndke","dyrczha","hbxtjge","zvnygww","tjipmqs","vctwkwh","jxaxjgr","hsuhhaq","pvkgklw","wwrqzdu","navrhhc","gtircuk","zqahyqi","eqhjhfr","ubeqghd","ounjaxu","rucuzte","mcptcww","gdsnpza","rsebioi","vdeyggs","llttgrb","uplxing","mknmguk","dyvplbz","setxsru","iamjkpr","jclnyjy","oismzsd","fiptazm","kwfwplt","emvaihq","iizzhfo","bygvnlx","ysgzngp","gwrwmme","npfzyce","yeasmox","uuqhoob","smfogfy","zgditfe","jjwjkjv","cisdqpd","mvmtxib","iafwvgh","voefhuo","haiczwv","jbxgjyw","rjywjyc","ajwmeyn","nmpfcav","ytazdjm","ljfmhds","tdvatux","jxemzaa","awzvdkr","zvhmeke","pibhajr","gtpheis","bssyhil","swjpozx","jjeiayj","ispeqaj","oggtumo","fqqfjxy","hckpvhs","yxphqwg","sfnbqgu","tszmsbp","zqupmvw","xkuqbkh","zxmmxax","skrsith","doukczd","whvloxo","avkvltc","jnxbrhw","fyoeret","xjqtonw","lpipkir","quyzyns","pljgaqx","jdchcmx","adwhxpn","vseuyws","msvxptr","qyeinzx","yudqcul","ohmvkwl","uxujvga","yrleyik","wzbsvln","mcilgiw","pmrtoqz","vulhxie","cwxnozi","dwbdouq","zaqxtvi","ehxdnjv","axkizac","giocbqf","kwaqxpq","hhpcmfg","flabeui","jclkeje","jhanlui","cmdqfju","tbpnltb","hzhyfaw","nqupmqn","pojwpqx","gdxlblv","qnggtch","beytgrr","voqhyce","lqmrdzh","oxotfau","pmlknfj","bgbnazd","awzxpgp","qdgcgqp","ejinoxe","wieumnk","hfxscvv","spppaxt","woghxpo","wisqtcv","vpksdxc","owncpal","yzikbss","qhmqzii","fwpgthr","ypgckii","xwfsqcw","kmnxait","lcmspok","svyxodp","ymzvswj","ckgyyem","fdkffzk","bejsayc","kupzeit","gfyhjky","salxyoz","arxdnta","tzbmdmi","vlqmtce","tmvffia","dymryuc","fhztaaw","yksvpcx","tivcgel","kddpgnn","dehjflp","biitfov","kbikabm","svuizly","ykkaddj","eoqkhva","vbbxybh","smarbqb","jeyqsqu","sqmlvuw","osijvth","ckzoszw","kfttpxm","bbmdtge","waorfuq","ixkbzfv","pjqvroc","rfqqupi","ylkvfel","owcmvdm","izynxkh","fprvtpu","xuqurqv","veibxos","shlsple","euwevxp","iibmaua","hhzwuoc","tmtzmoj","xawuwqc","moyvwov","ppkmhbk","rdldtun","dpzmqpw","uvjtqog","puhbnhq","cvrincy","eertflv","pbdobuz","airbsti","yaihnyn","gcygrjo","zyegwkv","ovlkyjn","upededf","rydomuj","ivirrnq","puffkhy","ytzwhxe","mesoxtc","rrvvrkx","csxiuow","lbzbzef","hqmrvrx","ahiihiq","zqxahuf","ckmhqbz","bwrfqht","hntmjfe","jkqsuap","tvqwhrq","vvudmws","fnpkwue","lvtrcdg","uzfqgow","qmfwdzh","younnhw","cuplmyz","zwqdxva","exfvchi","dcbaonq","mnvheef","hcvfusj","bhstiht","mpydenv","zkggxyt","ftogpnz","daqzort","ddagetq","bdovvpz","bnwrzms","almzzig","hfbgzdb","traigka","ruciqwb","shyyqqq","ffolprn","zdeqgww","rrziumh","rimlrhx","wyxaage","zdztvbt","kazufdx","ssojfnr","kioqlib","nijaosq","ghxoqpn","yoandqv","tjitlyc","eqwravm","tfiqech","qieaetz","imkcczt","tfvbikx","oxsekro","sinuhom","okyewra","blhlcgn","rdnbbft","utjvqzf","pagarhr","nsgnpdr","hhwygtd","jlzqerj","jclydvz","mnknkbq","tobsaby","qcavbjt","afdpsix","muildcf","vqpctkr","fomvvfd","ulgektx","xukpunb","yukvjkj","ihklrko","idaqdab","ktnnqti","vatyykl","ofsdsdb","etafxfp","sxgnjak","xkdspmz","enucwys","fpceklh","iusalkb","digzkim","dmgqgxb","mqquopj","ecnwnds","rtbpfrr","mlfkyqo","dnnpsml","euafdxt","cjtpszj","yzcxarb","ohsfazc","bhjudfq","rjjjvxy","uweoqgy","hqsbkeo","ustpefv","qeojpvt","sexpjpi","vmsknor","riebeto","ilgnmpm","zljltmu","fnlbdze","tfiaglz","lpxzunw","bqpmfat","paxjuvu","glgvduw","habvbbd","udityjd","hfropxy","udaeora","nkreicb","jssydgs","sthshlz","kqvtmvj","yhyugup","ktuyrtm","fvcwpap","jabygri","fpknuqr","wmkxtbf","mkohywr","bmdzazz","shlzikh","pcytmhu","pvdaset","ywksrkd","surlwhy","ramrglm","eqctuez","nfzmgok","mxiccul","dcferhs","fdjizef","doebygt","wkzumkm","tbhrssh","onstiik","uyrqbgr","jveftwj","klnubaw","ydxektc","wfqzuwp","cfotldh","ihrtazy","epptkns","cuggwod","iogpkbp","vvyozxn","xmpqnqc","qbafyke","ihmhltr","nwrzxjv","ehywikx","pyvpoia","abcntxr","bhkhtwp","xwojyqz","smrmztk","twkssdg","icovxgg","ouwbltr","awymmhc","snxmkqc","wjvanbl","mcwjklm","amtxgxc","tfwnsja","wtkcugs","agtobgp","qygxkuk","kndlcha","uavagrx","qlknlhi","cetqapm","mteqiok","ofsswub","xbahlju","wnrqbdr",
"yipdpwn","htkgvpb","bsxtybl","umdjqvx","ghwrqym","abvtdln","heiudgn","nohjguu","wqxotwl","uqbrhrt","ectlvub","kplfhnd","aboaiyf","vfphvry","iwicijs","dytafya","allukfu","rnlecst","hbjgyue","almlddp","zgygnpo","yunyrmr","pfhndku","fvmookv","vdaisqz","knikgyx","pvnowvq","dfbejlh","tailgbz","hznequb","rrowzbw","xofkgeb","pljhtcp","drcrlcv","wfgtgmg","zknmqem","udpiijt","swgfjzd","aiwztfq","swkpotx","vlhaaiu","fyugndy","hxjtzag","fjrinyb","dujxvml","uzkbmuu","vcbfzch","diztnxi","yntcuxv","cayqhsd","ywfrwon","kjvijks","whkcroa","qltvmkq","jgwamlc","xetvbcg","lsroeun","laudoaz","jumwwjq","ehoozoq","gvjiwka","oxlscwf","nfbqkzt","vaptaml","qrocbcz","qcklbmh","xylsdvj","sdlcwaa","xiulcqk","txrifjl","vazdtqm","djieidk","clxpfec","onkxnjz","cfjywoi","rkcvpmg","fmyhdfj","samojdr","awgtgnt","tpwahff","szfyyfm","azmqmpc","smkgjhp","yehtusl","aqwuvhs","lnrokbn","wotszse","tnnmdxp","xooqsky","xrekkgj","hhugatz","iqmqxwx","sqplrqb","piakyjm","ancgzjm","crtlrpi","xzwkdlu","lcsubwm","tnhcxrf","fspvqii","eafytwu","njhfnii","ntcjcxz","eahzdzs","qumtuwd","xtfzbdn","hjhdfqq","xoyyqzk","hvlfhli","dpjxowz","fsayjzj","blehrbh","jwalbbg","nxdiymq","vpcxmda","tdjbsfo","hstrctw","qxpufjw","lzotkqu","aemsibr","ajklpni","czwafpp","eeoibgg","jwvvogv","smcqhre","kphfawq","lgadbdj","kmdvdwc","fdprgox","uwebotr","cgvokpy","vgpfmyt","skegxxt","pnyeuuq","qnezrps","ebuxuqv","hzqqagn","rqgjtme","cmivntg","uqnbwzp","krwtazs","vmpoepu","pmerbdj","dqvxugq","cadtuxw","qcdwoap","dcrvxcu","gqyaswv","yxjyekd","bvnlmsg","ipybpam","vfztmvy","jzljhxq","mvzhixl","ncymnln","enyetoi","esahzos","umxmaba","xbnhtps","rwkryjq","zmcqlgn","vctnaad","pfgdsbg","rxxibnk","tbgdfjs","krjuqmq","atobmrw","ludkhpz","jtgstva","fysxlio","wfxryyt","lmqlpjo","vpnhfrw","dvxxzal","jfuxtsv","tlkdgpc","suivwsb","dlbzvex","pzwphii","lejghii","chzlnpv","gfktbzi","nxzdlat","trvekle","gdjkbih","teyqwkc","ikrzzcy","fqwzvlc","eykdzml","fwznyhl","zhkbyjs","nbshrme","brvcwez","irvbgkj","ulfeejg","qbqkvfg","fwyxeuo","jdqaezv","ahpcogp","xvibrgb","maugtpb","mpamzfn","maigqvo","uqhlwyi","hekxisv","adlfngc","orsooji","pdhtomp","olqvxkt","yxjuaij","gnnltlu","jvgogqc","zxyvtwg","xefhuoq","husnvrf","vqywdyt","xmltjwr","aefphbb","fuohimr","shopxgo","piyewga","yzhmxqt","hectwiu","ltrwncp","peqwamd","njcpozr","gdrobdl","lwviksv","brpkrsl","djbdoxv","dcabdkk","lykhvyw","ozxtaqu","lrdrlxp","hbbcumc","rcrzkbt","jskecwj","pyhclrj","uxttheq","kdyavja","zwyoksu","txcxwyq","qsvvleu","racxtgl","tliusyv","nwvrmcw","bxfeanz","rirbkyv","fxdzwkf","epkcwhf","dapceti","szyjhkq","wdnpdfs","raukofb","etnuczx","izednxi","xlysfvz","eyfjcnm","njwpuoe","lvqsyom","faznqcl","isupizt","mgqdvgy","vxmmcpe","pfhoykv","xaxamyj","qvpgquk","geuryim","koyvath","sqlrxxi","tfjtavj","ulenvha","kbtsypq","lprqllg","xkniruk","hiqgwzf","ozaguej","cgnldab","tqmkuaf","vbdisij","fepkgkl","dxcufjg","mozabee","sitgugz","rhzqblk","mkwexbl","vgmacpa","bugespm","ixbzyjm","vokikur","xgiaqsg","ypjsplw","hqhdspj","tymiaeu","wsgqpbv","xhuklnt","gqepmva","lyeqzep","lrkgdsk","ijbdrqh","axjadgi","ayozkeg","sjkdpzg","dqhwabj","fbcsgws","nwohjjn","ewusyvl","ahefwnf","kltplgb","ulmorhl","knehzil","ygizyzi","fumcdzi","bhvnjcm","cknkbeb","vnaicga","sxzuydn","cmaypbw","lhyvsei","vykfddy","gdehqpi","xusjdxz","vijpyxi","utssrwc","nnaaevp","votzfzs","lwhipno","fsbatrx","qiwgxvo","jxsnwhb","vybzbaa","udllrhi","sphjvtg","lkftaon","yrnrzed","ltwmfiz","mfflnps","jcliwwa","clfoqbl","ditpyst","rqsuurf","niynkgo","opkimye","hdlchvb","pqxqliv","kjzqhtc","ttvhtxo","ibveuqf","cdxfsbv","wvvixoy","euiayxb","uxixcah","kjdzdur","zbvponh","qzirlqc","qxtltqc","vwepxai","gkrlskh","nibycxm","yktikqp","hwgotbr","wjsgqpi","apcizxa","epmvuoz","nohazwv","xlbrtbh","ytfxikj","cdmexyk","icvojnb","hvyssme","vpgbowu","ntfvboi","mxixyjy","ytlndwo","bxeyuds","hqunukv","wtaqobg","bvmitnt","svoudhz","syhmuwx","fsifqud","hbmwkod","qgoeqja","tbpsehe","pmwbyer","ioedxml","unprnxm","omyduex","apzembk","kehkdqx","qhmjsmj","kgihebr","cgefqwm","trpkbaz","xydycxk","qpzugjj","qlplvae","adkhpkz","yzsyasi","hmwqhyv","ojtisio","bhhwuzl","xwefqns","fwzglmu","lwvmosi","akuyzng","jvudrhb","boodyzd","mrhbjuz","matfxqo","zkgyqgi","fnthsik","ybvfvuh","zoqjxwd","pzskxic","bqzflfe","lbyafuk","nlyskmo","ljwvkfl","fqvmzyy","mtdcxqv","ilqqmym","xkkgmuu","wcwsomx","wclijye","efsppdr","vqgtmyx","gpxsqfg","ogkoetf","ebkftaw","zdjbpuf","cncmutx","dayybkm","gtusnpj","thjheov","lnhjtar","xghzfjw","skyrjfs","etzxcjf","pqoggpp","jfevwzo","oauhnxq","jfiwhdm","zddlrvl","yugytnv","omtijfn","mytqpca","lhgztlq","dodhkvn","lfzmfys","dunbtof","bfzofvr","oknplxe","dibgsfx","psbuxcp","cfeaamc","augecul","uzrqkef","bzhulht","ymjzecq","mgnjpcl","ygxfofh","yywpyrs","ptbhzpr","qvpksvy","ystdvvm","uahmwxy","shdggxk","yrjyofc","bebyafo","ouqfvys","tcwrrom","bfrlxya","ldnozhy","nrajgxi","snnppig","ykvieiy","ocswmlw","fygzkce","tlxuxnu","tztfzde","twedzgg","xumgczt","xekldih","iiqcpjd","zyzodbg","kmotqns","mdltvxp","oultjam","rvjambn","kunochi","omrqjzu","pnnecci","guzjhts","qxofpfe","phcmlyu","uzdlqcu","kgxlamf","dknypcb","spggnbq","ruxuqrp","qumcbou","yidlxsc","egbiupm","yskhhhr","mipqivy","iakfakt","ccctjrx","lupbpfc","scukfuc","pnbezuv","lqaeqkb","disnslj","fdglbhe","vyoqwiq","bkfxxwh","lxecrvj","toatrhv","rvoagxo","ostlocl","bjspuaf","bdcqeli","vhdgssq","fxxjuwm","pnjlqld","ipgtzad","pnkosxc","lirjdvr","glwatko","nfgmsxl","yjrwoij","anoadjx","ziwelap","umeupfh","ziplncd","tqkmpmg","bccsxxp","acgphfb","enhsvxu","ezrviip","rvtwnlf","zuzeqnt","gcbefec","fuhgxia","bjmhaui","ycqrvxl","ttsahml","wkjxhpt","hypitfj","ibohdkb","obntbwx","wzysquy","ustogim","gvqiclp","iftcfas","vidmymk","crmdfxf","rkrclbk","muahbqo","bmvvqwc","clkxmys","wveaphr","udfagiw","fdsnfxj","yolckjo","suahlgh","dfkgvkj","ridamkm","clzsqcj","vgwdaje","bsazksi","vtgqscn","bvtqvlc","fiufezv","cxqkpnf","enxyxse","ivadkly","jvyuuxa","toondno","orytybl","zrqxvtk","jbbusjt","hczvrbq","aapmopb","zugcsgd","usskosn","nzebzrh","ndnomrv","gzxzxgn","nzgdelm","cpvqbvo","xdywfja","uoosxsr","ijjjamh","vjkmoiw","rjbqwoc","ecuxbew","hvdymij","ecdgvhb","ztdppam","evylqie","hzawelp","rswagnj","fzzwont","xmyftgu","ifjtbve","fwxvdnf","sreixml","wdbmmll","udjlfto","gocrlas","spduqjp","ctchzun","iqiihjs","bqoagdv","nofdztp","psvjobg","fgbpfkz","mpowidz","zpoezmb","sedekmx","kndrxjk","izazczd","gllqasy","bijqekt","rdicsab","ofhkqeo","xczzecx","xecyhzb","zlbwnxr","gngoxha","kqqkafz","gwxjvsb","gusgosw","tjqmxxg","jvxqsff","odwujds","ovwtaqw","bebfwdx","pxfhlyd","ihvkqvw","uuktkne","efnxbsk","pdzysie","prwqnll","zvmaglb","clewfbb","lekhdbv","qtjcksf","xumuyfy","lecdssl","ytcfvno","ujjmvci","cccgseo","nhzjeor","wsbipig","fvjyhof","cqhwiih","kiehfoq","galdlkd","fdpwegi","phgvqqf","dpysqbp","psiltsp","spcasxz","ycudyve","doyxnan","gweylcl","zgsdivv","kbphqft","edqizni","cciuzvb","tfpbhmu","rmbmsjv","gktjefk","wsgjtug","inijovb","pebjcbz","chqmvfy","vhzrgsh","nkcinpu","vknqsap","lkfzcqd","sctyphx","sykxwwa","xanydfm","ilelseq","ruwffmu","ywmluox","zenhvby","yenwswc","xdlgqkl","iahuoge","qkcpzni","ixrkmjz","nnxroiw","rnososu","sxoqoec","xcjzfeg","yxxbvdl","gnjecnk","iolicus","yokvoon","myjsxwo","xvbadqm","fhgwaha","rqcmyms","uonsiwn","gbndapv","stykceh","qlixlil","swkwatm","jzsorgz","vhlmlqu","bdojalr","ajbatvp","riwfnnr","sodnivu","vibulkn","lqlgqqj","busxtgy","ivntwcu","rilfpih","vifswsu","ugrvgab","tvtwsrw","rttixrt","ujaxoxm","peqzsfr","dntbndd","yanrnqo","debomua","eikzyvk","wopncky","pqbuizd","wcjfsav","mdcphxk","cikimgd","yntkaww","ftjnfvm","tnetits","vajkgjk","oeeuutt","zveqkfm","wvladay","dehmzxr","lokzkao","rclsobw","busyneu","akgyaez","ncguato","hsofsot","jqdrgei","iamwvty","zoyqljm","rfurddi","qpxhssp","rojihta","chglutn","pikjgfo","dwgrrjx","rlnzrzr","bprthxk","edmtzom","crffpht","gzecvwk","gsmxbnn","wpsjyef","sldnffc","nrvdrqk","jidbqjo","ntucfir","yylrehd","ucwdacl","oljqvdq","yzpatyr","lafxvin","ddackon","lczvbxm","kdwrjwh","ykdgiii","fgrosqf","ivlytgq","eilbuox","otdedsz","lxefyqy","hcaoecq","ynmyrql","rumlfsz","vwiapte","nhimtpp","mcjnyck","zjujwnt","sgptsfb","dqrpich","mmmzzyk","wkujfwi","okasmam","dvmdbom","dxttqlh","bkrokqu","initpnd","hduchun","zqgxzfw","qifdrhz","lwglbrg","lwgznpn","wggkick","sshlahh","hhcswtc","jroisbt","gtmqddo","vgpdbsa","yqnnols","tcypkmn","lddohlq","fzybfkk","bdgkfwz","aiebtxj","oudzjvg","xqfpgsi","ljtbakn","reealfm","ztazutd","lasslhh","jqvzilr","ikppktt","hslfbcs","aukedth","qszknvt","dplrpct","hosvlff","tmohvgp","kyhsann","jarvybs","gshdzjo","teaouew","cthqiyw","nkksytd","rinsflg","spdlzaf","hpzbabx","sepqjsu","vsrbduv","rthztpz","wzkwkxc","nyivlsm","pmydcxm","pvzttqh","zqfjwvi","amyykrm","qfyheua","acgugyd","lcargba","vvpskbi","dfkmgqk","sxxlhbg","zofqhrk","xjicrkz","xmmauir","gfysbnf","woquplh","psugamq","rexedan","rwkdemv","davpwfj","kiadgud","smkrhfy","xjjwljs","ciewzrk","kgeztxe","xldyuup","odpjslu","kgytvrf","blhblex","xaubgbk","viwyewq","ioxhipb","ruzeagp","mhzmbia","kuirsdt","vvuwrif","hexymnu","pfrkxno","glomrhe","jnhyvto","ygdjosg","rkoxslf","jprwxhd","nwyxpam","ihkzfqz","fvkzvtq","crbxhtb","fpjqwln","mmzaxzi","yburjzw","bhuxtvz","tuxfqzq","szidkxm","sflgjjy","ovrbhkl","zmookjx","izvdujw","tvkrjnv","vuizqti","pvrgpmq","bzlkoxl","ibpsbkm","vnylghc","ymjhfws","amaydjr","jjsqywe","mfmbzwb","chccszg","mjshvfq","wqwsfiy","fkzhngi","cydwlwf","lnqpcsg","gwzzrbu","bgekbsf","toedrns","jjurbzf","hbpqtiv","hgnpbyv","dnxetud","bpoqkhq","ncpadje","oirslhr","rgyexub","zzeadwx","arklvop","vtqaiub","grcgndq","mfongsj","jmldnzm","ahookgl","fpjgryc","zaqibnq","oqbaxiw","umeuxwh","emcstcz","azekbhq","odyckaj","ndkdfwo","fdyazsh","hlnkoez","ikprcae","oyqbbcy","sajfypj","sjhfink","txutxhe","shkpufn","vwoqloj","nrrwjlm","uxvzevn","oarqilo","qrehfsf","qdqupah","bwzzdzv","yalxqlp","vydsqng","bufzqyu","gztlnwk","xqqtbnd","hrmygjf","yznspmi","qbgmvsz","jqgcmqd","gskvytx","uqtouhm","kyxvvvq","yhaxdhk","jsictfs","jcuwuzp","njbhyqb","owzxosj","sfcopwi","dlsljis","aguqenl","ahqotjb","edwaakk","ftrmflq","gogxxjt","dyvjsyx","bdetkug","klhgrwr","skpvgfv","pjgkxxh","iulbwmw","pojpkhf","mynhjmo","ptqgvvs","dwsypoj","pnlndow","jeihgxk","fuuicmu","qkwrupr","uifjzac",
"qgolqru","cgyxogg","edyssjq","vypzcag","pzbodik","tcwbczm","ubxvwys","totehbi","lbvtmmo","hxoxxbk","lnrsdnr","tikyafu","lkztwjm","arngonj","awqitkx","hbkrsfv","ptnkhon","idlrujf","wxjficq","fkdmapg","xcmojzx","jfxqqqe","ukpmugm","jcvmoto","exhsbny","nlixjdl","fwbtfpc","kjkfqoj","zcfixeb","ckxyxfu","efrzunb","zqyrkjx","svpjnwv","frjydja","mhszeei","ouezyvs","tciqmxb","sfzceem","glwnogl","kacvkxg","yincdbb","jzhbvqa","yvjeflr","djuugdi","xxqafrk","pjuloxg","dupitdu","jpwtyjr","rievuex","jdibanq","lojafur","htkhmpy","qeaigke","ennuqtq","zcjasga","tjovnae","aiywtjm","mzpklzz","dzkifpg","zvjpclz","oxjsjje","luogztp","jnvukcq","gnfcqai","qwqzvre","ktnrqvg","ttpkffd","gamuyov","odxueqs","mhnfptp","yfpkdjo","mosoald","zyghafv","iushvvi","uymjxox","lvobruz","dcakyth","wpkdind","xtmhzgx","sniibbn","wrqapez","beuuzgr","hpfguyj","kraggea","awsyfwp","abtnwrb","fjgxify","undfopm","ssantlm","yrkmfye","eegyzym","tjttxal","attzfeo","jnoofjr","qzxqteu","sjicsum","zwpbtxl","hjwoxnd","xejxjsw","nirrsds","orhimnh","yyylgiw","nbxikzy","ruvdlhb","xsvzqeh","mqheckw","hfssawq","ixlbbdu","kguhifn","ahfneio","kcijxoy","hvplaiw","yjwibkd","qbecrvb","ocapzwn","lxqujuy","dxsukos","fyeugzm","soaltiy","tajdsnt","rhtbcuk","znxgxwl","igndtwf","vasluro","hmdgyyl","fauczik","cbkamqr","bloicqv","uamqfzl","uabcmzk","btimxvv","jkmihif","hmpoppg","cjquijo","lchzuev","irvwgjw","wgpcmcs","dyadgeq","wyuyvpb","aagygkf","cllmehb","qbfheie","vchpnuk","vmwzdjo","mhsehos","mwqahuh","jcdlnbb","zhghhtv","ugrupsg","lqmuhpg","flgmfwu","ukstoob","rfsypuu","bqelbnp","qhwimgl","djdywni","rphgxcd","hjbkfbt","ichiioe","axwdqvi","sjzyhkj","eqvhwqc","ccsosqt","bkjrrti","nzyuqem","wiiodai","vlfcqxz","alylgcp","ozvjdme","objvipd","thkpfuc","kssnkls","kiqwmrf","jtouomp","fwwadvm","sjwrsgd","nuliuku","xaavqpk","tizesly","pxifslb","vqonggi","fhzxikx","aaaneoi","omrrfkx","qvhsncf","yzghipp","lmgtkwn","pkudwlo","vndvial","kbhchbz","ksrevaj","zwidlkk","luiqmzz","tkkgqhz","qbfffom","yxsprjs","uchewzk","xzellxw","mdetzqn","ualjjab","afksopt","ezheduo","xfiaowz","gjkwsye","givbewp","nytemvh","fqxovoh","domgevn","utrrsdy","amwnxbz","ucgjifs","peyjrjo","dtcabzd","ntkeemt","jutmygn","wrflfxp","htiticz","edqxlwc","spxkrtm","bpnpvlq","urchyle","elfixnf","vnzmeel","wqqaupj","txtfxvy","thuinsl","bbmheel","sisgsac","xiuokyr","ttajeoa","oubjjvc","igxthnn","ujhbpyw","dpygbqs","gahmcmo","gknznct","cemfnhw","djxqisf","mvlxrso","xlzhytc","ivnnklx","qpxpwln","lhnpkga","xncjjpc","mnzxpez","oljgyxn","wearjvb","kkdzqul","hlrnnnu","veieytv","zdzstjc","qxcxhfy","kxzcsud","aydikzs","xaclkkk","puamgbu","zuxrogw","rykkwze","ceqtkny","rnvvuru","ukcfdfy","ptfdsmb","fylomll","xgzqtax","hiqwkic","hkpirbs","dqztfig","ksmeqem","zrwbjzm","dwjgfft","bpgkflt","nuszqxi","ulpklhx","mvcirta","mdpqlul","xxybxth","mumuyop","nilepup","qvwulmx","qgaihzu","buaqqgp","bqzaboi","vwmtrgm","mderzxu","sqdincj","gasnjsl","lyhkupy","hlvfdcw","prrctju","ogepvcn","immqvxd","byyygod","tsyhyyl","jbgzqfn","rqfzsvj","rrvguss","lpkjipu","ftudwuo","lwdvngy","wjezght","fdbwtli","dnrxhmb","tuteniy","xlbuctb","rttfeat","knxsqqx","dzobyer","gseilzm","ycwkmwj","umbahsr","qhopwva","foyiazi","pemrcwg","jidndiy","krxnvhr","slfnsme","uaqnqxu","evscatr","txlgmqt","ydpjamr","wguojeg","asohtri","luhdvio","aiilbml","ptnaswy","owubyim","wgvyjtw","zryiapa","qzncbvk","hestftq","lzxrcly","gjmpqrk","kgivwql","gwtprtr","fvntfwk","jhkyjfv","fqbhyav","divwvxj","wjvkrth","wdpurfv","fbonzod","yzzhygf","mjsfoht","qworarm","aumtonp","scfdiux","gsicuos","umgdmau","xffrybc","ajurcel","chevydd","rvvmtvz","cuoxfgw","tntjlyz","twdplru","eaukzpt","bcewefy","cnpcbfm","ljqvktq","gwxreox","tytbhqk","nmqyrim","scgukct","mzrdgor","ogijrvh","ajlyhwy","apkmxlr","xnciobi","xodwpmh","tgqbdyl","bnmzscz","ukmooee","gpehpwq","gaomxeh","frlijpx","uxpfopg","mbwejpk","ibatuta","dcxcwpu","xbpeshh","yqxuibx","rjgnlbf","zxbtnys","qbrrnkj","tbgfesa","iavhoth","yxcsezw","ndjseun","dowtviv","bgwsdpj","wbvxvfm","yhlixtq","bwycjjk","hcidqzy","yzagspa","inhwqez","rocqgqn","qljzcjf","svzdxgx","cdbhype","seizvpp","vphwubw","xnwtqvi","yhwbtyx","xofydgv","epyzadw","tktogmf","ekhyfwy","ghyelhl","gjkrsdb","rfxhxxu","upeennr","hfjrpuq","ycacvul","oeiatuk","slfegjk","spqnfcj","ylrljzy","oulznln","vdwyqkv","ckyobpu","hvjflzz","nsfzbvx","svncxwx","gxngasl","wuasiex","lwswxwo","okksdyu","itbaxqt","dxsxhaz","sbcyeet","advywtb","nsbaila","rbsytog","duhjvgk","pgbzrvg","mfbpiuy","tehiriy","allfchd","uanqcya","ccyxwlf","hwprybr","bglaxjw","oduqqfm","npghysz","ejzipfa","vkjpphw","gipmspg","xpytnjm","gnkfxek","gmfkbdf","bhlrcvh","yftjmzw","qbcacdf","fsmoacm","igtuyql","khjxaip","qghfuxk","kgcjbue","yoxadav","odqutqx","dlytmww","lkbaxvu","cajysat","xidzydx","jeopysb","wzyafxn","ssaktub","ysjyvzr","mcncvzw","vsqsdsw","rxzccsw","ywjtswd","wnowlet","gxotspz","vktvgez","ipcixrs","nqoecqw","xlolmlr","zlphrcn","tbijyzx","gojnuya","uorfadi","ebtlzcj","bmhpddt","vqqwffy","rjmpysm","yzfjvrj","scrkdby","rlwmadh","ulyjjxy","atbasik","hwnytac","qqjhupr","byxhynm","ptgxxir","ddpxcni","myvrvqj","sqnlixs","nupoymu","bjmnwkk","mnfwafp","badntew","eshyyuf","ilgqtxx","ultlswh","hougbkm","esspgya","zqgnzlw","suvmwjg","cspqzzy","lnscgge","qfkdngx","sgxychw","nqsyjby","weizgvx","umvzvdu","gcevtyp","fmayvex","uyvmjcr","zaxztoo","hjnsqou","ezmpurr","fgqzaro","izztdao","ssjdnst","gqnxlyj","xwdaoav","wzvsxgx","ddviwdg","bmndbln","yuocbsh","mydnzdf","klxjlzt","duysoga","bunkery","xvoyvrz","ujmopqw","yworxpg","nbljpwk","duvyazf","rgstdli","pwfflpe","ghrztfw","gqcabyj","qjnlmlh","ozeugqp","gjhjbno","ycpefks","npvwhgm","tewsuzk","wijkybt","tbzneab","semmvpb","sigltlk","ysmeese","jojsorm","ofkhsgz","dnfopse","orjlpjy","twdxvyd","vkbuvim","xnkblkg","rtwfjpq","krilcpp","ecauxaf","rkallqb","vamwgzy","jdhiglj","oyiedwg","ksodmkk","eawkklp","phkomea","wucbzdp","acjqtrx","jjrgkny","kckidut","wabwzpp","iyonrsc","nodvrry","wpmvvyq","xdvxyws","tmkhlsd","bqtmxbh","oayxbdc","unncbym","gprimdr","tkfujgy","refvtny","cumobvc","uiibhsv","dayukma","znufzhk","boasfpw","uhxsfop","aovjjty","xdamspg","esujagi","soxnxpk","wrouagh","ypbnbgi","kguwsam","cmeqvax","ybgvtgr","qgabrvy","ewysaew","zhwfdlu","aaqvpdw","hekcgxj","zmffmjf","edyretj","oforoxc","sezsdcr","yzfmxsx","rdtsmpl","qsamvkv","sqinwcw","zvuojzs","ysrfmcn","faqtmgu","bvdjvsd","bvxzopi","raqciww","xzsbepb","todvdfz","nsfisce","dheetpb","nwpwdov","byxjyxq","dupxftk","hiqbtgc","dqkqsci","abeasit","jkaitcl","kevhcvo","ncfvdqb","fyofsgm","lbnotex","wmdemnc","zagzgly","bejecpb","puzwzny","intdjhb","maszlwe","xwhwgog","zynxyzt","lsmxrfj","nvrpdxs","oeywteg","atvnpof","sxqbymc","jtspgtz","ascmtkv","tvegmuz","hupkwdt","gilqyxl","svlkzge","tiblzxu","iylxdph","cbntsoa","lhwtmqc","ycwerdf","vqisunk","rnaszgr","hllffwg","ejsyfzb","ytjzbmn","ksaefsq","eonijgi","qtfyrni","dotbeiw","onnxtib","tljcebe","qcjtxjx","aitfvvi","drdksbx","zpalrxk","rcxzglc","uaywtdd","wakagvh","buirvkh","fwmacuj","sgjmxoy","xnvnume","clglmtj","mwpnjwn","jmbrkzw","wxbadfm","xdhkslz","zjknueu","nyrjcan","vdjqxdv","crrkcvc","snelmvw","pjuxmkt","jgvbjzw","hvjgisc","fmxkmqs","tpdfnqn","jzheijj","afbgxex","ckzoaex","czmvjsc","fchkymc","ueegqrp","ymdqyji","ojmzftc","nhxytge","dtgrpxo","pxeywuv","gtiywat","ykypywn","kpdjhrn","giyeltu","ygjeuqi","enqozrs","gqejlis","zbsbhuh","qibunpr","aslqvos","okddiqh","qapocvy","vbdvsor","mpxeueu","msizhhi","dhkwhgz","puamhdb","rgpmsft","ekvfybz","omoazuc","rckndsh","frecnos","gyyqkvq","vfjrgnf","lohfwvu","nzdolmk","xzjhlzq","gdcadih","mhtdqpd","iywuyah","tusdzhx","fuagtgo","sjxttdo","noxhifx","opimntk","huwkrdx","bfweqlo","dodkdig","niwwppp","tdoegnt","cehctqp","unfowew","vjvrayl","vqlnpzd","eiuyjpq","nzouvbn","lxgrcme","ovzdlhg","mrxweot","hbmtvmj","kztuoev","gpolgxm","ariarnz","lsiyoax","qpclkrw","fbbbzqi","sfdqgzx","sscaevc","gxdcbqe","jdklykm","fjhmhmm","rmdhwcs","doqbkkd","hdnbvyw","jgtmtnc","svrkhox","vldceoh","ztrczca","ciodoef","istfgir","eysfqsh","qtcjach","netsmyv","axzncex","nhswtrs","mpkchpf","wslycqs","tebbmow","umxtcll","hhaivza","nmkufwe","ndmfjsf","gyimldr","efmnqfu","wgrqkvp","jtcktih","wtgbfyj","szesjgo","qxcxoxt","bngquml","wghjavs","iyqdefd","bkhyamh","kvngmke","zfjeqor","jyyytpl","flnsvub","olbhkco","nfibuwl","apnpqyz","tahvujf","hhpqiza","tsuyutc","lwzpwet","bebxzsa","druyyni","efjghwm","wxhqlhi","drjxdkz","nqxbheq","pcfmixk","iehcgat","pbjgdxq","enxgzdr","bambnlq","yenfthe","noulkbe","wrqagne","ywrilxd","fkubbmn","zgqgodx","sacwtos","tzfnxdx","bcfugwk","xrdhivy","slnrgmb","qnjnwev","qnoskwn","eqfgdzn","stufzxl","xurhjgj","jgfebuu","louufif","funefzc","ljxpcmw","sejqlpj","mduqhkg","piioaqq","bvborcv","emdznfw","fnvyvwi","atjgvdy","aktfggu","luwqynk","rbmwpvy","xnrpuxp","rttdrav","pynfnxa","tvturqy","lqotyto","gkvzhyk","qiynkuz","xrdoxia","ojfjyze","xwvyhzd","rkuxeqn","cjidiuh","jdjmmep","sjeuzkh","zcrlxor","idedxmu","aedfstu","tstkgzc","khqdewv","vpsuoys","vndremv","evlkuks","akmgnsw","qverprw","sdjjymi","vyeqdtt","sjvfrpx","obbsjnd","qomizoi","mryakxb","wjoryuv","ynijfhw","ppsytxm","xdttlze","gddbkup","uxwfhfw","ukkvsih","trwmqfs","ksuzrnj","vcberdz","upmloaf","vhzcmia","iwpdxvh","ubpqxzp","smupimw","edsvjhn","psejeev","vjbnccx","sxplukv","lklnukc","myacblx","bjibuki","rbfbgmj","szfpafp","dwobxhx","egnyqqc","bpxtwei","clsdpzo","uqtkesy","gzzkeqe","jupzexo","kjqooiu","gxyfkwa","btyvzed","tayymut","swveljg","acgvcuo","qfofhlu","hhehkgn","tkfjcxf","boupuld","cpfvwfm","sqbqdki","khfphnu","sekjdrs","bxxagnd","nhzqylu","phsrags","xgrohbn","rxhzoyq","annotwq","auwiopu","ftlgncx","pqwcnnd","jdrlsxb","pyryohb","ffiflit","vvozyyr","eumltmg","qidesmj","bqsjqfo","cfyiplb","epbdcgm","vdtogfx","udyzxuu","jnyepob","nelmohc","rvrxftd","mzpnaxf","jxiwhsj","zcaglrl","dnsipnc","ecdaajh","nkinnih","wthcyij","yiwttqa","pwjckcf","ihhjqxa","ngxzsxq","amavlfz","kivpwjv","vvisbje","xyhtned","bngswiw","lkebitt","jryuynb","pjykigw","ueguudr","reansuw","xfycglp","asrwako","zwwpiia","zdftdrn","rgufbea","segmztw","knlekzx","vqaezkq","eofsovn","nxgtbmb","dxbapnx","bamiypi","plwnozi","ldnfdln","bjetmlj","eqagspk","anbbjkn","drgtdri","efyswez","dtedctg","xhlbbyu","iortqfr","uvjamjd","sbbhcsu","qzwpqwd",
"ptbsxtc","auazmlq","omjoguo","hgjcnoi","hrwnwao"};
std::vector<string> query{"vsgcqtk","ghdboqw","phvoibv","blvcgsg","vjjajfu","lojmfft","ivlkyjn","kdjpayd","cthqiyw","ywdotuy","klhgrwr","tebefxl","utyjshc","LEQksPl","upsjxic","lgpaxge","ymrfxza","tobblin","etmxtje","jEYqSQU","yrwfkre","jtckthi","jvswqnx","dckhwrt","svzdxgx","fvskzwh","nxmwzjz","tOrfWQg","kthyfit","lepzrkt","uykjoho","zwbadnf","jAwvKZu","znjwpet","glwatko","sARXExI","gakssom","uikmzsr","putcnyg","sInUoHM","vrqdzbm","arkkjuj","dhxqypt","GKRlsKH","obscwfy","dtzfeom","xudmckb","pcfhmzs","logtwcc","cupgvly","MEvoacH","zarxcoy","fhkuuns","mVlxRSo","dmectst","YSrfmcn","xjqmusi","honbgqw","ovwtAQw","tawwsjs","yyqdisb","mzrhpyc","bZKhFix","tvqwhrq","tzlrnep","uxezyqi","veuvrij","mrzlchr","Xoyyqzk","hestftq","BqkkpgD","wCLijYE","dxcufjg","wsmwaaw","wxteopn","wvezauz","uahcjxg","tquaaaa","emvaiqh","fvraikk","ikywinj","tallxio","iktqscq","cgfqhjd","hnujnrx","GPHtJVk","uinfwim","gfcyoxx","lokzKao","YsOAmMX","yoeergb","zenhvby","jtgstvo","zeswkqx","fvhrylc","qgpuaej","SsanTlM","tuappdd","yjcxokt","ivagndi","yorjvxx","iqhwndh","cszgbrt","mbyzugo","HZQVeCX","yhhfbbb","wawqdyp","vvzxozo","eukqqje","xrljogg","unzcsfd","gRxzWbt","HOaTRTV","xdvmnps","chyvEdD","lompstp","fbkgodr","bxlplgh","nQQMrSE","bhxfekq","wapuosk","zpkfvdy","rHTbCuK","RxeVowl","cLEBFwb","qrehfsf","JZSOrGz","ghhckbv","vvscsib","cpeUCRX","wsvxjcp","aglooop","kzsbhfb","AWftFpb","FhiRmQT","ddagetq","hckpvhs","eonijgi","jhpixzh","mkutmos","gefstfg","wDfwxsS","aafrqlw","jzhbqva","mjovdic","fmgjjxr","uavgjvi","ttmdfib","pinpubf","omAsbXB","dvojeli","loqexyn","emahhrh","owvUGeg","orjooqz","nbzmjah","muawpaq","vhvwurw","aactlhs","densgxo","cxzzlrc","liiefuf","ykdgiea","fxfbctf","mjqsjxs","xcwrwiw","smcqhro","lbrjqdj","sicfuly","gfysbfn","zbkdqdb","pusqiua","hnmwhme","tzlpner","xxkxkky","vqpctkr","nsbaila","YTAzdJm","zqqqkxz","qygxkek","xpdcton","xzddbxu","ghtnhzo","txldqax","jzlmmdg","usvjith","TotEhbI","ckfnpzj","ksblpvp","srpregu","mcvcnzw","tuucjHI","xawuwqc","xavyumq","mrlzbwh","zzubwzp","mlcsesi","eqjvjrv","jbtmlex","uVjamJd","hostqtf","kwiqxpq","DPjxowz","dvizhge","nhefegq","yegdxjo","dempkkh","cyexbke","ferdeso","cqhbdze","ohxsfup","abxejdr","snuzzps","bshgcns","htzyqxc","lwpwllp","slnwjww","Ropkwid","nxxvcji","ieaqmgv","gmnummw","gcqdutp","wryrldi","btgisqd","mnghrcd","iztzclz","ufzdzBG","ltjawic","tIPFaZm","aagykez","ahpuidb","orepufa","vfvtdhp","zdhhsnd","cgmswxh","iKFRPuw","nnNAspq","vhirtmp","ywsxgdv","sqdincj","oqeydwr","rdiumkm","bojqukt","ymmfogs","CVNVrMQ","xzspoku","rdfhrhc","edromvd","bgjankv","GbNdApV","tunhaoj","vchpnuk","ztifeit","iqqhogx","auwiopu","yoruhmh","ybuauni","yqtched","wzofcgj","xorlhcq","gybKqWV","ihxytvn","dxcufjg","taYyMUt","dvdludv","ygrsxap","slcfbfv","hkparbs","ouwuful","mlrsnab","mmqgdxb","rnbcxjw","NMlHGhM","mnfggva","ozdkvcl","WvHDVeE","DuNBTof","bdghcbd","uaixnmn","kbmnfyv","tbpseHE","gtursmn","kshpzyf","brtzaqo","cfuglda","sasgsuc","zXTvyzy","WboySLg","jbomjus","tRVkEle","vchpnuk","awhiunq","hvyoiqr","yehtlsa","saamevo","wsgjtge","frgvjnw","nzebzrh","BSydKWD","aawkczx","frenyke","qhapwvu","qxcwffy","fkfnzxw","nyrjcni","fgauzaw","nsyknun","MuaHbQO","jhstzas","dzxwnai","sUcXhfD","mvqjkuy","smvktos","ekhyfwy","cmeqvox","oolyszm","ihefkfp","fbmadpi","tmohvgp","qhwlisq","sgkeasu","jtkamjc","kokzfty","wbrenuq","ilnibkw","rWQOjUs","RievUex","feqrezf","bizhfkx","csdtrhh","nhpxizi","LdYPPje","uaxcske","kvicpwv","JnENsBp","rigtfnn","fuMcdzI","mupcrwv","xmmiiur","ysZyAsI","ehjzvcz","gaurvhd","jxwooqj","ejknhqi","lqmuhpg","iryfcnh","joxphzo","ieecxpr","fnpkwua","abcxvxw","ragzwet","dvatcqr","ymufesg","vfphvry","nwmoaii","eibyxtq","mhvxikt","omrqJZU","ruurant","rrYGNAB","nyirhyh","ahscyma","qdoheme","vuzdtqm","uhdfljp","fufnehl","isnqtfg","oruhaif","fxdzwkf","abdaztl","qlledji","wwdrkof","aknobvs","KJKFjOq","terfwqg","xFDQHHy","kwetfns","hybiarb","psejeEV","mngvndk","xeaqsky","xhtpcdh","bzlufqe","fwzlcue","ZcDgKsW","vdeygsg","lxnpavl","nneespx","ttvhtxo","cdkofsx","ikrzzcy","rsbfzih","sfdqgzx","tqpnoyv","ycjntkk","tztfzdi","xvKvmiz","znqxjxo","htlumyo","ognnunw","xckqmvm","qcwpnio","imjgzfv","nckyrji","qpzugjj","fqxvdhs","lycnhlt","NRVdrQk","ohlkatj","upgrzsf","wrikkcx","qwzppio","iimwvrb","fqsgtnb","bCFUGWK","okddhqi","btfwrns","uzkubgm","jipzoxu","jlfryca","mbafefl","uvzxmgw","mxqiiky","BpgKLfT","bswdkyd","eyrxcxx","gnqayni","WaBwZPp","wvchfox","kikxluh","pvdesat","nxsbqcp","anjwfxj","aalrxvd","bapxfga","ogejrvn","jkzdedc","KBEyTUQ","iwnpdry","krwqpqk","gibaavs","ekxxdzv","gmvllpg","eamotim","PnyEuUq","nawjare","ytokuya","atqtsye","pvzgzcp","oahlzmx","rnopych","nasyacp","mkgwzds","FnVYVWI","dvmfwcz","rxkknmg","qvcggkt","mopcywv","byvwgtj","yntlwzq","qhlovlk","AzjWqMP","pyvkits","gmkdyns","unimhru","rfiadlw","yhnmYqM","vxfxqbh","jmkgshp","nytvmeh","vbvecor","fputbkl","vaptaml","ciqaskj","OchACNC","jmrpqri","mjngyfr","qodmnen","igzzmlu","iskugxo","ouchktd","wgxwktz","jgcvwtu","slfnsem","nfteuci","uvgddli","ghRztFW","sogexvl","eatkaus","orvrjsn","mmgnpdq","kygzfce","AGTobgP","vXTttut","pmzdprx","ewbamnd","ilsmplg","CSzgBrT","iiwczse","efsurdv","pouludm","dqvXUgq","ststlkp","ymnmyqh","mshexsx","skeepmm","pmdrkza","kdgzrqz","yuuoygr","fpyggrn","eomjfki","dxqyagd","caypmcn","jlsbmmc","jqtuaeb","ughjcjx","ojguxgh","zgqyllj","tUsDzhx","rvgcbui","djuugdi","fxpjwlg","ivcwgwj","crhuznt","wclijye","umtouhq","xhmssxd","zldihhl","rkuirwx","eitqwlx","ayoZkeg","ihvklah","ajmxzbt","mxqvjse","vuaunap","oqzhobk","bpvbmvq","rnyjhqu","gtpheas","mvxlatm","hdwafdg","ktnRQvg","lhfmnmh","cwlhgzv","kuemebq","kxctuwr","nutqgjl","tigrjfm","EmJmwVl","vfqbudu","dafipex","xyrhtan","idlhpvg","snpzeau","xCMOjzx","tbimgwf","kcfnxmz","nayoskj","jtjhlgp","teyjaqw","gcupxmb","hfbgzdb","DDpXcNI","bkhctcw","TeYqwkC","dvuhplf","jvgigqc","WZysQUY","ntkiimt","zfycodu","fwdckux","ufoqucx","qnggtch","hhzwuoc","scrkdby","wnvdqfx","qtzozzf","myqsmxs","lpkmklk","shkpufn","tasdzhx","sdsonmq","ymjhfws","jsznsfx","glvlmpg","GFYSbNf","kuzdcyn","uvrspof","xmewqgt","iswvxef","isfzvmh","btfxhgb","rlfhwwa","wgfbfrn","fpwgthr","hpkyqsg","ajmthfk","ehnthsr","hdwyapa","rdfhhrc","IZvdujW","uuxxezp","tzcyebu","xhyripv","YdNcIbb","xqrkdqb","kxlioyz","fFifliT","itqnlnk","evarpqt","GujzHtS","slxsyzp","ghqbxgc","rtrptex","syfonig","wJSGQpI","afctfas","qzwpqwd","uloiaww","snftdzy","loapztg","ohirfix","ezxmagh","xdordmc","adlfngc","bwmqdDD","FcHKYmc","bnhlxtj","avugndu","zawzuoa","bdbypya","fgiewdb","aICUYZv","zkmkwzd","vpnhfrw","gwanbgx","wkzamkm","rxkknmg","ixlikoj","asIvyUw","xaigtqh","VojyWqN","galbkqp","sbjoria","emsktmq","jwpmlme","tqonmmf","gddkhsc","qtuikew","lfpgxlk","rzxrxgj","awsyfwp","jxjojfn","dbnvyeq","feqnfdj","huwladq","nxomeie","yxifugr","ikckwum","ucbmoem","mwtlmfz","fmsazhr","zdshcbv","rbznnij","gdyeofp","zwrxczt","khoqfqf","gkvzhyk","frJyDJA","gnpaxdf","oiegqrp","kyymhwh","wslghck","ctlrieq","eynouln","khthrbj","ikprcae","flgmfwa","vbxugum","fsoytyl","uhpguzx","tktogmf","kmnxait","titkjem","nvRPDXS","MYvrvqJ","weluggh","uvzshcm","mzpnaxf","phvlxbj","bgrmlky","jahpica","hznequb","aiYwtJm","cWUtIBk","qpxdsna","pnetqng","xBPeshH","fdculwm","IFGONYd","zhucdmt","mryakxb","knpctyo","danqdez","dycjxtm","sqgqyhy","vjvrayl","LmyOZXQ","ostxkvd","vpgbowu","mpkchpf","xtszntr","rchvrnj","zqjkmdq","ucxtmll","grnqkdd","upmakig","icvjonb","adAtQgo","kiympme","zvlssji","detmtnk","dnomwnl","tezwjyw","NrNiOPs","ztwmuvk","zytcogv","raxejhu","otdevqv","hhweofz","mpduwyd","zlsykmm","kzpmsjz","aajyjyg","qderwvt","ogdylzs","ycudYvE","ipSaQir","pjzjrau","yfamcqi","ymnmyqh","pZaSeRj","hrhhbnk","axukqkd","vfrpqmh","qsdhuxz","dcnvmvl","hhnqzrp","jyyzmux","lidkhpz","nlmhghm","vpdokla","kupzeit","qgqdgta","xfbaebt","udsfowu","hvtzbyz","dojxvml","yxJFFYU","rtegbdp","Idblwhz","xfogphn","uxixcah","tijlbef","qgoeqja","ludouju","yhxueuv","ohrdeqq","sEHNDKe","nlixjdl","enywdmh","ishpxes","evptpmu","wyfhdlq","bnGqUml","amaydjr","xhmssxd","jocppar","qzqrxqx","exxdpqh","aoefoos","wgegmfs","vvuodep","bigdcux","xooadsu","essvpfu","esxhkgy","fdkzffk","voefhuo","qsikvmv","uggnfwi","svwuvko","dlbzvex","qsvvleu","jgtmtnc","zQYrkjx","toiyazu","tRAigKA","wjvkrth","ijaipyl","xrlivla","ehsijpk","otwvacg","owzxOSJ","yzzHyGf","zeyoney","ygbnrhn","qmifczx","agvxvdn","uoywtjm","thifjah","qyocpnf","gdrggic","kjzchtq","qwqxzfj","xnwnaio","STYIVFT","bvfyzqe","pzggbjv","lrljrgr","jnsdjyw","soxxnnj","docjloz","jlapmcu","wviurdf","lcdgzyv","qhbsdnb","mcjkycN","qmafmfr","szoumfo","tnNmdxp","RqKhhOC","lezpzii","bpyrbyd","lrljrgr","HBYFwdI","VoQcyHe","sysqrnu","cofrkge","dapzumr","GJMPQRk","cesakqj","bnsqbgk","jqegost","lzdubqv","aXtPRXs","xenvcyz","tohvejf","uppwyzx","hsjaofu","ueurrwl","wdrpgzu","fseejqb","tfiquch","mmkqthd","ymnyfrx","oohmtcd","tiqicvv","mfwbfto","wnrqbdr","vywfrms","fyjgauk","settrfy","pxxyqac","pdzysie","gneykhq","iacltua","hsyivkf","hmaomou","etjgvdy","ffnaula","fvjyhif","nzuoiwh","nekhpno","ouvgdyr","mnvhptu","ockznps","emkhcom","vldente","dsypgnj","tdefzzi","gqktcgd","ewtcvwa","etpmykq","funuhfd","lteklqf","yacaxfg","zbfewtb","teandvf","zmPeGLh","vwiipto","ccyxwlf","mgcgrty","luephpx","mjhzkck","crEvZRl","kfgqslc","pvxqlaq","hyhjpwd","tubrdls","IVqhxpk","iucollj","cxcggog","epbxiuj","NUsZQXI","dmffqsB","lvgetqt","ivftqap","IzyNxKh","ikipkrp","uavagrx","lzdzpca","rhpwbtc","pmujvcy","glbmzgn","trdjqgg","xVKvMIz","rnlecst","ygfcrsa","zjUJWNt","ermrdrq","solhdwg","tstgfqc","hwqwwnc","efsdsdb","azuxiqx","rpxbzzo","ljiqysy","lcmspek","qraapjp","ocvijnb","jcorfly","cgefqwm","nfibuwl","jeyqsqa","DXyvMyM","zvxapxe","gyjkglf","ostteup","zqjznly","sszhzqa","mmgwevm","CgvOkPY","gtzcnck","sqmzkbu","hxqgzku","fpjrgyc","MyacbLx","regwyhg","ondausl","vsxielb","embvren","gxxpajq","wdnyktc","wcptcwm","ebbbvqn","mszwbht","pxyqxxt","ybvFvuh","tdziqco","rgbhxql","axkizac","hasvlff","ddAgetq","bdqunyq","wltwsfa","wfbwtjw","cdqixkw","bgacjyq","mxvddfe","ccyxwlf","ambuafu","utxxaah","tydyghn","pvxaros","FprVTpu","dlwieaa","cpwefxl","wlcjsvb","JMBIWhl","yanRNqo","aedfste","spxkrtm","piskhle","clfoqbl","tqkmpmg","rzamaah","apobzcd","nawwppp","hyvkdgs","yhvrvym","ayneeln","vdwuhje","AusLdRs","vmdnzvx","umxydao","uvzxmgw","pyztbdw","kkuwfgf",
"yylehxl","afjfjzc","jtivtlm","kgruhzq","fviddko","nkksytd","BBmDtge","TxTfxvY","fdkgfxc","sbktdbj","jqsjmwc","daobplv","lcsbuwm","uhpFbNt","zjkuneu","ndwdvii","JrvbRkO","xQFpgsi","mpesmfd","babyufa","pxpqfil","rmxkdln","kwvgtff","ydfatdx","gdxjqwg","cmjtwmg","fabgynl","cdmchxr","znlrpxt","wxgremp","aioirtt","DrGTDir","ynvkjdh","bdmzmqy","pwqteec","xKHYftI","avsletz","fumcdzo","ltmrdqg","mohfzot","daEGqog","ovrdiyg","nhalztw","etemher","gvqiclp","zrbiduj","bjitmlj","tiryaww","uytkzii","jslepji","lkneden","eqvhwqc","azuxnda","UyvmJCr","gszsxat","XrrqyZm","psehcsm","jgtmtnc","hovaiyp","sMkrYFh","xmbpbhq","JoSejqU","gnkhzyj","aerrjey","pjUkMXt","flexikt","ndnomrv","bmdzazz","zxJCmpW","asfkkpl","vjoylab","qeaIgke","jxaxjgr","shJpKqN","ddevwdj","qcchjdf","ewvunta","dvkukix","gEmiCxL","clomhun","iwqgcra","LHbTfzN","wjlvkfl","osijvth","lkhjdcj","uqrafoh","pqcxyet","taxqmfk","dckhwrt","aTverVY","nkciNPU","nwohjjn","kYHSanN","rpyhzng","lxjuymy","ocaqkby","oesnnwg","bwlwynl","dxwgsfz","ekrzzcy","ukyvxbs","BPnPVLQ","lebuadg","fbxwpmv","mrtlunb","cixjvrc","gxttcim","azteidr","wpbzhyp","WvDhVeE","yrinxml","grffbks","aoabhsv","vztagiq","tmkhlsd","rxpquvi","sctymhc","ajurcel","zdeyoyg","kwfwplt","mwpnjnw","aomlulx","fhtshno","sxzfjqk","bomeypo","jjbqvve","rkpfcly","zgrfncx","EfrZUnb","qszknvt","txydvlj","ciwykwe","ftviqhd","ZPdUGvz","edarfmc","pwfjrkt","tbzraro","djiojmi","vopyunp","zplqbqa","qmenpnm","uhetgcp","htkpVGB","AAqVPDw","cmaypbw","xtppldo","zkowlby","msiqvkv","dycsgmx","ehglstj","YgkrLIe","avoekcl","dpjxuwz","vVwSYhs","bywqptw","lknhzlv","aomvfdh","ccsisqt","ckzoszw","yCqRVXl","mwanpkm","GsHdzjO","AhctZTN","llrqhku","bebfwdx","bnmzscz","zCFvmPf","dcakyth","uojfiwv","jqnkwcr","wvigwcg","hudzzdd","wvggvps","YJhjqWS","qkflabc","wkxfiui","xofkgeb","chlawzk","cjzqrqx","ormnqor","iubcxtv","spvukfy","xfdqhhy","smtychc","lgfuisn","tleipkb","fbgixlx","LJiQySy","qcqprcq","mrkiqlu","TZOYEBc","qpaymar","iizegpn","deoyfnl","dYMaExk","gztlnwk","egjwyuz","ISXtEms","fmnqsyp","mdpqlil","qhcynyc","gupkrig","bzirrpl","asacgai","NqXbheQ","uHHLBVT","sovmwjg","gnrgeqr","eqgfpyr","hnkzawq","VcTNaaD","ihomxkq","whccdpu","atobmrw","cmkurqb","hqhsdpj","iktqlnr","rjmpsym","rqjPXBI","fulndsj","jwicipg","jcvmoto","ljqvktq","slpgilk","pfqzswh","fdkffzk","upededf","GAhmcMo","AGXQorG","igtxhhq","recwqub","ioOXnyT","xczzecx","euitlfp","oheutza","MhNfptP","ferugqg","zgekumm","qdyaacw","zpefnbk","ktuyrtm","qwqjyhg","ecglegs","bbaugxm","lwzpwet","eaqzikz","kqiuhqp","wOmEDBw","xvvlcce","gmvbfxt","tvtirqy","lyhqojs","rcvourw","aiynkgn","xmsnijj","lmLHqjj","airfmkc","vogrjzk","gggviav","pkcqnkt","OeeuuTT","fvyoqof","vhzjliv","ssltihj","odkotge","edwhuvx","wheiala","kntmotp","nbeyjiq","dDCgbHe","iqiihjs","kuzatpq","irvwgjw","zoplncd","mdreqal","zpoipgy","kgcjbue","fdnxlqq","wxxkgtd","hklxuoa","hznxugo","qfhpfqj","otymjwf","YsGnZgp","camnvmy","iafnpph","xbtlzwo","evlpmca","kskvjfk","finofzc","jexfrdl","walygvz","erkthke","mcilgiw","wrskeeg","mrbnjbj","zoycyct","wmkkgxo","uurgfrp","rdtlmps","qeAIgkE","upvepmn","mtslqay","lpkjapi","dvmfwcz","kcKiDUt","xxQAFrk","cdjqusj","jcukpum","ahxmjge","xwkfzdw","qcmbunb","jcjgtab","dzvsdru","nenjphw","pkciikq","coelwsn","passjhd","bpglfkt","ArfcKgW","bmqnwir","jdmewqx","umjmwvl","xkkrtmk","mlnnzvn","zaccnxf","jflnmfd","JWMKqOU","axwdqva","LrdLrxp","iltjost","awpszsx","iqotytl","tlkdgpc","xeblukk","maugtpb","jVjbbvP","hejttit","nmosffa","iruckgq","hpqmllw","nuoavoj","onycwjp","ueyjzju","rrrqprk","szemest","tfWnsAJ","rfofbqw","xjdbfnu","upeievi","hvygqws","isljmjz","xnhztai","dpetfxh","xblqxsn","njctisk","virscwx","bfwlzBO","chlawkz","umtijfn","ljvvvmi","ZDztvBt","imqedyb","cyramee","ydrodna","rwcschv","matfxqo","SalXyoZ","ytigkxj","OlJqVdq","qeafqzf","mabulkp","slocflc","zawvvlf","atvummv","adiqzno","jtyrkqv","euafdxt","bbgocdo","gagnhfu","duxbzny","fdbWTLI","wtruhnn","uxnrvlq","jmouqxc","nvgphjh","tNnMdxP","xiysfzl","gfecuwi","frfylgq","DaLBMCy","LEzpwwt","YOhoayP","kishbad","YjRjrVJ","wvzxmgo","egfxgsf","ijorcol","vnrwwhm","kpDkLee","kyoqgjt","lsjcski","favdjtf","xqevsme","hyoysfw","zcdgksw","ubsiicn","DCGrpIq","vepftcf","ddviwdg","vldabgq","fevcxae","ozbzbus","ghdbhsn","iLAAtgM","drgtdri","lorvbae","usavnpz","iviadlh","ryMamqw","ihklrok","ipkemya","LuqAxNy","jUmECrG","nvocmcv","tqmkeef","hmqjyms","rsueuuu","gjwxtdc","rbpkbbv","siatpjj","xuqurqv","nwwzffc","sehnDke","djzmuey","xukpanb","haruhkv","cmtszrf","bjtojop","jdhiglj","yzghopp","avnzmlt","OHmwRrP","zhocTmd","gusgoSW","rcgairx","hntmjfe","vsgjlrg","zngsqqn","czwafpp","ajjuymv","jcekcap","uvbbyjc","ejnpqze","XvcFobu","QxbSqkq","ldyojwp","gakssmo","uiIbhsV","jdchCMX","qumcbou","jduohnd","hpievmr","BqGeJYS","uwgdsjp","nsxbves","bxbhrlw","ezwghxr","qlhrlwc","zzldzfh","ohjzvcz","LHFpHxz","fmvofgr","ambahsr","wpcSqwb","wqyecaq","pmrebdj","mkyrdas","fylomll","bzxkjjd","YSrFmCn","npannzv","bzbltxx","lmypilg","pkpxfxh","tXlGMqT","ovcatip","ltsjvtf","wtrdtms","lichndp","ymaomft","jilnmgs","habvbbd","yvjgrrt","viyxlah","zenhvby","hblilkt","qsdqiyi","oaardhl","jjrjrvy","qdjsstu","zdgoalm","kafqtbz","bnopsjn","pvgbtfh","tVLzhKw","pxhneax","PHkOMeA","bjwcbqi","awotaes","wpylbpk","xfylrem","mazgwkr","bgorzyx","jrqmqeb","rvgcbea","laowjer","JCVmoto","ygqlksp","qcmkgwn","dyrrgum","eihpfvq","tamkiqf","jtjclku","pyezado","bcuyefw","fdjizaf","sfdtxlk","ucxctcv","oflfiha","dotBeiw","ynhndyn","msgclwu","tEBbMOw","impbhvy","fomjvna","rhyvrls","SsCAEcv","lwhdbsm","uexjchc","jkpsvye","zzajgrq","dmffqsb","tqjrrrp","ykgcodp","cmedkag","SngnuxW","xfjjtbx","fwdlzdv","uufjzic","lluuxbr","cdmexyk","twyuwam","oUlZnlN","ZhNEqub","gzecvwk","ltelbxt","plgtsqy","lIQGaqI","NAGuiTd","VlWpDEW","saswcpv","dutpyst","wkbdypi","TjomeyI","jejafkd","nhtckao","ezkqcco","rglnlxx","rknycvk","wgvyjtw","khvctnh","dukgdjo","kGAPddw","rrvvrkx","asbshat","lweoqqm","qjwwwxa","ncbgrrg","izqjrwp","abdgvth","wprgnpi","onqfrnv","asyrllf","bkrokqu","wbyccrj","sbydros","tzzvigt","gzzkeqe","pyhgkcm","dyffcne","YaWaHEg","spmfkfn","jcmpgyn","yjsqjwe","wkKgCXo","zqdfdgu","gecineo","zbcdxnz","tftuyjp","vitzfzs","bmqvdkt","xxybxth","elgvpcl","ozhnoir","tdiguha","frbkqxd","hlvfdcw","jjmmqmh","SHqyqZK","bsxipgv","saaqohj","xtokklc","jzjvwib","iihxsrs","aoswyvl","qferevq","nOFDZTp","bzuhfkx","OogzVYa","zvhmeke","OHSFAzC","mNzxPeZ","yxfixqv","ohxsfep","abydqwd","blrixmb","yhlpfwn","mokhlvp","PFRJBvM","zlrsuxr","zepedkt","nnmgsfv","yHaXDHk","pbmozpl","wjwkgwo","wwnscfw","cvoatpi","tlxuxnu","vogzzjk","cseglae","qpzugjj","bnmzscz","owhxcjk","rbijprn","dvdyfua","qzqqdkz","slicuri","ohmwrrp","waplqts","bkxxevx","bqexduv","mnxynzv","nktwlfw","fxpyyta","gtnpsue","ejgzpdq","xrpmqxf","xydycxk","omalroq","kzknuuy","vvvtihv","bgjkibu","szyvzel","ADlfnCG","ccagxgg","YEBGckW","tonfojn","jlfyodw","qqivjzz","bubgled","udivowp","woMEdbW","pFEDfKV","wabwzpp","bpgkflt","tzprcir","lfdukyv","duNBtoF","rtkmyjb","qygxyfd","vpfshww","hvyghvo","obkaslh","wmgwjab","gvpdbsa","hhmtmsq","thsjzus","voindqu","xhlbbyi","bsyelhs","LKFtAon","wicwclz","nlwotou","vxewnzr","cpsmctv","kqshqaz","yybnplr","zxtVyzy","wnjsszk","pfbdsgg","trauzhv","CtjfXim","lcpsnse","rkywwal","qmxoeik","gvwqcax","kguwsam","jzwuhgg","cfeaamc","grbnhkz","iinicqi","uaxooij","eMbeuAf","meixgcw","lzkkzwe","yrokKpf","vgqdqfm","bankury","ovgddla","rpwgzbg","tbpsehe","KiEHFOQ","cnpcbfm","tzlpner","azgyaek","LJfMhDs","fwrptti","vwveids","ytcfvnu","pdlkwsr","pVZttqh","tailgbz","dfmuxgs","BdgHCBD","mxhulho","lzkompt","kwxjdsx","UPMLOaf","xxykcoi","EylgAiy","vbdbhrm","tovbbns","jcphyqb","zwlbtxp","efdaawt","byxjyqx","mpuoyby","dfmoxgs","ianqcyo","dfmoxgs","azetwwv","gjmpqrk","izybngs","avqhxpk","rbzitmr","skegxxt","bqbnusp","elzuary","aliplns","QJNlMlH","lcenqnu","fjzglqi","gcsavwd","svjdyck","kygxfch","rnlucst","gkgksvb","kIKNqPa","piwutga","ihrxnhx","zkneiuj","hhaivza","rdfhhrc","vdNiPXv","liQMsuR","fkzingh","hbeeknn","pgaapad","mipcywv","ximwudm","iisoowm","phvcrvt","iJlOIgy","jrsnvdi","ojfJyZE","lruizjl","zleugdd","rlndtjn","qqqixoc","tsswcie","yVKLfeL","xjxxvpb","qxbsqkq","eyxkvjj","mtggeew","vbvecro","tbdpcbe","ajjUtNY","qiuugko","kndoges","zgmnpww","peytwok","ffvdfel","nwotxfw","brvcwez","QdnOGcM","kuewcic","mQdAhsJ","yoiksam","qotrrvb","ccffbhm","gfyhjky","dxbupnx","uosurbh","zgyzqns","wnbdfhy","xveloxe","efnstuh","dzajlpi","dywgkoq","lfcxffn","ykezetw","ckwjwrb","aproadv","jfztavt","rXZcCsW","hxjtzag","LJIMPjA","kwstFNi","mpeqchy","xypjvdz","fsfjchf","IOgpkBp","yhxqucw","pqaivyw","ncpudju","flkvqwo","yhvwgqu","tkissyq","hbcthnd","llauxrb","typrygl","rzbpfbo","rsanzgr","mqaxfks","yzohqdf","fwyxeuo","frqqslg","feifuzv","orsoajo","piwqbsg","oixyakv","tpjwdya","cefolvk","vgdwaje","NeSReRn","xdlgqkl","enfwgtu","lwdvexl","digedah","svjarel","tntdwib","CRFfPhT","DegADeh","iopmupb","pamopst","ccctjrx","leevyfe","borplyw","wqesmjk","mufpmai","mkdpeui","dozxoot","pncvsgp","netwzpx","taadzdx","cyjzyjg","jsczimr","kznwfmj","ayxxqov","hoticmf","fqqfjxy","jxysjng","dugzkem","nqvpabc","ykulgck","vsfjcvy","rqqtopa","hoqcgou","fBCSgWs","jiteqdd","YPgckii","ezvwdda","yktikqp","sgyvpgs","rbrdxdr","cwnxpfn","lkzybqb","wgqjyhk","xrYwMSe","nipstfa","sdbnmaq","jrhtsyi","iplxing","xmzjwvs","nkbocxc","gpyzcpj","ewbwxba","kejbxql","shcciqb","gzekvwc","inqouwj","afijzqq","PPsYtxM","CrTlRpi","hymtfnv","tabuimd","lfrlsxb","fqFABYX","uxPFOpg","qxOfpfE","bwycjjk","wtiygat","zrrcsba","awcuxgb","muuyrdf","jutmygn","ghwrqym","gAsnjSL","mhfsmvx","xhnctbr","yhaxdhk","rrvvrkx","zvmaglb","xvbadqm","vPKsdxc","vfsurde","eezibpn","qmxzsbs","HCVfuSj","ykjoddk","zhbdicy","xakxtgz","nzehagz","wuvuruf","swidvvn","uktqckc","wxvljas","wvblztc","ilitzpk","plbqbti","jywlxib","ortbagl","svuizly","hjegekt","ysyxuqo","bsneqry","euqauls","aheoklg","fxzkhxq","qkurzll","qtmubfi","mnisbpu","vkpkqsm","fpwtade","tdtmxlx","rqKHHOC","vnrwwhm","dizssbg","rjtolhy","chxcnjg","epyzaDW","aefunnr","mlcsbkg","kvhraew","cozoxoc","hmdgyyl","yzsyasi","plpoVqE","krnixng","sdziwfd","ybvbihg","jlsfirk","ewYsaew","ekVFYBz","etwpazq","bqgejys","FvJyHOF","bcgqvtl","fruzewb","asejiga","kbhchbz","cqbtemp","ZGkrvEG","cunefvy","hvskxmf","xxybxth","cyjzyjg",
"dqeyqyj","vevpqzs","esinizj","zxeitgz","vjkmoiw","opsyiel","rclsvam","uymjxox","twpkiok","trvekle","zhihjwp","mltlvha","gcbafac","nwlxbzz","ebhsttr","ygxfafh","uexabzm","dwgusjp","bxpfzja","liqmsur","nupoymu","IPaZFxn","yxvpwvq","ywvtdmb","ypbnbgi","xcmjsvq","qbqkvfg","aydffhc","nkunneh","aqmqegd","fvuddko","hbfcdqm","wpcsqwb","efmqnfu","pxvwust","evunlts","krkwoak","ahtoqjb","eyxrzsv","bXXagDn","klkglgd","oQTtZkI","trsvwzz","dbdcvys","kdwrjwh","qqnesjm","sbnsugm","xzgnfus","izxyora","CMkUbQR","nonkpwu","vfjrgnf","lkfxlbu","adpdfuz","oxvzuvn","qiwazkr","tVEgMuZ","mfbpaey","jbjywuj","zoprhvk","kosyvbc","bsuzkso","jjurbzf","ukgtdqh","jnhyvtu","jrvtxcj","ngpfihr","tskqmtb","ybkcdfw","vpawkeo","pumapst","ymnmyqh","jncbmgc","hhtntof","vtiafsz","ecbnxkc","nhnniux","LwhINpO","qtftfna","QPxhssp","khtwgqn","dalbmcy","taoszsa","yrfyrdp","ulexmsm","arvpizk","jwskhae","lcEEDCJ","lrxmhhn","zyczppq","oulznln","vfjrgnf","ftrmflq","kpqsxar","dehmrxz","soiltay","rqlobsf","IpsaQiR","xtvhfeb","lnqlccp","blawwqd","uqjykec","dcushkd","hpmxcml","krkcehw","EYFjcnm","ldaklov","zmqqenj","ejujsad","cbntaos","pekplws","vQAeZkq","eigqjrl","xfiskok","ygpyjyu","euraffl","jadnday","ksxcitq","idwdpwz","dzilffl","hpfguyJ","DxQAyGD","gpavyyb","zxqurvn","twedzgg","xlxqfph","wjgixhp","pfegpbq","dksenlp","brragwt","lxphccz","tuUchji","ibtyphi","eqwaruc","qmezvrc","panmzum","enyetio","iyroyef","kynvfwd","seftqca","zXOCNPe","mwpnjwn","yogmggh","cvroncy","cawkddt","bXlkOZl","dLYTmWW","zpqpdma","jeiabcv","xtppdla","xtszntr","kdphept","vHHNfYc","wspcmcg","wtraiob","ePkwChF","uvzxmgw","oISMZsD","dhmhpkl","txmafpg","bjatmlj","ylxbgwi","lxsbjbi","ousvqmk","lppkkla","GhrztFw","nxedyep","edsrfsd","crzyoeg","jzwtqmw","ykkaddj","hlfkgnn","jalwqzf","sqbnhjg","vqcacwn","bqjgtgk","nbzrcbn","gmfgkls","hLRnNNu","ngcpews","ikilnxu","dqkqscu","dnnpsml","RZXJXGR","mjpcsnp","vwxzxkc","cibiqzk","fxycwyc","axtpxrs","tatduek","hlkobsw","pithohs","dpsfqlb","FntHsIk","ixzuddr","lddtmjf","hzniqob","tfkvipy","deoxemt","cjlfkbt","qorajjn","ixgkpwd","cehhgeq","hnpcutr","negyrkp","klofrdc","ysegjrr","rexvgcf","onkxnjz","bznesgm","jjurbfz","yromfyk","pnybapc","gZEcVwk","eyxwzvn","WRXUtbN","ziexclp","CdnwXXe","qbbpqrw","rtoylcj","vgwfigw","xkptrtl","dahovrf","umeupfh","dyiewon","vwthmdw","xnciobi","nlyskmo","GYadeHs","xhyrupv","wvjwbjc","fajdfqb","cvhkalt","nofdztp","ibwodim","oVRbHKL","ynhapfz","nubntdo","cuvnghx","lpkqsdc","nvkozcm","xyasjhe","kzmvxcs","GiYELTu","GICLkLJ","kzlbthx","ixhfjij","hpppgzm","rgmojli","cxysizw","nibtkzf","qszknvt","vxmszil","pzbedek","otvummv","xvuloxu","qcmbunb","bkqxnao","axsqmzz","wvhdvee","bxlfgvg","lfnsszh","hrbqagm","iushvvi","lyreunm","udzgiyk","sxpqnrw","qraepax","fdzugyi","vmztxku","dbeevmk","vvuzyyr","bkjtrri","kgxlamf","eqsumio","ejgaxar","dteDcTG","ndiqiid","xuhvwvm","whepqmr","skegxxt","xnmfnlh","uditydj","cccpadf","vzupybs","hygjkhg","ztmpzky","weeuurq","aihcjgx","uqssjvo","svrdfcr","ukgyooz","yhkfuvj","qmxznhn","fyuirot","huwMaIN","eZmSMZs","xjqtonw","pnndpxy","vvceiqk","EilBUox","afglCJB","gtlnnpc","thnsgku","edwkwbd","whefjkt","yhkimko","jlskjvc","vtzqtbx","SFmlCUF","zsriydl","qzwizyv","pzeujly","tqMkUaf","yclcgug","YyCSXlP","ewuwiox","icnoyxz","tTdmylu","nizqebw","fwbnsor","cwZtUbl","nhzqylu","vasbqbt","hhxpdwl","qsvvlio","ainoaip","lnkiypp","VbAnjEM","FXycWyC","bvegtxw","dlzgwhz","ydsutpl","qduhpaf","dyljoox","gzsmesg","tjxbccy","fmqigbx","tykzsti","kcwpebc","neqplpi","hrxjwbl","epmdwgc","izsnwlb","ksyslnm","ceazcyk","jxduxwb","ruwFfmU","myaclbx","nFBQKZt","qyseutq","oGYtaKh","nxkzyke","mqacykf","qzaqril","zkaqeon","mtedxtk","ybekybk","tbbocgd","zivmnml","rlcfllv","skyolif","idhaknt","ffxgaxo","QbQkvFg","jnhtvyo","olsuuoe","qzhasrr","vLdCEoH","xmherko","hqogiat","kekoufs","yawaheg","ueBOeDX","cbmcmjh","puFFKHy","zqlxhcq","nwhenkz","gxjxkqp","aiqmuqw","dgljtzg","qjqlrng","gwexudp","tutijaf","ytogfmn","yxxbvdl","iezmvxa","cdfdsnv","fyqbaxk","pvcmfye","LMkWoPT","rrrnrcu","nzdolmk","OKKZfTY","YOLWKuV","fnctgkn","jauplgh","mdkmoth","pspbzkv","loqoiqg","uxwuiji","kmvobqp","sbdzwcm","wnhzcsg","jidNDIy","rttectw","cmwmzqs","myzspvu","EpmVuoZ","dqbrpvd","hpkngek","dsykslf","mjooeuz","bwmqddd","vyzluql","iyypxoo","lkskvvn","sotbmsj","gedcreo","esngdkd","oskcskw","ukewfdo","dugmjuh","lugfbal","ymjhfsw","cdlqedj","ptfhmie","whpftaz","LVObRuz","cwdyqeu","ngbjvrt","nutcpyg","cCsOSQt","ndmzvpf","wsletgx","jwibrra","jtkiyaq","sdsgyyi","qwqjygh","velbsab","iyqdefd","hNmEHmW","cvyvcve","earffcq","lfzmfys","lcmskip","rttixrt","KdbaAqr","OeNPLXk","soqnsrs","zkicfan","zjhktii","wxgrump","oohnzir","ajjlazi","iKRZZcY","xehvhen","xqgstff","hqraxzz","ivdvdir","xoxudyx","fyoreet","OUBjJVC","qwskpam","eetovdr","jiaubcv","kypbmee","ndmfsjf","ssddlsi","DIztNXi","ezfozil","udaeora","wbjyoko","tiblzxu","mrhajoj","OAUhNxq","vkjpphw","hubiyds","ocwzxly","mhpepoz","smepfqo","NhxytGe","pegerhr","pcsekrf","idwhokz","IYxXEJk","ZJHKTii","hlvupvo","tlkgdpc","jybfirw","WqqAUpj","sqmlwuv","pxFHLYD","wmdpqfs","xaysfzl","ieztlvp","dpyGbQS","sQjYrpJ","pnogrep","uikyoso","yjtjhbt","hixaowd","dxqyagd","ziweLAp","xttoiwi","emvnsoh","jrrfheq","jomcaak","ejximbz","jmmxipi","jnpbols","kviaqud","pxhneix","DOWqohL","bhbxvzr","odnfare","zcqmvdj","wsuivhr","ozkyrqx","bnzvrwx","teqldmo","lvvovwf","XCMoJzX","ufnqatt","qieUckz","wfkiriw","tfjibve","ppptazt","zVmaBLg","pvkgklw","xliqsuo","kchireh","NaVrhhC","ypbgrgi","entthit","niokbhs","wxxkgtd","nsqqkdh","onjogws","sibvinr","akcfdfy","uzcdsdv","bbmdtgu","mbjkbke","opqodde","oftxfwk","qaqybrj","TUTeNiY","xenydfm","zzohlpr","xhnjppd","flxldko","jgvwoea","wudwzod","mydnzdf","fCeyWXl","rdtsmpl","epmvuoz","hHzwUOc","dvmfwcz","xdgolle","ifbpith","yendisa","bhlrcvh","tjtjypw","omydeux","cwpplir","csdojao","tolfxyb","HqlXqNZ","fpknuqr","dcrvxcu","amxvrcj","zhnmiww","darutzn","qdauqll","RIYiDbe","qzpwgln","tajlbaf","DSPYIFI","huzuuup","nEtSmYV","XAXAmYj","wzvsxgx","tfmkqgw","hsuhhaq","qsvVLeU","jagknjz","ptbhzpr","lhdfdrf","rivmmgh","gyolntc","mcruzlt","zufohpv","rQsUuRF","cebeeks","wqainaf","wwxjwko","bpcsxxc","xfgdnlm","dnrxhmb","awslltc","tpseunk","uipwytx","snisbio","qzppmey","nevcibh","seijncu","slktpqa","vuowajp","lxufyqy","EvkAXXo","nhrhptk","rqydvmo","dqfkpti","loxoxzx","vFmNCRm","xavyumq","rrsneer","nbwetmd","sytpekl","uqfgdzn","mrhsfdg","yrifhxl","mfozfjs","invmfrl","hvsbhsq","rdboeug","nloxjdl","pmwbyer","usfnlsi","fydzzws","rkrhqvk","PeYJRjO","flaaraa","jzwtvgx","uqhlwyi","fYlOMll","BGwSDPJ","mosqmga","ommbndv","bzbLtxx","snxmkqc","cllmbhu","nhoyiby","yqxaobx","gsironb","fiwixvl","wepvzyz","XyDYCKX","jgwamlc","abtihla","qbutrdb","anjeGwS","wtgbfyj","bkyfben","wjtosze","ddmxenk","ejtlfsk","xMBPBhq","jkwdzwq","jdaahnd","keppkfz","qpkcicr","xkhYfti","brasgzw","lYKNlri","hbkrsfv","RrOWZBw","rjjgkny","MKUTMiS","yxjaoej","FEPkglK","tstlmez","mydnzdf","tkmxzdz","detqlau","vpgbqlr","zfgsbqs","bwyohnx","uhkjgay","saberyp","klsonvn","yjwejyd","mtirsnl","npafznu","podjmhb","vlwpdew","kfygmdp","jglxrgf","xautxiq","zwhznvp","AZJWQMp","wczhaeh","TZpiKWQ","pdBHyCe","svzjevl","jdazatk","XtLgmQT","wbngyds","lzkzzny","epvrorm","tngaajg","ppegtoy","pljgiqx","fudnuvl","emcstcz","thdtxie","scmkyjf","qilugex","apmmsgo","erusaja","hfzayvb","fskmuqy","hlmyufm","WxzNuYB","vtbkwow","pdrrwlq","xgpfwge","uvysijx","cSpQZZY","wrxbton","yboweqe","xvgnoqh","ockhgwb","sbbchsu","vqcucwn","gnxwheu","RYPgYwC","zualoby","xCDqmqd","obyjjvj","wiwxiku","IIQdPjc","DaPcETi","pdokseh","rkieouc","qggljnq","rgltdso","ktfdwuf","plrwwfl","dvkukix","xRDhIvY","mnfpofw","abmoavg","btchzxw","eznzhxo","zjzqoes","WRyGrWb","bmbjufc","DwuYjoN","zkddlln","embjdhe","RJOiCeE","FcGfOdI","vibulkn","ajrjqbj","CEvnGHx","joqyfza","vzsqpan","sINuhom","xhlbbyu","GdRobdL","ooejueg","bejktcw","pusbisz","udJtyId","asohtri","ozalvrl","eiulmbl","fauttby","vlqinyw","woquhlp","cllmahb","CkmHbTZ","dcabdkk","sbxvdqp","xxyfvxi","zeqoobg","lktqleb","iyxxejk","mpygdvl","mvtmhaf","hbxtjga","IbSJsAG","ugjnxiy","tjupepw","drbmhbi","cmjwlje","fCkRBIn","dksgyhy","lpcahhj","azfqgow","JLZdJdc","fqwfyjc","pvnuyio","ikosjbk","yxruzej","kiyijxc","dzlxghs","oendmil","pqgcggu","uvwtiqw","kaslyzd","lbdpjan","knhvjod","sXZyudn","yUcprAX","PBSuXCP","dzlcgdd","LUdkHpZ","palehwy","thybnym","pghykcm","HiQgwZF","lkimxwx","lfcxffn","dwwxfyr","rltmfrt","gxcqrmi","zrxfljp","zkwfdaa","cwxcwsn","bkhyamh","eTNUCzx","lbzlisz","hxschrf","rmkzhjx","mgalokg","ffalprn","zhOCDtM","uftvjmq","xjkusrb","crolwey","LGfBqUg","UPmLOaf","zororws","HMPOPpG","fcelylo","kGiHRbE","tzLPner","nktnctp","ssyyfnn","qbvrlbp","yuyxvft","eqhzmzv","ixordch","sieltoy","jwvodfo","lpwefwj","gnkfxek","mOBIatD","tivcgel","tjjniyl","llvjsxd","zotvmzs","HcaOEcQ","wYUYVPb","umdsqdi","klntasy","daqzort","csbcbvw","sbpvvlp","kmanmpq","ogkoetf","eeuimzc","btyppyl","cfnruks","pfrjbmv","scgxkog","tftiypj","ljdbhvw","physmib","xdlgqlk","qqhuhyt","mmfayyr","eukxspp","mdntank","iyopvxu","gtmqddo","hpbspjf","onkffbj","lkiduov","txplloz","vhzcmia","buymkgm","vytwoax","xmehslp","PCFmIXK","sapwdlm","ejzipfA","doldmig","gvglduw","lgoedyd","CkgYYem","tMtZMOj","bpofjsr","zepwfmi","HnMSogw","erzlddn","fmxkmqs","fqoctyr","celtjkl","xbgtcna","xjpakga","vsvzizw","fqlfyne","UdJlFTo","wpcsqwb","zMcqlGN","lyogzvi","woTszSe","pumrcwg","ohpikdy","IAHgouE","aihzgcb","ygizyza","bqgejys","woxuhis","agkzkfh","gknjzpy","adinclq","xsnhjcn","olsfmbx","lhssloh","inzoteo","wyokgcu","gdjkbih","wbxihea","wuygnoc","pctucyd","xlekqxc","xecnwbm","bqbazoi","nxzehms","qlymeur","peMRcwG","kvwqsfw","enspvhl","nwojhjn","nwtweew","kmNrabG","mrhdqzj","tphuqcl","wrlfkil","nphlnap","xuczisx","cvbaiti","qBFfFom","rtkMYjb","pqgmpfo","slpcndo","dwyczcx","wpmvvyq","ewlthfr","zwrplha","aigyzym","ufssweb","bagispm","oxoylhj","kdjzrdh","uutimmi","cohifae","vQonGGI","vlztwiy","rjjjvxy","reknuub","dxnomdl","jsmdnwk","puphcsk","GfqiytB","bntitvt","hdnatxy","dfgdduu","huzUUUp","vsirgoi","qlodumv","KLNUBaW","imsernw","xjicrkz","qwppizo","ygreudm","noeanrj","IYOedWG","cffrpht","ljqvktq","trkdgkp","uksootb","jfztavt","xxkwfvd","vaebqst","qnubcts","kzxgnag","mchkvst","kvmixlh","CCsoSQt","ykyjagw","ftklzqw","expadpm",
"awfrwxs","zmadgrf","tcfyohs","ktyqwnc","qcNAECH","rgohqkb","pdjhcrj","KTFNutq","wqwuyda","CgtbkGv","clkfwbd","nilmehc","sfligjk","nmGySsd","elkmwao","hhlyvji","GZTlnwk","obtchcg","dfubjlh","rtwgryf","wqohloq","feyilmh","ovcatpi","shlsple","daltuwi","myVRVQj","etdcskx","eghmbwj","DnXEtUD","ymwbfht","sagxyze","wgcqveb","brfaxaz","sqhwqhm","nbzcpem","CsxIuoW","cdtvjjw","rrqeulp","gcejauz","LfrlSxb","sbdzwcm","fszmpfv","ckcfgbl","zpuwepv","vnaefxk","xeuqsky","szcomft","ozednxo","wrxbtun","kfbnfwg","ducabfz","bjdbknh","svZdxGX","likvpnr","dvychul","CvncdnM","xahggdi","fieuvvq","oudzjvg","dmnqhby","nhbtfzl","nxkzyke","mcysrmk","jegydlf","bhstiht","yygityf","NuIwiAy","kflgigf","zaftldg","cqvrqdu","zoplncd","RIKkogh","hxytnsn","uebgxrh","xxskodh","pcggnow","ywORXPg","CRLeahj","DYaDGEq","aylbych","yktikqp","vycwbmz","obbsjnd","doefhbg","bxKPAOl","awbtxbk","REXEdaN","jjmfshk","hjvfevj","mcchwln","kccasfq","xijvrpp","ahqtjtg","tuqzkhg","fgresqf","ZkGGxYT","udpjsla","dgskfqe","spdlzaf","wteylbx","gRMUFbO","hekcgjx","rwkryjq","bnwrzms","pbtvemb","kqaudzh","plfghjd","zktdith","fjtjxvi","ptqgvsv","eqnyaqk","ewufxbh","nlnqgfp","tvhnwoc","itOYYHj","lzgbwxb","ufnstuh","StYKCeh","lklnukc","zuvfeyx","xpbpnqx","ltvvgcv","cesjezf","wouhkjk","cwewack","vvufsgv","mhsuvpw","wygstib","juyuatt","bfshlfk","dhrqubt","heiudgn","lgdaqee","snnppog","UQrRMjt","zanhvby","lrwlxfh","wzptrts","ycostfo","hbyfwdi","mxaplid","WaKAgvh","hmeimuu","LkEBitT","txvsyxc","vbdisoj","mjhexyx","lapgexp","bodakwx","psagemq","WPcSqwB","lfysrbe","gwxqaxu","oXOtfaU","pazqdsi","jdrlsxb","ufweraa","cirfpdf","NxKZykE","qqyekmo","pjueitq","oaptpmv","kzxrcot","gzfbirz","nHsTWRS","dobicfz","vrvyfkh","kpzklwm","mmgkflj","zdbxyqi","kneHZIl","thjhuiv","EEUpozi","qqqkibm","seXPJpi","tibridr","vhcyemr","nhnuinx","JTgTSvA","cknkbeb","oatftru","vzglwyk","oyhmwew","quaxvdm","todvdfz","jlObozl","ddiqnne","zosqscf","ftjbnwo","bccsxxp","vhbmyel","tslbhdv","busrnzp","cthdatt","zAXzVIO","kmceSlJ","ydfkenc","vkuydze","ghpllbg","UTHJKpT","ZkrJwJl","sjkoedo","zxbtnys","apdfmoj","fvhniga","btkgskc","hvjjtrp","jwzctqj","ascfxgv","tpjrdst","jKeYPUa","cPYtMhu","exlbbdo","eyfjcnm","suhkeik","mazbxzh","nuawiiy","uukeKnT","giocbqf","dcfmqeu","atjlovk","vokikur","MRTJCru","wnbflhn","RkSbxZA","tgmzeco","bgecjyq","dYmAexk","FLgMfWu","Ncpadje","glxkkub","dupxtfk","rnvveri","hYmtfNv","YudqcUL","oejmwhw","tytbkqh","klbcswg","BBGEcde","qhexfnm","twzlejk","irvbgkj","fseyjzj","hrmygjf","zwupweu","fecenms","ziyunwq","jumecrg","jyzquyt","eqsckoa","xlysfvz","poqfgot","dlnxarj","imkyyrm","bimofnl","ioyzzaq","NnaAevP","vnjavcx","zyzodbg","wwngikj","jifcqbi","fayitet","sypxnxs","cgolfme","jxshwnb","tzbvobf","yQACfbg","zyywyjz","vnrwwhm","ecnaqch","vyuawhi","kpuvhid","omhghrg","apngkgm","pihbnhq","aopspvy","rjeunvr","mjiihlg","rcleahj","WwXjwki","brequii","bvmqrfj","APzEMbk","ukamzxz","orofluf","vbpaymq","lpkvwwu","dnxetud","wxvgvwb","wpxrksn","ramcmtz","nwhadxo","epfjjwl","qfxwtae","tibridr","xvlkxfj","bbmlrsx","EyKDZmL","hnmsugw","beldvdj","rkzcxau","zzohlpr","cgqzhjr","actzvfh","tkmxzdz","tfiaglz","ayxzfec","rgwnyhi","ajbavtp","sixpjpu","ipbrrup","slgswia","mpsyknk","rwrbljs","iakvsct","gipwhoh","ncxnbsf","vjvvpoo","nfteicu","kjvijks","cpxnfgz","plwnozi","vawiufl","ghjpkuy","wmenttf","ClMTVtT","uzdlqcu","vrljcte","vakjsmk","broarle","GcejFud","wNqeQkT","aaaeqsp","cwxnizu","sezveeu","yqvjgmk","wtgbfyj","npnorpw","raodobm","NwOhjJn","wrdtljr","krnifpn","ksqmxpg","huvhvmg","eednjvo","rEaNSWu","yspqeid","lchzuev","fhzmcti","qonqsex","MsizhhI","psbuxcp","jnensbp","pmqraqm","ciosqfp","rvgcbea","gtmfvdn","PjULXog","esiwfsb","xpsutkf","xkdspmz","fbCsgWs","ursrnfs","iqutrkv","jqeildd","ushcplw","crvmlka","vopdsvb","tbzneab","uhjlkzn","ivudutl","rzdewrg","ljljifw","tlgyyoo","wiokmna","fqkdhqn","txcqvri","sajfypj","hPVoILh","kbcbwta","xxuwhet","WdfWsxS","zughyfv","itnuzcx","gzljdgq","ciswkjk","jutmygn","yandjiw","nzfnbyk","nhctkcc","uiatebs","ftuDwuo","aicUyZV","ivirrnq","bzaqlxn","mdflvml","mxeccil","osturio","yrpgpwk","brVrYvd","qkwrupr","zhzuers","vmwzdjo","qxcxoqz","SUjTWwy","ffsnoit","yaqbipa","oohwmji","bpgkflt","rjhdhxh","piCqDCx","zrtrrjv","pcxdpls","uwwwhvs","ygizedx","clsdpza","wjguxhp","bryejko","jarvybs","blmqopo","rtqbgka","fyiowxe","hcyvhct","ladkhpz","jzzlgum","xlbrtbh","scrkdby","qfolrey","adetalr","dsaccsd","UtrRSDy","rwqisaj","fxkizsz","jwtzyju","XnrPuxp","xiftdmq","juqerpv","dgksfqa","ivadkly","elqkgrs","whgrtip","xtcywfb","guvkoeq","ygbwojs","kfaghgh","ivxbuxx","irnyuiv","bwskycf","ByrqIGL","rgfuuqk","lwqcxyu","kcepwbc","OKQRHDH","npghysz","ldoegyd","qgiagys","hlulrqk","jjkwnnr","xuQURqV","lzcstxy","rTWfJPQ","paksuoj","vhpdnos","ouqfvys","BtqUiOD","dizssbg","hnrccou","ueuxnfg","hwmqxno","gfysbnf","epptkns","fzzbhqd","sfruvvs","neufzwr","iktjgfk","tfaticp","rdmuvyi","xcPffBK","rsjobvz","bnhusoe","szujqew","vqdqttv","unofdpm","srmvfah","wZvSXgx","fghfeep","SnxmKqC","xadkezy","xnhblnv","zdujfph","yssarfq","sdsgyyi","rwawknj","msxvjxr","uPeenNR","oybiuvx","tuwwsjs","yrvjnhm","rszhjmz","yeiyoqc","emxrcqc","acvgxmb","oxismqx","MPAmzFn","lzligrd","hIDzZDd","nwpwdov","bloqeqb","abjbrlq","wjhbnhy","jffjovd","mxqvjse","ednldoh","jervybs","brxjhjo","jnxbrhw","xwijyqz","vijpyxi","wgrsucm","qbzhgos","zsdmzyn","kbmhzle","tapzgwp","umqrwlr","jwsafae","wzvdqbj","adkolqq","dmffQsB","qkcpzni","zvzwnpc","AmmBigl","gvxqmhj","FbglJXS","milgytm","ZSoyZII","byxohrm","veazqtu","ciqwktm","cmludil","iecuowz","ggwqyvc","lnscgge","whbmygi","RvgcbEA","npvwhgm","mrffgwn","vwcsrhc","jkaitcl","wuqdwpm","ectlvub","gvjzvOu","boljnyr","hLRthnN","wyjpxrl","xwhwgig","slqvqwp","CCjfIyW","aqaysti","flvkvew","kxlmnkh","oymjxux","qnumuku","gtnaxrd","krwhkou","byvzynl","abuzdrm","uhptmwj","SInUhOM","XTppDLa","jpyyxop","tkfejgy","sojfypj","spaelnd","bndxvmh","tvrjxrw","nXFSqTc","SDGFJzW","yobjqsf","yzkxsxo","lhsujwj","GTMQDDo","xyijwjk","qabunpr","QXTLTQC","ozjrcxo","wgPcScm","vzicxqb","sqdragl","agjmgxx","NIGgZBH","hjktwyt","NETsMyV","vylmexf","qwmvbzf","kgivwql","gxahryy","gkrlskh","dwwrfyx","wmdlmqe","ofhkqeo","spuqrrf","lgFBQUG","ceazcyk","fbmwzhz","hjcnhxc","unzszak","klbcswg","fhrljgl","frtkavf","fcpuyks","scrvjor","enjxfwj","mwvjyyc","llhaxss","hEKXisV","hhtncvt","rbosmkr","fsayjzj","iHRtaZY","bahmyng","xbxkrko","nfacyfv","ybvfveh","tnNmDxp","gtgfjui","glbupbs","gcicjzr","xbwpnjv","xcthczp","FrEcNOs","gemicxl","pazvokb","kkdrtvu","wttcanw","myrusxv","ztpbcwn","xrzenfq","ipheram","ysgwhct","idedXmu","gddbkop","gslphqe","cddhhce","ibozbig","qpahtuv","bkhcwct","pimoaas","fjgtdhx","svpjnwv","zrtrjrv","pxaudrl","nbhmvwz","hfarwea","njvodjq","MPKlklK","bfwlzbo","qvcugfh","ALcmFkq","Bmidskr","bvehuky","onalozh","modZRUV","vYdsQnG","XfyCGLp","ccybxbb","DNrXHmB","omxzsch","usrbyzq","gopqwqo","gmcuqav","nkbgpkd","vxlofym","puqirae","wariumg","kemmytk","bjesayc","kchezin","jggmksk","TOatrHv","uqlpksp","DuUpgPU","qlszsea","mayrmif","hgfosgd","mdpqlul","ibtzsel","hfgdwfb","ebltuie","qecapid","bMnDbLN","srbwysz","EmvAIHQ","gzelibc","bRABGUu","gvjcyyo","ahjhfax","MOYxECE","yRJcUPo","wfkyhpp","PsvjOBG","GYADeHs","xxpzcfi","axejmzc","oasnmqp","gnrnkjf","mncmiut","lgfbqug","jlhskhw","gpfdmtz","kwslfqy","tsbfidm","HVLFhlI","mfbpuoy","lzhlpsp","mwgzjap","XvKvmzi","BnMzsCz","zhxhtds","fvmoOkv","rvfinba","rlcjljk","ybawiaa","bhfcsas","zshfhqq","occlish","rnalagx","BIQuToD","atbaske","mmmzzyk","kurpqfp","ysmeese","ogvsuxp","TxRiFjL","qywwjoj","GQMkAcY","TyNgJhR","vnxmmwa","dqfhwvt","SBxTKRy","psdfnic","pqGCGGo","myjjyks","malaxpc","gwpwnjo","alnaden","knihzal","ZVUojZS","xinxaeo","HEKxIsv","gmfkbdf","johbnnf","htshwst","wdxjvhu","ldnuzhy","jcoemdq","kjxwdsx","UhnPSPU","djzmaey","bnmzscz","ntqtcwx","lvtrcdg","axceerd","kqdvvfo","qwqjyhg","gkxivnq","fimvvfd","dNrxHMb","jmbiwhl","vjlglga","bhvnjcm","coawzrk","xtczzjj","SgJMxoY","crufjnb","qzgnhlr","xrlavol","ctkzcmu","tmkhlsd","bhtDYrx","znobzrh","qcijlxh","jawkoux","bojsucy","wzawoqn","lwgkjmx","turqdmx","nplguwq","qbnydmb","WcdarFS","udkhpkz","wmktgqg","htrmqdd","zvesqpn","tljCebe","gsmzutj","mkrdoaz","ixqdlwc","dsdoloo","lNFkfal","pyeiwnx","ifhkqua","bloanfz","hqmrvrx","whkcroa","vhptbdu","wjgixhp","gmwchsf","inzzbfu","tscfqby","wDsYpOJ","fzfvopv","jazwxnu","ugsvypt","pnofqtg","gaqudve","attzfeo","blttqbx","ahrdzto","vkiszus","mmbyhqu","mliplym","xiwyjrj","kyapocn","ydxektc","tikyofe","tkkbpit","swUqLGp","qjthyns","bdkjqxd","tcbwczm","lbakjcd","tspndvn","PtbsxtC","xrbplvs","ftyetuu","mjsfoht","jquafav","edouitu","plgeuti","gnbigpl","rncmieq","iushvvi","tbcvmjx","xaksqmd","aachfni","surbYZq","qdmtzeh","pbodagt","fmmzeWH","ctpahph","hullnsf","gyydeEz","bpljcyr","elmebie","onkrerz","udwhxpn","yjtaypd","fohsjln","yuadaka","xtyfdcm","exjftao","yhtcdlv","HbPvtIQ","wdxjvha","pdzysie","aTVUmmV","zbtrkgk","hzlguwr","kqneiyq","hceqpvw","kThYFIT","iicnpci","cpnmdri","htIhkLh","acqizih","xkwsscz","pNJlQLD","lxzvkwb","oywcmgh","tkFJCXF","afvmbll","mdCpHxk","spepfgr","pqibezd","rwgyxcf","gcnnpas","daViXNP","IlGNMpm","zidlncp","qvwalmx","wxkquzt","ikvfybz","ideekve","vyagobj","trofxyg","tvqfkbf","rrfuijq","EAWKKLP","jjsqywu","gwbqtrw","ybgdkgu","utnprna","pnfboef","duomwii","cuhzmwk","cvtmzzl","yqltyla","TusxZHD","kkbbjiy","rrcajpf","fenefzc","sykxwwa","rpdvxkd","ujmxddm","XjqMOSu","ogoxket","prtprxm","ZdJnoMg","kwjsvvm","wrqagne","umlielb","fyuutoj","ziqohov","akctprs","hxqdpdm","tlzqhay","nnxabhb","uuwamil","ycwkmwj","viqrant","jbpxknk","yorwskp","qvbtpjt","qiwozkr","jclkEjE","lbjztof","jfvghln","ocapzwn","wsajfrp","tvgeyrf","elullbd","wzbsvln","jywndbv","vzrfudv","ouccjxr","bzbltxx","CmluDIl","tbpsuho","tvturqy","lmqroqc","iihmwxy","rzkcvku","nqoecqw","ciodoef","lirjdvr","woqvrhb","rmqsjzx","baqvxsc","RiaFAoB","juPzexo","lykhyvw","zwxdqva","ruvdlhb","GjkrsDB","eNnWCDS","doauqgg","qwhbyau","bnpxgiu","mpwgazu","zevfuxy","TwkSsDG","eranisn","ailbaex","XgYITyX","bqbvkra","oqqabxr","nqdfiyb","bufUQYz","pflnfqh","yHAZHZG","ejzggen","annotwq","npvzIsB","whrudve","rzwtfnn","cgpluvq","ulrlaed","vwppble","ndnldxw","raafzNz","dbcienq","agopvcn","gvJIwKA","fyglolf","evsddio","usbfitg","JVMLpPu","zyvFExu","isctovg",
"ovobsuu","zwpbtxl","snbssck","ftOErey","pwrofxm","jtsfsuu","qdrggnm","vusqjij","idmilyt","ivbbyjc","DHeETPb","xzwkolp","bowvcpb","zceziem","Eykdzml","uadzjvg","kxthmwi","rfutbqu","ceqaksj","osehtri","rxybnpo","cwerpwc","nfxbrbs","lsroiun","knytwwg","rmrczzk","iktbrkv","cfyiplb","zyshren","wiflrtu","idrerkj","btyvzed","hsdkhix","davixnp","YeIzxbF","exoezwg","jwblhfd","yxarwpd","lrdrlxp","wkhtqxk","nWDaIsS","hshpgki","levrxzj","WmkxTbF","vhqysix","zgqtkvv","xmniymu","gknznct","zcoglrl","bwpytpm","jWaLBbG","fnthsik","dapEctI","ixlbatx","pcytmhu","rtnyrvi","gigmYSH","fmupdnq","uwznucx","lOKzkAo","gsmfiyv","xGKYJBC","jvaonni","gjfymua","YCupuDk","tljcabi","dznexso","zbnejuf","oForoxC","ectlbuv","uTRrSdY","MAYdrjU","kkzrerd","zcqmvjd","xETVBgc","TSdzJBU","ajykuhv","inasbbn","fuagtgo","hlglvmn","WKTXHpJ","vssmuyx","eiqsmln","puvzqnm","rbsfcuz","rrzplhi","jfiwhdm","lvdxmvh","noqxmeq","ZwOykSu","vycwbmz","vpmcmkc","itoygej","eokqnjd","GAeoqGd","abkftiw","qlMvtKq","hntmjfe","lopeuzr","uaqNQXU","zcfvmpf","cvksseu","lywxmxv","sniibbn","yfhBGFL","zwhhqri","kxepfgp","spppext","bcnssol","iawriiy","baucbqp","zbdwzuj","dnbwqcz","ybusnuh","lowobzx","hvYSSMe","ccqeuem","ayzfmto","leposdu","imoehvl","tbSFEGA","spcasxz","ojyyorq","htmhdjo","zbvkcqh","bdmqwdd","tucezon","zuzeqtn","wevjqge","jilvwsq","gtivazu","ehnbndu","xzbtgcs","ajpbhrv","aqexeie","yjsekln","ynijfhw","qrugreh","zTiFeIt","HIQBgtC","izysvtw","mfjmwrl","dknypcb","ipremop","hzppsrg","cjclzcl","cpoclpe","ttdmylo","ceqbpub","cZScGsk","sbpjvcv","diwkioe","bpvolki","gkshjbt","zEzvIDX","wxxkgtd","rDICSAB","PJuKmXT","raldvhb","uuctins","hcextdd","hxdqnrz","uohzdzs","luogztp","ltwmfiz","bbrqzlp","fqvmzyy","lgmocfb","ifrffqt","aDKHpKZ","ziwolap","hvbuwno","eMFGVDv","zqlxqnh","ttndweb","oflwfml","brpmyvi","LmyoQxZ","ZDKlsQF","mvwlrpj","AuynNGK","AsLsvOq","ogkOEfT","rrndedv","gwcbceo","mtwcodt","itbuxqt","qamwtrg","bIjTeKq","hdndpet","lbtxvlo","SMkrHfY","rucuzet","guqmmgx","jtehevf","dgepkdw","QpxHssp","qdutvtz","ucgagyd","mdtdzhr","vnzoqlw","wzvsxgx","zvmaglb","iaplmme","DuJXlMV","dwgdvmz","gtusnpj","dqnfbtg","QnTHfHE","awgtgnt","cfksvkj","jgkmksg","gqdobnc","zrqxvtk","vqxshks","obfzqmi","ndhdrzb","ongialv","tlXNbnb","jbyooqo","kigzdim","qdczuec","pwziaxb","ousicpv","xFycgLP","dbulyee","tofqzmn","HniJNrX","qmiicak","nPvWhgm","izjvwfm","NQdfEyb","zqqTgLX","bpeljtc","kpcmqbn","ropkwad","iikcmgd","cxydiij","hecwtiu","uzxtoqi","petnedj","zcaglrl","lohfwvu","xmhmuux","xpcplaa","zkiqkym","pMuIogR","ZGKrvEg","inzkhrv","xyphqcx","bnwevdp","rttdrav","imrobgx","kznzjik","aiifmta","ZxvrOSE","hdechun","HeCtWiu","sqeuaqs","blOQcIv","afzoaov","ohholzp","kjdzdur","ccqeeem","saeyjui","xhbbeai","inbgmic","bqtmxbh","uwebOTR","gxkvkja","ybcknjy","hlrnnna","JuaNLhI","MyJsXWo","bfzoFVR","rjhtsbx","rowhrih","eeoprfe","hdshokk","pjvhjjo","wtzfuiz","fpjikjo","sqnlixs","lcvmcur","dcnycec","fobgzvd","totenay","pynxeco","nspvrvz","aPkmXlr","oqntzmw","ayejcvp","jkpbgtd","ppkmhbk","napfkve","oihhwao","yaslfpm","eeogfqz","gslnlow","zwyurpj","dignjxe","tguvmxq","wbbcmri","cgxpnjr","hfiqzuy","EFrKxMM","eugyzym","wwsqzwj","sexpjpi","awnfaid","luyzpho","xkniruk","MdPttXw","RXwVOEl","xiwzsba","tuhmaop","rikyyvw","bixbsjo","xsvoslf","vjvrayl","xlnaqad","lnrutbu","tpwqpsp","BntUtvT","ewncpol","bgldhdx","olxuwme","liajoao","vhlmlqu","cpuewdn","ixkrmjz","nwkefme","tedcdiw","vjbnccx","mxhulho","hdiddla","SLnrgmB","xxcfiay","zzirywk","zyvsfia","nwtzhyc","cbntsao","ryjrvvn","ZOYQljm","dmiqcxr","FbCSGWS","fddmmaa","yzsyasi","fmyhpka","oelmnhc","tovyxfy","sinmgrt","civvgji","yflbxnh","istfgir","otufirn","accabab","fjajozt","vpikedx","ktwptxi","rmcpspg","Tuzmsyx","qibUNpr","yteeoxb","ygfipxq","stadqnn","xltvbef","emcstcz","hvjgisc","izztdao","qvpksvy","rfvitnm","ElKmwae","hcgajrq","iiZZHfO","ihRtAZY","rayxzsd","ZzVRZMI","odqljiu","fwznyhl","qhsjsny","ygxfafh","ztztdzl","cbwdbck","dtbkfrs","hjedxlc","brconvd","kjquoua","esiuuve","tfyumxt","xmalpla","jOsejqu","mqdqhyn","leshytd","CAZvita","uewrvot","gfxtvgd","yzuqgdp","hxocksv","psrfktv","tuxmije","dJieidk","fYOerET","vjVrAYL","qfjzvtp","qfqspdg","crmxjey","dpjxowz","ioaxbnj","xKnjzKI","yiwxhnu","BpgKFlT","rngdiva","xjftmul","kkpykxd","ihrlbvk","vzsvpdq","uvdcard","rDNBbft","ehfqtyg","fwbtlzj","eushtqq","wxxkgtd","wkijhsi","wCDarfS","nuqfjwx","anlkbap","gtqytuh","leXcrvJ","uezxplv","fdglBHe","kUpzeit","zjntith","vlztwuy","XZxBqzl","qbvrlbp","nvndwvr","gtlnnpc","nrfcqin","bjbizvp","qhcsszt","edblwhz","kkijhyq","ijvtxwf","cscrxgx","fakjonz","qkncrdb","hluarei","josejqu","cgdwjzu","nnyanmm","lhxlnti","yihnbwj","VSkQcsA","nnmniex","xahturp","doqirzg","qkoxvwj","gxxfded","cvpcmbw","dwbdouq","cxwvmef","jwsumep","fsvbwos","nnraaps","bcktkkp","ewanydg","fdtjmpt","uazicqc","gkvzhyk","ktduroy","jjhrqfo","ednelna","qmqxigs","ckczper","wvladay","Tusdzxh","gaqonln","nzmwnef","nbxewdi","lgmorua","GxYFkwA","WOHxGNt","whzfkgj","torkave","lepkfiu","lhgiafg","lcagrba","asswibs","nqcgiys","hbovdmx","fkfalmj","jvzjbwk","nigGHBZ","dloodpc","xqcbrdp","ykdvuAV","KLrgrwH","vqcucnw","tknaram","raeggkd","fmxkmqs","KkDZQuL","ilmzzeg","zvzwnpc","sdjsnst","cKSVPYx","rurlejt","ovlkyjn","tlemJBR","iuobkxy","jmmbgxf","psosgvd","wvgcklj","exfbnwv","tnufjpi","jjijjzd","lirkwpd","ZVeriyp","sawfgbt","evylqie","imxmhsf","Nzxkwle","DRUyyni","aswfkeu","jceuxtt","jgtmtnc","GWXrEOX","hdwoxnj","yohkklr","obgledz","wdbkvwx","mcbcymm","IwbtXKb","ervxhmc","lqlgqqj","NQqMReS","vJkMOiw","ybdbysx","jvtwbie","iywuyah","zphwxke","fmawsag","fggbuoo","nwgnhpv","crbzsif","qkmbbcs","lmjjpyk","toyqwkc","SiGLtLK","ltdcjld","xezvvwv","tfpkbbo","bnqehcb","nbjajpi","qvffxre","ypkjmqu","rkpqrie","bcafqtq","ovnfwbt","hvcvbul","jgnlhmz","UYRQBGr","fmoyvix","drvjfaz","SWUqLgP","nsqhhgj","hiQGwzF","irrvpxs","mnpnjww","ofbadpn","fszxlmg","pbizzkv","xcjtqjx","zqfubiw","svwahmx","eujdgxe","iupnzii","mfwnxls","VYDsqnG","bskovzi","dkrwown","BezAaPd","XdVxyws","jvjbbvp","cjobnek","hfoyipi","vrsbvci","xodpwmh","qOLWUZB","bdivvpz","lnqnjna","gkoqups","zgwcrwf","vbrxqgr","dxbapnx","hhxlcwz","imcmyqj","pqogrdj","nqgfkba","gvxqmhj","rcrzkbt","pvgzcug","glWNOGL","vpaymdr","rwkryjq","rprslwe","etfkdua","ejxahbi","yinulfv","spqnfcj","zxuecul","mnhppjn","komotwb","qgmromn","ifjkrgz","kkvbtvb","drfvoci","AnOadXJ","mmcqxxh","smrmztk","jfevwzo","lyegklm","sylzefw","AnfZNgD","smkgjhp","vqrhyct","xNAxZiC","kbvdbxq","nqjnenh","bcrgmfk","ukvnzjs","fsudnad","zoviehh","ybrhjvl","oqxfpzp","wzvsxgx","yxzrmgu","lvqsyom","wfqzuwp","qHMJSmj","jwmgwnw","sqaxsop","aGuQenl","trjkpsj","oatwwfs","ofhkqeo","HSTRctw","ydcgjuq","pwxbrok","aLgAwOI","nasdnzs","ddhokev","qeyhsqk","QtjCkSF","qalahvs","nsgnpdr","gslnlow","cbwkfsw","hbkrsfv","ltqfiqr","evjimjd","xumsqsb","zcexriv","enHSvxu","eGNYqqC","wpHXVfU","nyhlnlx","cewaqhy","keewmju","pDYlPeJ","ggxzacw","ymvespa","nibycxm","rkujuvc","mORhjEb","flmJXSN","gkrlksh","pxxyaim","uezeysm","iqvzbdl","cokqykm","euwWLEq","lfzmfys","CvNvrMq","hmdvzyw","jserhka","hqhbfdb","czonhgp","surlwyh","zqnxaqv","JBZNIQu","dpjxowz","iqwfrhc","iryqvjf","ndftefy","cyyakob","lmyozxq","njxyoie","aDATqgO","TIZESLY","fcbJJLZ","zqyrkjx","mqlzsvm","tefzlyf","GXOtSPz","FQqfjXY","ozbxzcj","xgyetyx","fipttpk","rqfkvai","jlqbkco","bwtanzr","EfYSwEZ","ekjcspm","AsQhKcn","iiobxtj","cBPRoYf","SOTbVAd","jgvbjzw","qxudvzh","zezvidx","upxtuti","GzjEKuX","etzzzix","dfciboz","TKFujGY","sfvadqn","tuteniy","qwggsmm","rqbamco","wmzzdfr","vyhcyrm","jpnbslf","oigjwzn","xulzmve","havjcbq","palrcjm","prrctje","osjlzew","mnthmkt","qrEhFsF","AttzfeO","rqjpxbo","NiRRSdS","rttixrt","riocbkc","fwtvkin","wtauftj","SBaRPJI","seivwsb","hlrthnn","bqzflfe","vypsvbu","wdxjvha","syxxbfx","trelnbp","jhinlau","jUPZoxE","xhuklnt","jouAWlR","iphxsgd","acheccn","ekydmnc","bxcrquf","ZSNgBdc","bdijilr","afckgoe","prwqnll","msthyea","QcdwOAp","hiuvgmh","dygtmli","axtPxRS","cydwlwf","WQgiwjx","wqsyhaz","jvyrdqm","DoZXOOT","gmgqdxb","gixujhr","kcjcvcd","likhssg","AvPtpUm","hehsvmx","ulnvmuc","mzkolfe","zkoiext","xwkmcmw","yccpwxp","tlrtvas","mbillwb","ldiugyd","xsulvlf","nvsemhw","aonegfz","GOIyBsm","wsrsich","ioeureo","SWkPotX","ecnwnds","fzqtfbx","fqvyzmy","mkvmvyf","etzzzix","kigsajd","whwizqd","zupdgyw","hwztwle","dnsipnc","uywybip","odoxmex","cwkvsto","ajxtiex","frebfki","mkeirci","uvxioen","njWPUOE","glwetka","kvdpehn","tbrkhdk","ygdjosg","abntbwx","ezdosvw","ebsjqge","CRBzsAF","pawfdgq","lakmtmt","jvkadhn","iabxayp","cdbhypa","zZOBWZP","vsfqvra","kaCVKxG","rzlqmuv","kIVPwJv","tdmgwpe","ikxoekf","thtcmkf","syhmzva","xidhsmh","gkjripp","zpuyohy","lzxrlcy","otiakmf","vuksamr","miqmuug","wtgbfyj","gppqnsv","xeqrjsv","pgxgoox","qxtltqc","xhaklnt","bjjnkvc","Hhcswtc","jrssqyk","pqujrdg","scuzoep","fvkzvtq","nbzzouv","iamdhlx","krilcpp","dvcengy","uwtvwra","GoJNuYa","qRyMEUl","anprnxm","kgccukm","vsqsdsw","enamhro","zjviwlv","pzmaarr","pposffx","bstznaj","zflokll","fjbmidr","ubpqxzp","alhyizu","pxeyxim","fsyhdvo","xcZZeCx","pVnOWVQ","nhbnhhq","qbcimgw","ZvZwNPC","mlqnwye","wcqzgbs","wnrqbdr","lpnnvdu","xfuwftv","pbnlgsl","qwgelmn","dteoyux","xRDOXIA","QbGMvsz","lxcqsqx","bYrQIGL","usspgye","nwrzxjv","tdhekno","gcygrju","sxocoeq","hagplgs","puqbvbv","gbzsgir","bonzpwk","azekbhq","wbindsx","ncguato","kbwndcg","xvuyvrz","RNaSZGR","nvyxrwg","aokkjsf","fzlthvd","kfjykcz","TugTgky","uFnStEh","qkcbulf","iDWHPPH","hwhmxjz","qqpjerz","duNbtof","fmmzuwh","ykhyhgf","spfqbtw","mftylqn","PfWKQBa","tkkgqhz","ezfqdpm","bswdkdy","cpcqfpa","rlqyrse","zugemzp","bcklcsq","fpvknem","ifffvkc","ircfliy","qzxkqhg","dQHWabJ","ocknahe","vnhvlnr","SfKyKox","fyuymyq","SwKpOTx","rjrnxvj","mfmBzwb","jlrxlks","dymeokx","dupitdu","bqculvh","gdsnpza","xdlufzf","rtziEgH","dewkiqn","mmurswk","nkbecxc","tsswcio","ezmpurr","cgdiaqd","qiygkkg","ggyvlax","aqzrqdb","wfxryyt","fgrouoe","ZtIrsKl","ufivjcc","zivaety","zrqxktv","zhihwjp","upkmxlr","nbsltxa","ksadmkk","hjijqdm","yotjrbe","EZRPIiV","uxTtheq","kjxhrox","swarahu","ccprxze","qgRevww","vgrnynm","gailyqm","dergkwq","wavmuzp","poxznzi","ilgkmrb","jyuleom","PuiqiEQ","yygutyf","eqmnhcs","wtjppjo","affnjqn","eossyum","ymdqnys","sxbsbok","kvhroow","leariiw","inbaomz",
"fgfknim","jfztevt","bhyiytx","vdueqxr","yandxlm"};
// std::vector<string> wordList{"KiTe","kite","hare","Hare"};
// std::vector<string> query{"kite","Kite","KiTe","Hare","HARE","Hear","hear","keti","keet","keto"};
std::chrono::steady_clock::time_point begin = std::chrono::steady_clock::now();
vector<string> result = sol.spellchecker(wordList, query);
std::chrono::steady_clock::time_point end = std::chrono::steady_clock::now();
std::cout << "Time difference = " << std::chrono::duration_cast<std::chrono::microseconds>(end - begin).count() / 1000.0 << "[ms]" << std::endl;
// for (int i = 0; i < result.size(); ++i) {
// std::cout << "\"" << result[i] << "\"" << " ";
// }
// std::cout << std::endl;
return 0;
} | [
"xjs.js@outlook.com"
] | xjs.js@outlook.com |
dd9588015ef6b288ba28dbbc37455630710b77c4 | b4c6e0f404ca1b174a8183d4a8f2791760fb6a94 | /Source/lua-common/LuaValue.h | e970f2c4e1344f3556a944f8ec65f09dd7b9e3fd | [
"Apache-2.0"
] | permissive | kerasking/LuaScriptCore | 2d6099eb05122d76e168b0a571114e123c2b8dfd | ce2a6fb37afbeb9a92edfcb10be7e2cf0226beaa | refs/heads/master | 2020-03-21T12:05:58.442175 | 2018-05-25T03:36:37 | 2018-05-25T03:36:37 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 11,388 | h | //
// Created by vimfung on 16/8/23.
//
#ifndef SAMPLE_LUAVALUE_H
#define SAMPLE_LUAVALUE_H
#include <string>
#include <list>
#include <map>
#include "lua.hpp"
#include "LuaObject.h"
#include "LuaDefined.h"
#include "LuaContext.h"
namespace cn
{
namespace vimfung
{
namespace luascriptcore
{
class LuaValue;
class LuaContext;
class LuaFunction;
class LuaTuple;
class LuaPointer;
class LuaObjectDescriptor;
class LuaExportTypeDescriptor;
/**
* Lua值,用于Lua与C++中交互数据使用
*/
class LuaValue : public LuaObject
{
private:
LuaValueType _type;
lua_Integer _intValue;
bool _booleanValue;
double _numberValue;
size_t _bytesLen;
void *_value;
bool _hasManagedObject;
protected:
/**
上下文对象
*/
LuaContext *_context;
private:
/**
* 管理对象内存,接管Lua中的内存管理,让对象与LuaValue生命周期同步,随LuaValue释放而交还Lua层。
*
* @param context 上下文对象
*/
void managedObject(LuaContext *context);
public:
/**
* 初始化
*/
LuaValue ();
/**
* 初始化, 在反序列化对象时会触发该方法
*
* @param decoder 解码器
*/
LuaValue (LuaObjectDecoder *decoder);
/**
* 初始化
*
* @param value 整型
*/
LuaValue (long value);
/**
* 初始化
*
* @param value 布尔类型
*/
LuaValue (bool value);
/**
* 初始化
*
* @param value 浮点型
*/
LuaValue (double value);
/**
* 初始化
*
* @param value 字符串
*/
LuaValue (std::string value);
/**
* 初始化
*
* @param bytes 二进制数组
* @param length 数组长度
*
*/
LuaValue (const char *bytes, size_t length);
/**
* 初始化
*
* @param value LuaValue列表
*/
LuaValue (LuaValueList value);
/**
* 初始化
*
* @param value LuaValue字典
*/
LuaValue (LuaValueMap value);
/**
* 初始化
*
* @param value Lua中的指针
*/
LuaValue (LuaPointer *value);
/**
* 初始化
*
* @param value 对象描述器
*/
LuaValue (LuaObjectDescriptor *value);
/**
* 初始化
*
* @param value Lua中的方法
*/
LuaValue (LuaFunction *value);
/**
* 初始化
*
* @param value 元组
*/
LuaValue (LuaTuple *value);
/**
* 初始化
*
* @param value 导出Lua类型
*/
LuaValue (LuaExportTypeDescriptor *value);
/**
* 析构
*/
virtual ~LuaValue();
/**
获取类型名称
@return 类型名称
*/
virtual std::string typeName();
/**
序列化对象
@param encoder 编码器
*/
virtual void serialization (LuaObjectEncoder *encoder);
public:
/**
* 获取类型
*
* @return 类型
*/
virtual LuaValueType getType();
/**
* 转换为整数
*
* @return 整数值
*/
virtual lua_Integer toInteger();
/**
* 转换为字符串
*
* @return 字符串
*/
virtual const std::string toString();
/**
* 转换为浮点数
*
* @return 浮点数
*/
virtual double toNumber();
/**
* 转换为布尔值
*
* @return 布尔值
*/
virtual bool toBoolean();
/**
* 转换为二进制数组
*
* @return 二进制数组
*/
virtual const char* toData();
/**
* 获取二进制数组的长度
*
* @return 长度
*/
virtual size_t getDataLength();
/**
* 转换为数组
*
* @return 数组
*/
virtual LuaValueList* toArray();
/**
* 转换为字典
*
* @return 字典
*/
virtual LuaValueMap* toMap();
/**
* 转换为指针
*
* @return 指针
*/
virtual LuaPointer* toPointer();
/**
* 转换为方法
*
* @return 方法
*/
virtual LuaFunction* toFunction();
/**
* 转换为元组
*
* @return 元组
*/
virtual LuaTuple* toTuple();
/**
* 转换为对象
*
* @return 对象
*/
virtual LuaObjectDescriptor* toObject();
/**
* 转换为导出Lua类型
*
* @return 导出Lua类型
*/
virtual LuaExportTypeDescriptor* toType();
/**
* 入栈数据
*
* @param context 上下文对象
*/
virtual void push(LuaContext *context);
public:
/**
* 创建一个空值对象
*
* @return 值对象
*/
static LuaValue* NilValue();
/**
* 创建一个整型值对象
*
* @param value 整数
*
* @return 值对象
*/
static LuaValue* IntegerValue(long value);
/**
* 创建一个布尔值对象
*
* @param value 布尔值
*
* @return 值对象
*/
static LuaValue* BooleanValue(bool value);
/**
* 创建一个浮点数值对象
*
* @param value 浮点数
*
* @return 值对象
*/
static LuaValue* NumberValue(double value);
/**
* 创建一个字符串值对象
*
* @param value 字符串
*
* @return 值对象
*/
static LuaValue* StringValue(std::string value);
/**
* 创建一个二进制数组值对象
*
* @param bytes 二进制数组
* @param length 数组长度
*
* @return 值对象
*/
static LuaValue* DataValue(const char *bytes, size_t length);
/**
* 创建一个数组值对象
*
* @param value 数组
*
* @return 值对象
*/
static LuaValue* ArrayValue(LuaValueList value);
/**
* 创建一个字典值对象
*
* @param value 字典
*
* @return 值对象
*/
static LuaValue* DictonaryValue(LuaValueMap value);
/**
* 创建一个指针值对象
*
* @param value 指针
*
* @return 值对象
*/
static LuaValue* PointerValue(LuaPointer *value);
/**
* 创建一个方法值对象
*
* @param value 方法
*
* @return 值对象
*/
static LuaValue* FunctionValue(LuaFunction *value);
/**
* 创建一个元组值对象
*
* @param value 元组
*
* @return 值对象
*/
static LuaValue* TupleValue(LuaTuple *value);
/**
* 创建一个对象值对象
*
* @param value 对象描述器
*
* @return 值对象
*/
static LuaValue* ObjectValue(LuaObjectDescriptor *value);
/**
* 根据栈中位置创建值对象
*
* @param context 上下文对象
* @param index 位置索引
*
* @return 值对象
*/
static LuaValue* ValueByIndex(LuaContext *context, int index);
/**
根据栈中位置创建临时值对象
@param context 上下文对象
@param index 位置索引
@return 值对象
*/
static LuaValue* TmpValue(LuaContext *context, int index);
};
}
}
}
#endif //SAMPLE_LUAVALUE_H
| [
"vimfung@qq.com"
] | vimfung@qq.com |
335c434b372ac02a9710f7c4eaff7145ffffe820 | b4d2c11218f4dee2856fb60b208143133ba2e0b2 | /Qt_frontend/SerialPortDLL/serialportdll.cpp | 2db429ec06fb019acb28a8f9e218be35c460ee2d | [] | no_license | Akllu/BankSimul | 92e13cf34ad45dcf0c54c352a3c076e4e41b0861 | 87e140f7955f1eadc1c5f6700a0d6722105fb9d8 | refs/heads/main | 2023-04-15T04:58:55.115916 | 2021-04-28T09:31:24 | 2021-04-28T09:31:24 | 352,922,685 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 915 | cpp | #include "serialportdll.h"
SerialPortDLL::SerialPortDLL(QObject *parent) : QObject(parent) //dllSerialportin constructori
{
pEngine = new engine(this);
connect(pEngine,SIGNAL(SignalFromEngine(QString)),
this,SLOT(receiveData(QString)));
}
SerialPortDLL::~SerialPortDLL() //dllSerialPortin destructori
{
delete pEngine;
pEngine = nullptr;
}
void SerialPortDLL::openSerialPort() //Avaa sarjaportin ja lukee komennon
{
qDebug() << "Avataan sarjaportti";
pEngine->open();
}
void SerialPortDLL::closeSerialdata() //Lähettää enginen puolelle sarjaportin sulkevan komennon
{
qDebug() << "Ajetaan sulku komento";
pEngine->close();
}
void SerialPortDLL::receiveData(QString arvo) //Saa engineltä saadun tiedon ja lähettää sen EXE:lle
{
qDebug() << "receiveFromSignal aloitettu";
qDebug() << "Näyttö suljettu";
emit sendtoEXEStatus(arvo);
}
| [
"a.kalliokoski@hotmail.com"
] | a.kalliokoski@hotmail.com |
5b8c8002ae2bdc530297f196c39c0b636970160a | 0eff74b05b60098333ad66cf801bdd93becc9ea4 | /second/download/CMake/CMake-gumtree/Kitware_CMake_old_new_old_log_1557.cpp | 76de5bc8503e4a76b76e5fdeb85d8d935ea315bb | [] | 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 | 27 | cpp | sprintf(firstLine, "O)k"); | [
"993273596@qq.com"
] | 993273596@qq.com |
b1ccc6569bdc90adedf05866c4b6f9bcbb8bf443 | 600df3590cce1fe49b9a96e9ca5b5242884a2a70 | /third_party/libaddressinput/src/cpp/src/region_data.cc | 798501edcd98a7407b5141375f013e49d7fe6a05 | [
"Apache-2.0",
"LGPL-2.0-or-later",
"GPL-1.0-or-later",
"MIT",
"BSD-3-Clause",
"LicenseRef-scancode-unknown-license-reference"
] | permissive | metux/chromium-suckless | efd087ba4f4070a6caac5bfbfb0f7a4e2f3c438a | 72a05af97787001756bae2511b7985e61498c965 | refs/heads/orig | 2022-12-04T23:53:58.681218 | 2017-04-30T10:59:06 | 2017-04-30T23:35:58 | 89,884,931 | 5 | 3 | BSD-3-Clause | 2022-11-23T20:52:53 | 2017-05-01T00:09:08 | null | UTF-8 | C++ | false | false | 1,556 | cc | // Copyright (C) 2014 Google Inc.
//
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
#include <libaddressinput/region_data.h>
#include <cstddef>
#include <string>
#include <vector>
namespace i18n {
namespace addressinput {
RegionData::RegionData(const std::string& region_code)
: key_(region_code),
name_(region_code),
parent_(NULL),
sub_regions_() {}
RegionData::~RegionData() {
for (std::vector<const RegionData*>::const_iterator it = sub_regions_.begin();
it != sub_regions_.end(); ++it) {
delete *it;
}
}
RegionData* RegionData::AddSubRegion(const std::string& key,
const std::string& name) {
RegionData* sub_region = new RegionData(key, name, this);
sub_regions_.push_back(sub_region);
return sub_region;
}
RegionData::RegionData(const std::string& key,
const std::string& name,
RegionData* parent)
: key_(key), name_(name), parent_(parent), sub_regions_() {}
} // namespace addressinput
} // namespace i18n
| [
"enrico.weigelt@gr13.net"
] | enrico.weigelt@gr13.net |
7306b45efb1e64b6922f807448ae6693ad4cb044 | 48facd435a66c339af02cffea4afe43d743ebd09 | /Bowengine/Bowengine.h | 312ac5aeaa9d06e29a7d750cc7bd77fe71a929cd | [] | no_license | CrazyRagdoll/Sambow | 9bba2449b8b7dad55f8cde490588032948b06a18 | 3d942476776d79407651893e923c0bc6410766fe | refs/heads/master | 2021-01-17T14:20:18.060689 | 2018-03-26T22:18:48 | 2018-03-26T22:18:48 | 84,085,938 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 59 | h | #pragma once
namespace Bowengine {
extern int init();
} | [
"Samuel_bowen_1994@hotmail.co.uk"
] | Samuel_bowen_1994@hotmail.co.uk |
de431eff1952c5c4b05efaf77be0239646874e7d | e98ee8e6ca71d6152d5e6068ee7c73d5b0a7befb | /core/VisionTool/srm.cpp | 94b4f5f78dcbc58057bfb133a5ca596ca1b715e6 | [] | no_license | liuyouzhao/warehouse_robot_breakstack_vison | f652fb10bbc3d8c11ad3228e602d81e3f2ac647e | ef59aae67f012dfdb8b81870067bae70a55fc0e1 | refs/heads/master | 2021-09-21T15:07:37.207303 | 2018-08-28T03:16:10 | 2018-08-28T03:16:10 | 109,553,637 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 7,512 | cpp | #include "srm.h"
#include <math.h>
#ifdef UNIX
#include <string.h>
#include <stdio.h>
#else
#include <string>
#endif
template<class T>
SRM<T>::SRM(double _Q, unsigned int _width, unsigned int _height, T *_in, float* _normal, int _smallRegion, int _max, double _threshold) :
width(_width), height(_height), Q(_Q), size(_width*_height), in(_in), regionsCount(_width*_height),
smallregion(_smallRegion), maxValue(_max), threshold(_threshold),
nextNeighbor(NULL), neighborBucket(NULL), average(NULL), area(NULL), regionIndex(NULL), normal(_normal), normVec((vec3f*)_normal)
{
}
template<class T>
SRM<T>::~SRM()
{
delete[] nextNeighbor;
delete[] neighborBucket;
delete[] average;
delete[] area;
delete[] regionIndex;
}
template<class T>
void SRM<T>::run()
{
//from paper: Statistical Region Merging, Richard Nock and Frank Nielsen
logdelta = 2.0 * log(6.0 * size);
g = 256.0;
factor = g * g / 2 / Q;
//init buffer
neighborBucket = new int[maxValue];
for (int i = 0; i < maxValue; i++)
{
neighborBucket[i] = -1;
}
nextNeighbor = new int[2 * width*height];
memset(nextNeighbor, 0, sizeof(int) * 2 * width*height);
average = new float[size];
area = new int[size];
regionIndex = new int[size];
for (int i = 0; i < size; i++)
{
average[i] = in[i];
area[i] = 1;
regionIndex[i] = i;
}
segmentation();
for (int i = 0; i < size; i++)
{
int reg1 = getRegionIndex(i);
if (reg1>-1 && area[reg1] < smallregion )
{
regionIndex[reg1] = -1;
regionsCount--;
}
}
//mergeSmallSegions();
}
template<class T>
void SRM<T>::aveImage(T *out)
{
for (int i = 0; i < size; i++)
{
out[i] = average[getRegionIndex(i)];
}
}
template<class T>
void SRM<T>::aveImage(float *out)
{
for (int i = 0; i < size; i++)
{
out[i] = average[getRegionIndex(i)];
}
}
template<class T>
void SRM<T>::regions(int* r, float* ave)
{
for (int i = 0; i < size; i++)
{
regionIndex[i] = getRegionIndex(i);
}
int* index = new int[regionsCount];
for (int i = 0; i < regionsCount; i++)
{
index[i] = -1;
}
for (int i = 0; i < size; i++)
{
for (int j = 0; j < regionsCount; j++)
{
if (index[j] == -1)
{
index[j] = regionIndex[i];
ave[j] = average[regionIndex[i]];
r[i] = j;
break;
}
if (index[j] == regionIndex[i])
{
r[i] = j;
break;
}
}
}
delete[] index;
}
template <class T>
void SRM<T>::addNeighborPair(int neighborIndex, T* pixel, int i1, int i2)
{
int difference = pixel[i1]>pixel[i2] ? pixel[i1] - pixel[i2] : pixel[i2] - pixel[i1];
nextNeighbor[neighborIndex] = neighborBucket[difference];
neighborBucket[difference] = neighborIndex;
}
template <class T>
int SRM<T>::getRegionIndex(int i)
{
int leaf = i;
int root = regionIndex[i];
while (root != leaf && root !=-1)
{
leaf = root;
root = regionIndex[leaf];
}
return root;
}
template <class T>
inline void SRM<T>::compress(int root, int i)
{
int leaf = regionIndex[i];
while (leaf != root)
{
regionIndex[i] = root;
i = leaf;
leaf = regionIndex[i];
}
}
template <class T>
bool SRM<T>::normalign(int i1, int i2)
{
double length1 = sqrt(normal[i1 * 3] * normal[i1 * 3] + normal[i1 * 3 + 1] * normal[i1 * 3 + 1] + normal[i1 * 3 + 2] * normal[i1 * 3 + 2]);
double length2 = sqrt(normal[i2 * 3] * normal[i2 * 3] + normal[i2 * 3 + 1] * normal[i2 * 3 + 1] + normal[i2 * 3 + 2] * normal[i2 * 3 + 2]);
float x = normal[i1 * 3] * normal[i2 * 3] + normal[i1 * 3 + 1] * normal[i2 * 3 + 1] + normal[i1 * 3 + 2] * normal[i2 * 3 + 2];
if (abs(normal[i1 * 3 + 2])<0.0001 || abs(normal[i2 * 3 + 2])<0.0001)
return false;
if (x>length1*length2*0.95)
printf("%f %f %d %d %d %d; ", x, length1*length2, i1/width, i1%width, i2/width, i2%width);
return normal[i1 * 3] * normal[i2 * 3] + normal[i1 * 3 + 1] * normal[i2 * 3 + 1] + normal[i1 * 3 + 2] * normal[i2 * 3 + 2] > 0.9*length1*length2;
}
template <class T>
bool SRM<T>::predicate(int i1, int i2)
{
float d2 = average[i1] - average[i2];
if (abs(d2) < threshold)
return true;
d2 *= d2;
float log1 = log(1.f + area[i1])
* (g < area[i1] ? g : area[i1]);
float log2 = log(1.f + area[i2])
* (g < area[i2] ? g : area[i2]);
return d2 < factor * ((log1 + logdelta) / area[i1]
+ ((log2 + logdelta) / area[i2])) && normalign(i1, i2);
}
template <class T>
int SRM<T>::mergeRegions(int i1, int i2)
{
regionsCount--;
int mergedCount = area[i1] + area[i2];
float mergedAverage = (average[i1] * area[i1]
+ average[i2] * area[i2]) / mergedCount;
// merge larger index into smaller index
if (i1 > i2)
{
average[i2] = mergedAverage;
area[i2] = mergedCount;
regionIndex[i1] = i2;
//normVec[i2] += normVec[i1];
return i2;
}
else
{
average[i1] = mergedAverage;
area[i1] = mergedCount;
regionIndex[i2] = i1;
//normVec[i1] += normVec[i2];
return i1;
}
}
template<class T>
void SRM<T>::segmentation()
{
// Consider C4-connectivity here
unsigned int index, rindex, neighborIndex;
for (int j = height - 1; j >= 0; j--)
{
rindex = j*width;
for (int i = width - 1; i >= 0; i--)
{
index = i + rindex;
int neighborIndex = index << 1;
// vertical
if (j < height - 1)
addNeighborPair(neighborIndex + 1, in, index, index + width);
// horizontal
if (i < width - 1)
addNeighborPair(neighborIndex, in, index, index + 1);
}
}
for (int i = 0; i < maxValue; i++)
{
int neighborIndex = neighborBucket[i];
while (neighborIndex >= 0)
{
int i1 = neighborIndex >> 1;
int i2 = i1 + (0 == (neighborIndex & 1) ? 1 : width);
int r1 = getRegionIndex(i1);
int r2 = getRegionIndex(i2);
if (r1 != r2 && predicate(r1, r2))
{
int root = mergeRegions(r1, r2);
compress(root, i1);
compress(root, i2);
}
neighborIndex = nextNeighbor[neighborIndex];
}
}
}
template<class T>
void SRM<T>::mergeSmallSegions()
{
unsigned int reg1, reg2;
unsigned int index, rindex;
for (int i = 0; i < height; i++)
{
rindex = i*width;
for (int j = 1; j < width; j++)
{
index = rindex + j;
reg1 = getRegionIndex(index);
reg2 = getRegionIndex(index - 1);
if (reg1 != reg2 && (area[reg1] < smallregion || area[reg2] < smallregion))
{
int root = mergeRegions(reg1, reg2);
compress(root, index);
compress(root, index - 1);
}
}
}
}
template class SRM<short int>;
| [
"hujia.liuhj@alibaba-inc.com"
] | hujia.liuhj@alibaba-inc.com |
b82f627635fcdef9ade0e0b40e18d4f0474d38bd | e59ad4d3e078d5414f5c965d32865df3c87b0fc2 | /include/etl/impl/blas/outer.hpp | 666a9165feb7d1a95b2f2b23b89c77b2755287f2 | [
"MIT",
"LicenseRef-scancode-unknown-license-reference"
] | permissive | ezhangle/etl | 529c82fa1b32b114ae9d5ce8c60956038ae72df2 | f2adb3abf9e29eb10a13743dabfb33552e14a51f | refs/heads/master | 2020-06-20T02:52:24.407028 | 2016-11-26T22:40:42 | 2016-11-26T22:40:42 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,712 | hpp | //=======================================================================
// Copyright (c) 2014-2016 Baptiste Wicht
// Distributed under the terms of the MIT License.
// (See accompanying file LICENSE or copy at
// http://opensource.org/licenses/MIT)
//=======================================================================
/*!
* \file
* \brief BLAS implementation of the outer product
*/
#pragma once
#ifdef ETL_BLAS_MODE
#include "cblas.h"
#endif
namespace etl {
namespace impl {
namespace blas {
#ifdef ETL_BLAS_MODE
/*!
* \brief Compute the outer product of a and b and store the result in c
* \param a The lhs expression
* \param b The rhs expression
* \param c The output expression
*/
template <typename A, typename B, typename C, cpp_enable_if(all_single_precision<A, B, C>::value)>
void outer(const A& a, const B& b, C&& c) {
c = 0;
cblas_sger(
CblasRowMajor,
etl::dim<0>(a), etl::dim<0>(b),
1.0,
a.memory_start(), 1,
b.memory_start(), 1,
c.memory_start(), etl::dim<0>(b));
}
/*!
* \copydoc outer
*/
template <typename A, typename B, typename C, cpp_enable_if(all_double_precision<A, B, C>::value)>
void outer(const A& a, const B& b, C&& c) {
c = 0;
cblas_dger(
CblasRowMajor,
etl::dim<0>(a), etl::dim<0>(b),
1.0,
a.memory_start(), 1,
b.memory_start(), 1,
c.memory_start(), etl::dim<0>(b));
}
#else
/*!
* \copydoc outer
*/
template <typename A, typename B, typename C>
void outer(const A& /*a*/, const B& /*b*/, C&& /*c*/) {
cpp_unreachable("BLAS not enabled/available");
}
#endif
} //end of namespace blas
} //end of namespace impl
} //end of namespace etl
| [
"baptiste.wicht@gmail.com"
] | baptiste.wicht@gmail.com |
758b00574e34b4f05299f885c4c760d3e9dcb967 | 435b3d86418c9c62150e2f791caa476e1b1412d7 | /include/chobo/profiling/ReportAggregatorPolicy.h | b4cb847e24dc508fab2f39735faa95b1b1ffc8a3 | [
"MIT",
"LicenseRef-scancode-unknown-license-reference"
] | permissive | iCodeIN/chobo-profiling | 7628a2d7d339a9e774297f7ba25928a90b73d721 | d17ba9a1ae0eca6f3e48b8b15a3e7a3b080b1127 | refs/heads/master | 2023-03-15T12:22:24.664994 | 2018-01-18T08:29:10 | 2018-01-18T08:29:10 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 905 | h | //
// chobo-profiling
// Copyright (c) 2015-2018 Chobolabs Inc.
// http://www.chobolabs.com/
//
// Distributed under the MIT Software License
// See accompanying file LICENSE.txt or copy at
// http://opensource.org/licenses/MIT
//
#pragma once
#include "Config.h"
#include <vector>
#include <memory>
namespace chobo { namespace profiling
{
class ReportAggregator;
class ReportNode;
class CHOBO_PROFILING_API ReportAggregatorPolicy
{
public:
virtual ~ReportAggregatorPolicy() {}
const std::vector<size_t>& GetAggregatorIds() const { return m_aggregatorIds; }
virtual std::vector<std::shared_ptr<ReportAggregator>> GetAggregatorsForNewNode(const ReportNode&) const
{
return std::vector<std::shared_ptr<ReportAggregator>>();
}
protected:
std::vector<size_t> m_aggregatorIds;
};
} } // namespace chobo.profiling
| [
"b.stanimirov@abv.bg"
] | b.stanimirov@abv.bg |
389126e7d1f9d285cb06cdedd6ad3b82d41fe8e1 | 33546aee6429d5b8f19a02e14699b6ebb5b34af8 | /src/chrome/browser/google/google_url_tracker.cc | 792c5016799d59ee211bb2ef32c2b21d2ccc411e | [
"BSD-3-Clause"
] | permissive | mYoda/CustomBrs | bdbf992c0db0bf2fd1821fa1fd0120ac77ffc011 | 493fc461eb7ea7321c51c6831fe737cfb21fdd3e | refs/heads/master | 2022-11-22T09:11:37.873894 | 2022-11-10T10:02:49 | 2022-11-10T10:02:49 | 24,951,822 | 0 | 1 | null | 2022-11-02T14:39:34 | 2014-10-08T17:22:30 | C++ | UTF-8 | C++ | false | false | 17,934 | cc | // Copyright (c) 2012 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "chrome/browser/google/google_url_tracker.h"
#include "base/bind.h"
#include "base/command_line.h"
#include "base/prefs/pref_service.h"
#include "base/strings/string_util.h"
#include "chrome/browser/chrome_notification_types.h"
#include "chrome/browser/google/google_url_tracker_factory.h"
#include "chrome/browser/google/google_url_tracker_infobar_delegate.h"
#include "chrome/browser/google/google_url_tracker_navigation_helper.h"
#include "chrome/browser/google/google_util.h"
#include "chrome/browser/infobars/infobar_service.h"
#include "chrome/browser/profiles/profile.h"
#include "chrome/common/chrome_switches.h"
#include "chrome/common/pref_names.h"
#include "components/infobars/core/infobar.h"
#include "content/public/browser/navigation_controller.h"
#include "content/public/browser/navigation_entry.h"
#include "content/public/browser/notification_service.h"
#include "net/base/load_flags.h"
#include "net/base/net_util.h"
#include "net/url_request/url_fetcher.h"
#include "net/url_request/url_request_status.h"
const char GoogleURLTracker::kDefaultGoogleHomepage[] =
"http://www.mail.ru/";
const char GoogleURLTracker::kSearchDomainCheckURL[] =
"https://www.google.com/searchdomaincheck?format=url&type=chrome";
GoogleURLTracker::GoogleURLTracker(
Profile* profile,
scoped_ptr<GoogleURLTrackerNavigationHelper> nav_helper,
Mode mode)
: profile_(profile),
nav_helper_(nav_helper.Pass()),
infobar_creator_(base::Bind(&GoogleURLTrackerInfoBarDelegate::Create)),
google_url_(mode == UNIT_TEST_MODE ? kDefaultGoogleHomepage :
profile->GetPrefs()->GetString(prefs::kLastKnownGoogleURL)),
fetcher_id_(0),
in_startup_sleep_(true),
already_fetched_(false),
need_to_fetch_(false),
need_to_prompt_(false),
search_committed_(false),
weak_ptr_factory_(this) {
net::NetworkChangeNotifier::AddIPAddressObserver(this);
nav_helper_->SetGoogleURLTracker(this);
// Because this function can be called during startup, when kicking off a URL
// fetch can eat up 20 ms of time, we delay five seconds, which is hopefully
// long enough to be after startup, but still get results back quickly.
// Ideally, instead of this timer, we'd do something like "check if the
// browser is starting up, and if so, come back later", but there is currently
// no function to do this.
//
// In UNIT_TEST mode, where we want to explicitly control when the tracker
// "wakes up", we do nothing at all.
if (mode == NORMAL_MODE) {
static const int kStartFetchDelayMS = 5000;
base::MessageLoop::current()->PostDelayedTask(FROM_HERE,
base::Bind(&GoogleURLTracker::FinishSleep,
weak_ptr_factory_.GetWeakPtr()),
base::TimeDelta::FromMilliseconds(kStartFetchDelayMS));
}
}
GoogleURLTracker::~GoogleURLTracker() {
// We should only reach here after any tabs and their infobars have been torn
// down.
DCHECK(entry_map_.empty());
}
// static
GURL GoogleURLTracker::GoogleURL(Profile* profile) {
const GoogleURLTracker* tracker =
GoogleURLTrackerFactory::GetForProfile(profile);
return tracker ? tracker->google_url_ : GURL(kDefaultGoogleHomepage);
}
// static
void GoogleURLTracker::RequestServerCheck(Profile* profile, bool force) {
GoogleURLTracker* tracker = GoogleURLTrackerFactory::GetForProfile(profile);
// If the tracker already has a fetcher, SetNeedToFetch() is unnecessary, and
// changing |already_fetched_| is wrong.
if (tracker && !tracker->fetcher_) {
if (force)
tracker->already_fetched_ = false;
tracker->SetNeedToFetch();
}
}
// static
void GoogleURLTracker::GoogleURLSearchCommitted(Profile* profile) {
GoogleURLTracker* tracker = GoogleURLTrackerFactory::GetForProfile(profile);
if (tracker)
tracker->SearchCommitted();
}
void GoogleURLTracker::AcceptGoogleURL(bool redo_searches) {
GURL old_google_url = google_url_;
google_url_ = fetched_google_url_;
PrefService* prefs = profile_->GetPrefs();
prefs->SetString(prefs::kLastKnownGoogleURL, google_url_.spec());
prefs->SetString(prefs::kLastPromptedGoogleURL, google_url_.spec());
NotifyGoogleURLUpdated(old_google_url, google_url_);
need_to_prompt_ = false;
CloseAllEntries(redo_searches);
}
void GoogleURLTracker::CancelGoogleURL() {
profile_->GetPrefs()->SetString(prefs::kLastPromptedGoogleURL,
fetched_google_url_.spec());
need_to_prompt_ = false;
CloseAllEntries(false);
}
void GoogleURLTracker::OnURLFetchComplete(const net::URLFetcher* source) {
// Delete the fetcher on this function's exit.
scoped_ptr<net::URLFetcher> clean_up_fetcher(fetcher_.release());
// Don't update the URL if the request didn't succeed.
if (!source->GetStatus().is_success() || (source->GetResponseCode() != 200)) {
already_fetched_ = false;
return;
}
// See if the response data was valid. It should be
// "<scheme>://[www.]google.<TLD>/".
std::string url_str;
source->GetResponseAsString(&url_str);
base::TrimWhitespace(url_str, base::TRIM_ALL, &url_str);
GURL url(url_str);
if (!url.is_valid() || (url.path().length() > 1) || url.has_query() ||
url.has_ref() ||
!google_util::IsGoogleDomainUrl(url, google_util::DISALLOW_SUBDOMAIN,
google_util::DISALLOW_NON_STANDARD_PORTS))
return;
std::swap(url, fetched_google_url_);
GURL last_prompted_url(
profile_->GetPrefs()->GetString(prefs::kLastPromptedGoogleURL));
if (last_prompted_url.is_empty()) {
// On the very first run of Chrome, when we've never looked up the URL at
// all, we should just silently switch over to whatever we get immediately.
AcceptGoogleURL(true); // Arg is irrelevant.
return;
}
base::string16 fetched_host(net::StripWWWFromHost(fetched_google_url_));
if (fetched_google_url_ == google_url_) {
// Either the user has continually been on this URL, or we prompted for a
// different URL but have now changed back before they responded to any of
// the prompts. In this latter case we want to close any infobars and stop
// prompting.
CancelGoogleURL();
} else if (fetched_host == net::StripWWWFromHost(google_url_)) {
// Similar to the above case, but this time the new URL differs from the
// existing one, probably due to switching between HTTP and HTTPS searching.
// Like before we want to close any infobars and stop prompting; we also
// want to silently accept the change in scheme. We don't redo open
// searches so as to avoid suddenly changing a page the user might be
// interacting with; it's enough to simply get future searches right.
AcceptGoogleURL(false);
} else if (fetched_host == net::StripWWWFromHost(last_prompted_url)) {
// We've re-fetched a TLD the user previously turned down. Although the new
// URL might have a different scheme than the old, we want to preserve the
// user's decision. Note that it's possible that, like in the above two
// cases, we fetched yet another different URL in the meantime, which we
// have infobars prompting about; in this case, as in those above, we want
// to go ahead and close the infobars and stop prompting, since we've
// switched back away from that URL.
CancelGoogleURL();
} else {
// We've fetched a URL with a different TLD than the user is currently using
// or was previously prompted about. This means we need to prompt again.
need_to_prompt_ = true;
// As in all the above cases, there could be infobars prompting about some
// URL. If these URLs have the same TLD (e.g. for scheme changes), we can
// simply leave the existing infobars open as their messages will still be
// accurate. Otherwise we go ahead and close them because we need to
// display a new message.
// Note: |url| is the previous |fetched_google_url_|.
if (url.is_valid() && (fetched_host != net::StripWWWFromHost(url)))
CloseAllEntries(false);
}
}
void GoogleURLTracker::OnIPAddressChanged() {
already_fetched_ = false;
StartFetchIfDesirable();
}
void GoogleURLTracker::Shutdown() {
nav_helper_.reset();
fetcher_.reset();
weak_ptr_factory_.InvalidateWeakPtrs();
net::NetworkChangeNotifier::RemoveIPAddressObserver(this);
}
void GoogleURLTracker::DeleteMapEntryForService(
const InfoBarService* infobar_service) {
// WARNING: |infobar_service| may point to a deleted object. Do not
// dereference it! See OnTabClosed().
EntryMap::iterator i(entry_map_.find(infobar_service));
DCHECK(i != entry_map_.end());
GoogleURLTrackerMapEntry* map_entry = i->second;
UnregisterForEntrySpecificNotifications(*map_entry, false);
entry_map_.erase(i);
delete map_entry;
}
void GoogleURLTracker::SetNeedToFetch() {
need_to_fetch_ = true;
StartFetchIfDesirable();
}
void GoogleURLTracker::FinishSleep() {
in_startup_sleep_ = false;
StartFetchIfDesirable();
}
void GoogleURLTracker::StartFetchIfDesirable() {
// Bail if a fetch isn't appropriate right now. This function will be called
// again each time one of the preconditions changes, so we'll fetch
// immediately once all of them are met.
//
// See comments in header on the class, on RequestServerCheck(), and on the
// various members here for more detail on exactly what the conditions are.
if (in_startup_sleep_ || already_fetched_ || !need_to_fetch_)
return;
// Some switches should disable the Google URL tracker entirely. If we can't
// do background networking, we can't do the necessary fetch, and if the user
// specified a Google base URL manually, we shouldn't bother to look up any
// alternatives or offer to switch to them.
if (CommandLine::ForCurrentProcess()->HasSwitch(
switches::kDisableBackgroundNetworking) ||
CommandLine::ForCurrentProcess()->HasSwitch(switches::kGoogleBaseURL))
return;
already_fetched_ = true;
fetcher_.reset(net::URLFetcher::Create(
fetcher_id_, GURL(kSearchDomainCheckURL), net::URLFetcher::GET, this));
++fetcher_id_;
// We don't want this fetch to set new entries in the cache or cookies, lest
// we alarm the user.
fetcher_->SetLoadFlags(net::LOAD_DISABLE_CACHE |
net::LOAD_DO_NOT_SAVE_COOKIES);
fetcher_->SetRequestContext(profile_->GetRequestContext());
// Configure to max_retries at most kMaxRetries times for 5xx errors.
static const int kMaxRetries = 5;
fetcher_->SetMaxRetriesOn5xx(kMaxRetries);
fetcher_->Start();
}
void GoogleURLTracker::SearchCommitted() {
if (need_to_prompt_) {
search_committed_ = true;
// These notifications will fire a bit later in the same call chain we're
// currently in.
if (!nav_helper_->IsListeningForNavigationStart())
nav_helper_->SetListeningForNavigationStart(true);
}
}
void GoogleURLTracker::OnNavigationPending(
content::NavigationController* navigation_controller,
InfoBarService* infobar_service,
int pending_id) {
EntryMap::iterator i(entry_map_.find(infobar_service));
if (search_committed_) {
search_committed_ = false;
// Whether there's an existing infobar or not, we need to listen for the
// load to commit, so we can show and/or update the infobar when it does.
// (We may already be registered for this if there is an existing infobar
// that had a previous pending search that hasn't yet committed.)
if (!nav_helper_->IsListeningForNavigationCommit(navigation_controller)) {
nav_helper_->SetListeningForNavigationCommit(navigation_controller,
true);
}
if (i == entry_map_.end()) {
// This is a search on a tab that doesn't have one of our infobars, so
// prepare to add one. Note that we only listen for the tab's destruction
// on this path; if there was already a map entry, then either it doesn't
// yet have an infobar and we're already registered for this, or it has an
// infobar and the infobar's owner will handle tearing it down when the
// tab is destroyed.
nav_helper_->SetListeningForTabDestruction(navigation_controller, true);
entry_map_.insert(std::make_pair(
infobar_service,
new GoogleURLTrackerMapEntry(this, infobar_service,
navigation_controller)));
} else if (i->second->has_infobar_delegate()) {
// This is a new search on a tab where we already have an infobar.
i->second->infobar_delegate()->set_pending_id(pending_id);
}
} else if (i != entry_map_.end()){
if (i->second->has_infobar_delegate()) {
// This is a non-search navigation on a tab with an infobar. If there was
// a previous pending search on this tab, this means it won't commit, so
// undo anything we did in response to seeing that. Note that if there
// was no pending search on this tab, these statements are effectively a
// no-op.
//
// If this navigation actually commits, that will trigger the infobar's
// owner to expire the infobar if need be. If it doesn't commit, then
// simply leaving the infobar as-is will have been the right thing.
UnregisterForEntrySpecificNotifications(*i->second, false);
i->second->infobar_delegate()->set_pending_id(0);
} else {
// Non-search navigation on a tab with an entry that has not yet created
// an infobar. This means the original search won't commit, so delete the
// entry.
i->second->Close(false);
}
} else {
// Non-search navigation on a tab without an infobars. This is irrelevant
// to us.
}
}
void GoogleURLTracker::OnNavigationCommitted(InfoBarService* infobar_service,
const GURL& search_url) {
EntryMap::iterator i(entry_map_.find(infobar_service));
DCHECK(i != entry_map_.end());
GoogleURLTrackerMapEntry* map_entry = i->second;
DCHECK(search_url.is_valid());
UnregisterForEntrySpecificNotifications(*map_entry, true);
if (map_entry->has_infobar_delegate()) {
map_entry->infobar_delegate()->Update(search_url);
} else {
infobars::InfoBar* infobar =
infobar_creator_.Run(infobar_service, this, search_url);
if (infobar) {
map_entry->SetInfoBarDelegate(
static_cast<GoogleURLTrackerInfoBarDelegate*>(infobar->delegate()));
} else {
map_entry->Close(false);
}
}
}
void GoogleURLTracker::OnTabClosed(
content::NavigationController* navigation_controller) {
// Because InfoBarService tears itself down on tab destruction, it's possible
// to get a non-NULL InfoBarService pointer here, depending on which order
// notifications fired in. Likewise, the pointer in |entry_map_| (and in its
// associated MapEntry) may point to deleted memory. Therefore, if we were to
// access the InfoBarService* we have for this tab, we'd need to ensure we
// just looked at the raw pointer value, and never dereferenced it. This
// function doesn't need to do even that, but others in the call chain from
// here might (and have comments pointing back here).
for (EntryMap::iterator i(entry_map_.begin()); i != entry_map_.end(); ++i) {
if (i->second->navigation_controller() == navigation_controller) {
i->second->Close(false);
return;
}
}
NOTREACHED();
}
scoped_ptr<GoogleURLTracker::Subscription> GoogleURLTracker::RegisterCallback(
const OnGoogleURLUpdatedCallback& cb) {
return callback_list_.Add(cb);
}
void GoogleURLTracker::CloseAllEntries(bool redo_searches) {
// Delete all entries, whether they have infobars or not.
while (!entry_map_.empty())
entry_map_.begin()->second->Close(redo_searches);
}
void GoogleURLTracker::UnregisterForEntrySpecificNotifications(
const GoogleURLTrackerMapEntry& map_entry,
bool must_be_listening_for_commit) {
// For tabs with map entries but no infobars, we should always be listening
// for both these notifications. For tabs with infobars, we may be listening
// for navigation commits if the user has performed a new search on this tab.
if (nav_helper_->IsListeningForNavigationCommit(
map_entry.navigation_controller())) {
nav_helper_->SetListeningForNavigationCommit(
map_entry.navigation_controller(), false);
} else {
DCHECK(!must_be_listening_for_commit);
DCHECK(map_entry.has_infobar_delegate());
}
const bool registered_for_tab_destruction =
nav_helper_->IsListeningForTabDestruction(
map_entry.navigation_controller());
DCHECK_NE(registered_for_tab_destruction, map_entry.has_infobar_delegate());
if (registered_for_tab_destruction) {
nav_helper_->SetListeningForTabDestruction(
map_entry.navigation_controller(), false);
}
// Our global listeners for these other notifications should be in place iff
// we have any tabs still listening for commits. These tabs either have no
// infobars or have received new pending searches atop existing infobars; in
// either case we want to catch subsequent pending non-search navigations.
// See the various cases inside OnNavigationPending().
for (EntryMap::const_iterator i(entry_map_.begin()); i != entry_map_.end();
++i) {
if (nav_helper_->IsListeningForNavigationCommit(
i->second->navigation_controller())) {
DCHECK(nav_helper_->IsListeningForNavigationStart());
return;
}
}
if (nav_helper_->IsListeningForNavigationStart()) {
DCHECK(!search_committed_);
nav_helper_->SetListeningForNavigationStart(false);
}
}
void GoogleURLTracker::NotifyGoogleURLUpdated(GURL old_url, GURL new_url) {
callback_list_.Notify(old_url, new_url);
}
| [
"nechayukanton@gmail.com"
] | nechayukanton@gmail.com |
9932c8d47da6d8a89227651283d8773e39f0a083 | c51f23f0553bbf70aefb401ecd26d679af264382 | /src/masternode.h | 019b7b60131da8cb691893d5ef7ca549d95282d1 | [
"MIT"
] | permissive | TerraCash-Project/TerraCash | 4c2e53cd4dacdf6fc869545c6b54976015b14afd | c9401d50641fea311e023cea161b435ef5947a50 | refs/heads/master | 2020-07-03T22:10:08.670999 | 2019-08-13T06:34:01 | 2019-08-13T06:34:01 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 9,970 | h | // Copyright (c) 2014-2015 The Dash developers
// Copyright (c) 2015-2017 The PIVX developers
// Distributed under the MIT/X11 software license, see the accompanying
// file COPYING or http://www.opensource.org/licenses/mit-license.php.
#ifndef MASTERNODE_H
#define MASTERNODE_H
#include "base58.h"
#include "key.h"
#include "main.h"
#include "net.h"
#include "sync.h"
#include "timedata.h"
#include "util.h"
#define MASTERNODE_MIN_CONFIRMATIONS 15
#define MASTERNODE_MIN_MNP_SECONDS (10 * 60)
#define MASTERNODE_MIN_MNB_SECONDS (5 * 60)
#define MASTERNODE_PING_SECONDS (5 * 60)
#define MASTERNODE_EXPIRATION_SECONDS (120 * 60)
#define MASTERNODE_REMOVAL_SECONDS (130 * 60)
#define MASTERNODE_CHECK_SECONDS 5
#define MASTERNODE_COLLATERAL 5000
using namespace std;
class CMasternode;
class CMasternodeBroadcast;
class CMasternodePing;
extern map<int64_t, uint256> mapCacheBlockHashes;
bool GetBlockHash(uint256& hash, int nBlockHeight);
//
// The Masternode Ping Class : Contains a different serialize method for sending pings from masternodes throughout the network
//
class CMasternodePing
{
public:
CTxIn vin;
uint256 blockHash;
int64_t sigTime; //mnb message times
std::vector<unsigned char> vchSig;
//removed stop
CMasternodePing();
CMasternodePing(CTxIn& newVin);
ADD_SERIALIZE_METHODS;
template <typename Stream, typename Operation>
inline void SerializationOp(Stream& s, Operation ser_action, int nType, int nVersion)
{
READWRITE(vin);
READWRITE(blockHash);
READWRITE(sigTime);
READWRITE(vchSig);
}
bool CheckAndUpdate(int& nDos, bool fRequireEnabled = true);
bool Sign(CKey& keyMasternode, CPubKey& pubKeyMasternode);
void Relay();
uint256 GetHash()
{
CHashWriter ss(SER_GETHASH, PROTOCOL_VERSION);
ss << vin;
ss << sigTime;
return ss.GetHash();
}
void swap(CMasternodePing& first, CMasternodePing& second) // nothrow
{
// enable ADL (not necessary in our case, but good practice)
using std::swap;
// by swapping the members of two classes,
// the two classes are effectively swapped
swap(first.vin, second.vin);
swap(first.blockHash, second.blockHash);
swap(first.sigTime, second.sigTime);
swap(first.vchSig, second.vchSig);
}
CMasternodePing& operator=(CMasternodePing from)
{
swap(*this, from);
return *this;
}
friend bool operator==(const CMasternodePing& a, const CMasternodePing& b)
{
return a.vin == b.vin && a.blockHash == b.blockHash;
}
friend bool operator!=(const CMasternodePing& a, const CMasternodePing& b)
{
return !(a == b);
}
};
//
// The Masternode Class. It contains the input of the TRCH collateral, signature to prove
// it's the one who own that ip address and code for calculating the payment election.
//
class CMasternode
{
private:
// critical section to protect the inner data structures
mutable CCriticalSection cs;
int64_t lastTimeChecked;
public:
enum state {
MASTERNODE_PRE_ENABLED,
MASTERNODE_ENABLED,
MASTERNODE_EXPIRED,
MASTERNODE_OUTPOINT_SPENT,
MASTERNODE_REMOVE,
MASTERNODE_WATCHDOG_EXPIRED,
MASTERNODE_POSE_BAN,
MASTERNODE_VIN_SPENT,
MASTERNODE_POS_ERROR
};
CTxIn vin;
CService addr;
CPubKey pubKeyCollateralAddress;
CPubKey pubKeyMasternode;
CPubKey pubKeyCollateralAddress1;
CPubKey pubKeyMasternode1;
std::vector<unsigned char> sig;
int activeState;
int64_t sigTime; //mnb message time
int cacheInputAge;
int cacheInputAgeBlock;
bool unitTest;
bool allowFreeTx;
int protocolVersion;
int nActiveState;
int64_t nLastDsq; //the dsq count from the last dsq broadcast of this node
int nScanningErrorCount;
int nLastScanningErrorBlockHeight;
CMasternodePing lastPing;
int64_t nLastDsee; // temporary, do not save. Remove after migration to v12
int64_t nLastDseep; // temporary, do not save. Remove after migration to v12
CMasternode();
CMasternode(const CMasternode& other);
CMasternode(const CMasternodeBroadcast& mnb);
void swap(CMasternode& first, CMasternode& second) // nothrow
{
// enable ADL (not necessary in our case, but good practice)
using std::swap;
// by swapping the members of two classes,
// the two classes are effectively swapped
swap(first.vin, second.vin);
swap(first.addr, second.addr);
swap(first.pubKeyCollateralAddress, second.pubKeyCollateralAddress);
swap(first.pubKeyMasternode, second.pubKeyMasternode);
swap(first.sig, second.sig);
swap(first.activeState, second.activeState);
swap(first.sigTime, second.sigTime);
swap(first.lastPing, second.lastPing);
swap(first.cacheInputAge, second.cacheInputAge);
swap(first.cacheInputAgeBlock, second.cacheInputAgeBlock);
swap(first.unitTest, second.unitTest);
swap(first.allowFreeTx, second.allowFreeTx);
swap(first.protocolVersion, second.protocolVersion);
swap(first.nLastDsq, second.nLastDsq);
swap(first.nScanningErrorCount, second.nScanningErrorCount);
swap(first.nLastScanningErrorBlockHeight, second.nLastScanningErrorBlockHeight);
}
CMasternode& operator=(CMasternode from)
{
swap(*this, from);
return *this;
}
friend bool operator==(const CMasternode& a, const CMasternode& b)
{
return a.vin == b.vin;
}
friend bool operator!=(const CMasternode& a, const CMasternode& b)
{
return !(a.vin == b.vin);
}
uint256 CalculateScore(int mod = 1, int64_t nBlockHeight = 0);
ADD_SERIALIZE_METHODS;
template <typename Stream, typename Operation>
inline void SerializationOp(Stream& s, Operation ser_action, int nType, int nVersion)
{
LOCK(cs);
READWRITE(vin);
READWRITE(addr);
READWRITE(pubKeyCollateralAddress);
READWRITE(pubKeyMasternode);
READWRITE(sig);
READWRITE(sigTime);
READWRITE(protocolVersion);
READWRITE(activeState);
READWRITE(lastPing);
READWRITE(cacheInputAge);
READWRITE(cacheInputAgeBlock);
READWRITE(unitTest);
READWRITE(allowFreeTx);
READWRITE(nLastDsq);
READWRITE(nScanningErrorCount);
READWRITE(nLastScanningErrorBlockHeight);
}
int64_t SecondsSincePayment();
bool UpdateFromNewBroadcast(CMasternodeBroadcast& mnb);
inline uint64_t SliceHash(uint256& hash, int slice)
{
uint64_t n = 0;
memcpy(&n, &hash + slice * 64, 64);
return n;
}
void Check(bool forceCheck = false);
bool IsBroadcastedWithin(int seconds)
{
return (GetAdjustedTime() - sigTime) < seconds;
}
bool IsPingedWithin(int seconds, int64_t now = -1)
{
now == -1 ? now = GetAdjustedTime() : now;
return (lastPing == CMasternodePing()) ? false : now - lastPing.sigTime < seconds;
}
void Disable()
{
sigTime = 0;
lastPing = CMasternodePing();
}
bool IsEnabled()
{
return activeState == MASTERNODE_ENABLED;
}
int GetMasternodeInputAge()
{
if (chainActive.Tip() == NULL) return 0;
if (cacheInputAge == 0) {
cacheInputAge = GetInputAge(vin);
cacheInputAgeBlock = chainActive.Tip()->nHeight;
}
return cacheInputAge + (chainActive.Tip()->nHeight - cacheInputAgeBlock);
}
std::string GetStatus();
std::string Status()
{
std::string strStatus = "ACTIVE";
if (activeState == CMasternode::MASTERNODE_ENABLED) strStatus = "ENABLED";
if (activeState == CMasternode::MASTERNODE_EXPIRED) strStatus = "EXPIRED";
if (activeState == CMasternode::MASTERNODE_VIN_SPENT) strStatus = "VIN_SPENT";
if (activeState == CMasternode::MASTERNODE_REMOVE) strStatus = "REMOVE";
if (activeState == CMasternode::MASTERNODE_POS_ERROR) strStatus = "POS_ERROR";
return strStatus;
}
int64_t GetLastPaid();
bool IsValidNetAddr();
};
//
// The Masternode Broadcast Class : Contains a different serialize method for sending masternodes through the network
//
class CMasternodeBroadcast : public CMasternode
{
public:
CMasternodeBroadcast();
CMasternodeBroadcast(CService newAddr, CTxIn newVin, CPubKey newPubkey, CPubKey newPubkey2, int protocolVersionIn);
CMasternodeBroadcast(const CMasternode& mn);
bool CheckAndUpdate(int& nDoS);
bool CheckInputsAndAdd(int& nDos);
bool Sign(CKey& keyCollateralAddress);
void Relay();
ADD_SERIALIZE_METHODS;
template <typename Stream, typename Operation>
inline void SerializationOp(Stream& s, Operation ser_action, int nType, int nVersion)
{
READWRITE(vin);
READWRITE(addr);
READWRITE(pubKeyCollateralAddress);
READWRITE(pubKeyMasternode);
READWRITE(sig);
READWRITE(sigTime);
READWRITE(protocolVersion);
READWRITE(lastPing);
READWRITE(nLastDsq);
}
uint256 GetHash()
{
CHashWriter ss(SER_GETHASH, PROTOCOL_VERSION);
ss << sigTime;
ss << pubKeyCollateralAddress;
return ss.GetHash();
}
/// Create Masternode broadcast, needs to be relayed manually after that
static bool Create(CTxIn vin, CService service, CKey keyCollateralAddressNew, CPubKey pubKeyCollateralAddressNew, CKey keyMasternodeNew, CPubKey pubKeyMasternodeNew, std::string& strErrorRet, CMasternodeBroadcast& mnbRet);
static bool Create(std::string strService, std::string strKey, std::string strTxHash, std::string strOutputIndex, std::string& strErrorRet, CMasternodeBroadcast& mnbRet, bool fOffline = false);
};
#endif
| [
"marquisogre@gmail.com"
] | marquisogre@gmail.com |
c44e5772c73a981110d625412242eebcfd771727 | 24a5f0aeaf592975de9991dca44d19c3b88fb040 | /NewVision/ObstacleModel.cpp | dd7eabd99c0471a92c3c7b38918944e224e8d57f | [] | no_license | githubbar/NewVision | 224881896acb058e680e57bf3631cfbc30dbd898 | cf58ac4281eff2093dba392cfe03e167816adb79 | refs/heads/master | 2016-09-14T09:34:45.185727 | 2016-04-25T14:02:58 | 2016-04-25T14:02:58 | 57,046,125 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 3,790 | cpp | #include "StdAfx.h"
#include "Globals.h"
#include "ObstacleModel.h"
#include "Object3D.h"
#include "NewVisionDoc.h"
#include "NewVisionView.h"
#include "Cuboid.h"
#using <mscorlib.dll>
#using <System.dll>
using namespace System;
using namespace System::Diagnostics;
IMPLEMENT_SERIAL(ObstacleModel, CObject, 1)
// ------------------------------------------------------------------------
ObstacleModel::ObstacleModel(void)
{
last_id = 0;
}
// ------------------------------------------------------------------------
ObstacleModel::~ObstacleModel(void)
{
}
// ------------------------------------------------------------------------
void ObstacleModel::Serialize( CArchive& ar )
{
CObject::Serialize(ar);
obstacle.Serialize( ar );
if (ar.IsLoading())
for (int i=0; i<obstacle.GetCount(); i++) {
obstacle[i]->doc = doc;
obstacle[i]->id = last_id++;
}
}
// ------------------------------------------------------------------------
Object3D* ObstacleModel::GetClosestObstacle(CvPoint2D32f p, double maxDistance) {
double min_dist = INT_MAX;
Object3D *obst = NULL;
for (int i=0; i < obstacle.GetCount(); i++) {
CvPoint3D32f p3 = obstacle[i]->GetCenter();
double dist = d(cvPoint2D32f(p3.x, p3.y), p);
if (dist < min_dist) {
min_dist = dist;
obst = obstacle[i];
}
}
if (min_dist < maxDistance)
return obst;
else
return NULL;
}
// ------------------------------------------------------------------------
void ObstacleModel::DrawFrame(IplImage* frame, CvScalar color) {
}
// ------------------------------------------------------------------------
void ObstacleModel::DrawFrame(CDC* pDC , int ox, int oy, CPen* pen) {
for (int i=0;i<obstacle.GetSize();i++) {
obstacle[i]->DrawFrame(pDC, ox, oy, pen);
}
}
// ------------------------------------------------------------------------
void ObstacleModel::DrawFloor(CDC* pDC , int ox, int oy, CPen* pen) {
for (int i=0;i<obstacle.GetSize();i++) {
obstacle[i]->DrawFloor(pDC, ox, oy, pen);
}
}
// ------------------------------------------------------------------------
void ObstacleModel::DrawFloor(IplImage* frame, CvScalar color) {
for (int i=0;i<obstacle.GetSize();i++) {
obstacle[i]->DrawFloor(frame, color);
}
}
// ------------------------------------------------------------------------
void ObstacleModel::Rasterize(IplImage* frame, CvScalar color) {
for (int i=0;i<obstacle.GetSize();i++) {
obstacle[i]->RasterizeFrame(frame, color);
}
}
// ------------------------------------------------------------------------
void ObstacleModel::RasterizeFloor(IplImage* frame, CvScalar color) {
for (int i=0;i<obstacle.GetSize();i++) {
obstacle[i]->RasterizeFloor(frame, color);
}
}
// ------------------------------------------------------------------------
#if USE_X3DLIBRARY
#include "X3DDriver.h"
void ObstacleModel::ExportToX3D( X3DDriver &xd )
{
// --------- Add obstacles
for (int i=0;i < doc->obstaclemodel.obstacle.GetCount();i++) {
CString coords="", normals="";
// x <-> y to convert from left-coordinate system to right coordinate system
Cuboid *box = (Cuboid*)obstacle[i];
// point='-1 -1 1, 1 -1 1, 1 1 1, -1 1 1, 1 1 -1, -1 1 -1, -1 -1 -1, 1 -1 -1'/>
coords.Format("%.2f %.2f %.2f, %.2f %.2f %.2f, %.2f %.2f %.2f, %.2f %.2f %.2f, %.2f %.2f %.2f, %.2f %.2f %.2f, %.2f %.2f %.2f, %.2f %.2f %.2f",
box->v[0].y, box->v[0].x, box->v[0].z,
box->v[1].y, box->v[1].x, box->v[1].z,
box->v[2].y, box->v[2].x, box->v[2].z,
box->v[3].y, box->v[3].x, box->v[3].z,
box->v[4].y, box->v[4].x, box->v[4].z,
box->v[5].y, box->v[5].x, box->v[5].z,
box->v[6].y, box->v[6].x, box->v[6].z,
box->v[7].y, box->v[7].x, box->v[7].z);
xd.AddObstacle(box->id, coords, box->label);
}
}
#endif
// ------------------------------------------------------------------------
| [
"oleykin@hotmail.com"
] | oleykin@hotmail.com |
8ba0bda712f731abc00e29c6a6b46d763135c586 | f3e8763986e20bbcb37719cbf9f404a63cc8b933 | /RC_ios/Classes/TrackMaker.cpp | 1d1da54ddb14c164e090a9eda2fbbd0a02415372 | [] | no_license | rezajarot/nutcalc | 55d480e39b42dddd9e16bc12ff3bd0c0b0e504ec | f9b0f4fce8251be2d8479918e46561a24065308c | refs/heads/master | 2020-12-30T11:15:29.492783 | 2012-09-25T16:32:37 | 2012-09-25T16:32:37 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 16,926 | cpp |
#include "TrackMaker.h"
#include <math.h>
#ifndef Sqr
#define Sqr(x) ((x)*(x))
#endif
int Abs( int nVal )
{
return nVal < 0 ? -(nVal) : nVal;
}
#ifndef PI
#define PI 3.1415926535897932384626433832795
#endif
LevelInformation LEVEL_INFO_ARRAY_FOR_IPHONE[LV_NUM] =
{
//Level1
{
158, 430, 255, 240, 158, 50, UP_FRAME_NUM, DOWN_FRAME_NUM, DROP_FRAME_NUM, BACK_FRAME_NUM, 350, 270, 100, 206, 5, 1, 0.7f, 0.3f, 40, 140
},
//Level2
{
160, 430, 240, 223, 160, 20, UP_FRAME_NUM, DOWN_FRAME_NUM, DROP_FRAME_NUM, BACK_FRAME_NUM, 350, 380, 80, 210, 5, 1, 0.7f, 0.2f, 40, 140
},
//Level3
{
160, 430, 137, 133, 160, 15, UP_FRAME_NUM, DOWN_FRAME_NUM, DROP_FRAME_NUM, BACK_FRAME_NUM, 350, 250, 35, 126, 5, 1, 0.7f, 0.1f, 50, 130
}
};
TrackMaker::TrackMaker()
{
m_nCurrentFrameIndex = 0;
SetWindSpeed(1, 0);
SetMachine(MACHINE_IPHONE);
}
TrackMaker::~TrackMaker()
{
}
void TrackMaker::SetMachine(int nMachine)
{
m_nMachine = nMachine;
}
LevelInformation* TrackMaker::GetLevelInfo()
{
return &m_LevelInfo;
}
void TrackMaker::SetLevel(int nLevelNum)
{
float fScaleX = 1, fScaleY = 1;
if (m_nMachine != MACHINE_IPHONE)
{
fScaleX = (float)SCALEX_IPHONE_IPAD;
fScaleY = (float)SCALEY_IPHONE_IPAD;
}
m_LevelInfo.nPaperInitX = (int)(LEVEL_INFO_ARRAY_FOR_IPHONE[nLevelNum].nPaperInitX * fScaleX);
m_LevelInfo.nPaperInitY = (int)(LEVEL_INFO_ARRAY_FOR_IPHONE[nLevelNum].nPaperInitY * fScaleY);
m_LevelInfo.nBinBottomY = (int)(LEVEL_INFO_ARRAY_FOR_IPHONE[nLevelNum].nBinBottomY * fScaleY);
m_LevelInfo.nBinTopY = (int)(LEVEL_INFO_ARRAY_FOR_IPHONE[nLevelNum].nBinTopY * fScaleY);
m_LevelInfo.nBinCenterX = (int)(LEVEL_INFO_ARRAY_FOR_IPHONE[nLevelNum].nBinCenterX * fScaleX);
m_LevelInfo.nBinWidth = (int)(LEVEL_INFO_ARRAY_FOR_IPHONE[nLevelNum].nBinWidth * fScaleX);
m_LevelInfo.nUpFrameNum = UP_FRAME_NUM;
m_LevelInfo.nDownFrameNum = DOWN_FRAME_NUM;
m_LevelInfo.nDropFrameNum = DROP_FRAME_NUM;
m_LevelInfo.nBackFrameNum = BACK_FRAME_NUM;
m_LevelInfo.nFlyRight = (int)(LEVEL_INFO_ARRAY_FOR_IPHONE[nLevelNum].nFlyRight * fScaleX);
m_LevelInfo.nFlyFloor = (int)(LEVEL_INFO_ARRAY_FOR_IPHONE[nLevelNum].nFlyFloor * fScaleX);
m_LevelInfo.nFlyTop = (int)(LEVEL_INFO_ARRAY_FOR_IPHONE[nLevelNum].nFlyTop * fScaleY);
m_LevelInfo.nFlyBackTop = (int)(LEVEL_INFO_ARRAY_FOR_IPHONE[nLevelNum].nFlyBackTop * fScaleY);
m_LevelInfo.nFlyBackFromFloor = (int)(LEVEL_INFO_ARRAY_FOR_IPHONE[nLevelNum].nFlyBackFromFloor * fScaleY);
m_LevelInfo.rInitScale = LEVEL_INFO_ARRAY_FOR_IPHONE[nLevelNum].rInitScale;
m_LevelInfo.rTopScale = LEVEL_INFO_ARRAY_FOR_IPHONE[nLevelNum].rTopScale;
m_LevelInfo.rLastScale = LEVEL_INFO_ARRAY_FOR_IPHONE[nLevelNum].rLastScale;
m_LevelInfo.nStartAngle = LEVEL_INFO_ARRAY_FOR_IPHONE[nLevelNum].nStartAngle;
m_LevelInfo.nEndAngle = LEVEL_INFO_ARRAY_FOR_IPHONE[nLevelNum].nEndAngle;
}
int TrackMaker::SetThrowAngle(float rThrowAngle)
{
m_rThrowAngle = rThrowAngle;
int nAngle = m_rThrowAngle * 180 / PI;
if (nAngle < m_LevelInfo.nStartAngle || nAngle > m_LevelInfo.nEndAngle)
return 0;
CalcTrack();
return 1;
}
void TrackMaker::CalcTrack()
{
int nFrameIndex;
float rUpAy, rDownAy, rAx;
float rV0y, rV0x;
float rLastV0x;
int nPaperX, nPaperY;
int nLastPaperX, nLastPaperY;
float rLastScale, rScale;
float rInterVal = (float)UPTIME / UP_FRAME_NUM;
m_nCurrentFrameIndex = 0;
m_nRealFrameNum = 0;
m_fSuccess = false;
rUpAy = (float)2 * (m_LevelInfo.nPaperInitY - m_LevelInfo.nFlyTop) / Sqr(UPTIME);
rAx = (float)(m_LevelInfo.nFlyRight - m_LevelInfo.nBinCenterX) * 2 * m_rWindSpeed * m_nWindDrect / (MAX_WIND);
rV0y = rUpAy * UPTIME;
rV0x = rV0y * (float)cos(m_rThrowAngle) / sin(m_rThrowAngle);
rScale = m_LevelInfo.rInitScale;
m_nCurrentRoundIndex = -1;
for (nFrameIndex = 0; nFrameIndex < UP_FRAME_NUM; nFrameIndex++)
{
int nDeltaX, nDeltaY;
float rCurrentTime;
rCurrentTime = rInterVal * nFrameIndex;
nDeltaY = (int)(rV0y * rCurrentTime - rUpAy * Sqr(rCurrentTime) / 2);
nPaperY = (int)(m_LevelInfo.nPaperInitY - nDeltaY);
if (rV0x * m_nWindDrect > 0)
{
nDeltaX = (int)(rV0x * rCurrentTime + rAx * 0.3 * Sqr(rCurrentTime) / 2);
}
else
{
nDeltaX = (int)(nDeltaY * cos(m_rThrowAngle) / sin(m_rThrowAngle));
}
nPaperX = m_LevelInfo.nPaperInitX + nDeltaX;
if (m_nCurrentFrameIndex != 18 && m_nCurrentFrameIndex != 20)
{
AddRoundIndex(m_nCurrentRoundIndex);
}
m_nTrackX[m_nCurrentFrameIndex] = nPaperX;
m_nTrackY[m_nCurrentFrameIndex] = nPaperY;
m_rScale[m_nCurrentFrameIndex] = rScale;
m_nState[m_nCurrentFrameIndex] = STATE_NONE;
m_nRound[m_nCurrentFrameIndex] = m_nCurrentRoundIndex;
nLastPaperX = nPaperX;
nLastPaperY = nPaperY;
rLastScale = rScale;
rScale -= (m_LevelInfo.rInitScale - m_LevelInfo.rTopScale) / UP_FRAME_NUM;
m_nCurrentFrameIndex++;
rLastV0x = rV0x;
}
for (nFrameIndex = 0; nFrameIndex < TOP_FRAME_NUM; nFrameIndex++)
{
if (rV0x * m_nWindDrect > 0)
{
nPaperX += (int)((rV0x * rInterVal + rAx * Sqr(rInterVal) / 2));
}
if (((m_nCurrentFrameIndex == 22) || (m_nCurrentFrameIndex == 24)) && (rV0x * m_nWindDrect < 0))
{
rScale -= (m_LevelInfo.rInitScale - m_LevelInfo.rTopScale) / UP_FRAME_NUM;
}
if ((m_nCurrentFrameIndex == 23)||((m_nCurrentFrameIndex == 25)))
{
AddRoundIndex(m_nCurrentRoundIndex);
}
m_nTrackX[m_nCurrentFrameIndex] = nPaperX;
m_nTrackY[m_nCurrentFrameIndex] = nPaperY;
m_rScale[m_nCurrentFrameIndex] = rScale;
m_nState[m_nCurrentFrameIndex] = STATE_NONE;
m_nRound[m_nCurrentFrameIndex] = m_nCurrentRoundIndex;
rLastScale = rScale;
nLastPaperX = nPaperX;
rLastV0x += rAx * rInterVal;
m_nCurrentFrameIndex++;
}
rInterVal = (float)DOWNTIME / DOWN_FRAME_NUM;
rDownAy = (float)2 * (m_LevelInfo.nFlyFloor - m_LevelInfo.nFlyTop) / Sqr(DOWNTIME);
for (nFrameIndex = 0; nFrameIndex < DOWN_FRAME_NUM; nFrameIndex++)
{
int nDeltaX, nDeltaY;
float rCurrentTime;
rCurrentTime = rInterVal * nFrameIndex;
nDeltaY = (int)(rDownAy * Sqr(rCurrentTime) / 2);
nPaperY = nLastPaperY + nDeltaY;
if (rAx == 0)
{
nDeltaX = (int)(nDeltaY * cos(m_rThrowAngle) / sin(m_rThrowAngle));
}
else
{
nDeltaX = (int)(rAx * Sqr(rCurrentTime) / 2);
if (rV0x * m_nWindDrect > 0)
{
nDeltaX += (int)(rLastV0x * rCurrentTime);
}
}
nPaperX = nLastPaperX + nDeltaX;
rScale -= (rLastScale - m_LevelInfo.rLastScale) / DOWN_FRAME_NUM;
if (m_nCurrentFrameIndex != 28 && m_nCurrentFrameIndex != 30)
{
AddRoundIndex(m_nCurrentRoundIndex);
}
m_nTrackX[m_nCurrentFrameIndex] = nPaperX;
m_nTrackY[m_nCurrentFrameIndex] = nPaperY;
m_rScale[m_nCurrentFrameIndex] = rScale;
m_nRound[m_nCurrentFrameIndex] = m_nCurrentRoundIndex;
m_nState[m_nCurrentFrameIndex] = STATE_NONE;
m_nCurrentFrameIndex++;
if ((nPaperY >= m_LevelInfo.nBinTopY) && (m_nTrackY[m_nCurrentFrameIndex - 2] < m_LevelInfo.nBinTopY))
{
int nPassBinPaperX, nPassedX, nPassedY;
nPassedX = m_nTrackX[m_nCurrentFrameIndex - 2];
nPassedY = m_nTrackY[m_nCurrentFrameIndex - 2];
nPassBinPaperX = (float)((m_LevelInfo.nBinTopY - nPassedY) * (nPaperX - nPassedX)) / (nPaperY - nPassedY) + nPassedX;
if ((Abs(nPassBinPaperX - m_LevelInfo.nBinCenterX) < m_LevelInfo.nBinWidth * 0.8f))
{
if ((Abs(nPassBinPaperX - m_LevelInfo.nBinCenterX) < m_LevelInfo.nBinWidth * 0.5f))
{
m_nState[m_nCurrentFrameIndex - 1] = STATE_IN;
}
else
{
m_nState[m_nCurrentFrameIndex - 1] = STATE_SIDE_IN;
}
nPaperY = m_LevelInfo.nBinTopY;
nPaperX = nPassBinPaperX;
m_nTrackY[m_nCurrentFrameIndex - 1] = nPaperY;
m_nTrackX[m_nCurrentFrameIndex - 1] = nPaperX;
CalcDropTrack(nPaperX, nPaperY, rScale);
m_fSuccess = true;
break;
}
if ((Abs(nPassBinPaperX - m_LevelInfo.nBinCenterX) >= m_LevelInfo.nBinWidth * 0.8f) &&
(Abs(nPassBinPaperX - m_LevelInfo.nBinCenterX) < m_LevelInfo.nBinWidth * 1.1f))//1.1
{
int nMode;
if (nPaperX < m_LevelInfo.nBinCenterX)
{
nMode = 1;
}
else
{
nMode = -1;
}
m_nState[m_nCurrentFrameIndex - 1] = STATE_RING_IN;
nPaperY = m_LevelInfo.nBinTopY;
nPaperX = nPassBinPaperX;
m_nTrackY[m_nCurrentFrameIndex - 1] = nPaperY;
m_nTrackX[m_nCurrentFrameIndex - 1] = nPaperX;
CalcBackTrack(nPaperX, nPaperY, rScale, nMode);
m_fSuccess = true;
break;
}
if ((((Abs(nPassBinPaperX - m_LevelInfo.nBinCenterX) >= m_LevelInfo.nBinWidth * 1.1f) &&//1.1
(Abs(nPassBinPaperX - m_LevelInfo.nBinCenterX) < m_LevelInfo.nBinWidth * 1.3f))))//1.3
{
int nMode;
if (nPaperX < m_LevelInfo.nBinCenterX)
{
nMode = -1;
}
else
{
nMode = 1;
}
m_nState[m_nCurrentFrameIndex - 1] = STATE_RING_OUT;
nPaperY = m_LevelInfo.nBinTopY;
nPaperX = nPassBinPaperX;
m_nTrackY[m_nCurrentFrameIndex - 1] = nPaperY;
m_nTrackX[m_nCurrentFrameIndex - 1] = nPaperX;
CalcRingOutTrack(nPaperX, nPaperY, rScale, nMode);
break;
}
}
}
if (!m_fSuccess)
{
m_nState[m_nCurrentFrameIndex - 1] = STATE_OUT;
nPaperY = m_LevelInfo.nFlyFloor;
for (nFrameIndex = 0; nFrameIndex < BACK_FROM_FLOOR_FRAME_NUM; nFrameIndex++)
{
if (nFrameIndex == 0)
{
nPaperY -= (int)(10 * m_LevelInfo.rLastScale);
nPaperX += (int)(rAx * 0.02 * m_LevelInfo.rLastScale);
}
else if ((nFrameIndex >=2) && (nFrameIndex < BACK_FROM_FLOOR_FRAME_NUM))
{
nPaperY += (int)(7 * m_LevelInfo.rLastScale);
nPaperX += (int)(rAx * 0.01 * m_LevelInfo.rLastScale);
}
/*m_nTrackX[m_nCurrentFrameIndex] = nPaperX;
m_nTrackY[m_nCurrentFrameIndex] = nPaperY;
m_rScale[m_nCurrentFrameIndex] = rScale;
m_nRound[m_nCurrentFrameIndex] = m_nCurrentRoundIndex;
m_nState[m_nCurrentFrameIndex] = STATE_NONE;
m_nCurrentFrameIndex++;*/
}
}
/*
for (nFrameIndex = 0; nFrameIndex < STOP_FRAME_NUM; nFrameIndex++)
{
m_nTrackX[m_nCurrentFrameIndex] = nPaperX;
m_nTrackY[m_nCurrentFrameIndex] = nPaperY;
m_rScale[m_nCurrentFrameIndex] = rScale;
m_nRound[m_nCurrentFrameIndex] = m_nCurrentRoundIndex;
m_nState[m_nCurrentFrameIndex] = STATE_NONE;
m_nCurrentFrameIndex++;
}
*/
m_nRealFrameNum = m_nCurrentFrameIndex;
}
void TrackMaker::CalcDropTrack(int& nPaperX, int& nPaperY, float& rScale)
{
float rDropSpeedX = (m_LevelInfo.nBinCenterX - nPaperX) / DROPTIME;
float rDropSpeedY = (m_LevelInfo.nBinBottomY - nPaperY) / DROPTIME;
float rInterVal = (float)DROPTIME / DROP_FRAME_NUM;
//float rInitScale = rScale;
int nStartX, nStartY;
nStartX = nPaperX;
nStartY = nPaperY;
for (int nFrameIndex = 1; nFrameIndex <= DROP_FRAME_NUM; nFrameIndex++)
{
nPaperX = nStartX + (int)((rInterVal * nFrameIndex) * rDropSpeedX);
nPaperY = nStartY + (int)((rInterVal * nFrameIndex) * rDropSpeedY);
//rScale -= (rInitScale - m_LevelInfo.rLastScale) / DROP_FRAME_NUM;
m_nTrackX[m_nCurrentFrameIndex] = nPaperX;
m_nTrackY[m_nCurrentFrameIndex] = nPaperY;
m_rScale[m_nCurrentFrameIndex] = rScale;
m_nState[m_nCurrentFrameIndex] = STATE_NONE;
if (nFrameIndex == 1)
m_nState[m_nCurrentFrameIndex] = STATE_IN;
m_nRound[m_nCurrentFrameIndex] = m_nCurrentRoundIndex;
m_nCurrentFrameIndex++;
}
}
void TrackMaker::CalcBackTrack(int& nPaperX, int& nPaperY, float& rScale, int nMode)
{
float rAyUp = (float)2 * (m_LevelInfo.nBinTopY - m_LevelInfo.nFlyBackTop) / Sqr(BACKTIME / 2);
float rVY0 = (float)(rAyUp * BACKTIME / 2);
int nDeltaY;
float rInterVal = (float)(BACKTIME / 2) / BACK_HALF_FRAME_NUM;
int nStartX = nPaperX;
int nFrameIndex;
for (nFrameIndex = 0; nFrameIndex < BACK_HALF_FRAME_NUM; nFrameIndex++)
{
float rCurrentTime = (nFrameIndex + 1) * rInterVal;
nPaperX = nStartX + nMode * (m_LevelInfo.nBinWidth * (nFrameIndex + 1) / 2 / BACK_HALF_FRAME_NUM);
nDeltaY = (int)(rVY0 * rCurrentTime - rAyUp * Sqr(rCurrentTime) / 2);
nPaperY = m_LevelInfo.nBinTopY - nDeltaY;
m_nTrackX[m_nCurrentFrameIndex] = nPaperX;
m_nTrackY[m_nCurrentFrameIndex] = nPaperY;
m_rScale[m_nCurrentFrameIndex] = rScale;
m_nRound[m_nCurrentFrameIndex] = m_nCurrentRoundIndex;
m_nState[m_nCurrentFrameIndex] = STATE_NONE;
m_nCurrentFrameIndex++;
}
int nDownFrameNum = BACK_FRAME_NUM - BACK_HALF_FRAME_NUM;
//int nInBinFrameNum = nDownFrameNum - BACK_HALF_FRAME_NUM;
//float rScaleInterval = (rScale - m_LevelInfo.rLastScale) / nInBinFrameNum;
nStartX = nPaperX;
for (nFrameIndex = 0; nFrameIndex < nDownFrameNum; nFrameIndex++)
{
float rCurrentTime = (nFrameIndex + 1) * rInterVal;
nDeltaY = (int)(rAyUp * Sqr(rCurrentTime));
nPaperY = m_LevelInfo.nFlyBackTop + nDeltaY;
if (nFrameIndex < BACK_HALF_FRAME_NUM)
{
nPaperX = nStartX + nMode * (m_LevelInfo.nBinWidth * (nFrameIndex + 1) / 2 / nDownFrameNum);
}
else
{
//rScale -= rScaleInterval;
}
if (nPaperY > m_LevelInfo.nBinBottomY)
break;
m_nTrackX[m_nCurrentFrameIndex] = nPaperX;
m_nTrackY[m_nCurrentFrameIndex] = nPaperY;
m_rScale[m_nCurrentFrameIndex] = rScale;
m_nRound[m_nCurrentFrameIndex] = m_nCurrentRoundIndex;
m_nState[m_nCurrentFrameIndex] = STATE_NONE;
m_nCurrentFrameIndex++;
}
nPaperX = m_LevelInfo.nBinCenterX;
CalcDropTrack(nPaperX, nPaperY, rScale);
}
void TrackMaker::CalcRingOutTrack(int& nPaperX, int& nPaperY, float& rScale, int nMode)
{
float rAyUp = (float)(2 * (m_LevelInfo.nBinTopY - m_LevelInfo.nFlyBackTop) / Sqr(BACKTIME / 2));
float rVY0 = (float)(rAyUp * BACKTIME / 2);
int nDeltaY, nDeltaX;
int nInitX = nPaperX;
//float rInitScale = rScale;
float rInterVal = (float)(BACKTIME / 2) / BACK_HALF_FRAME_NUM;
for (int nFrameIndex = 0; nFrameIndex < RING_OUT_FRAME_NUM; nFrameIndex++)
{
float rCurrentTime = (nFrameIndex + 1) * rInterVal;
nDeltaX = (int)(nMode * (m_LevelInfo.nBinWidth / BACKTIME) * rCurrentTime);
nPaperX = nInitX + nDeltaX;
nDeltaY = (int)(rVY0 * rCurrentTime - rAyUp * Sqr(rCurrentTime) / 2);
nPaperY = m_LevelInfo.nBinTopY - nDeltaY;
if (nFrameIndex > BACKTIME / 2)
{
//rScale -= (rInitScale - m_LevelInfo.rLastScale) / (RING_OUT_FRAME_NUM - BACK_HALF_FRAME_NUM);
}
if (nPaperY > m_nTrackY[m_nCurrentFrameIndex - 1])
break;
m_nTrackX[m_nCurrentFrameIndex] = nPaperX;
m_nTrackY[m_nCurrentFrameIndex] = nPaperY;
m_rScale[m_nCurrentFrameIndex] = rScale;
m_nRound[m_nCurrentFrameIndex] = m_nCurrentRoundIndex;
m_nState[m_nCurrentFrameIndex] = STATE_NONE;
m_nCurrentFrameIndex++;
if (nPaperY > m_LevelInfo.nBinBottomY)
{
nPaperY = m_LevelInfo.nBinBottomY;
m_nTrackY[m_nCurrentFrameIndex - 1] = nPaperY;
break;
}
}
rInterVal = (float)DOWNTIME / DOWN_FRAME_NUM;
int nLastPaperY = m_nTrackY[m_nCurrentFrameIndex - 1];
float rDownAy = (float)2 * (m_LevelInfo.nFlyFloor - m_LevelInfo.nFlyBackTop) / Sqr(DOWNTIME);
for (int nFrameIndex = 0; nFrameIndex < DOWN_FRAME_NUM; nFrameIndex += 3)
{
int nDeltaY;
float rCurrentTime = (nFrameIndex + RING_OUT_FRAME_NUM) * rInterVal;
nDeltaX = (int)(nMode * (m_LevelInfo.nBinWidth / DOWNTIME) * rCurrentTime);
nPaperX = nInitX + nDeltaX;
nDeltaY = (int)(rDownAy * Sqr(rInterVal * nFrameIndex) / 2);
nPaperY = nLastPaperY + nDeltaY;
m_nTrackX[m_nCurrentFrameIndex] = nPaperX;
m_nTrackY[m_nCurrentFrameIndex] = nPaperY;
m_rScale[m_nCurrentFrameIndex] = rScale;
m_nRound[m_nCurrentFrameIndex] = m_nCurrentRoundIndex;
m_nState[m_nCurrentFrameIndex] = STATE_NONE;
m_nCurrentFrameIndex++;
}
}
bool TrackMaker::GetTrack(int nFrameNum, int& nPaperX, int &nPaperY, float& rScale, int& nRotate, int& nState)
{
if (nFrameNum >= m_nRealFrameNum)
{
return false;
}
nRotate = 1;
nPaperX = m_nTrackX[nFrameNum];
nPaperY = m_nTrackY[nFrameNum];
rScale = m_rScale[nFrameNum];
nState = m_nState[nFrameNum];
nRotate = m_nRound[nFrameNum];
return true;
}
void TrackMaker::SetWindSpeed(int nDirect, float rSpeed)
{
m_nWindDrect = nDirect;
m_rWindSpeed = rSpeed;
}
int TrackMaker::GetRealFrameNum()
{
return m_nRealFrameNum;
}
bool TrackMaker::GetSuccess()
{
return m_fSuccess;
}
void TrackMaker::AddRoundIndex(int& nRoundIndex) {
int nRoundLimit;
if (m_nMachine == MACHINE_IPHONE)
{
nRoundLimit = IPHONE_ROUND_LIMIT;
}
else
{
nRoundLimit = IPAD_ROUND_LIMIT;
}
nRoundIndex++;
if (nRoundIndex == nRoundLimit)
{
nRoundIndex = 0;
}
}
| [
"ramjaili3000@gmail.com"
] | ramjaili3000@gmail.com |
a2f0f72cebb38ad2006145b9f2541b7b174e9da1 | 0aa55ea844443e9c23fef4fc627155c9e94c5610 | /chapter-10/10.41.cpp | ed28069a935712babb335fba74630541cf1970f6 | [
"MIT"
] | permissive | zero4drift/Cpp-Primer-5th-Exercises | c17d1bd0d93a9c34451fd21c69c991173e4e12f7 | d3d0f0d228e8c2c5a3b3fe1fd03ce34e0894e93f | refs/heads/master | 2020-03-09T00:32:19.886544 | 2019-01-09T03:09:04 | 2019-01-09T03:09:04 | 128,490,558 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 751 | cpp | // replace(beg, end, old_val, new_val)
// replaces old_val among elements spedified by [beg, end) with new_val
// replace_if(beg, end, pred. new_val)
// replaces element which makes pred return non-zero result with new_val, element belongs to the range spedified by [beg, end).
// replace_copy(beg, end, dest, old_val, new_val)
// mostly same as replace(beg, end, old_val, new_val), but would not modify the container spedified by the first two arguments, just copies the result to the container spedified by dest.
// replace_copy_if(beg, end, dest, pred, new_val)
// mostly same as replace_copy(beg, end, dest, old_val, new_val), but only replaces the element which makes pred return non-zero result, that element is spedified by rang[beg, end).
| [
"fang0052@e.ntu.edu.sg"
] | fang0052@e.ntu.edu.sg |
3adb30823bd72cf3ec204717f2bee22bf511f648 | 05886b2109001bd717460b65e48c9d2c2c5b7864 | /baumwelch.cc | 9ce28db132d10c6d48c6b25f0c7c7901c815f3d8 | [] | no_license | gjpp/baumwelch | 9d198020fbd1dba7ca50d2d6106bcedc89716dcc | 9cdfa67c365b6add1e0fa1bb313ec78b887c80d9 | refs/heads/master | 2020-05-04T08:09:49.704944 | 2014-07-19T23:15:16 | 2014-07-19T23:15:16 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 7,116 | cc | #include <cmath>
#include <iostream>
#include <string>
namespace stattools
{
template <int N, int k> struct TPOW
{
static const int _value = N * TPOW<N,k-1>::_value;
};
template <int N> struct TPOW<N, 0>
{
static const int _value = 1;
};
template<int N, int k, int P> class BaumWelch
{
private:
static const in NPOW = TPOW<N,k>::_value;
// the current model
float pi[ NPOW ];
float Observation[N * P];
// useful iterators
float alpha[NPOW];
float beta[NPOW];
float alpha_t_plus_1[NPOW];
float alpha_t[NPOW];
float beta_t_minus_1[NPOW];
float beta_t[NPOW];
float beta_t_plus_1[NPOW];
float gamma[NPOW];
// accumulators
float GammaSum[NPOW];
float GammaSumN[N];
float XiSUm[NPOW * N];
float GammaSumOnWod[N * P];
double totalOffset;
int * _sequence;
int _sequence_len;
inline float Normalize( float * array, int n )
{
int i;
float sum = 0.0, isum;
for(i = 0; i < n; ++i)
sum += array[i];
isum = 1.0f/sum;
for(i = 0; i < n; ++i )
arra[i]*=isum;
return sum;
}
void RecursiveEval(int a, int b, float * alpha_a, float * beta_ b)
{
int t,i,j;
float off = 0;
float save_beta_b[NPOW];
for(i = 0; i < NPOW; ++i)
save_beta_b[i] = beta_b[i];
if( b != _sequence_len - 1)
off = 1.0f/Normalize(beta_b,NPOW)
if (a == b)
{
// compute gamma
if (b != _sequence_len - 1)
totalOffset += log2(off);
for(i = 0; i < NPOW; ++i)
gama[i] = alpha_a[i] * beta_b[i];
Normalize( gama, NPOW );
for( i = 0; i < NPOW; ++i )
{
if( a < _sequence_len - 1)
GammaSum[ i ] += gama[i];
GammaSumN[i%N] += gama[i];
GammaSumOnWord[i%N + _sequence[a]*N] += gama[i];
}
// compute xi
if (a < _sequence_len - 1)
{
for(i = 0; i < NPOW; ++i)
{
float coef = gama[i]/beta_b[i]*off;
for(j = 0; j < N; ++j)
XiSUm[i*N+j] += coef
* Transition[i*N+j]
* Observation[j*P+_sequence[a+1]]
* beta_t_plus_1[ (i*N+j)%NPOW ];
}
}
// save the current beta, it will be beta_t_plus_1 next
// time we reach the terminal condition
for(i = 0; i < NPOW; ++i )
beta_t_plus_1[i] = beta_b[i];
return;
}
int c = ( a + b ) / 2;
for(i = 0; i < NPOW; ++i)
alpha_t[i] = alpha_a[i];
for(t = a; t < = c; ++t)
{
for(i=0; i < NPOW; ++i)
alpha_t_plus_1[i] = 0;
for(j = 0; j < N; ++j)
{
float obs = Observation[j*P + _sequence[t+1]];
for(i = 0; i < NPOW; ++i )
alpha_t_plus_1[ (i*N+j)%NPOW ] += alpha_t[i]
* Transition[i*N+j]*obs;
}
Normalize(alpha_t_plus_1,NPOW);
for(i = 0; i < NPOW; ++i )
alpha_t[i] = alpha_t_plus_1[i];
}
float alpha_c[NPOW];
float beta_c[NPOW];
for(i = 0; i < NPOW; ++i)
alpha_c[i] = alpha_t_plus_1[i];
for(i = 0; i < NPOW; ++i)
beta_t[i] = beta_b[i];
for(t = b ; t > c; --t)
{
for(i=0; i <NPOW;++i)
beta_t_minux_1[i] = 0;
for( j = 0; j < N; ++j )
{
float obs = Observation[j*P + _sequence[t]];
for( i = 0; i < NPOW; ++i)
beta_t_minux_1[i] += beta_t[(i*N+j)%NPOW]
* Transition[i*N+j]*obs;
}
if( t > c+1)
Normalize(beta_t_minus_1, NPOW);
for(i = 0; i < NPOW; ++i)
beta_t[i] = beta_t_minus_1[i];
}
for(i = 0; i < NPOW; ++i )
beta_c[ i ] = beta_t_minus_1[i];
if(b != _sequence_len - 1 )
for(i = 0; i < NPOW; ++i)
beta_b[i] = save_beta_b[i];
RecursiveEval(c+1, b, alpha_c, beta_b);
RecursiveEval(a, c, alpha_a, beta_c );
}
void UpdateCoefs()
{
int i,j,v;
for(i = 0; i < NPOW; ++i)
{
pi[i] = gama[i];
for(j = 0; j < N; ++j)
{
Transition[i*N+j] = XiSum[i*N+j]/GammaSum[i];
if (GammaSum[i]<1e-12)
throw "Degenerate GammaSum";
}
Normalize(Transition+i*N,N);
}
}
void CleanAccumulators()
{
int i,j,v;
for(i = 0; i < NPOW; ++i)
{
GammaSum[ i ] = 0;
for(j = 0; j <N;++j)
XiSUm[i*N+j] = 0;
}
for(j = 0; j < N; ++j)
{
GammaSumN[ j ] = 0;
for(v = 0; v < P; ++v)
GammaSumOnWord[ v*N + j ] = 0;
}
totalOffset = 0;
}
double LogLikelihood()
{
int i;
double l = 0;
for( i = 0; i < NPOW; ++i )
l += beta_t_plus_1[ i ] * pi[ i ]
* Observation[ _sequence[ 0 ] + (i % N) * P ] ;
return log2(l) + totalOffset;
}
public:
BaumWelch( int * sequence_, int sequence_len_ )
{
SeSequence( sequence_, sequence_len );
GenerateRandomCoefficients();
}
void GenerateRandomCoffeicients()
{
int i, j, v;
for(i = 0; i < NPOW; ++i)
{
pi[i] = rand()/(RAND_MAX+1.0f);
for ( j = 0; j < N; ++j)
Transition[ i * N + j ] = rand()/(RAND_MAX+1.0f);
Normalize(Transition + i * N, N);
}
Normalize( pi , NPOW);
for (j =0; j < N; ++j)
{
for(v = 0; v < P; ++v)
Observation[ j * P + v ] =rand()/(RAND_MAX+1.0f);
Normalize( Observation + j * P, P );
}
}
void SetSequence( int * sequence_, int sequence_len_)
{
_sequence = sequence_;
_sequence_len = sequence_len_;
}
double EMStep()
{
CleanAccumulators();
for(int i = 0; i < NPOW; ++i)
{
beta[i ] 1.0;
alpha[ i ] = pi[ i ] * Observation[ _sequence[ 0 ] + (i%N)* P ];
}
RecursiveEval( 0, _sequence_len-1, alpha, beta );
UpdateCoefs();
return LogLikelihood();
}
void GenerateRandomSequence( int * out_sequence_, int seq_len)
{
int state = 0;
for(int t = 0; t < seq_len_; ++t )
{
float r;
int j = 0, v = 0;
r = rand()/(RAND_MAX+1.0f);
while(r>0)
r -= Transition[ state * N + j++ ];
state = (state*N +(j-1)) % P;
r = rand()/(RAND_MAX+1.0f);
while(r>0)
r -= Observaition[ (v++) + (state%N) * P] ;
out_sequence_[t] = v-1;
}
}
std::string ModelToString()
{
std::stringstream ss(std::strinstream::in | std::stringstream::out);
for(int i = 0; i < NPOW; ++i)
ss << "Pi[" << i << "] = " << pi[i] << std::endl;
for(int i = 0; i < NPOW; ++i)
for(int j = 0; j < Nl ++j)
ss << "Transition[" << i << "]" << "][" << j << "] = " << Observation[ j * P + v ] << std::endl;
return ss.str();
}
};
}
int main( int argc, char ** argv)
{
int sequence[1000000];
stattools::BaumWelch<4,2,25> Model(NULL, 0);
Model.GenerateRrandomCoefficients();
Model.GenerateRandomsequence(sequence,1000000);
Model.SetSequence(sequence,1000000);
std::cout << Model.EMStep() << std::endl << " *** " << std::endl;
Model.GenerateRandomCoefficients();
for(int i = 0; i < 100; ++i)
std::cout << Model.EMStep() << std::endl;
return 0;
}
| [
"coke0@achiral.net"
] | coke0@achiral.net |
49d863999175f34d875b4968a3b55249dc6ea1d7 | 6d262e1e3f104f316cb8c3b3c9cfd5ddbb5cc6e3 | /Source/Common/Menus/SplashMenu.cpp | 11f44353d324641ff45e2729d19f22132c580a56 | [] | no_license | doug0102/GAM1514FinalProject | 594819061bb10dcb19a4a59ac8cb5f4e241882c5 | d2c693648607f48610a59e52726fa10076bed302 | refs/heads/master | 2020-06-06T02:35:08.380462 | 2013-12-12T20:15:27 | 2013-12-12T20:15:27 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 516 | cpp | #include "SplashMenu.h"
#include "../UI/UIButton.h"
#include "../Screen Manager/ScreenManager.h"
SplashMenu::SplashMenu() : Menu (NULL, NULL)
{
addButton(new UIButton("ButtonSplash"));
}
SplashMenu::~SplashMenu()
{
}
const char* SplashMenu::getName()
{
return SPLASH_SCREEN_NAME;
}
void SplashMenu::buttonAction(UIButton* button)
{
switch(getIndexForButton(button))
{
case 0:
ScreenManager::getInstance()->switchScreen(ScreenManager::getInstance()->getScreenForName(MAIN_MENU_SCREEN_NAME));
break;
}
} | [
"doug0102@algonquincollege.com"
] | doug0102@algonquincollege.com |
5acdab262f06bdca654012825d82ba3371ab630d | 0dca3325c194509a48d0c4056909175d6c29f7bc | /ddoscoo/src/model/CreateTagResourcesRequest.cc | 59be5caad4fbf942d394e9d20d2898c89aa7493a | [
"Apache-2.0"
] | permissive | dingshiyu/aliyun-openapi-cpp-sdk | 3eebd9149c2e6a2b835aba9d746ef9e6bef9ad62 | 4edd799a79f9b94330d5705bb0789105b6d0bb44 | refs/heads/master | 2023-07-31T10:11:20.446221 | 2021-09-26T10:08:42 | 2021-09-26T10:08:42 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,839 | cc | /*
* Copyright 2009-2017 Alibaba Cloud All rights reserved.
*
* Licensed under the Apache License, Version 2.0 (the "License");
* you may not use this file except in compliance with the License.
* You may obtain a copy of the License at
*
* http://www.apache.org/licenses/LICENSE-2.0
*
* Unless required by applicable law or agreed to in writing, software
* distributed under the License is distributed on an "AS IS" BASIS,
* WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
* See the License for the specific language governing permissions and
* limitations under the License.
*/
#include <alibabacloud/ddoscoo/model/CreateTagResourcesRequest.h>
using AlibabaCloud::Ddoscoo::Model::CreateTagResourcesRequest;
CreateTagResourcesRequest::CreateTagResourcesRequest() :
RpcServiceRequest("ddoscoo", "2020-01-01", "CreateTagResources")
{
setMethod(HttpRequest::Method::Post);
}
CreateTagResourcesRequest::~CreateTagResourcesRequest()
{}
std::string CreateTagResourcesRequest::getResourceType()const
{
return resourceType_;
}
void CreateTagResourcesRequest::setResourceType(const std::string& resourceType)
{
resourceType_ = resourceType;
setParameter("ResourceType", resourceType);
}
std::vector<CreateTagResourcesRequest::Tags> CreateTagResourcesRequest::getTags()const
{
return tags_;
}
void CreateTagResourcesRequest::setTags(const std::vector<Tags>& tags)
{
tags_ = tags;
for(int dep1 = 0; dep1!= tags.size(); dep1++) {
auto tagsObj = tags.at(dep1);
std::string tagsObjStr = "Tags." + std::to_string(dep1 + 1);
setParameter(tagsObjStr + ".Value", tagsObj.value);
setParameter(tagsObjStr + ".Key", tagsObj.key);
}
}
std::string CreateTagResourcesRequest::getResourceGroupId()const
{
return resourceGroupId_;
}
void CreateTagResourcesRequest::setResourceGroupId(const std::string& resourceGroupId)
{
resourceGroupId_ = resourceGroupId;
setParameter("ResourceGroupId", resourceGroupId);
}
std::string CreateTagResourcesRequest::getSourceIp()const
{
return sourceIp_;
}
void CreateTagResourcesRequest::setSourceIp(const std::string& sourceIp)
{
sourceIp_ = sourceIp;
setParameter("SourceIp", sourceIp);
}
std::string CreateTagResourcesRequest::getRegionId()const
{
return regionId_;
}
void CreateTagResourcesRequest::setRegionId(const std::string& regionId)
{
regionId_ = regionId;
setParameter("RegionId", regionId);
}
std::vector<std::string> CreateTagResourcesRequest::getResourceIds()const
{
return resourceIds_;
}
void CreateTagResourcesRequest::setResourceIds(const std::vector<std::string>& resourceIds)
{
resourceIds_ = resourceIds;
for(int dep1 = 0; dep1!= resourceIds.size(); dep1++) {
setParameter("ResourceIds."+ std::to_string(dep1), resourceIds.at(dep1));
}
}
| [
"sdk-team@alibabacloud.com"
] | sdk-team@alibabacloud.com |
8efb97ed0bd1ea374297b46900c8cde1d3d7da14 | fe1af6c53666464c7ae82a33e2b2f0a40f05ebfc | /round_392/A.cpp | d8c9826e50f1727357f048bd89551dfd3bda7098 | [] | no_license | kushagra7589/codeforces-contests | 6320af5f6d93db38a64f28d918fc3a274e296aee | 0870a850d5be7b8b2c6f6d8c24f0caf5ab6eaa9c | refs/heads/master | 2021-07-10T08:41:30.975195 | 2017-10-07T12:06:10 | 2017-10-07T12:06:10 | 104,304,905 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 313 | cpp | #include <bits/stdc++.h>
using namespace std;
#define ll long long
#define F first
#define S second
int main()
{
ios_base::sync_with_stdio(false);
ll n;
cin >> n;
if(n == 1)
cout << 3;
else if(n == 2)
cout << 4;
else if(n % 2 == 1)
cout << 1;
else
{
cout << n-2;
}
cout << endl;
return 0;
} | [
"kushagra15049@iiitd.ac.in"
] | kushagra15049@iiitd.ac.in |
b879a90d2678773c0720be95497ab5d5c3027f2d | 2d4221efb0beb3d28118d065261791d431f4518a | /O界面描述语言/source/OFL/WndInterface/windows/OWI_Toolbar.cpp | 4b4ade032af8e9e5d647787a10abd4218df49ae8 | [] | no_license | ophyos/olanguage | 3ea9304da44f54110297a5abe31b051a13330db3 | 38d89352e48c2e687fd9410ffc59636f2431f006 | refs/heads/master | 2021-01-10T05:54:10.604301 | 2010-03-23T11:38:51 | 2010-03-23T11:38:51 | 48,682,489 | 1 | 0 | null | null | null | null | GB18030 | C++ | false | false | 10,867 | cpp |
#include "OWI_Toolbar.h"
#include "../../CreateWnd/windows/OFControl.h"
//////////////////////////////////////////////////////////////////////////
//ToolbarButton
OFL_API int _stdcall ToolbarButton_GetIndex(void* pToolbarButton)
{
return ((ToolbarButton*)pToolbarButton)->GetIndex();
}
OFL_API int _stdcall ToolbarButton_GetId(void* pToolbarButton)
{
return ((ToolbarButton*)pToolbarButton)->GetId();
}
OFL_API void _stdcall ToolbarButton_SetImage(void* pToolbarButton,int image)
{
((ToolbarButton*)pToolbarButton)->SetImage(image);
}
OFL_API int _stdcall ToolbarButton_GetImage(void* pToolbarButton)
{
return ((ToolbarButton*)pToolbarButton)->GetImage();
}
OFL_API void _stdcall ToolbarButton_SetText(void* pToolbarButton,char* text)
{
((ToolbarButton*)pToolbarButton)->SetText(text);
}
OFL_API char* _stdcall ToolbarButton_GetText(void* pToolbarButton)
{
return (char*)((ToolbarButton*)pToolbarButton)->GetText();
}
OFL_API void _stdcall ToolbarButton_SetEnabled(void* pToolbarButton,bool enable)
{
((ToolbarButton*)pToolbarButton)->SetEnabled(enable);
}
OFL_API bool _stdcall ToolbarButton_GetEnabled(void* pToolbarButton)
{
return ((ToolbarButton*)pToolbarButton)->GetEnabled();
}
OFL_API void _stdcall ToolbarButton_SetVisible(void* pToolbarButton,bool visible)
{
((ToolbarButton*)pToolbarButton)->SetVisible(visible);
}
OFL_API bool _stdcall ToolbarButton_GetVisible(void* pToolbarButton)
{
return ((ToolbarButton*)pToolbarButton)->GetVisible();
}
OFL_API void _stdcall ToolbarButton_SetChecked(void* pToolbarButton,bool check)
{
((ToolbarButton*)pToolbarButton)->SetChecked(check);
}
OFL_API bool _stdcall ToolbarButton_GetChecked(void* pToolbarButton)
{
return ((ToolbarButton*)pToolbarButton)->GetChecked();
}
OFL_API void _stdcall ToolbarButton_SetPressed(void* pToolbarButton,bool press)
{
((ToolbarButton*)pToolbarButton)->SetPressed(press);
}
OFL_API bool _stdcall ToolbarButton_GetPressed(void* pToolbarButton)
{
return ((ToolbarButton*)pToolbarButton)->GetPressed();
}
OFL_API void _stdcall ToolbarButton_SetHilited(void* pToolbarButton,bool high)
{
((ToolbarButton*)pToolbarButton)->SetHilited(high);
}
OFL_API bool _stdcall ToolbarButton_GetHilited(void* pToolbarButton)
{
return ((ToolbarButton*)pToolbarButton)->GetHilited();
}
OFL_API void _stdcall ToolbarButton_SetTipText(void* pToolbarButton,char* text)
{
((ToolbarButton*)pToolbarButton)->SetTipText(text);
}
OFL_API char* _stdcall ToolbarButton_GetTipText(void* pToolbarButton)
{
return (char*)((ToolbarButton*)pToolbarButton)->GetTipText();
}
OFL_API void _stdcall ToolbarButton_SetMenu(void* pToolbarButton,void* menu)
{
((ToolbarButton*)pToolbarButton)->SetMenu((WinMenu*)menu);
}
OFL_API void _stdcall ToolbarButton_SetData(void* pToolbarButton,void* data)
{
((ToolbarButton*)pToolbarButton)->SetData(data);
}
OFL_API void _stdcall ToolbarButton_GetRect(void* pToolbarButton,RECT& rc)
{
Rect rect = ((ToolbarButton*)pToolbarButton)->GetRect();
rc.left = rect.mLeft;
rc.top = rect.mTop;
rc.right = rect.mRight;
rc.bottom = rect.mBottom;
}
OFL_API void* _stdcall ToolbarButton_GetData(void* pToolbarButton)
{
return ((ToolbarButton*)pToolbarButton)->GetData();
}
OFL_API void* _stdcall ToolbarButton_GetMenu(void* pToolbarButton)
{
return ((ToolbarButton*)pToolbarButton)->GetMenu();
}
OFL_API void* _stdcall ToolbarButton_GetOwner(void* pToolbarButton)
{
return ((ToolbarButton*)pToolbarButton)->GetOwner();
}
//////////////////////////////////////////////////////////////////////////
//Toolbar
OFL_API int _stdcall Toolbar_GetButtonCount(void* pToolbar)
{
return ((WinToolbar*)pToolbar)->GetButtonCount();
}
OFL_API void _stdcall Toolbar_SetButtonSize(void* pToolbar,const SIZE& size)
{
Size sz;
sz.mWidth = size.cx;
sz.mHeight = size.cy;
((WinToolbar*)pToolbar)->SetButtonSize(sz);
}
OFL_API void _stdcall Toolbar_SetBitmapSize(void* pToolbar,const SIZE& size)
{
Size sz;
sz.mWidth = size.cx;
sz.mHeight = size.cy;
((WinToolbar*)pToolbar)->SetBitmapSize(sz);
}
OFL_API void _stdcall Toolbar_SetHotItem(void* pToolbar,int index)
{
((WinToolbar*)pToolbar)->SetHotItem(index);
}
OFL_API int _stdcall Toolbar_GetHotItem(void* pToolbar)
{
return ((WinToolbar*)pToolbar)->GetHotItem();
}
OFL_API void _stdcall Toolbar_SetPadding(void* pToolbar,const SIZE& size)
{
Size sz;
sz.mWidth = size.cx;
sz.mHeight = size.cy;
((WinToolbar*)pToolbar)->SetPadding(sz);
}
OFL_API void _stdcall Toolbar_SetRowCount(void* pToolbar,int rows)
{
((WinToolbar*)pToolbar)->SetRowCount(rows);
}
OFL_API int _stdcall Toolbar_GetRowCount(void* pToolbar)
{
return ((WinToolbar*)pToolbar)->GetRowCount();
}
OFL_API void _stdcall Toolbar_SetToolTip(void* pToolbar,HWND tips)
{
((WinToolbar*)pToolbar)->SetToolTip(tips);
}
OFL_API void _stdcall Toolbar_SetIndent(void* pToolbar,int indent)
{
((WinToolbar*)pToolbar)->SetIndent(indent);
}
OFL_API void _stdcall Toolbar_GetButtonSize(void* pToolbar,SIZE& size)
{
Size sz = ((WinToolbar*)pToolbar)->GetButtonSize();
size.cx = sz.mWidth;
size.cy = sz.mHeight;
}
OFL_API void _stdcall Toolbar_GetBitmapSize(void* pToolbar,SIZE& size)
{
Size sz = ((WinToolbar*)pToolbar)->GetBitmapSize();
size.cx = sz.mWidth;
size.cy = sz.mHeight;
}
OFL_API void _stdcall Toolbar_GetPadding(void* pToolbar,SIZE& size)
{
Size sz = ((WinToolbar*)pToolbar)->GetPadding();
size.cx = sz.mWidth;
size.cy = sz.mHeight;
}
OFL_API HWND _stdcall Toolbar_GetToolTip(void* pToolbar)
{
return ((WinToolbar*)pToolbar)->GetToolTip();
}
OFL_API void _stdcall Toolbar_SetImageList(void* pToolbar,void* imageList)
{
((WinToolbar*)pToolbar)->SetImageList((WinImageList*)imageList);
}
OFL_API void _stdcall Toolbar_SetHotImageList(void* pToolbar,void* imageList)
{
((WinToolbar*)pToolbar)->SetHotImageList((WinImageList*)imageList);
}
OFL_API void _stdcall Toolbar_SetDisabledImageList(void* pToolbar,void* imageList)
{
((WinToolbar*)pToolbar)->SetDisabledImageList((WinImageList*)imageList);
}
OFL_API void* _stdcall Toolbar_GetImageList(void* pToolbar)
{
return ((WinToolbar*)pToolbar)->GetImageList();
}
OFL_API void* _stdcall Toolbar_GetHotImageList(void* pToolbar)
{
return ((WinToolbar*)pToolbar)->GetHotImageList();
}
OFL_API void* _stdcall Toolbar_GetDisabledImageList(void* pToolbar)
{
return ((WinToolbar*)pToolbar)->GetDisabledImageList();
}
OFL_API void* _stdcall Toolbar_GetButton(void* pToolbar,int index)
{
return ((WinToolbar*)pToolbar)->GetButton(index);
}
//以下4个函数为按钮插入函数,注意待插入按钮的id不能与本工具栏中的其他按钮id重复,也不要与其他工具栏中按钮id重复。
//在位置index之前插入一个普通按钮,用户必须指定按钮的id;showText指明是否显示文本,但此参数对于文字显示在图片下方
//的工具栏无效。
OFL_API void* _stdcall Toolbar_InsertButton(void* pToolbar,int index, int id, bool showText)
{
return ((WinToolbar*)pToolbar)->InsertButton(index,id,showText);
}
//在位置index之前插入一个Check式按钮,用户按下这种按钮,它保持按下状态;再按一下,又恢复原状。
//如果group参数为true,则相邻的Check式按钮共属一组,其状态互斥,即其中只有一个能保持压下状态。
OFL_API void* _stdcall Toolbar_InsertCheck(void* pToolbar,bool group, int index, int id, bool showText)
{
return ((WinToolbar*)pToolbar)->InsertCheck(group,index,id,showText);
}
//在位置index之前插入一个下拉式按钮,这种按钮右侧有一个小箭头。如果whole为false,则按钮本身与小箭头
//焊接在一起,否则是分开的。
OFL_API void* _stdcall Toolbar_InsertDropdown(void* pToolbar,bool whole, int index, int id, bool showText)
{
return ((WinToolbar*)pToolbar)->InsertDropdown(whole,index,id,showText);
}
//在位置index之前插入一个分割按钮(这种分割按钮实际上是一种比较窄的豁口)
OFL_API void* _stdcall Toolbar_InsertSeperator(void* pToolbar,int index)
{
return ((WinToolbar*)pToolbar)->InsertSeperator(index);
}
//在工具栏尾部追加一个Button按钮,参数含义请参考InsertButton()的注释
OFL_API void* _stdcall Toolbar_AddButton(void* pToolbar,int id, bool showText)
{
return ((WinToolbar*)pToolbar)->AddButton(id,showText);
}
//在工具栏尾部追加一个Check按钮,参数含义请参考InsertCheck()的注释
OFL_API void* _stdcall Toolbar_AddCheck(void* pToolbar,bool group, int id, bool showText)
{
return ((WinToolbar*)pToolbar)->AddCheck(group,id,showText);
}
//在工具栏尾部追加一个Dropdown按钮,参数含义请参考InsertDropdown()的注释
OFL_API void* _stdcall Toolbar_AddDropdown(void* pToolbar,bool whole, int id, bool showText)
{
return ((WinToolbar*)pToolbar)->AddDropdown(whole,id,showText);
}
//在工具栏尾部追加一个Seperator按钮
OFL_API void* _stdcall Toolbar_AddSeperator(void* pToolbar)
{
return ((WinToolbar*)pToolbar)->AddSeperator();
}
//删除指定索引的按钮
OFL_API void _stdcall Toolbar_DeleteButton(void* pToolbar,int index)
{
((WinToolbar*)pToolbar)->DeleteButton(index);
}
//删除所有按钮
OFL_API void _stdcall Toolbar_DeleteAllButtons(void* pToolbar)
{
((WinToolbar*)pToolbar)->DeleteAllButtons();
}
//将一个按钮从iFrom位置移动到iTo位置
OFL_API void _stdcall Toolbar_MoveButton(void* pToolbar,int iFrom,int iTo)
{
((WinToolbar*)pToolbar)->MoveButton(iFrom,iTo);
}
//重新调整工具栏的尺寸(通常是用户改变了按钮大小或按钮图标大小时需要调用此函数)
OFL_API void _stdcall Toolbar_Resize(void* pToolbar)
{
((WinToolbar*)pToolbar)->Resize();
}
//测试一个坐标为p(相对于工具客户区原点)的点是否在一个非Separator的按钮之上
OFL_API void* _stdcall Toolbar_IsOnButton(void* pToolbar,const POINT& p)
{
Point pt;
pt.x = p.x;
pt.y = p.y;
return ((WinToolbar*)pToolbar)->IsOnButton(pt);
}
//找到指定id的按钮,若找不到,返回NULL
OFL_API void* _stdcall Toolbar_FindButton(void* pToolbar,int id)
{
return ((WinToolbar*)pToolbar)->FindButton(id);
}
OFL_API void _stdcall Toolbar_DestroyControl(void* pToolbar)
{
((WinToolbar*)pToolbar)->DestroyControl();
}
OFL_API char* _stdcall Toolbar_GetClass(void* pToolbar)
{
return (char*)((WinToolbar*)pToolbar)->GetClass();
}
OFL_API void _stdcall Toolbar_SetCaption(void* pToolbar,char* string)
{
((WinToolbar*)pToolbar)->SetCaption(string);
}
OFL_API char* _stdcall Toolbar_GetCaption(void* pToolbar)
{
return (char*)((WinToolbar*)pToolbar)->GetCaption();
}
| [
"olanguage@163.com"
] | olanguage@163.com |
4f52abd6281963cd7afde23da288023bb9b3e194 | c9810be894e44b85db1f84a442eedccfe1139a27 | /state-machine/state-machine/IStateMachine.cpp | 5a6b1fce2b0583a74e1d0838690d207982efb236 | [] | no_license | Jdichiera/learning-and-research | 1a42888af2310090c60fcb59d981895245cbf5b0 | fe45cf6db23fe01d24503b982e5d9f42a9680ec0 | refs/heads/master | 2021-05-01T18:56:03.125693 | 2018-02-20T11:28:43 | 2018-02-20T11:28:43 | 121,009,067 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 192 | cpp | #include "IStateMachine.h"
//IStateMachine IStateMachine::GetMachine()
//{
// IStateMachine machine = NULL;
// while (machine == NULL) {
// std
// }
// return IStateMachine();
//}
| [
"Jeramy.Dichiera@gmail.com"
] | Jeramy.Dichiera@gmail.com |
c7141353960c18061dc65dafabfd004ddae37770 | 052515404d640ae4ec3c26fb9c381af39b7dcf8f | /asim/Clock.cpp | 0d5619d502ad1bc08b60db886273df42faf65a09 | [] | no_license | JavaZhangYin/coding | 6a7bf048cccf8989bec7bf59e96189148383688e | eb34ce4967ad368110aacfbbeb851bd870f9d049 | refs/heads/master | 2021-01-15T19:13:33.600351 | 2015-11-21T06:40:52 | 2015-11-21T06:40:52 | 52,257,313 | 1 | 1 | null | 2016-02-22T08:05:49 | 2016-02-22T08:05:48 | null | UTF-8 | C++ | false | false | 1,712 | cpp | #include<iostream>
#include<unistd.h>
#include<iomanip>
using namespace std;
// Asim problem II 2/19/2014
class Clock {
private:
int hour, minute, second;
public:
Clock():hour(0),minute(0),second(0){}
Clock(int h, int m, int s):hour(h),minute(m),second(s){}
// setters.
void setHour(int h) { hour = h; }
void setSecond(int s) { second = s; }
void setMinute(int m) { minute = m; }
// getters.
int getHour() { return hour; }
int getMinute() { return minute; }
int getSecond() { return second; }
// incrementers.
void incrementHour() {
hour++;
hour %= 24;
}
void incrementMinute() {
minute++;
if (minute >= 60) incrementHour();
minute %= 60;
}
void incrementSecond() {
second++;
if (second >= 60) incrementMinute();
second %= 60;
}
// print time.
void printCurrentTime() {
cout << setfill('0');
cout << "Current Time is: " << setw(2) << hour
<< ":" << setw(2) << minute
<< ":" << setw(2) << second << endl;
}
void incrementSomeSeconds() {
int ss;
cout << "How many seconds you want to increment: ";
cin >> ss;
if (ss < 0) {
cout << "Wrong number! Can not be negative." << endl;
return;
}
for(int i = 0; i < ss; i++) {
incrementSecond();
}
}
};
int main() {
// Clock *clock = new Clock(10, 10, 10);
// clock->printCurrentTime();
// clock->incrementSecond();
// clock->printCurrentTime();
// while(1) {
// clock->incrementSecond();
// clock->printCurrentTime();
// usleep(2000);
// }
Clock clock;
clock.printCurrentTime();
clock.incrementSomeSeconds();
clock.printCurrentTime();
return 0;
}
| [
"sguo@cilab01.archlab.local"
] | sguo@cilab01.archlab.local |
a906310c66439b04e32845a0a137f8fa1c5881a2 | c45c3e1a65fd057376bb936a524dc1634b71b696 | /rocket-chip/emulator/progs/benchmarks/char_pagerank/pagerank.cpp | 278eba35a9c067d00506ba02b53842e047f463cc | [
"LicenseRef-scancode-bsd-3-clause-jtag",
"Apache-2.0"
] | permissive | yeeyeesheenworld/MetaSys | 46ae6ddf83846719f8004ff2b194a3b0a7fecb85 | e21ccd2860943bc1d272031566bfad634dfafc13 | refs/heads/main | 2023-06-20T16:04:44.850209 | 2021-07-09T18:59:06 | 2021-07-09T18:59:06 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 7,604 | cpp | #include <cstdlib>
#include <cstdio>
#include "crosslayer.h"
#include "HPC.h"
#ifndef GRANULARITY
#define GRANULARITY 20
#endif
struct csr{
int* row_ptr;
int* col_ptr;
int* val;
int size;
int vertices;
int edges;
};
typedef struct csr csr;
HPC perfMon;
csr csr_graph;
int stride;
void read_graph(char *path)
{
printf("Read graph %s\n",path);
FILE *fd;
fd = fopen(path,"r");
int rows, columns, nnz;
srand(1543526);
fscanf(fd,"%d",&rows);
fscanf(fd,"%d",&nnz);
printf("Rows = %d Non-zero = %d \n",rows,nnz);
csr_graph.vertices = rows;
csr_graph.edges = nnz;
int total_nnz = 0 ;
csr_graph.row_ptr = (int *) malloc((rows+1)*sizeof(int));
csr_graph.col_ptr = (int *) malloc(nnz*sizeof(int));
csr_graph.val = (int*) malloc(nnz*sizeof(int));
csr_graph.size = rows;
int row,col,value;
for(int w = 0 ; w < rows + 1; w++)
{
fscanf(fd,"%d",&row);
csr_graph.row_ptr[w] = row;
}
for(int w= 0 ; w < nnz; w++)
{
fscanf(fd,"%d",&col);
// csr_graph.col_ptr[w] = col;
csr_graph.col_ptr[w]=rand()%rows;
}
for(int w= 0 ; w < nnz; w++)
{
float value;
fscanf(fd,"%f",&value);
csr_graph.val[w] = (int) value;
}
}
void pagerank_init(int** arg1, int** arg2, int** arg3)
{
int i;
int* out_link = (int*) calloc(sizeof(int)*(csr_graph.vertices+100), sizeof(char));
int* p = (int*) calloc(sizeof(int)*(csr_graph.vertices+100), sizeof(char));
int* p_new = (int*) calloc(sizeof(int)*(csr_graph.vertices+100), sizeof(char));
perfMon.startMeasurement();
#ifndef NOATOM
#ifndef LOOKUPONLY
atom_deactivate(0);
atom_activate(1);
atom_activate(2);
atom_activate(3);
atom_activate(4);
atom_activate(5);
uint64_t atom_attribs[16];
atom_attribs[0] = (uint64_t) csr_graph.row_ptr;
atom_attribs[1] = (uint64_t) 0;
atom_attribs[2] = (uint64_t) csr_graph.vertices;
atom_attribs[3] = (uint64_t) stride;
uint64_t atom_attribs2[16];
atom_attribs2[0] = (uint64_t) csr_graph.val;
atom_attribs2[1] = (uint64_t) 0;
atom_attribs2[2] = (uint64_t) csr_graph.edges;
atom_attribs2[3] = (uint64_t) stride;
uint64_t atom_attribs3[16];
atom_attribs3[0] = (uint64_t) csr_graph.col_ptr;
atom_attribs3[1] = (uint64_t) p_new;
atom_attribs3[2] = (uint64_t) csr_graph.edges;
atom_attribs3[3] = (uint64_t) stride;
uint64_t atom_attribs4[16];
atom_attribs4[0] = (uint64_t) p;
atom_attribs4[1] = (uint64_t) 0;
atom_attribs4[2] = (uint64_t) csr_graph.vertices;
atom_attribs4[3] = (uint64_t) stride;
uint64_t atom_attribs5[16];
atom_attribs5[0] = (uint64_t) out_link;
atom_attribs5[1] = (uint64_t) 0;
atom_attribs5[2] = (uint64_t) csr_graph.vertices;
atom_attribs5[3] = (uint64_t) stride;
atom_define_bulk(1, (uint32_t*) atom_attribs, 8);
atom_define_bulk(2, (uint32_t*) atom_attribs2, 8);
atom_define_bulk(3, (uint32_t*) atom_attribs3, 8);
atom_define_bulk(4, (uint32_t*) atom_attribs4, 8);
atom_define_bulk(5, (uint32_t*) atom_attribs5, 8);
atom_map((void*) out_link, (sizeof(int)*csr_graph.vertices)/(1<<GRANULARITY)+1, 4);
atom_map((void*) p, (sizeof(int)*csr_graph.vertices)/(1<<GRANULARITY)+1, 5);
atom_map((void*) csr_graph.row_ptr, (sizeof(int)*csr_graph.vertices)/(1<<GRANULARITY)+1, 1);
atom_map((void*) csr_graph.val, (sizeof(int)*csr_graph.edges)/(1<<GRANULARITY)+1, 2);
atom_map((void*) csr_graph.col_ptr, (sizeof(int)*csr_graph.edges)/(1<<GRANULARITY)+1, 3);
#endif
#endif
printf("ENDED ATOM RELATED STUFF\n");
// Fix the stochastization
for( i=0; i < csr_graph.vertices; i++){
out_link[i] =0;
}
int rowel = 0;
for(i=0; i < csr_graph.vertices; i++){
if (csr_graph.row_ptr[i+1] != 0) {
rowel = csr_graph.row_ptr[i+1] - csr_graph.row_ptr[i];
out_link[i] = rowel;
}
}
int curcol = 0;
for(i=0; i<csr_graph.vertices; i++){
rowel = csr_graph.row_ptr[i+1] - csr_graph.row_ptr[i];
for (int j=0; j<rowel; j++) {
csr_graph.val[curcol] = csr_graph.val[curcol] / out_link[i];
curcol++;
}
}
for(int i=0; i < csr_graph.vertices; i++){
p[i] = 1/csr_graph.vertices;
}
*arg1 = out_link;
*arg2 = p;
*arg3 = p_new;
}
void pagerank(int* out_link, int* p, int* p_new){
int looping = 1;
int d = 1;
int k = 0;
int i = 0;
int volatile x = 0;
while (looping){
// Initialize p_new as a vector of n 0.0 cells
for(i=0; i < csr_graph.vertices; i++){
p_new[i] = 0;
}
int rowel = 0;
int curcol = 0;
int x = 0;
// Page rank modified algorithm
for(i=0; i<csr_graph.vertices; i++){
rowel = csr_graph.row_ptr[i+1] - csr_graph.row_ptr[i];
for (int j=0; j<rowel; j++) {
p_new[csr_graph.col_ptr[curcol]] = p_new[csr_graph.col_ptr[curcol]] + csr_graph.val[curcol] * p[i];
curcol++;
}
}
for(i=0; i<csr_graph.vertices; i++){
p_new[i] = d * p_new[i] + (1 - d) / csr_graph.vertices;
}
// TERMINATION: check if we have to stop
int error = 0;
for(i=0; i< csr_graph.vertices; i++) {
error = error + abs(p_new[i] - p[i]);
}
//if two consecutive instances of pagerank vector are almost identical, stop
if (k > 20){
looping = 0;
}
// Update p[]
for (i=0; i<csr_graph.vertices;i++){
p[i] = p_new[i];
}
// Increase the number of iterations
k = k + 1;
}
}
int main(int argc, char* argv[]){
printf("PROG START\n");
#ifdef NOATOM
atom_init(GRANULARITY, true);
#else
atom_init(GRANULARITY, false);
#endif
printf("INIT ATOM TABLE\n");
read_graph(argv[1]);
stride = 1;
int** out_link = (int**) malloc(sizeof(int*));
int** p = (int**) malloc(sizeof(int*));
int** p_new = (int**) malloc(sizeof(int*));
printf("BEGIN TEST\n");
//perfMon.startMeasurement();
pagerank_init(out_link, p, p_new);
pagerank(*out_link, *p, *p_new);
perfMon.endMeasurement();
printf("END TEST\n");
perfMon.printStats();
perfMon.printCSV();
}
| [
"olgunataberk@gmail.com"
] | olgunataberk@gmail.com |
2650893198afb7c11789875757933dbfcd0c102e | c8023e6bfefac7b575bc6d1ee214132e706d548b | /utilities/Events.cpp | a9cc410800c4762196c055d88438697d5ab9bfb4 | [] | no_license | t1meshift/procjam2020 | 1e1cd5f736afcb33d4e17e0bd618d26359975009 | da734fbcff7054e7bbae8e80c8c63174fd497682 | refs/heads/master | 2023-02-05T10:06:06.029440 | 2020-12-12T12:22:02 | 2020-12-12T12:22:02 | 320,808,421 | 1 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 590 | cpp | #include "Events.h"
namespace pj::utilities {
void EventEmitter::addListener(const std::string &eventId, const std::function<void()>& callback) {
auto it = listeners_.find(eventId);
listeners_[eventId].push_back(callback);
}
void EventEmitter::clearListeners(const std::string &eventId) {
listeners_.erase(eventId);
}
void EventEmitter::clearAllListeners() {
listeners_.clear();
}
void EventEmitter::emit(const std::string& eventId) {
for (const auto& cb : listeners_[eventId]) {
cb();
}
}
}
| [
"sh1ftr@protonmail.ch"
] | sh1ftr@protonmail.ch |
1df2937605d5196f143d0c3a8f497ec1a53fd68e | ce146608016b01230e61cc01e4c3c5cb055c3278 | /src/data-structures/src/math/CutoffPowerLaw.cc | caeb5b19cfe8f4a1680fccdb0d43778e74a613cc | [
"BSD-2-Clause"
] | permissive | rjlauer/aerie-liff | 6e68939526a75ecdd3e96cc79b7ccdaffbb9f4ff | 37028df563a006ab4616ce329384f2a600b6f6c8 | refs/heads/master | 2021-01-19T08:35:15.953509 | 2017-08-18T22:07:51 | 2017-08-18T22:07:51 | 100,654,300 | 7 | 3 | null | null | null | null | UTF-8 | C++ | false | false | 2,232 | cc | /*!
* @file CutoffPowerLaw.cc
* @brief Implementation of cutoff power law functions
* @author Segev BenZvi
* @date 18 Apr 2012
* @version $Id: CutoffPowerLaw.cc 14879 2013-04-27 16:21:17Z sybenzvi $
*/
#include <data-structures/math/CutoffPowerLaw.h>
#include <data-structures/math/SpecialFunctions.h>
#include <cmath>
using namespace std;
using namespace SpecialFunctions;
CutoffPowerLaw::CutoffPowerLaw() :
PowerLaw(1., HAWCUnits::infinity, 1., 1., -2.),
xC_(10.)
{ }
CutoffPowerLaw::CutoffPowerLaw(const double x0, const double x1,
const double A, const double xN,
const double idx, const double xC) :
PowerLaw(x0, x1, A, xN, idx),
xC_(xC)
{
}
double
CutoffPowerLaw::Evaluate(const double x)
const
{
return A_ * pow(x/xN_, idx1_) * exp(-x/xC_);
}
double
CutoffPowerLaw::GetNormWeight(const double x0, const double x1)
const
{
const double a = idx1_ + 1.;
// Normalization, integrating from x0 to infinity
if (x1 == HAWCUnits::infinity)
return 1. / (pow(xC_, a) * Gamma::G(a, x0/xC_));
// Normalization for finite upper limit
return 1. / (pow(xC_, a) * (Gamma::G(a, x0/xC_) - Gamma::G(a, x1/xC_)));
}
double
CutoffPowerLaw::Reweight(const PowerLaw& pl, const double x)
const
{
return Evaluate(x)/pl.Evaluate(x)*pl.Integrate(pl.GetMinX(),pl.GetMaxX());
}
double
CutoffPowerLaw::GetProbToKeep(const PowerLaw& pl, const double x)
const
{
// Get the maximum possible weight
// (this must occur at the edges for each power law)
double wmax = Reweight(pl,x0_);
for(unsigned int ctr = 0; ctr < pl.GetNEdges(); ++ctr)
{
double wtest = Reweight(pl,pl.GetEdgeX(ctr));
if(wtest > wmax)
wmax = wtest;
}
for(unsigned int ctr = 0; ctr < GetNEdges(); ++ctr)
{
double wtest = Reweight(pl,GetEdgeX(ctr));
if(wtest > wmax)
wmax = wtest;
}
// Scale the weight to be less than unity with some safety margin
double margin = 0.95;
return Reweight(pl,x)*margin/wmax;
}
double
CutoffPowerLaw::GetEdgeX(unsigned int idx)
const
{
if(idx == 0)
return x0_;
return x1_;
}
double
CutoffPowerLaw::InvertIntegral(const double frac)
const
{
log_fatal("Not implemented.");
return 0; // for compiler
}
| [
"rjlauer@unm.edu"
] | rjlauer@unm.edu |
2831c3563816a4223b6b1ce3b393f4ccb2145af9 | 4d22f318f8de87b2cf2dcc2193021eb7f28060f2 | /InterviewBit/Linked Lists/Swap list nodes in pairs.cpp | d2fde6068acb18428668e416672cf28d85595b29 | [] | no_license | krishnateja-nanduri/MyCodePractice | f97f710a684c6098d6f52b3bbcce9a8ca0dbad80 | de6b9f19fb694c54ce847153d3ce14279e1b60fc | refs/heads/master | 2021-09-07T03:54:08.583326 | 2018-02-16T23:30:21 | 2018-02-16T23:30:21 | 104,292,690 | 1 | 1 | null | 2018-02-08T22:14:12 | 2017-09-21T02:39:22 | C++ | UTF-8 | C++ | false | false | 636 | cpp | //https://www.interviewbit.com/problems/swap-list-nodes-in-pairs/
/**
* Definition for singly-linked list.
* struct ListNode {
* int val;
* ListNode *next;
* ListNode(int x) : val(x), next(NULL) {}
* };
*/
ListNode* Solution::swapPairs(ListNode* head) {
ListNode *dummy = new ListNode(-1), *pre = dummy;
dummy->next = head;
while (pre->next && pre->next->next)
{
ListNode *t = pre->next->next;
pre->next->next = t->next;
t->next = pre->next;
pre->next = t;
pre = t->next;
}
return dummy->next;
}
| [
"krishnateja.nanduri@gmail.com"
] | krishnateja.nanduri@gmail.com |
6f4769b88592c9cca4186ee19eb9a67f78aaa303 | 51a58bcf0dc5436e20241180efa7476bfd1937a9 | /FileIO/XmlIO/XMLInterface.h | 09dc9082839e55b4b971c691f6b4fe1948ec992b | [] | no_license | ChaofanChen/ogs5_bhe | 63b6f016f76f8d793efb69eb90efb78069d7dfcb | 18db624140f64631a9652e9bff5c7f8083201b8c | refs/heads/master | 2020-03-12T15:22:10.125612 | 2018-12-14T11:29:29 | 2018-12-14T11:29:29 | 130,688,198 | 0 | 2 | null | 2018-06-12T22:58:55 | 2018-04-23T11:47:05 | C++ | UTF-8 | C++ | false | false | 2,096 | h | /**
* \file XMLInterface.h
* 18/02/2010 KR Initial implementation
*/
#ifndef XMLINTERFACE_H
#define XMLINTERFACE_H
#include "ProjectData.h"
#include <QXmlStreamReader>
#include "Writer.h"
class FEMCondition;
class QFile;
class QDomDocument;
class QDomNode;
class QDomElement;
namespace FileIO
{
/**
* \brief Base class for writing any information to and from XML files.
*/
class XMLInterface : public Writer
{
public:
/**
* Constructor
* \param project Project data.
* \param schemaFile An XML schema file (*.xsd) that defines the structure of a valid data file.
*/
XMLInterface(ProjectData* project, const std::string &schemaFile);
virtual ~XMLInterface() {};
/// As QXMLStreamWriter seems currently unable to include style-file links into xml-files, this method will workaround this issue and include the stylefile link.
int insertStyleFileDefinition(const QString &fileName) const;
/// Check if the given xml-file is valid considering the schema-file used in the constructor
int isValid(const QString &fileName) const;
void setNameForExport(std::string const& name) { _exportName = name; };
/// Sets the schema filename used to check if xml files are valid.
void setSchema(const std::string &schemaName);
/// Reads an xml-file.
virtual int readFile(const QString &fileName) = 0;
protected:
/// Checks if a hash for the given data file exists to skip the time-consuming validation part.
/// If a hash file exists _and_ the hash of the data file is the same as the content of the hash file the validation is skipped
/// If no hash file exists, the xml-file is validated and a hash file is written if the xml-file was valid.
bool checkHash(const QString &fileName) const;
/// Calculates an MD5 hash of the given file.
QByteArray calcHash(const QString &fileName) const;
/// Checks if the given file is conform to the given hash.
bool hashIsGood(const QString &fileName, const QByteArray &hash) const;
ProjectData* _project;
std::string _exportName;
std::string _schemaName;
std::map<size_t, size_t> _idx_map;
};
}
#endif // XMLINTERFACE_H
| [
"lars.bilke@ufz.de"
] | lars.bilke@ufz.de |
380b26d2fe14b4b4eb20b28f4653ccbc153306b3 | e4b7519f8bd1fdd52afb9acc9d81977506285cee | /CPP/1201-1300/1244-Design-a-Leaderboard.cpp | baedbe74eb9ba8bea43cd0d7726f70b46385b3f4 | [
"BSD-3-Clause"
] | permissive | orangezeit/leetcode | e247ab03abbf4822eeaf555606fb4a440ee44fcf | b4dca0bbd93d714fdb755ec7dcf55983a4088ecd | refs/heads/master | 2021-06-10T03:05:14.655802 | 2020-10-02T06:31:12 | 2020-10-02T06:31:12 | 137,080,784 | 2 | 0 | null | 2018-06-12T14:17:30 | 2018-06-12T14:07:20 | null | UTF-8 | C++ | false | false | 1,270 | cpp | class Leaderboard {
public:
map<int, int> board;
unordered_map<int, int> players;
Leaderboard() {
}
void addScore(int playerId, int score) {
if (players.count(playerId)) {
int c = players[playerId];
players[playerId] += score;
board[c]--;
if (board[c] == 0) board.erase(c);
board[players[playerId]]++;
} else {
players[playerId] = score;
board[score]++;
}
}
int top(int K) {
int s(0);
auto p = board.end();
while (true) {
--p;
if (K > p->second) {
K -= p->second;
s += p->first * p->second;
} else {
s += p->first * K;
break;
}
if (p == board.begin()) break;
}
return s;
}
void reset(int playerId) {
board[players[playerId]]--;
if (board[players[playerId]] == 0) board.erase(players[playerId]);
players[playerId] = 0;
}
};
/**
* Your Leaderboard object will be instantiated and called as such:
* Leaderboard* obj = new Leaderboard();
* obj->addScore(playerId,score);
* int param_2 = obj->top(K);
* obj->reset(playerId);
*/
| [
"yfluo@bu.edu"
] | yfluo@bu.edu |
dd127ed362fa1ddced2ae9644472136f67f56cff | 891bd0ed1715fa8e458622b12de9bf944ea7e421 | /C++/Longest_Palindrome_Substring.cpp | 06959ea911ece8d45d5c1aea2b79af9be199f627 | [] | no_license | agil98/Leetcode | d224b0fa63d58d8c9d7af32d19c3dfb5c6d668b2 | 4928a9e7209889415c38b7eb5e7ad4c1b59912da | refs/heads/master | 2023-07-12T22:02:26.480940 | 2021-08-17T05:19:48 | 2021-08-17T05:19:48 | 365,109,713 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 362 | cpp | class Solution {
public:
bool isPalindrome(string s) {
s.erase(remove_if(s.begin(), s.end(), [](char c) { return !isalnum(c); } ), s.end()); // removes all special characters
for_each(s.begin(), s.end(), [](char & c) { c = tolower(c); }); // lowercase
string c = s;
reverse(c.begin(), c.end());
return s == c;
}
}; | [
"alexandra.gil@hotmail.ca"
] | alexandra.gil@hotmail.ca |
7573387b7658fe64f8d8fd511367c846b1e09c87 | fae78186cb8e64c3022760d7e4264ef12fe01019 | /Code/AC_HDOJ_arthuryang/1878.cpp | 4490b74ba2fd83d69ef2ebdf4d9adec06315748c | [] | no_license | arthuryangcs/ACM | 295758c942de72822552a432c08d77f93b705284 | c4cf163995d93d18a7a124ccb2754bfa7290b21c | refs/heads/master | 2021-05-28T11:29:42.678009 | 2015-02-01T06:52:59 | 2015-02-01T06:52:59 | 27,126,740 | 2 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 2,213 | cpp | ////////////////////System Comment////////////////////
////Welcome to Hangzhou Dianzi University Online Judge
////http://acm.hdu.edu.cn
//////////////////////////////////////////////////////
////Username: arthuryang
////Nickname: ArthurYang
////Run ID:
////Submit time: 2013-12-25 17:03:49
////Compiler: GUN C++
//////////////////////////////////////////////////////
////Problem ID: 1878
////Problem Title:
////Run result: Accept
////Run time:93MS
////Run memory:504KB
//////////////////System Comment End//////////////////
#define MAXN 11111
#include <iostream>
#include <cstdio>
#include <fstream>
#include <cstring>
#include <string>
#include <stdlib.h>
using namespace std;
int map[MAXN][MAXN];
int v[MAXN][MAXN];
int a[MAXN];
int flag=0;
int n,nn;
class ufind
{
private:
int num[MAXN];
int father[MAXN];
public:
void init()
{
int i;
for(i=0; i<MAXN; i++)
{
father[i]=i;
num[i]=1;
}
}
int count_num(int x)
{
return num[find_set(x)];
}
int find_set(int x)
{
if(father[x]!=x)
{
father[x]=find_set(father[x]);
}
return father[x];
}
void set_friend(int x,int y)
{
int a,b;
a=find_set(x);
b=find_set(y);
if(a==b)
return;
if(num[a]>num[b])
{
father[b]=a;
num[a]+=num[b];
}
else
{
father[a]=b;
num[b]+=num[a];
}
}
bool is_friend(int x,int y)
{
return find_set(x) == find_set(y);
}
};
int num[MAXN];
int main()
{
int n,m;
ufind f;
int x,y;
int flag=1;
while(scanf("%d",&n),n)
{
f.init();
flag = 1;
memset(num,0,sizeof(num));
scanf("%d",&m);
for (int i=0;i<m;i++)
{
scanf("%d%d",&x,&y);
f.set_friend(x,y);
num[x]++;
num[y]++;
}
if(f.count_num(1)!=n)
flag=0;
for (int i =1;i<=n;i++)
if(num[i]%2==1)
{
flag=0;
break;
}
cout<<flag<<endl;
}
return 0;
}
| [
"980224951@qq.com"
] | 980224951@qq.com |
6fa56c764e23b6d0207882d68582c04c05427a8e | 2d67ef3d7dfd512b1c58a6a1862fd2bf4dccb212 | /src/Scenes/BaigaeshiScene.h | 737e8de4e67c7697775d3f7cf93c6c2a84b1cd9b | [] | no_license | genkitoyama/0728_DancePerformance | e56687305fb102b23f9bda2be5b65e5dc13a9a3d | 38592233b49d210d0e0304c15d8d6ac83a067e27 | refs/heads/master | 2021-01-09T20:34:56.145170 | 2016-07-26T03:56:59 | 2016-07-26T03:56:59 | 64,187,546 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,175 | h | //
// BaigaeshiScene.h
// 0729_DancePerformance
//
// Created by Toyama Genki on 2016/07/25.
//
//
#pragma once
#include "ofxState.h"
class BaigaeshiScene : public itg::ofxState<SharedData>
{
public:
ofVideoPlayer _video;
string getName()
{
return FILE;
}
void setup()
{
_video.load("videos/testscene.mov");
_video.setPosition(0.0);
_video.setVolume(0.0);
_video.play();
_video.setPaused(true);
}
void stateEnter()
{
_video.setPaused(false);
}
void stateExit()
{
_video.setPaused(true);
}
void update()
{
_video.update();
getSharedData().fbo.begin();
{
ofBackground(0);
_video.draw(0, 0, ofGetWidth(), ofGetHeight());
#if DEBUG_MODE != 1
ofSetColor(0,255,0);
stringstream msg;
msg << FILE << endl;
msg << ofToString(ofGetFrameRate(),2) << endl;
ofDrawBitmapString(msg.str(), 10, 40);
#endif
}
getSharedData().fbo.end();
}
};
| [
"burst.blaster@gmail.com"
] | burst.blaster@gmail.com |
77d5c46593c1bdc83d768cf7e2486e0846cdb66e | e217eaf05d0dab8dd339032b6c58636841aa8815 | /Ifc4/src/OpenInfraPlatform/Ifc4/entity/include/IfcFlowInstrument.h | 4a9e80b3575f7262dd0d83ebacfa4897373fa0fb | [] | no_license | bigdoods/OpenInfraPlatform | f7785ebe4cb46e24d7f636e1b4110679d78a4303 | 0266e86a9f25f2ea9ec837d8d340d31a58a83c8e | refs/heads/master | 2021-01-21T03:41:20.124443 | 2016-01-26T23:20:21 | 2016-01-26T23:20:21 | 57,377,206 | 0 | 1 | null | 2016-04-29T10:38:19 | 2016-04-29T10:38:19 | null | UTF-8 | C++ | false | false | 4,960 | h | /*! \verbatim
* \copyright Copyright (c) 2015 Julian Amann. All rights reserved.
* \author Julian Amann <julian.amann@tum.de> (https://www.cms.bgu.tum.de/en/team/amann)
* \brief This file is part of the OpenInfraPlatform.
* \endverbatim
*/
#pragma once
#include <vector>
#include <map>
#include <sstream>
#include <string>
#include "OpenInfraPlatform/Ifc4/model/shared_ptr.h"
#include "OpenInfraPlatform/Ifc4/model/Ifc4Object.h"
#include "IfcDistributionControlElement.h"
namespace OpenInfraPlatform
{
namespace Ifc4
{
class IfcFlowInstrumentTypeEnum;
//ENTITY
class IfcFlowInstrument : public IfcDistributionControlElement
{
public:
IfcFlowInstrument();
IfcFlowInstrument( int id );
~IfcFlowInstrument();
// method setEntity takes over all attributes from another instance of the class
virtual void setEntity( shared_ptr<Ifc4Entity> other );
virtual void getStepLine( std::stringstream& stream ) const;
virtual void getStepParameter( std::stringstream& stream, bool is_select_type = false ) const;
virtual void readStepData( std::vector<std::string>& args, const std::map<int,shared_ptr<Ifc4Entity> >& map );
virtual void setInverseCounterparts( shared_ptr<Ifc4Entity> ptr_self );
virtual void unlinkSelf();
virtual const char* classname() const { return "IfcFlowInstrument"; }
// IfcRoot -----------------------------------------------------------
// attributes:
// shared_ptr<IfcGloballyUniqueId> m_GlobalId;
// shared_ptr<IfcOwnerHistory> m_OwnerHistory; //optional
// shared_ptr<IfcLabel> m_Name; //optional
// shared_ptr<IfcText> m_Description; //optional
// IfcObjectDefinition -----------------------------------------------------------
// inverse attributes:
// std::vector<weak_ptr<IfcRelAssigns> > m_HasAssignments_inverse;
// std::vector<weak_ptr<IfcRelNests> > m_Nests_inverse;
// std::vector<weak_ptr<IfcRelNests> > m_IsNestedBy_inverse;
// std::vector<weak_ptr<IfcRelDeclares> > m_HasContext_inverse;
// std::vector<weak_ptr<IfcRelAggregates> > m_IsDecomposedBy_inverse;
// std::vector<weak_ptr<IfcRelAggregates> > m_Decomposes_inverse;
// std::vector<weak_ptr<IfcRelAssociates> > m_HasAssociations_inverse;
// IfcObject -----------------------------------------------------------
// attributes:
// shared_ptr<IfcLabel> m_ObjectType; //optional
// inverse attributes:
// std::vector<weak_ptr<IfcRelDefinesByObject> > m_IsDeclaredBy_inverse;
// std::vector<weak_ptr<IfcRelDefinesByObject> > m_Declares_inverse;
// std::vector<weak_ptr<IfcRelDefinesByType> > m_IsTypedBy_inverse;
// std::vector<weak_ptr<IfcRelDefinesByProperties> > m_IsDefinedBy_inverse;
// IfcProduct -----------------------------------------------------------
// attributes:
// shared_ptr<IfcObjectPlacement> m_ObjectPlacement; //optional
// shared_ptr<IfcProductRepresentation> m_Representation; //optional
// inverse attributes:
// std::vector<weak_ptr<IfcRelAssignsToProduct> > m_ReferencedBy_inverse;
// IfcElement -----------------------------------------------------------
// attributes:
// shared_ptr<IfcIdentifier> m_Tag; //optional
// inverse attributes:
// std::vector<weak_ptr<IfcRelFillsElement> > m_FillsVoids_inverse;
// std::vector<weak_ptr<IfcRelConnectsElements> > m_ConnectedTo_inverse;
// std::vector<weak_ptr<IfcRelInterferesElements> > m_IsInterferedByElements_inverse;
// std::vector<weak_ptr<IfcRelInterferesElements> > m_InterferesElements_inverse;
// std::vector<weak_ptr<IfcRelProjectsElement> > m_HasProjections_inverse;
// std::vector<weak_ptr<IfcRelReferencedInSpatialStructure> > m_ReferencedInStructures_inverse;
// std::vector<weak_ptr<IfcRelVoidsElement> > m_HasOpenings_inverse;
// std::vector<weak_ptr<IfcRelConnectsWithRealizingElements> > m_IsConnectionRealization_inverse;
// std::vector<weak_ptr<IfcRelSpaceBoundary> > m_ProvidesBoundaries_inverse;
// std::vector<weak_ptr<IfcRelConnectsElements> > m_ConnectedFrom_inverse;
// std::vector<weak_ptr<IfcRelContainedInSpatialStructure> > m_ContainedInStructure_inverse;
// std::vector<weak_ptr<IfcRelCoversBldgElements> > m_HasCoverings_inverse;
// IfcDistributionElement -----------------------------------------------------------
// inverse attributes:
// std::vector<weak_ptr<IfcRelConnectsPortToElement> > m_HasPorts_inverse;
// IfcDistributionControlElement -----------------------------------------------------------
// inverse attributes:
// std::vector<weak_ptr<IfcRelFlowControlElements> > m_AssignedToFlowElement_inverse;
// IfcFlowInstrument -----------------------------------------------------------
// attributes:
shared_ptr<IfcFlowInstrumentTypeEnum> m_PredefinedType; //optional
};
} // end namespace Ifc4
} // end namespace OpenInfraPlatform
| [
"julian.amann@tum.de"
] | julian.amann@tum.de |
abcbd4a369f6672bf46b7f91012a95a9b1b0f585 | 548140c7051bd42f12b56e8bb826074609c8b72e | /Engine/Code/Engine/Networking/NetConnection.cpp | 5c42d157a4446c63cfc20ba7623e5f92bddeacb7 | [] | no_license | etrizzo/PersonalEngineGames | 3c55323ae730b6499a2d287c535c8830e945b917 | 6ef9db0fd4fd34c9e4e2f24a8b58540c075af280 | refs/heads/master | 2021-06-16T22:01:57.973833 | 2021-01-26T03:54:58 | 2021-01-26T03:54:58 | 135,343,718 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 16,736 | cpp | #include "NetConnection.hpp"
#include "Engine/Networking/NetPacket.hpp"
#include "Engine/Networking/NetSession.hpp"
#include "Engine/Networking/PacketTracker.hpp"
#include "Engine/Networking/NetChannel.hpp"
NetConnection::NetConnection(NetSession * owningSession, net_connection_info_t info)
{
m_info = info;
m_owningSession = owningSession;
m_heartbeatTimer = StopWatch(GetMasterClock());
m_sendRateTimer = StopWatch(GetMasterClock());
m_lastReceivedTimeMS = (unsigned int) (GetMasterClock()->GetCurrentSeconds() * 1000.f);
SetSendRate();
for (int i = 0; i < NUM_ACKS_TRACKED; i++){
m_trackedSentPackets[i] = new PacketTracker(INVALID_PACKET_ACK, 0U);
}
for (int i = 0; i < MAX_MESSAGE_CHANNELS; i++){
m_channels[i] = new NetChannel();
}
}
NetConnection::NetConnection(NetSession * owningSession, uint8_t indexInSession, NetAddress addr)
{
m_owningSession = owningSession;
m_info = net_connection_info_t();
m_info.m_sessionIndex = indexInSession;
m_info.m_address = addr;
m_heartbeatTimer = StopWatch(GetMasterClock());
m_sendRateTimer = StopWatch(GetMasterClock());
m_lastReceivedTimeMS = (unsigned int) (GetMasterClock()->GetCurrentSeconds() * 1000.f);
SetSendRate();
for (int i = 0; i < NUM_ACKS_TRACKED; i++){
m_trackedSentPackets[i] = new PacketTracker(INVALID_PACKET_ACK, 0U);
}
for (int i = 0; i < MAX_MESSAGE_CHANNELS; i++){
m_channels[i] = new NetChannel();
}
}
NetConnection::~NetConnection()
{
for(NetChannel* channel : m_channels)
{
delete channel;
}
}
void NetConnection::Update()
{
//if haven't received a packet in a while, disconnect
if (!IsMe()){
float elapsedSeconds = (GetMasterClock()->GetCurrentSeconds() - ((float) m_lastReceivedTimeMS * .001f));
if ( elapsedSeconds > DEFAULT_CONNECTION_TIMEOUT){
ConsolePrintf(RGBA::RED, "Disconnecting connection %i after %f seconds", m_info.m_sessionIndex, elapsedSeconds);
Disconnect();
}
}
//if state has changed this frame, update it and send to everybody
if (m_previousState != m_state){
//set state & send update state msg
m_previousState = m_state;
for(NetConnection* conn : m_owningSession->m_boundConnections){
NetMessage* update = new NetMessage("update_connection_state", m_owningSession);
//update->SetDefinitionFromSession(m_owningSession);
update->Write(m_info.m_sessionIndex);
update->Write((uint8_t) m_state);
update->IncrementMessageSize(sizeof(uint8_t) + sizeof(uint8_t));
conn->Send(update);
}
}
unsigned int deltasecondsMS = (unsigned int) (GetMasterClock()->GetDeltaSeconds() * 1000.f);
for (NetMessage* unconfirmed : m_unconfirmedReliableMessages){
unconfirmed->IncrementAge(deltasecondsMS);
}
if (m_heartbeatTimer.DecrementAll()){
//ConsolePrintf(RGBA::RED.GetColorWithAlpha(165), "Sending heartbeat.");
for (NetConnection* conn : m_owningSession->m_boundConnections){
NetMessage* msg = new NetMessage("heartbeat");
if (IsHost()){
//Send your current time
msg->Write(m_owningSession->m_currentClientTimeMS);
msg->IncrementMessageSize(sizeof(unsigned int));
} else {
msg->Write(0U);
msg->IncrementMessageSize(sizeof(unsigned int));
}
conn->Send(msg);
}
}
if (m_recievedPackets > 0){
m_lossRate = (float) m_lostPackets / (float) m_recievedPackets;
}
}
void NetConnection::ClearMessageQueue()
{
m_unsentUnreliableMessages.clear();
m_unsentReliableMessages.clear();
}
void NetConnection::Send(NetMessage * msg)
{
msg->SetDefinition(m_owningSession->GetRegisteredMessageByName(msg->m_msgName));
msg->WriteHeader();
if (msg->IsReliable()) {
if (msg->IsInOrder()){
NetChannel* channel = GetChannelByIndex(msg->m_definition->m_channelID);
msg->m_sequenceID = channel->GetAndIncrementNextSentSequenceID();
}
//don't actually assign reliable id until it gets sent for Reasons
m_unsentReliableMessages.push_back(msg);
} else {
m_unsentUnreliableMessages.push_back(msg);
}
}
void NetConnection::SetHeartbeat(float hz)
{
if (hz == 0.f){
hz = DEFAULT_HEARTBEAT;
}
float seconds = 1.f/ hz;
m_heartbeatTimer.SetTimer(seconds);
}
void NetConnection::SetSendRate(float hz)
{
m_connectionSendRateHZ = hz;
float hzToSetFrom = hz;
if (m_connectionSendRateHZ == 0.f){
hzToSetFrom = m_owningSession->GetSessionSendRateHZ();
} else {
hzToSetFrom = Min(m_connectionSendRateHZ, m_owningSession->GetSessionSendRateHZ());
}
if (hzToSetFrom == 0.f){
hzToSetFrom = DEFAULT_SESSION_SEND_RATE_HZ;
}
float setFromSeconds = 1.f/ hzToSetFrom;
m_sendRateTimer.SetTimer(setFromSeconds);
}
NetAddress NetConnection::GetAddress() const
{
return m_info.m_address;
}
uint8_t NetConnection::GetConnectionIndex() const
{
return m_info.m_sessionIndex;
}
std::string NetConnection::GetConnectionIDAsString() const
{
return std::string(m_info.m_id);
}
bool NetConnection::IsMe() const
{
return (m_owningSession->m_myConnection == this);
}
bool NetConnection::IsHost() const
{
return (m_owningSession->m_hostConnection == this);
}
bool NetConnection::IsClient() const
{
return !IsHost();
}
bool NetConnection::IsValidConnection() const
{
return m_info.m_sessionIndex != INVALID_CONNECTION_INDEX;
}
bool NetConnection::CanSendToConnection()
{
return m_sendRateTimer.CheckAndReset();
}
void NetConnection::IncrementSendAck()
{
m_nextSentACK++;
}
void NetConnection::MarkSendTime()
{
m_lastSendTimeMS = (unsigned int) (GetCurrentTimeSeconds() * 1000.f);
}
PacketTracker * NetConnection::AddTrackedPacketOnSend(const packet_header_t & header)
{
uint16_t idx = (header.m_ack) % NUM_ACKS_TRACKED;
PacketTracker* tracker = m_trackedSentPackets[idx];
if (tracker->m_isValid){
//give up on this packet :(
m_lostPackets++;
tracker->Reset();
}
tracker->SetAckAndTimestamp(header.m_ack, m_owningSession->GetNetTimeMS());
return tracker;
}
void NetConnection::MarkReceiveTime()
{
m_lastReceivedTimeMS = (unsigned int) (GetCurrentTimeSeconds() * 1000.f);
}
void NetConnection::UpdateReceivedAcks(uint16_t newReceivedAck)
{
//if (newReceivedAck > m_lastReceivedACK || m_lastReceivedACK == INVALID_PACKET_ACK){
// m_lastReceivedACK = newReceivedAck;
//} else {
// //update bitfield
//}
uint16_t distance = newReceivedAck - m_highestReceivedACK;
if (distance == 0){
//this is an error. ACK increments in order. Should never happen.
return;
}
if (distance < (0xffff / 2)){ //half a cycle away
m_highestReceivedACK = newReceivedAck;
// how do I update the bitfield?
// want to left shift by the distance
m_previousReceivedACKBitfield <<= distance; //giving self more space in the bitfield.
m_previousReceivedACKBitfield |= ( 1 << (distance - 1)); //set the old highest bit.
} else {
//got an older ACK than highest received ack. Which bit do we set in history?
distance = m_highestReceivedACK - newReceivedAck; //distance from highest
m_previousReceivedACKBitfield |= (1 << (distance - 1)); //set bit in history
//may want to check that bit WAS zero, otherwise you double processed a packet, which is bad.
}
}
bool NetConnection::ConfirmPacketReceived(uint16_t newReceivedAck)
{
for (PacketTracker* tracker : m_trackedSentPackets){
if (tracker->m_ack == newReceivedAck){
if (tracker->m_isValid){
unsigned int currentMS = m_owningSession->GetNetTimeMS();
UpdateRTT(currentMS - tracker->m_sentMS );
m_recievedPackets++;
if (m_unconfirmedReliableMessages.size() > 0){
//update received reliables
for (unsigned int i = 0; i < tracker->m_numReliablesInPacket; i++){
uint16_t reliableID = tracker->m_sentReliableIDs[i];
for (int unconfirmedIdx = (int) m_unconfirmedReliableMessages.size() - 1; unconfirmedIdx >= 0; unconfirmedIdx--){
NetMessage* unconfirmed = m_unconfirmedReliableMessages[unconfirmedIdx];
if (unconfirmed->m_reliableID == reliableID){
RemoveAtFast(m_unconfirmedReliableMessages, unconfirmedIdx);
}
}
}
}
tracker->Invalidate();
return true;
} else {
return false;
}
}
}
return false;
}
void NetConnection::UpdateRTT(unsigned int RTTforConfirmedPacketMS)
{
if (m_rttMS == 0.f){
m_rttMS = RTTforConfirmedPacketMS;
} else {
m_rttMS = (unsigned int) Interpolate((int) RTTforConfirmedPacketMS, (int)m_rttMS, .9f);
}
}
uint16_t NetConnection::GetNextSentAck() const
{
return m_nextSentACK;
}
uint16_t NetConnection::GetLastReceivedAck() const
{
return m_highestReceivedACK;
}
uint16_t NetConnection::GetAckBitfield() const
{
return m_previousReceivedACKBitfield;
}
unsigned int NetConnection::GetLastSendTimeMS() const
{
return m_lastSendTimeMS;
}
unsigned int NetConnection::GetLastReceivedTimeMS() const
{
return m_lastReceivedTimeMS;
}
float NetConnection::GetLossRate() const
{
return m_lossRate;
}
unsigned int NetConnection::GetRTT() const
{
return m_rttMS;
}
float NetConnection::GetLastSendTimeSeconds() const
{
return (float) GetLastSendTimeMS() * .001f;
}
float NetConnection::GetLastReceivedTimeSeconds() const
{
return (float) GetLastReceivedTimeMS() * .001f;
}
bool NetConnection::ShouldSendReliableMessage(NetMessage * msg) const
{
for (NetMessage* unconfirmed : m_unconfirmedReliableMessages){
if (unconfirmed == msg ){
if (msg->IsOldEnoughToResend()){
return true;
}
}
}
return false;
}
uint16_t NetConnection::GetAndIncrementNextReliableID()
{
uint16_t next = m_nextSentReliableID;
m_nextSentReliableID++;
return next;
}
uint16_t NetConnection::GetOldestUnconfirmedReliable() const
{
NetMessage* oldest = nullptr;
if (m_unconfirmedReliableMessages.size() > 0){
oldest = m_unconfirmedReliableMessages[0];
}
for (NetMessage* msg : m_unconfirmedReliableMessages){
if (oldest->m_timeSinceLastSentMS < msg->m_timeSinceLastSentMS){
oldest = msg;
}
}
uint16_t id;
if (oldest == nullptr){
id = (uint16_t) INVALID_RELIABLE_ID;
} else {
id = oldest->m_reliableID;
}
return id;
}
bool NetConnection::CanSendNewReliable() const
{
uint16_t nextID = m_nextSentReliableID;
uint16_t oldestUnconfirmedID = GetOldestUnconfirmedReliable(); // probably just element [0];
if (oldestUnconfirmedID == (uint16_t) INVALID_RELIABLE_ID){
oldestUnconfirmedID = nextID;
}
uint16_t diff = nextID - oldestUnconfirmedID;
return (diff < RELIABLE_WINDOW);
}
void NetConnection::MarkMessageAsSentForFirstTime(NetMessage * msg)
{
for (int i = 0; i < (int) m_unsentReliableMessages.size(); i++){
if (m_unsentReliableMessages[i] == msg){
m_unsentReliableMessages[i] = nullptr; //remove from unsent list
}
}
m_unconfirmedReliableMessages.push_back(msg);
msg->ResetAge();
}
void NetConnection::AddReceivedReliable(uint16_t newReliableID)
{
m_receivedReliableIDs.push_back(newReliableID);
//if this is the first reliable you've received, set it here
if (m_highestReceivedReliableID == INVALID_RELIABLE_ID){
m_highestReceivedReliableID = newReliableID;
} else {
m_highestReceivedReliableID = (uint16_t) Max(newReliableID, m_highestReceivedReliableID);
}
//hat problem - counting on the other person to only send you a reliable id if they've received everything before your reliable window
uint16_t minimum_id = newReliableID - RELIABLE_WINDOW + 1;
int backIndex = (int) m_receivedReliableIDs.size() - 1;
int numRemoved = 0;
for(int i = backIndex; i >=0; i--){
uint16_t oldID = m_receivedReliableIDs[i];
if (CycleLess(oldID, minimum_id)) {
//remove the reliable id from the received list
m_receivedReliableIDs[i] = m_receivedReliableIDs[backIndex];
backIndex--;
numRemoved++;
}
}
//purge the removed reliable ids
for (int i = 0; i < numRemoved; i++){
m_receivedReliableIDs.pop_back();
}
}
void NetConnection::AddReceivedInOrderMessage(NetMessage * msg)
{
NetChannel* channel = GetChannelByIndex(msg->m_definition->m_channelID);
if (channel != nullptr){
////check if the ID just processed was already in the out of order array
//for (int i = channel->m_outOfOrderMessages.size() - 1; i >= 0; i--){
// if (channel->m_outOfOrderMessages[i]->m_sequenceID <= channel->m_nextExpectedSequenceID){
// //messageToProcess = channel->m_outOfOrderMessages[i];
// ConsolePrintf("just processed %i, removing dup from array", channel->m_outOfOrderMessages[i]->m_sequenceID);
// RemoveAtFast(channel->m_outOfOrderMessages, i);
// //break;
// }
//}
channel->m_nextExpectedSequenceID++;
//ConsolePrintf(RGBA::GREEN, "Expected id is %i",channel->m_nextExpectedSequenceID);
}
}
bool NetConnection::HasReceivedReliable(uint16_t reliableID)
{
uint16_t maxWindowVal = m_highestReceivedReliableID;
uint16_t minWindowVal = maxWindowVal - RELIABLE_WINDOW;
if (CycleLess(reliableID, minWindowVal))
{
//if it's less than your window, it's so old you DEFINITELY received it.
return true;
} else {
// if it's within the reliable window, we just have to check if
// our list of received reliables already contains it
for (unsigned int i = 0; i < m_receivedReliableIDs.size(); i++){
if (m_receivedReliableIDs[i] == reliableID){
return true;
}
}
//we haven't received it yet!
return false;
}
}
NetChannel * NetConnection::GetChannelByIndex(uint8_t channelIndex)
{
if (channelIndex < MAX_MESSAGE_CHANNELS){
return m_channels[channelIndex];
}
return nullptr;
}
uint16_t NetConnection::GetNextExpectedIDForChannel(uint8_t channelIndex)
{
NetChannel* channel = GetChannelByIndex(channelIndex);
if (channel != nullptr){
return channel->m_nextExpectedSequenceID;
} else {
return 0;
}
}
bool NetConnection::IsMessageNextExpectedInSequence(NetMessage * msg)
{
NetChannel* channel = GetChannelByIndex(msg->m_definition->m_channelID);
if (channel != nullptr){
return msg->m_sequenceID == channel->m_nextExpectedSequenceID;
} else {
return false;
}
}
void NetConnection::ProcessOutOfOrderMessagesForChannel(uint8_t channelIndex)
{
NetChannel* channel = GetChannelByIndex(channelIndex);
NetMessage* messageToProcess = nullptr;
//ConsolePrintf("Searching %i number of out of order messages for seqID %i on channel %i", channel->m_outOfOrderMessages.size(), channel->m_nextExpectedSequenceID, channelIndex);
do{
messageToProcess = nullptr;
//if the out of order messages list contains the next expected message, pull it out
for (int i = (int) channel->m_outOfOrderMessages.size() - 1; i >= 0; i--){
if (channel->m_outOfOrderMessages[i]->m_sequenceID == channel->m_nextExpectedSequenceID){
messageToProcess = channel->m_outOfOrderMessages[i];
//ConsolePrintf("Removing message w/ sequence id %i from vector", channel->m_outOfOrderMessages[i]->m_sequenceID);
RemoveAtFast(channel->m_outOfOrderMessages, i);
break;
}
else if (channel->m_outOfOrderMessages[i]->m_sequenceID < channel->m_nextExpectedSequenceID){
//ConsolePrintf("Removing already processed message %i from vector", channel->m_outOfOrderMessages[i]->m_sequenceID);
RemoveAtFast(channel->m_outOfOrderMessages, i);
}
}
//and process it, update next expected index
if (messageToProcess != nullptr){
//if (!HasReceivedReliable(messageToProcess->m_reliableID)){
if (messageToProcess->m_sequenceID == channel->m_nextExpectedSequenceID){
channel->m_nextExpectedSequenceID++;
}
net_message_definition_t* definition = messageToProcess->m_definition;
((definition->m_messageCB))( *messageToProcess, net_sender_t(this));
AddReceivedReliable(messageToProcess->m_reliableID);
//ConsolePrintf("Processing reliable %i from vector. Now expecting %i", messageToProcess->m_sequenceID, channel->m_nextExpectedSequenceID);
//}
}
} while (messageToProcess != nullptr);
}
void NetConnection::AddOutOfOrderMessage(NetMessage * msg)
{
NetChannel* channel = GetChannelByIndex(msg->m_definition->m_channelID);
//for (int i = channel->m_outOfOrderMessages.size() - 1; i >= 0; i--){
// if (channel->m_outOfOrderMessages[i]->m_sequenceID == msg->m_sequenceID){
// //we've already got a copy of the out of order message
// ConsolePrintf("attempting to add same message out of order vector %i", msg->m_sequenceID );
// return;
// }
//}
if (channel != nullptr){
//NetMessage* copy = new NetMessage(msg);
//copy->WriteBytes(msg->GetWrittenByteCount(), msg->GetBuffer());
//uint8_t messageType;
//copy->Read(&messageType, false);
//copy->m_definition = msg->m_definition;
//uint16_t reliableID;
//copy->Read(&reliableID);
//copy->m_reliableID = reliableID;
//uint16_t seqID;
//copy->Read(&seqID);
//copy->m_sequenceID = seqID;
channel->m_outOfOrderMessages.push_back(msg);
//ConsolePrintf("Adding %i to out of order vector on channel %i", msg->m_sequenceID, msg->m_definition->m_channelID);
} else {
ConsolePrintf(RGBA::RED, "No channel (%i) for message.", msg->m_definition->m_channelID);
}
}
| [
"emilytrizzo@gmail.com"
] | emilytrizzo@gmail.com |
222a037ccf632a9c1de82e4d44e5b7377f04e91e | 9d2a58f599730ce2b48b35d83b00446682a0acf1 | /CPP/kth_largest_ele.cpp | ba4680999671208c0ee937f82792eb8b84be7a75 | [
"MIT"
] | permissive | rochroger/open-source-contribution | 17052d3b905266f20c8d48350a89755a4068e17f | 1699bc85993afbbb8e6fa501c172015726d71547 | refs/heads/main | 2023-08-14T06:01:14.063513 | 2021-10-04T16:39:33 | 2021-10-04T16:39:33 | 413,202,815 | 2 | 1 | MIT | 2021-10-03T21:37:19 | 2021-10-03T21:37:19 | null | UTF-8 | C++ | false | false | 340 | cpp | #include <bits/stdc++.h>
using namespace std;
int main(){
int n = 6;
int arr[n]= {23,10,4,3,20,15};
int k=2;
priority_queue<int,vector<int>, greater<int>>min;
for(int i=0;i<n;i++){
min.push(arr[i]);
if(min.size()>k){
min.pop();
}
}
cout<<min.top()<<endl;
return 0;
} | [
"cm7310@srmist.edu.in"
] | cm7310@srmist.edu.in |
e000a4b26446eae3faa6fecd08cac6fce0a6128b | cfcb1c0a125c0c20d50fdc34679e69e38f962372 | /lcodes/Solutions.cpp | d0c2091bece9cadcc96264ad8281b5dea11afb4b | [] | no_license | HITzichu/mleetcode | 12f1c9ca9ecab046c97c8a47882a67c0d7d09716 | e1a6e732d7b712c52aa6a47964227ea80163c16c | refs/heads/master | 2023-03-18T23:06:19.385278 | 2021-03-19T13:17:16 | 2021-03-19T13:17:16 | 341,540,398 | 0 | 0 | null | null | null | null | GB18030 | C++ | false | false | 78,772 | cpp | #include "Solutions.h"
//4.寻找两个正序数组的中位数
int getKthElement(const vector<int>& nums1, const vector<int>& nums2, int k)
{
//k为需要比较的个数
int m = nums1.size();
int n = nums2.size();
int index1 = 0, index2 = 0;
while (true)
{
if (index1 == m)
{
return nums2[index2 + k - 1]; //寻找第k小的
}
if (index2 == n)
{
return nums1[index1 + k - 1];
}
if (k == 1)
{
return min(nums1[index1], nums2[index2]);
}
int newindex1 = min(index1 - 1 + k / 2, m - 1); //index-1:前面的坐标,k/2 要比较的数个数
int newindex2 = min(index2 - 1 + k / 2, n - 1);
//哪个小修改哪个
if (nums1[newindex1] <= nums2[newindex2])
{
//减去排除掉的数字个数,k为剩下的需要比较的个数
k = k - (newindex1 - index1 + 1);
//修改坐标
index1 = newindex1 + 1;
}
else
{
//减去排除掉的数字个数,k为剩下的需要比较的个数
k = k - (newindex2 - index2 + 1);
//修改坐标
index2 = newindex2 + 1;
}
}
}
double Solution::findMedianSortedArrays(vector<int>& nums1, vector<int>& nums2) {
int m = nums1.size();
int n = nums2.size();
//偶数
if ((m + n) % 2 == 0)
return (getKthElement(nums1, nums2, (m + n) / 2) + getKthElement(nums1, nums2, (m + n) / 2 + 1)) / 2.0;
else
return getKthElement(nums1, nums2, (m + n + 1) / 2);
}
//5.最长回文子串
void printArr2(vector<vector<bool>> dp)
{
for (vector<vector<bool>>::iterator it = dp.begin(); it < dp.end(); it++)
{
for (vector<bool>::iterator vit = it->begin(); vit < it->end(); vit++)
{
cout << (*vit) << " ";
}
cout << endl;
}
}
string Solution::longestPalindrome(string s)
{
int n = s.size();
int maxlen = 1, left = 1, right = 1;
vector<vector<bool>> dp(n, vector<bool>(n));
if (n == 1)
{
return s;
}
//初始化
for (int i = 0; i < n; i++)
{
dp[i][i] = 1;
if (i > 0)
{
dp[i][i - 1] = 1;
}
}
printArr2(dp);
for (int j = 0; j < n; j++)
{
for (int i = 0; i < j; i++)
{
if (s[i] != s[j])
{
dp[i][j] = false;
}
else
{
dp[i][j] = (dp[i + 1][j - 1] && (s[i] == s[j]));//核心一步
if (dp[i][j] == true)
{
if (j - i + 1 > maxlen)
{
maxlen = j - i + 1;
left = i;
}
}
}
}
}
cout << "left=" << left << "right=" << right << endl;
cout << "--------------------------------------------" << endl;
printArr2(dp);
return s.substr(left, maxlen);
}
//6.Z字型变换
string Solution::convertZ(string s, int numRows)
{
if (s.size() < numRows || numRows == 1)
{
return s;
}
bool flag = false;
int curRow = -1;//记录当前的行
vector<string> rows(numRows);
for (char c : s)
{
if (flag == false)
{
rows[++curRow] += c;
if (curRow == numRows - 1)
{
flag = true;
}
}
else
{
rows[--curRow] += c;
if (curRow == 0)
{
flag = false;
}
}
}
string ret;
for (vector<string>::iterator it = rows.begin(); it < rows.end(); it++)
ret += (*it);
return ret;
}
int Solution::Myreverse(int x)
{
int rev = 0;
while (x)
{
int ge = x % 10;//求个位数
//越界
if ((rev > INT_MAX / 10)
|| (rev == INT_MAX / 10 && ge > INT_MAX % 10)
|| (rev < INT_MIN / 10)
|| (rev == INT_MIN / 10 && ge < INT_MIN % 10))
{
return 0;
}
rev = rev * 10 + ge;//添加到最后
x = x / 10;
}
return rev;
}
/*
table行表示当前的状态
列表示遇见的字符
对应的元素为将要转化的状态
*/
class Automaton
{
//实现talble的定义
//table的
string state = "start";
unordered_map<string, vector<string>> table =
{
{"start",{"start", "signed", "in_number", "end"}},
{"signed",{"end", "end", "in_number", "end"}},
{"in_number", {"end", "end", "in_number", "end"}},
{"end", {"end", "end", "end", "end"}}
};
//定义遇到对应的符号的时候需要去查找到的对应的vector 的列元素
int getcol(char c)
{
if (c == ' ') return 0;
else if (c == '+' || c == '-') return 1;
else if (c - '0' >= 0 && c - '0' <= 9) return 2;
else return 3;
};
public:
int getResult(string str)
{
bool sign = 1;
int result = 0;
int num = 0;
//记录符号
for (char c : str)
{
//更新当前状态
state = table[state][getcol(c)];
//进入了符号状态,查看当前符号
if (state == "signed")
{
if (c == '+')
{
sign = 1;
}
else
{
sign = 0;
}
}
else if (state == "in_number")
{
num = (c - '0');
//越界判断
if (sign == 1 &&
(result > INT_MAX / 10 ||
(result == INT_MAX / 10 && num > INT_MAX % 10)
)
)
return INT_MAX;
if (sign == 0 &&
(-result < INT_MIN / 10 ||
(-result == INT_MIN / 10 && -num < INT_MIN % 10))
)
return INT_MIN;
result = result * 10 + num;
}
else if (state == "end")
{
if (sign == 1) return result;
else return (-result);
}
}
if (sign == 1) return result;
else return (-result);
}
};
//9.回文数
bool Solution::isPalindrome(int x)
{
if (x < 0)
{
return false;
}
else if (x < 10)
{
return true;
}
vector<int> v;
while (x)
{
v.push_back(x % 10);
x = x / 10;
}
if (v.size() == 2)
{
if (v[0] == v[1])
{
return true;
}
else
{
return false;
}
}
for (int i = 0; i < v.size() / 2; i++)
{
if (v[i] != v[(v.size() - 1) - i])
{
return false;
}
}
return true;
}
int Solution::maxArea(vector<int>& height) {
int maxA = 0;
vector<int>::iterator left = height.begin(), right = height.end() - 1;
while (left < right)
{
//计算当前的面积
int tempA = (right - left) * min(*left, *right);
if (tempA > maxA)
{
maxA = tempA;
}
if (*left < *right)
{
left++;
}
else
{
right--;
}
}
return maxA;
}
/*
I 1
V 5
X 10
L 50
C 100
D 500
M 1000
int[] values = {1000, 900, 500, 400, 100, 90, 50, 40, 10, 9, 5, 4, 1};
String[] symbols = {"M","CM","D","CD","C","XC","L","XL","X","IX","V","IV","I"};
*/
string Solution::intToRoman(int num)
{
vector<int> values = { 1000, 900, 500, 400, 100, 90, 50, 40, 10, 9, 5, 4, 1 };
vector<string> sysmbols = { "M","CM","D","CD","C","XC","L","XL","X","IX","V","IV","I" };
string result;
int index = 0;
while (num > 0)
{
while (num >= values[index])
{
result += sysmbols[index];
num -= values[index];
}
index++;
}
return result;
}
//13.罗马数字转整数
int getValue(char ch) {
switch (ch) {
case 'I': return 1;
case 'V': return 5;
case 'X': return 10;
case 'L': return 50;
case 'C': return 100;
case 'D': return 500;
case 'M': return 1000;
default: return 0;
}
}
int Solution::romanToInt(string s) {
int result = 0;
for (int i = 0; i < s.size() - 1; i++)
{
if (getValue(s[i]) >= getValue(s[i + 1]))
{
result += getValue(s[i]);
}
else
{
result -= getValue(s[i]);
}
}
result += getValue(s[s.size() - 1]);
return result;
}
string Solution::longestCommonPrefix(vector<string>& strs)
{
if (strs.empty())
{
return "";
}
string result = strs[0];
int j = 0, longest = strs[0].size();
for (vector<string>::iterator it = strs.begin(); it < strs.end(); it++)
{
//对于每个元素(*it)遍历每个字符
for (j = 0; j < min(longest, (int)(*it).size()); j++)
{
if (result[j] != (*it)[j])
{
break;
}
}
if (j == 0)
{
return "";
}
longest = j > longest ? longest : j;
}
return result.substr(0, longest);
}
//15.三数之和
vector<vector<int>> Solution::threeSum(vector<int>& nums)
{
//先排序
sort(nums.begin(), nums.end());
vector<vector<int>> result;
//中间的依次看和两边的数加起来值是不是零
//小于零的话左边的右移,大于零的话右边的左移 等于零塞进去 ->变大 0.0 <-变小
if (nums.size() < 3)
{
return result;
}
//-1,-1,0,1
for (int i = 0; i < nums.size() - 2; i++) //遍历中间的数
{
if (i > 0 && nums[i] == nums[i - 1])
continue;
int left = i + 1, right = nums.size() - 1; //双指针
while (left < right) //越界条件
{
//小于零的话左边的右移,大于零的话右边的左移 等于零塞进去 ->变大 0.0 <-变小
int sum = nums[i] + nums[left] + nums[right];
if (sum == 0)
{
result.push_back({ nums[i] , nums[left] , nums[right] });
//跳过重复
while (left < right && nums[++left] == nums[left - 1]);
while (left < right && nums[--right] == nums[right + 1]);
}
else if (sum > 0)
{
//去除重复的, 如果这次的left值和right值都还是上一次的值,说明重复了
while (left < right && nums[--right] == nums[right + 1]);
}
else
{
while (left < right && nums[++left] == nums[left - 1]);
}
}
}
return result;
}
//因为我们优化的目标也就是使得目标函数最接近,这个用绝对值来刻画是比较合理的,我们期望它是趋于0的
//思路:给定了一个数t,寻找两个数m,n,使得目标函数f=|t-(m+n+k)|最小
//遍历方法:双指针,每次遍历只能去寻找一个比原本的数绝对值小两个值,如果变大了,说明前一个即为最小值
//双指针我们使用的时候,向量是排好序的。那么一般情况下我们认为,left+1即m+n变大,right-1即m+n变小,我们控制每次的结果,如果小于0变大,大于零变小,那么结果就趋向于0.这个和目标函数的最小值是一致的
int Solution::threeSumClosest(vector<int>& nums, int target)
{
if (nums.size() < 3)
{
int sum = 0;
for (int i = 0; i < nums.size(); i++)
{
sum += nums[i];
}
return sum;
}
sort(nums.begin(), nums.end());
int result = 100000;
//1,2,5,10,11
for (int i = 0; i < nums.size() - 2; i++)
{
int left = i + 1, right = nums.size() - 1;
while (left < right)
{
int sum = nums[i] + nums[left] + nums[right];
if (abs(target - sum) < abs(target - result))
{
result = sum;
}
//变化双指针
if ((target - sum) == 0)
{
return sum;
}
else if ((target - sum) < 0) //结果小于0,sum要变小结果才能变大
{
//去除重复的, 如果这次的left值和right值都还是上一次的值,说明重复了 --right
while (left < right && nums[--right] == nums[right + 1]);
}
else
{
while (left < right && nums[++left] == nums[left - 1]);
}
}
}
return result;
}
class letterCombination
{
vector<string> letterMap =
{
" ", //0
"", //1
"abc", //2
"def", //3
"ghi", //4
"jkl", //5
"mno", //6
"pqrs", //7
"tuv", //8
"wxyz" //9
};
public:
vector<string> result;
void backtrack(int index, string digits, string str)
{
//停止条件
if (index == digits.size())
{
result.push_back(str);
return;
}
int num = digits[index] - '0';
for (int i = 0; i < letterMap[num].size(); i++)
{
string tempStr = str;
tempStr = tempStr + letterMap[num][i];
backtrack(index + 1, digits, tempStr);
}
}
};
//17. 电话号码的字母组合
vector<string> Solution::letterCombinations(string digits)
{
//数字表
letterCombination l;
if (digits.size() == 0)
{
vector<string> result;
return l.result;
}
string str = "";
l.backtrack(0, digits, str);
cout << l.result.size() << endl;
for (int i = 0; i < l.result.size(); i++)
{
cout << l.result[i] << "\t";
}
return l.result;
}
//18. 四数之和
vector<vector<int>> Solution::fourSum(vector<int>& nums, int target)
{
//a,b,c,d两个双指针,如果找不到就移动右指针,都找不到就重新移动左指针
//好处在于,如果我们内层的最大值和最小值都是大于零(或者小于零),就可以直接判断,然后跳到下一层循环了
//外层指针
int left1 = 0, right1 = nums.size() - 1;
//内层指针
int left = 1, right = nums.size() - 2;
int sum = 0;
vector<vector<int>> result;
if (nums.size() < 4)
{
return result;
}
sort(nums.begin(), nums.end());
//遍历a
// -1, 0, 0, 1,2
while (left1 < nums.size() - 3)
{
//外层右指针初始化
right1 = nums.size() - 1;
//外层右指针变化
//排除特殊情况
int maxVal = target - (nums[left1] + nums[right1 - 2] + nums[right1 - 1] + nums[right1]);
int minVal = target - (nums[left1] + nums[left1 + 1] + nums[left1 + 2] + nums[right1]);
//最大值和最小值都大于零,说明整体是大于零的,直接外层左指针+1
if (maxVal > 0 && minVal > 0)
{
while (nums[++left1] == nums[left1 - 1] && left1 < nums.size() - 3);
}
//最大值和最小值都小于零,说明整体是小于零的,直接外层右指针-1
if (maxVal < 0 && minVal < 0)
{
while (nums[--right1] == nums[right1 + 1] && right1 - left1 >= 3);
}
while (right1 - left1 >= 3)
{
left = left1 + 1;
right = right1 - 1;
//内层双指针循环
while (left < right)
{
sum = nums[left1] + nums[left] + nums[right] + nums[right1];
if (sum == target)
{
result.push_back({ nums[left1] , nums[left] , nums[right],nums[right1] });
while (nums[--right] == nums[right + 1] && left < right);
while (nums[++left] == nums[left - 1] && left < right);
}
else if (sum > target)
{
while (nums[--right] == nums[right + 1] && left < right);
}
else
{
while (nums[++left] == nums[left - 1] && left < right);
}
}
//外层指针往内移动
while (nums[--right1] == nums[right1 + 1] && right1 - left1 >= 3);
}
while (nums[++left1] == nums[left1 - 1] && left1 < nums.size() - 3);
}
return result;
}
ListNode* Solution::removeNthFromEnd(ListNode* head, int n)
{
ListNode* left = head;
ListNode* right = head;
//先间隔了n个
for (int i = 0; i < n; i++)
{
right = right->next;
}
//同时往后遍历
while (right->next != NULL)
{
left = left->next;
right = right->next;
}
//left指向的倒数n+1个节点
left->next = left->next->next;
return head;
}
//20. 有效的括号
bool Solution::isValid(string s)
{
stack<char> sta;
//构造一个查找表
//key为右端元素,val为左端元素
unordered_map<char, char> pairs = {
{')', '('},
{']', '['},
{'}', '{'}
};
for (char c : s)
{
//用栈操作,如果遇到与之匹配的右括号,那么一定是匹配栈顶的元素,否则匹配失败
if (pairs.count(c) //匹配到了右端元素
&& sta.empty()) //不匹配最近的左括号
{
return false;
}
else if (pairs.count(c) //匹配到了右端元素
&& sta.top() != pairs[c]) //不匹配最近的左括号
{
return false;
}
else if (pairs.count(c) //匹配到了右端元素
&& sta.top() == pairs[c]) //匹配到最近的左括号
{
sta.pop();
continue;
}
else //左括号
{
sta.push(c);
}
}
if (sta.empty())
{
return true;
}
else
{
return false;
}
}
//21. 合并两个有序链表
//l1:[1,3,4]
//l2:[0,2,4]
ListNode* Solution::mergeTwoLists(ListNode* l1, ListNode* l2)
{
ListNode* preHead = new ListNode(0);
ListNode* curNode = preHead;
while (l1 != NULL && l2 != NULL)
{
//比较,将较小的拿出来给到当前节点后面,拆线必须保存被拆的信息
if (l2->val > l1->val)
{
curNode->next = l1;
l1 = l1->next;
curNode = curNode->next;
}
else
{
curNode->next = l2;
l2 = l2->next;
curNode = curNode->next;
}
}
if (l1 == NULL)
{
curNode->next = l2;
}
if (l2 == NULL)
{
curNode->next = l1;
}
ListNode* ret = preHead->next;
delete preHead;
return ret;
}
//22. 括号生成
/*
* 树遍历:
* 1.添加左括号
* 2.添加右括号,添加条件:左括号数目大于右括号
* 结束条件:n层
*
*/
//深度优先遍历
class dfs22
{
public:
vector<string> result;
void dfs(string curStr, int left, int right)
{
if (left == 0 && right == 0)
{
result.push_back(curStr);
return;
}
//添加左括号
if (left > 0)
{
dfs(curStr + "(", left - 1, right);
}
//添加右括号
if (left >= right)
{
return;
}
else
{
dfs(curStr + ")", left, right - 1);
}
}
};
vector<string> Solution::generateParenthesis(int n)
{
dfs22 dfs;
dfs.dfs("", n, n);
for (int i = 0; i < dfs.result.size(); i++)
{
cout << dfs.result[i] << endl;
}
return dfs.result;
}
//23.合并K个升序链表
/*
* 分治合并:k个合并成 k/2,然后再合并成k/4
*
* 参数:两个待合并的链表
* 返回值:合并一次后得到链表头
* 做法,两两合并
*
*/
vector<ListNode*> mergeK(vector<ListNode*>& lists)
{
if (lists.size() == 1)
{
return lists;
}
vector<ListNode*> ret;
int left = 0, right = lists.size() - 1;
while (left < right)
{
ret.push_back(Solution::mergeTwoLists(lists[left++], lists[right--]));
}
if (left == right)
{
ret.push_back(lists[left]);
}
return mergeK(ret);
}
//23. 合并K个升序链表
/*
* 递归写合并两个有序链表
*
* 做法:
* 比较两个链表头部的大小,让当前指针指向较小的节点
*
* 参数:两个头结点
* 返回值:较小的头结点
* 停止条件:节点为空
*
*/
ListNode* merge2(ListNode* l1, ListNode* l2)
{
if (l1 == NULL)
{
return l2;
}
if (l2 == NULL)
{
return l1;
}
if (l1->val < l2->val)
{
l1->next = merge2(l1->next, l2);
return l1;
}
else
{
l2->next = merge2(l1, l2->next);
return l2;
}
}
ListNode* Solution::mergeKLists(vector<ListNode*>& lists)
{
if (lists.empty())
{
return NULL;
}
ListNode* p = lists[0];
for (int i = 1; i < lists.size(); i++)
{
p = merge2(p, lists[i]);
}
return p;
}
//24. 两两交换链表中的节点
//3条线需要改 前面的,中间的,后面的
ListNode* swap2(ListNode* head, ListNode* preHead)
{
//结束条件
if (head == NULL)
{
return NULL;
cout << "偶数个" << endl;
}
if (head->next == NULL)
{
return head;
cout << "奇数个" << endl;
}
ListNode* left = head;
ListNode* right = left->next;
//修改三条线的连接关系
left->next = right->next; //交换两个节点的信息
right->next = left;
//前面节点指向后面
preHead->next = right;
swap2(left->next, left);
return right;
}
ListNode* Solution::swapPairs(ListNode* head)
{
ListNode* left = head;
ListNode* right = left->next;
//修改三条线的连接关系
left->next = swapPairs(right->next); //交换两个节点的信息
right->next = left;
//前面节点指向后面
return right;
}
//反转一组链表
pair<ListNode*, ListNode*> reverseK(ListNode* head, ListNode* tail)
{
if (tail == NULL)
{
return { head,tail };
}
ListNode* cur = head; //当前节点
ListNode* pre = tail->next;//pre用于指向当前应该指向的节点
while (pre != tail)
{
ListNode* temp = cur->next;
cur->next = pre;
pre = cur;
cur = temp;
}
return{ tail, head }; //返回新的头和尾
}
//25. K 个一组翻转链表
// 做法:依次翻转k个,上一次翻转的尾部指向新一次的头部
ListNode* Solution::reverseKGroup(ListNode* head, int k)
{
ListNode pre(0, head);
ListNode* right = ⪯
ListNode* left = ⪯
bool flag = true;
while (flag == true)
{
right = left;
//往后找k个
for (int i = 0; i < k; i++)
{
if (right == NULL)
{
flag = false;
break;
}
right = right->next;
}
//找得到
if (flag == true)
{
pair<ListNode*, ListNode*> result = reverseK(left->next, right);
left->next = result.first;
left = result.second;
}
}
return pre.next;
}
//26. 删除排序数组中的重复项
int removeDuplicates(vector<int>& nums) {
if (nums.empty())
{
return 0;
}
//i:慢指针,j快指针
int i = 1, j = 1;
while (j < nums.size())
{
//找到相同的j的最后一位
if (nums[j] != nums[j - 1])
{
nums[i++] = nums[j++];
}
else
{
j++;
}
}
return (i + 1);
}
//27. 移除元素
//i j为两个指针 ,i代表应该放进的非 val 的位置,j为快指针
//j不是val,那么将其放进i位置
//j是val,那么将其跳过
int Solution::removeElement(vector<int>& nums, int val)
{
int i = 0, j = 0;
int ret = nums.size();
while (j < nums.size())
{
if (nums[j] != val)
{
nums[i++] = nums[j++];
}
else
{
j++;
}
}
return i;
}
//28. 实现 strStr()
//数学前提:集合论
//一个串的两个前后缀子串要么是最长相同前后缀,要么不是
// j前缀末尾
// i后缀末尾,
// [] [] [] [] [] [] [] []
// j i
//next表示的是1.前面子串的最长相同前后缀 2.如果发生不匹配,那么j需要回退到的位置
//当前已经满足的条件是:已经有符合条件的 前后两个串,如果下一个字符不匹配的话,应当缩小匹配范围,到可能成功的最近的一个串的位置,
//这个位置要符合的条件在于,前面的字符和开头相同的字符尽可能多
//这个意义恰好就是这个串的最长相同前后缀
//所以我们需要将j其回退到next[j]指向的即可
//明确next指向的数据应为当前指向的前后缀的前面字符串的 最长相同前后缀
vector<int> KMPNext(string pat)
{
vector<int> next(pat.size() + 1); //i++完了以后会到了pat.size()
int j = -1;//前缀末尾
int i = 0;//后缀末尾
next[0] = -1;
while (i < pat.size())
{
if (j == -1 //如果不加这个条件的话,可能不相等的就不会填充数组,这样可以保证每个数组都能有数字填充
|| pat[j] == pat[i])
{
i++;
j++;
next[i] = j;
}
else
{
j = next[j];//跳到它子串的最长相同前后缀的位置
}
}
for (int i = 0; i < pat.size(); i++)
{
cout << next[i] << "\t";
}
cout << endl;
return next;
}
int Solution::strStr(string haystack, string needle)
{
if (needle.empty())
{
return 0;
}
vector<int> next = KMPNext(needle);//计算出next子串
int i = 0, j = 0;//指向模式串的指针
while (i < haystack.size())
{
if (j == -1 //指针指向的是第一个就不匹配
|| haystack[i] == needle[j])
{
j++;
i++;
}
else
{
j = next[j];
}
if (j == needle.size())
{
return i - j;
}
}
return -1;
}
//求相同前后缀
vector<int> samPreSuf(string s)
{
int sublen = 1;
vector<int> result;
while (sublen < s.size())
{
bool flag = true;
int sufstart = s.size() - sublen;//两个开始位置
//检查之后的每个字符
for (int i = 0; i < sublen; i++)
{
if (s[i] != s[sufstart + i])
{
flag = false;
break;
}
}
if (flag == true)
{
result.push_back(sublen);
}
sublen++;
}
return result;
}
//29. 两数相除
//dividend被除数,divisor除数
//
int divR(long long dividend, long long divisor)
{
if (dividend < divisor)
{
return 0;
}
int numCur = divisor;
int result = 1;
while (dividend > numCur + numCur)
{
result += result;//result=2*result 存储找到了多少个divisor
numCur += numCur;
if (numCur > INT_MAX / 2)
{
break;
}
}
result += divR(dividend - numCur, divisor);
return result;
}
int Solution::divide(int dividend, int divisor)
{
if ((dividend == INT_MIN) && divisor == (-1))
{
return INT_MAX;
}
if (divisor == 1)
{
return dividend;
}
long long a = dividend;
long long b = divisor;
bool sign = (a > 0 && b > 0) || (a < 0 && b < 0);
a = a > 0 ? a : -a;
b = b > 0 ? b : -b;
if (sign == true)
{
return divR(a, b);
}
else
{
return -divR(a, b);
}
}
//30. 串联所有单词的子串
//做法:将待匹配的单词都记录到哈希表中,哈希表的value值为单词重复的次数
//维护一个长度为 所有单词的和 的滑动窗口,每次进出都是一个 单词 的量->错误,应该是一个字符的量,匹配的话不一定恰好在字符长度整数倍的位置
//从头开始依次检查窗口中每个单词是否符合要求,如果不符合那么就将窗口往后移动一个字符
//检查的方法如下:
//如果检查到尾,发现每个单词都存在,那么符合条件
//不符合条件停止检查的条件有
// 1.没找到当前的单词
// 2.找到了这个单词,但是数量多了
//"barfoothefoobarman"
//["foo", "bar"]
vector<int> Solution::findSubstring(string s, vector<string>& words)
{
vector<int> result;
if (words.empty() || s.empty())
{
return result;
}
unordered_map<string, int> wordcnt;
//初始化计数表
for (auto& w : words)
wordcnt[w]++;
int singleLen = words[0].size();//每个单词的长度
int left = 0, right = left;
//left 窗口左边界
for (int left = 0; left + singleLen * words.size() <= s.size(); left++)
{
unordered_map<string, int> curWindow;//记录当前窗口的单词和数
//检查当前窗口,从头至尾遍历
int count = 0;
right = left;
string temp = "";
for (count = 0; count < words.size(); count++)
{
temp = s.substr(right, singleLen);//记录待比较的单词
if (wordcnt.find(temp) == wordcnt.end() || curWindow.count(temp) > wordcnt.count(temp)) //没找着 或 找多了
{
break;
}
//找到了
curWindow[temp]++;
right += singleLen;
}
if (curWindow == wordcnt)
{
result.push_back(left);
}
if (curWindow.count(temp) > wordcnt.count(temp))//如果是因为多匹配的导致了匹配失败
{
curWindow.erase(s.substr(left, singleLen));//那可以将左边的去掉再看看
}
else
curWindow.clear();
}
return result;
}
//31. 下一个排列
/*
1. 从后往前找到第一个升序拐点[i,j],
2. 然后从j开始的数字中找出一个比i点大且靠后的数字进行(交换到前面以后就是最小的)兑换,
3. 然后将从j开始的数字进行逆序
*/
//[1,3,2]
void Solution::nextPermutation(vector<int>& nums)
{
if (nums.empty())
{
return;
}
int right = nums.size() - 1;
int left = nums.size() - 2;
while (left >= 0)
{
if (nums[left] < nums[right])
{
break;
}
left--;
right--;
}
//已经是最大的排列
if (left < 0)
{
sort(nums.begin(), nums.end());
return;
}
while ((right + 1 < nums.size()) && nums[left] < nums[right + 1])
{
right++;
}
swap(nums[left], nums[right]);
sort(nums.begin() + left + 1, nums.end());
}
//32. 最长有效括号
/*思路:动态规划
*
初始思路:
从头往后遍历过程中记录每个串的以当前字符为结尾的最长后缀子串的长度 记录在dp[]中
如果有新的括号加入
1.如果是左括号,那肯定以它为结尾的最长后缀子串长度是0
2.如果是右括号,他是可以往前消左括号的(像俄罗斯方块一样),但是也只能消一个,
如果有两个左括号的话(( ),那不用说,当前的后缀子串值肯定就是2,前面的不用看了,所以我们只需要看前面两个字符的值是不是左括号,如果是两个左括号,那么当前的值就是2
如果是 )() 这种 dp那么应该是,上一个右括号的dp[]值+2
如果是 ())
如果是 ))) dp那么应该是,上一个右括号的dp[]值+自己匹配左括号的结果
if s(i-dp[i-1])is ')'= dp[i-1]+2
else dp[i]=0
但是证明是错误的,反例()(())
*/
//第二种思路:遍历字符串,记录有效的左括号数和右括号数
//当字符为左括号时,left++,
//当为右括号的时候,如果左括号大于等于右括号,那么正常right++,而且计数结果也跟着增加。如果左括号数量少于右括号,那么这个右括号是断档的,因此当前的计数清零。
//然后在从尾到头再来一遍
int Solution::longestValidParentheses(string s)
{
//"()(())" s[i - dp[i - 1] - 1]
int maxans = 0;
vector<int> dp(s.size());
if (s.size() < 2)
{
return 0;
}
if (s[0] == '(' && s[1] == ')')
{
dp[1] = 2;
maxans = 2;
}
for (int i = 2; i < s.size(); i++)
{
if (s[i] == ')')
{
if (s[i - 1] == '(')
dp[i] = dp[i - 2] + 2;
else if (s[i - 1] == ')')
{
//越界
if (i - dp[i - 1] - 1 < 0)
{
dp[i] = 0;
}
else
{
if (s[i - dp[i - 1] - 1] == '(')
if (i - dp[i - 1] - 2 > 0) dp[i] = dp[i - 1] + 2 + dp[i - dp[i - 1] - 2];
else dp[i] = dp[i - 1] + 2;
else dp[i] = 0;
}
}
}
maxans = max(maxans, dp[i]);
}
return maxans;
}
//33. 搜索旋转排序数组
/*
原理:1.旋转排序数组二分以后肯定有一半是有序的
2.在有序数组中,比较开头和结尾就可以知道目标值是否在数组中
3.判断在不在有序数组中,即可达到剪枝的目的,完成快速搜索
做法:二分查找,比较nums[left]和nums[mid]的值,判断左边是不是有序数组,
是的话在左边进行比较,看target是不是在有序数组中,如果不在,那么就在右边数组
*/
int Solution::search(vector<int>& nums, int target)
{
int left = 0, right = nums.size() - 1;
int mid = (left + right) / 2;
while (left <= right)
{
mid = (left + right) / 2;
if (nums[mid] == target) return mid;
if (nums[left] <= nums[mid])
{
//左边数组有序
if (target >= nums[left] && target < nums[mid])
{
//在左边数组里面
right = mid - 1;
}
else
{
left = mid + 1;//在右边数组里面
}
}
else
{
//右边数组有序
if (target > nums[mid] && target <= nums[right])
{
left = mid + 1;//在右边数组里面
}
else
{
//在左边数组里面
right = mid - 1;
}
}
}
return -1;
}
//34. 在排序数组中查找元素的第一个和最后一个位置
/*
思路:
二分查找,找到这个元素以后往两边找,返回范围
*/
//从mid往两边找范围
vector<int> MysearchRange(vector<int>& nums, int mid, int target)
{
int left = mid;
int right = mid;
while (left - 1 >= 0 && nums[left - 1] == target)
{
left--;
}
while (right + 1 < nums.size() && nums[right + 1] == target)
{
right++;
}
return { left,right };
}
//5,7,7,8,8,10
vector<int> Solution::searchRange(vector<int>& nums, int target)
{
if (nums.empty())
{
return { -1,-1 };
}
int left = 0;
int right = nums.size() - 1;
int mid = 0;
while (left <= right)
{
mid = (left + right) / 2;
if (nums[mid] == target) return MysearchRange(nums, mid, target);
if (target < nums[mid])
{
right = mid - 1;
}
else
{
left = mid + 1;
}
}
return { -1,-1 };
}
//35.搜索插入位置
/*
思路:二分查找
找到了返回
找不到那么此时left=right,这个数是最接近的,看下这个数比目标值大还是小,然后决定插入到左边还是右边
*/
//1,3,5,6
int Solution::searchInsert(vector<int>& nums, int target)
{
if (nums.empty())
{
return 0;
}
int left = 0;
int right = nums.size() - 1;
int mid = 0;
while (left < right)
{
mid = (left + right) / 2;
if (nums[mid] == target) return mid;
if (target < nums[mid])
{
//在左边找
right = mid - 1;
}
else
{
left = mid + 1;
}
}
//left==right
if (nums[left] == target)
{
return left;
}
else if (target < nums[left])
{
return left;
}
else
{
return left + 1;
}
}
//36. 有效的数独
/*
思路:用三个数组分别存储当前的行,列,box中,用作哈希表,每次遇到新的数,先查看一下当前这个数字是否是出现过,如果出现过,那么直接返回false,表示错误
1 2 3
1 (0,0)-(2,2)->0 (3,0)-(5,2)->1 (6,0)-(8,2)->2 row/3
2 (0,3)-(2,5)->4 (3,3)-(5,5)->5 (6,3)-(8,5)->6
3 (0,6)-(2,8)->7 (3,6)-(5,8)->8 (6,6)-(8,8)->9
col/3*3+row/3
坐标
*/
bool Solution::isValidSudoku(vector<vector<char>>& board)
{
int row[9][10] = { 0 };//记录行
int col[9][10] = { 0 };//记录列
int box[9][10] = { 0 };//记录每个块的
//遍历整个数独
for (int i = 0; i < 9; i++)
{
for (int j = 0; j < 9; j++)
{
if (board[i][j] == '.')
continue;
int num = board[i][j] - '0';
//行赋值
if (row[i][num] == 0)
{
row[i][num] = 1;
}
else
{
return false;
}
//列赋值
if (col[j][num] == 0)
{
col[j][num] = 1;
}
else
{
return false;
}
//box赋值
if (box[j / 3 * 3 + i / 3][num] == 0)
{
box[j / 3 * 3 + i / 3][num] = 1;
}
else
{
return false;
}
}
}
return true;
}
//37. 解数独
/*
思路:回溯=穷举+剪枝
用三个数组保存行,列和块的对应元素的个数
然后一个个的往里面放,当检查到有元素冲突的时候,直接return,到头放回都没问题,那就将结果放进result,然后返回
*/
//功能:在x,y这个位置放置一个 0-9 的值
/*
vector<vector<int>> result(9, vector<int>(10, 0));
void placeNum(int x,int y,vector<vector<int>> row, vector<vector<int>> col, vector<vector<int>> box, vector<vector<int>> curBoard)
{
//剪枝操作
if (row[x][num] == 0){
row[x][num] = 1;//行赋值
}
else{
return;
}
if (col[y][num] == 0){
col[y][num] = 1;//列赋值
}
else{
return;
}
if (box[x / 3 * 3 + y / 3][num] == 0){
box[x / 3 * 3 + y / 3][num] = 1;//box赋值
}
else{
return;
}
//当前位置可以放置这个数,下个位置放置数
curBoard[x][y] = num;
}
void Solution::solveSudoku()
{
vector<vector<int>> row(9, vector<int>(10, 0));//记录行
vector<vector<int>> col(9, vector<int>(10, 0));//记录列
vector<vector<int>> box(9, vector<int>(10, 0));//记录每个块的
vector<vector<int>> curBoard(9, vector<int>(10, 0));
for (int i = 0; i < 10; i++)
{
placeNum(0, 0, i, row, col, box, curBoard);
}
for (int i = 0; i < 9; i++)
{
for (int j = 0; j < 10; j++)
{
cout << result[i][j] << "\t";
}
cout << endl;
}
}
*/
//38. 外观数列
/*
思路:
要 描述 一个数字字符串,首先要将字符串分割为 最小 数量的组,每个组都由连续的最多 相同字符 组成。
然后对于每个组,先描述字符的数量,然后描述字符,形成一个描述组。
要将描述转换为数字字符串,先将每组中的字符数量用数字替换,再将所有描述组连接起来。
*/
string Solution::countAndSay(int n) {
string result = "";
if (n == 1) {
return "1";
}
else {
string s = countAndSay(n - 1);
int left = 0, right = 0;
while (right < s.size())
{
while (right < s.size() && s[left] == s[right]) { right++; }
result += right - left + '0';
result += s[left];
if (right == s.size()) break;
left = right;
}
return result;
}
}
//39. 组合总和
/*
思路:
由树递归而成
每次减去指定的数
循环:
1.查看自己是不是零或者小于零 参数:当前的值
2.如果大于零的话将当前的数依次往下减candidates中的数字,并记录当前减去的数
停止条件:减到负或者减到0
*/
class dfs39
{
public:
vector<vector<int>> result;
void dfs(int num, int begin, vector<int> candidates, vector<int> path)
{
if (num == 0)
{
result.push_back(path);
return;
}
else if (num < 0)
{
return;
}
else
{
for (int i = begin; i < candidates.size(); i++)
{
path.push_back(candidates[i]);//第i个数塞进去看看效果
dfs(num - candidates[i], i, candidates, path);
path.pop_back();//塞完了拿出来再,再塞下一个
}
}
}
};
vector<vector<int>> Solution::combinationSum(vector<int>& candidates, int target) {
dfs39 d;
d.dfs(target, 0, candidates, {});
return d.result;
}
//40. 组合总和 II
/*
思路:回溯
如何穷举?
将第一个数字单独拿出来,看是不是等于target,不是再拿第二个,还不是就拿第三个,指针只往后指
剪枝? 当数字减小到零,减到了头,减到了负数,返回
去重:排序,只对相同数字的第一个进行遍历,其它的跳过
*/
class dfs40
{
public:
vector<vector<int>> result;
void dfs(int num, int begin, vector<int> candidates, vector<int> path)
{
if (num == 0)
{
result.push_back(path);
return;
}
else if (num < 0)
{
return;
}
else
{
if (begin >= candidates.size())
return;
for (int i = begin; i < candidates.size(); i++)
{
if (i > begin && candidates[i] == candidates[i - 1])
continue;
path.push_back(candidates[i]);//第i个数塞进去看看效果
dfs(num - candidates[i], i + 1, candidates, path);
path.pop_back();//塞完了拿出来再,再塞下一个
}
}
}
};
vector<vector<int>> Solution::combinationSum2(vector<int>& candidates, int target) {
sort(candidates.begin(), candidates.end());
dfs40 d;
d.dfs(target, 0, candidates, {});
return d.result;
}
//41. 缺失的第一个正数
/*
思路:原地哈希表
原理:缺失的第一个正数肯定不会超过数组长度
如果
建立一个数组长度n+1大小的数组,构建哈希表,一次遍历找到缺失的元素,就是对应的最小的正整数,但额外花销了n的空间
我们可以慢慢将数组构造成对应的样子即可
构造方法:
从头到尾遍历数组,检查当前的数是不是在对应的位置上
1 2 3 4 5 6 7 value
0 1 2 3 4 5 6 index
如果不在的话,需要将这个数交换到对应的位置上去
如果冲突了(两个数一样),那么往后找一个不冲突的位置
最后再从头遍历一下找到缺失的元素即可
//对于大于零的情况,需要分类
//如果范围是 0-N的,将其交换到对应的位置
//大于N的,当else 和负数一样 处理,放哪里无所谓
*/
int Solution::firstMissingPositive(vector<int>& nums) {
int i = 0;
while (i < nums.size())
{
if (nums[i] > 0 && nums[i] <= nums.size()) {
if (nums[i] - 1 == i) {
//在对应的位置上的
i++;
}
else {
//不在对应的位置上,交换到对应的位置上去
//如果交换的位置已经有了对应的元素在了,那么当前这个其实已经没什么意义了,可以当做和废数一样处理
if (nums[i] == nums[nums[i] - 1]) {
i++;
continue;
}
swap(nums[i], nums[nums[i] - 1]);
}
}
else {
//小于零的或者是大于N的无关紧要的数,那就下一轮了
i++;
}
}
for (i = 0; i < nums.size(); i++)
{
if (nums[i] - 1 != i)
{
break;
}
}
return i + 1;
}
//42. 接雨水
/*
思路:1.如果柱子的碰见一个比他高的,那么这个矮的就到头了,前面的就和后面没关系了,后面就把它给挡住了,记录到目前的能盛的水
/////错误观点,反例,阶梯中间一个坑///// 2.如果碰见一个比他矮的,那么接着往后看到头,并记录这目前见到的最矮的(只要不比他高就行)和目前的盛水量
可行的一个思路:
原理:依据前面的1.
做法:我们找到能挡住的最高挡板,然后两边往中间遍历
*/
// 0,1,0,2,1,0,1,3,2,1,2,1
int Solution::trap(vector<int>& height) {
int left = 0, right = 0;
int maxh = 0;
int maxIndex = 0;
int water = 0;
for (int i = 0; i < height.size(); i++)
{
if (height[i] > maxh)
{
maxh = height[i];
maxIndex = i;
}
}
while (left < maxIndex)
{
if (height[left] > height[right])
{
water += height[left] - height[right];
}
else
{
left = right;
}
right++;
}
right = height.size() - 1;
left = right;
while (left > maxIndex)
{
if (height[right] > height[left])
{
water += height[right] - height[left];
}
else
{
right = left;
}
left--;
}
return water;
}
//43. 字符串相乘
/*
思路:模拟列竖式的方式
乘数一个个的乘被乘数的每一位,然后做加法,记录进位和结果位(惊现数电乘法器)
*/
/*功能:封装乘法器
* num1,num2:两个数字字符
* 返回值:<进位,个位>
*/
pair<char, char> multiplySingle(char num1, char num2, char carry)
{
int n1 = num1 - '0';
int n2 = num2 - '0';
int n3 = carry - '0';
int result = n1 * n2 + n3;
return pair<char, char>{result / 10 + '0', result % 10 + '0'};
}
/*功能:封装加法器
* num1,num2:两个数字字符,第一个是上面的没有偏移的数,第二个是偏移过的数,n是偏移量
* 返回值:<进位,个位>
*/
string addNumString(string num1, string num2, int n)
{
if (num1.empty())
return num2;
if (num2.empty())
return num1;
string result = "";
for (int i = 0; i < n; i++)
{
if (i < num1.size())
result += num1[num1.size() - 1 - i];
else
result += '0';
}
int temp = 0, carry = 0;
for (int i = 0; i < num2.size() || i + n < num1.size(); i++)
{
//两个都有数
if (i + n < num1.size() && i < num2.size())
{
temp = num1[num1.size() - 1 - n - i] - '0' + num2[num2.size() - 1 - i] - '0';
result += (temp + carry) % 10 + +'0';
carry = (temp + carry) / 10;
}
else if (i < num2.size())
{
//只有第二个有数
temp = num2[num2.size() - 1 - i] - '0';
result += (temp + carry) % 10 + '0';
carry = (temp + carry) / 10;
}
else
{
//只有第一个有数
temp = num1[num1.size() - 1 - n - i] - '0';
result += (temp + carry) % 10 + '0';
carry = (temp + carry) / 10;
}
}
if (carry == 1)
result += carry + '0';
reverse(result.begin(), result.end());
return result;
}
string multiplySring(string num1, char num2)
{
char carry = '0';
string curRes = "";
for (int j = num1.size() - 1; j >= 0; j--)
{
pair<char, char> temp = multiplySingle(num1[j], num2, carry);
carry = temp.first;
curRes += temp.second;
}
//加上最后的进位,倒置结果得到正确的顺序,是乘一位得到的结果
if (carry != '0')
curRes += carry;
reverse(curRes.begin(), curRes.end());
return curRes;
}
string Solution::multiply(string num1, string num2) {
if (num1 == "0" || num2 == "0")
{
return "0";
}
string result = "";
for (int i = num2.size() - 1; i >= 0; i--)
{
string curRes = multiplySring(num1, num2[i]);
//将前面的加起来
result = addNumString(result, curRes, num2.size() - 1 - i);
}
return result;
}
//44. 通配符匹配
/*
思路:先填表
*/
bool Solution::isMatch(string s, string p)
{
if (s.empty()) {
for (int i = 0; i < p.size(); i++) {
if (p[i] != '*')
return false;
}
return true;
}
int row = p.size() + 1;
int col = s.size() + 1;
vector<vector<int>> map(row, vector<int>(col));
//初始化
switch (p[0])
{
case '*':
map[0] = vector<int>(col, 1);
break;
default:
map[0][0] = 1;
break;
}
for (int i = 1; i < row; i++) {
for (int j = 1; j < col; j++) {
switch (p[i - 1])
{
case '*'://如果当前是*的话,那么代表可以匹配的是上面的这个或者往后的都可以,所以应该是从上面的 1 开始
//如果*代表的可以作为空串的话,必须要保证它和前面的可以连接的上,但是如果*是在开头的话就会连接不上,所以我们需要补充连接的条件
if (map[i - 1][0] == 1) {
j = 0;//对这一行都进行填充
while (j < col) map[i][j++] = 1;
}
else if (map[i - 1][j] == 1)
while (j < col) map[i][j++] = 1;
break;
case '?':
if (map[i - 1][j - 1] == 1)
map[i][j] = 1;
break;
default:
if (map[i - 1][j - 1] == 1 && p[i - 1] == s[j - 1])
map[i][j] = 1;
break;
}
}
}
printVector2(map);
return map[row - 1][col - 1];
}
//45. 跳跃游戏 II
/*
思路:贪心算法
原理:保证我每次都能跳到我可以掌握到的范围更大的位置,这样可以比较到更多的信息
每次都跳到一个范围很大的位置,直到可以跳出去为止
*/
int Solution::jump(vector<int>& nums) {
if (nums.size() == 1) {
return 0;
}
int times = 0;
int end = nums[0];//当前势力圈结尾
int maxpos;//下一个势力圈的结尾
for (int i = 0; i < nums.size() - 1; i++) {
//对于每个数字
maxpos = max(maxpos, i + nums[i]);//找下一个势力范围最大的,它对应的位置就是要跳到的位置
if (i == end) {
end = maxpos;
times++;
}
}
return times + 1;
}
//46. 全排列
//对于每个节点要干的事
class dfs46 {
private:
public:
vector<vector<int>> result;
vector<int> nums;
dfs46(vector<int>& nums) {
this->nums = nums;
}
void dfs(int depth, vector<bool>& isUsed, vector<int>& path) {
if (depth == nums.size()) {
result.push_back(path);
return;
}
for (int i = 0; i < nums.size(); i++) {
if (isUsed[i] == false) {
isUsed[i] = true;
path.push_back(nums[i]);
dfs(depth + 1, isUsed, path);
path.pop_back();
isUsed[i] = false;
}
}
}
};
vector<vector<int>> Solution::permute(vector<int>& nums) {
dfs46 df(nums);
vector<bool> isUsed(nums.size(), false);
vector<int> path;
df.dfs(0, isUsed, path);
return df.result;
}
//47. 全排列 II
class dfs47 {
private:
public:
vector<vector<int>> result;
vector<int> nums;
dfs47(vector<int>& nums) {
this->nums = nums;
}
void dfs(int depth, vector<bool>& isUsed, vector<int>& path) {
if (depth == nums.size()) {
result.push_back(path);
return;
}
for (int i = 0; i < nums.size(); i++) {
if (i >= 1 && nums[i] == nums[i - 1]) {
continue;
}
if (isUsed[i] == false) {
isUsed[i] = true;
path.push_back(nums[i]);
dfs(depth + 1, isUsed, path);
path.pop_back();
isUsed[i] = false;
}
}
}
};
vector<vector<int>> Solution::permuteUnique(vector<int>& nums) {
sort(nums.begin(), nums.end());
dfs47 df(nums);
vector<bool> isUsed(nums.size(), false);
vector<int> path;
df.dfs(0, isUsed, path);
return df.result;
}
//48. 旋转图像
/*
思路:旋转四个角即可
*/
void Solution::rotate(vector<vector<int>>& matrix) {
int left = 0;
int right = matrix.size() - 1;
int len = right - left;
int temp;
while (left < right)
{
len = right - left;
for (int i = 0; i < len; i++) {
temp = matrix[left][left + i];
//开始旋转
matrix[left][left + i] = matrix[right - i][left];
matrix[right - i][left] = matrix[right][right - i];
matrix[right][right - i] = matrix[left + i][right];
matrix[left + i][right] = temp;
}
left++;
right--;
}
}
//49. 字母异位词分组
/*
用到的是排序+哈希表的方法,排序后的字符肯定是一样的,这样以排序后的字符作为key值,value为一个string类的vector,每次往里面添加字符即可
还有一种方法是计数的方法,原理在于每个数字里面对应的字母的个数肯定是一样的
*/
vector<vector<string>> groupAnagrams(vector<string>& strs) {
unordered_map<string, vector<string>> map;
for (string& str : strs) {
string temp = str;
sort(temp.begin(), temp.end());
map[temp].push_back(str);
}
vector<vector<string>> result;
for (unordered_map<string, vector<string>>::iterator it = map.begin(); it != map.end(); it++) {
result.push_back(it->second);
}
return result;
}
//50. Pow(x, n)
/*
思路:x的n次方,对应的是多少个n相乘,但x4是可以由x2直接平方得来
x11是x8×x2×x
对应的是二进制的11 1011,低位的就是x几次方的个数
做法:将n二进制化,每次都乘当前的数,得到x,x2,x4,x8,二进制的每一位对应了要不要乘当前得到的数
*/
double Solution::myPow(double x, int n) {
double result = 1;
int sign = n > 0 ? 0 : 1;
while (n != 0) {
if (abs(n % 2) == 1) {
//最低位是1,需要乘上去
result *= x;
}
x *= x;
n /= 2;
}
if (sign == 0) return result;
else return 1 / result;
}
//51. N 皇后
/*
思路:
回溯,穷举+剪枝
每个节点要做的事:查看当前节点是否符合要求,如果不符合要求返回
如果符合要求,往下一行看
*/
class dfs51 {
public:
vector<vector<string>> result;
int N;
dfs51(int n) {
N = n;
}
void dfs(int row, vector<string>& path, vector<bool>& isused, unordered_map<int, int>& coordinate) {
if (row == N - 1) {
result.push_back(path);
return;
}
//符合要求,看看下面一行的
for (int i = 0; i < N; i++) {
//看看能不能往这里放
//我想往 row+1 ,i 这一位置放,可以放的条件摆在if里面了,同样的也就是剪枝操作
if (isused[i] == false && isXie(row + 1, i, coordinate)) { //这一列没人用, //排除一下斜对角的
isused[i] = true; //没人用我用了
path[row + 1][i] = 'Q';
coordinate[row + 1] = i;
dfs(row + 1, path, isused, coordinate); //再去找下一行了啊
path[row + 1][i] = '.'; //用完了还你
isused[i] = false;
}
}
}
bool isXie(int x, int y, unordered_map<int, int>& coordinate) {
for (int i = 0; i < x; i++) {
if (abs(y - coordinate[i]) == abs(x - i))
return false;
}
return true;
}
};
vector<vector<string>> Solution::solveNQueens(int n) {
vector<bool> isused(n, false);
dfs51 d(n);
vector<string> path(n, string(n, '.'));
unordered_map<int, int> coordinate;
d.dfs(-1, path, isused, coordinate);
for (vector<vector<string>>::iterator it = d.result.begin(); it != d.result.end(); it++) {
cout << "{" << endl;
for (vector<string>::iterator iit = it->begin(); iit != it->end(); iit++) {
cout << *iit << endl;
}
cout << endl;
cout << "}" << endl;
}
return d.result;
}
//53. 最大子序和
/*
思路一:动态规划,列表,因为时间太长失败了
*/
int Solution::maxSubArray(vector<int>& nums) {
vector<vector<int>> map(nums.size(), vector<int>(nums.size()));
//初始化
int result = nums[0];
for (int i = 0; i < nums.size() - 1; i++) {
for (int j = i; j < nums.size(); j++) {
if (i == j) {
//初始化
map[i][j] = nums[i];
}
else
map[i][j] = map[i][j - 1] + nums[j];
if (map[i][j] > result)
result = map[i][j];
}
}
return result;
}
/*
错误思路2,原因在于记录的最大值是有可能不挨着最新的一个元素的,因此下面的思路是个假的动态规划
思路二:动态规划
思考动态规划,从1开始思考
如果给一个数,那么最大值就是它,maxVal=nums[0]
如果给两个数,那么最大和的连续子数组是 maxVal=max(1.第一个(maxVal),2.或者第二个(nums[1]),3.或者两个的和(maxVal+nums[1]))
三个数,结果应该是,max(maxVal+nums[2],nums[2],maxVal)
[-2,1,-3,4,-1,2,1,-5,4]
*/
int Solution::maxSubArray2(vector<int>& nums) {
int maxVal = nums[0];
int temp = 0;
for (int i = 1; i < nums.size(); i++) {
temp = max(maxVal + nums[i], nums[i]);
maxVal = max(temp, maxVal);
}
return maxVal;
}
/*
思路3:动态规划
其实问啥就设啥就好,就设当前的以第 i 个数结尾的「连续子数组的最大和」 是fi
他和前面的关系是啥呢?
要么就是前面的f(i-1)+当前的数,要么就是等于当前的数
所以核心的表达式
f(i)=max(f(i-1)+nums[i],nums[i])
最终在所有的fi中取最大值就可以
*/
int Solution::maxSubArray3(vector<int>& nums) {
int maxVal = nums[0];
int fi = 0;
for (int& num : nums) {
fi = max(num + fi, num);
maxVal = max(fi, maxVal);
}
return maxVal;
}
//54. 螺旋矩阵
/*
思路:模拟这个寻找的过程即可
*/
vector<int> Solution::spiralOrder(vector<vector<int>>& matrix) {
int row = matrix.size();
int col = matrix[0].size();
int left = 0, right = matrix[0].size() - 1, up = 0, down = matrix.size() - 1;//边界
enum { RIGHT = 0, DOWN, LEFT, UP };//方向状态
int state = RIGHT;
vector<int> result(row * col);
int index = 0;
int x = 0, y = 0;
while (left <= right && up <= down) {
switch (state % 4)
{
case RIGHT:
for (x = up, y = left; y <= right; y++) {
result[index++] = matrix[x][y];
}
up++;
break;
case DOWN:
for (x = up, y = right; x <= down; x++) {
result[index++] = matrix[x][y];
}
right--;
break;
case LEFT:
for (x = down, y = right; y >= left; y--) {
result[index++] = matrix[x][y];
}
down--;
break;
case UP:
for (x = down, y = left; x >= up; x--) {
result[index++] = matrix[x][y];
}
left++;
break;
default:
break;
}
state++;
}
return result;
}
//55. 跳跃游戏
/*
思路:贪心算法
从头遍历,一直找自己能跳到的最长的位置
*/
bool Solution::canJump(vector<int>& nums) {
int start = 0, end = 0 + nums[0];
int maxpos = 0;
for (int i = 0; i < nums.size(); i++) {
maxpos = max(maxpos, i + nums[i]);
if (i == end) {
end = maxpos;
}
else if (i > end) {
return false;
}
}
return true;
}
//56. 合并区间
/*
思路:排序
排序后按照开头的顺序,记录下当前的开始和结束,如果发现新的开始比结束还大,那就是断档了,需要把前面的塞进结果去,后面的再重新排
*/
vector<vector<int>> Solution::merge(vector<vector<int>>& intervals) {
sort(intervals.begin(), intervals.end());
int begin = intervals[0][0], end = intervals[0][1];
vector<vector<int>> result;
for (int i = 0; i < intervals.size(); i++) {
//断档的
if (intervals[i][0] > end) {
result.push_back({ begin,end });
begin = intervals[i][0];
}
//更新end
end = max(end, intervals[i][1]);
}
result.push_back({ begin,end });
return result;
}
//57. 插入区间
/*
思路:看新插入的这个区间[a,b]在哪个位置
如果 a 在区间内部,那么新的区间最小值就是这个区间的最小值
如果 a 在区间外部,找到其对应的位置
*/
/*
{{1,2},{3,5},{6,7},{8,10},{12,16}}
*/
vector<vector<int>> Solution::insert(vector<vector<int>>& intervals, vector<int>& newInterval) {
if (intervals.empty()) {
return { newInterval };
}
int low = intervals[0][0];
int high = intervals[0][1];
int a = newInterval[0];
int b = newInterval[1];
int highIndex = 0;
vector<vector<int>> ans;
for (int i = 0; i < intervals.size(); i++) {
//寻找a在的位置
//在内部
if (a >= intervals[i][0] && a <= intervals[i][1]) {
low = intervals[i][0];
break;
}
//在外部
else if ((i - 1 >= 0 && a >= intervals[i - 1][1] && a <= intervals[i][0]) ||
a< intervals[0][0] ||
a>intervals[intervals.size() - 1][1])
{
low = a;
break;
}
}
//寻找b在的位置
for (int i = 0; i < intervals.size(); i++) {
//在内部
if (b >= intervals[i][0] && b <= intervals[i][1]) {
high = intervals[i][1];
highIndex = i + 1;
break;
}
//在外部
else if (b < intervals[0][0]) {
high = b;
highIndex = 0;
break;
}
else if (b > intervals[intervals.size() - 1][1]) {
high = b;
highIndex = intervals.size();
break;
}
else if ((i - 1 >= 0 && b > intervals[i - 1][1] && b < intervals[i][0]))
{
high = b;
highIndex = i;
break;
}
}
//往里塞结果了
int i = 0;
while (i < intervals.size() && intervals[i][0] < low) {
ans.push_back(intervals[i]);
i++;
}
ans.push_back({ low,high });
i = highIndex;
while (i < intervals.size()) {
ans.push_back(intervals[i]);
i++;
}
return ans;
}
//58. 最后一个单词的长度
int Solution::lengthOfLastWord(string s) {
if (s.empty()) {
return 0;
}
int ans = 0;
int end = s.size() - 1;
while (end >= 0 && s[end] == ' ') end--;
for (int i = 0; i <= end; i++) {
if (s[i] == ' ') {
ans = 0;
continue;
}
ans++;
}
return ans;
}
//59. 螺旋矩阵 II
/*
思路:模拟
*/
vector<vector<int>> Solution::generateMatrix(int n) {
vector<vector<int>> result(n, vector<int>(n));
int left = 0, right = n - 1, up = 0, down = n - 1;
enum { RIGHT = 0, DOWN, LEFT, UP };
int state = RIGHT;
int index = 1;
while (left <= right && up <= down) {
switch (state % 4) {
case RIGHT:
for (int i = up, j = left; j <= right; j++) {
result[i][j] = index++;
}
up++;
break;
case DOWN:
for (int i = up, j = right; i <= down; i++) {
result[i][j] = index++;
}
right--;
break;
case LEFT:
for (int i = down, j = right; j >= left; j--) {
result[i][j] = index++;
}
down--;
break;
case UP:
for (int i = down, j = left; i >= up; i--) {
result[i][j] = index++;
}
left++;
break;
}
state++;
}
return result;
}
//60. 排列序列
/*
思路:
1打头的有(n-1)!个排列, 2打头的有(n-1)!个排列......
X=a[n]*(n-1)!+a[n-1]*(n-2)!+...+a[i]*(i-1)!+...+a[1]*0!
数字值
000 -> 1
001 -> 2
看k取除以后,剩下 order ,就把排m+1个排序的数放进去(m从1开始)
对于第k个排列,看其位于哪个位置
*/
string Solution::getPermutation(int n, int k) {
vector<int> factorial(n);
factorial[0] = 1;
for (int i = 1; i < n; i++) {
factorial[i] = factorial[i - 1] * i;
}
string result;
k--;//数字的第k个和排序后取除法得到的数差一个
//放n个数进去
vector<bool> isused(n + 1);
for (int i = 1; i <= n; i++) {
int order = k / factorial[n - i] + 1;
//找第 order小的数 j
for (int j = 1; j <= n; j++) {
if (isused[j] == false) {
order--;
if (order == 0) {
isused[j] = true;
result += j + '0';
break;
}
}
}
k = k % factorial[n - i];
}
cout << result << endl;
return result;
}
//61. 旋转链表
ListNode* rotateRight(ListNode* head, int k) {
ListNode preHead(0, head);
ListNode* left = &preHead, * right = &preHead;
for (int i = 0; i < k; i++) {
right = right->next;
if (right->next == NULL) {
k = k % i;
break;
}
}
while (right->next != NULL) {
right = right->next;
left = left->next;
}
//right指向了最后一个节点
right->next = preHead.next;
preHead.next = left->next;
left->next = NULL;
return preHead.next;
}
/*
思路2:如果要旋转的话,因为怎么也要找到尾部,所以可以直接找到尾部,连成圈先,然后在继续遍历就把需要的地方拆开即可
*/
ListNode* Solution::rotateRight(ListNode* head, int k) {
if (head == NULL) {
return NULL;
}
ListNode* right = head;
int len = 1;
while (right->next != NULL) {
right = right->next;
len++;
}
right->next = head;
k %= len;
for (int i = 0; i < k + 1; i++) {
right = right->next;
}
head = right->next;
right->next = NULL;
return head;
}
//62. 不同路径
/*
思路:递归树
*/
class dfs62 {
public:
int wayNums = 0;
int m;
int n;
dfs62(int mm, int nn) :m(mm), n(nn) {};
void findway(int x, int y) {
if (x >= m || y >= n) {
return;
}
else if (x == m - 1 && y == n - 1) {
wayNums++;
return;
}
//往右
findway(x + 1, y);
//往下
findway(x, y + 1);
}
};
int Solution::uniquePaths1(int m, int n) {
dfs62 d(m, n);
d.findway(0, 0);
return d.wayNums;
}
/*
思路2:动态规划
想如果是只有一个点的话,那么路径就是1,如果两个点的话,也是1,四个点,路径是2,分别是横着过来的的和竖着过来的
如果考虑 2*3的话,最右下角的应该是 左边的2条路的情况+上面过来拿的1种情况
直接设走到(m-1,n-1)的路径条数为 x,
那么能到达终点的有两种,一种从上面来的,一种从左边来的
从上面来的问题和这个问题是同一个问题,同理从左边来的也是,都是视这个点为终点的路径的条数
f(x,y)=f(x-1,y)+f(x,y-1)
*/
int Solution::uniquePaths(int m, int n) {
vector<vector<int>> map(m, vector<int>(n));
for (int i = 0; i < m; i++) {
map[i][0] = 1;
}
for (int j = 0; j < n; j++) {
map[0][j] = 1;
}
for (int i = 1; i < m; i++) {
for (int j = 1; j < n; j++) {
map[i][j] = map[i - 1][j] + map[i][j - 1];
}
}
return map[m - 1][n - 1];
}
//63. 不同路径 II
int Solution::uniquePathsWithObstacles(vector<vector<int>>& obstacleGrid) {
if (obstacleGrid[0][0] == 1) {
return 0;
}
int m = obstacleGrid.size();
int n = obstacleGrid[0].size();
vector<vector<int>> map(m, vector<int>(n));
map[0][0] = 1;
for (int i = 1; i < m; i++) {
if (obstacleGrid[i][0] == 1) {
map[i][0] = 0;
}
else {
map[i][0] = map[i - 1][0];
}
}
for (int j = 1; j < n; j++) {
if (obstacleGrid[0][j] == 1) {
map[0][j] = 0;
}
else {
map[0][j] = map[0][j - 1];
}
}
for (int i = 1; i < m; i++) {
for (int j = 1; j < n; j++) {
if (obstacleGrid[i][j] == 1) {
map[i][j] = 0;
}
else {
map[i][j] = map[i - 1][j] + map[i][j - 1];
}
}
}
return map[m - 1][n - 1];
}
/*
改进:可以用滚动数组的思想进一步解决
因为我们遍历的时候,每次都是一行行的遍历,但是对我们求解当前的状态 有用的信息只有最近的两行,
因此我们可以只用一行就可以求解出来
*/
int Solution::uniquePathsWithObstacles2(vector<vector<int>>& obstacleGrid) {
if (obstacleGrid.size() == 0 || obstacleGrid[0].size() == 0) {
return 0;
}
int m = obstacleGrid.size();
int n = obstacleGrid[0].size();
//正常情况
vector<int> map(n);
//初始化
if (obstacleGrid[0][0] == 1) {
return 0;
}
map[0] = 1;
for (int j = 1; j < n; j++) {
if (obstacleGrid[0][j] == 0) {
map[j] = 1;
}
else {
break;
}
}
//如果当前位置是1的话,有障碍,map直接为0
//如果没有障碍,那么应该等于它的 上面来的次数(之前的它)+左边来的
for (int i = 1; i < m; i++) {
if (obstacleGrid[i][0] == 1) {
map[0] = 0;
}
for (int j = 1; j < n; j++) {
if (obstacleGrid[i][j] != 1) {
map[j] += map[j - 1];
}
else {
map[j] = 0;
}
}
}
return map[n - 1];
}
/*
改进3:可以用滚动数组的思想进一步解决
因为我们遍历的时候,每次都是一行行的遍历,但是对我们求解当前的状态 有用的信息只有最近的两行,
因此我们可以只用一行就可以求解出来
*/
int Solution::uniquePathsWithObstacles3(vector<vector<int>>& obstacleGrid) {
if (obstacleGrid.size() == 0 || obstacleGrid[0].size() == 0) {
return 0;
}
int m = obstacleGrid.size();
int n = obstacleGrid[0].size();
//正常情况
vector<int> map(n);
//初始化
if (obstacleGrid[0][0] == 1) {
return 0;
}
map[0] = 1;
for (int i = 0; i < m; i++) {
for (int j = 0; i < n; j++) {
//可以巧妙的将边界也计算在内
if (obstacleGrid[i][j] == 1) {
map[j] = 0;
continue;
}
else if (j - 1 >= 0) {
map[j] += map[j - 1];
}
}
}
return map[n - 1];
}
void printVector(vector<int> v) {
for (vector<int>::iterator it = v.begin(); it < v.end(); it++)
{
cout << (*it) << "\t";
}
}
void printVector2(vector<vector<int>> dp)
{
for (auto it = dp.begin(); it < dp.end(); it++)
{
for (auto vit = it->begin(); vit < it->end(); vit++)
{
cout << (*vit) << "\t";
}
cout << endl;
}
cout << "------------------------" << endl;
}
//64. 最小路径和
/*
思路:动态规划
到最后一点距离的数字总和最小,那么到上一个点的一定也是最小
设到某个点的最小的距离是 fi =min(fi←,fi↑)
然后从头考虑,(初始化)
一个格子的话,到他的距离最小没得商量就是第一个格子的值,第一行和第一列的话也没得商量,就一种选择
中间的每个点都是两边的 本身的值+min(←,↑)
可以优化空间,滚动数组即可
*/
int Solution::minPathSum(vector<vector<int>>& grid) {
if (grid.size() == 0 || grid[0].size() == 0) {
return -1;
}
int m = grid.size();
int n = grid[0].size();
vector<int> f(n);
//初始化
f[0] = grid[0][0];
for (int j = 1; j < n; j++) {
f[j] = f[j - 1] + grid[0][j];
}
//动态规划
for (int i = 1; i < m; i++) {
f[0] += grid[i][0];
for (int j = 1; j < n; j++) {
f[j] = grid[i][j] + min(f[j - 1], f[j]);
}
}
return f[n - 1];
}
//66. 加一
vector<int> Solution::plusOne(vector<int>& digits) {
for (int i = digits.size() - 1; i >= 0; i--) {
if (digits[i] != 9) {
digits[i]++;
return digits;
}
digits[i] = 0;
}
digits.insert(digits.begin(), 1);
return digits;
}
//67. 二进制求和
/*
思路:双指针
*/
//第一个是返回值
//第二个是进位标志
pair<char, bool> addSingleBinary(char a, char b, bool carry) {
return { (a - '0' + b - '0' + carry) % 2 + '0',(a - '0' + b - '0' + carry) / 2 };
}
string Solution::addBinary1(string a, string b) {
int l1 = a.size() - 1;
int l2 = b.size() - 1;
bool carry = 0;
string result;
while (l1 >= 0 && l2 >= 0) {
char temp = addSingleBinary(a[l1], b[l2], carry).first;
carry = addSingleBinary(a[l1], b[l2], carry).second;
l1--;
l2--;
result += temp;
}
while (l1 >= 0) {
char temp = addSingleBinary(a[l1], '0', carry).first;
carry = addSingleBinary(a[l1], '0', carry).second;
l1--;
result += temp;
}
while (l2 >= 0) {
char temp = addSingleBinary(b[l2], '0', carry).first;
carry = addSingleBinary(b[l2], '0', carry).second;
l2--;
result += temp;
}
if (carry == 1) {
result += '1';
}
reverse(result.begin(), result.end());
return result;
}
string Solution::addBinary2(string a, string b) {
int l1 = a.size() - 1;
int l2 = b.size() - 1;
int carry = 0;
string result;
while (l1 >= 0 || l2 >= 0) {
if (l1 >= 0) carry += a[l1--] - '0';
if (l2 >= 0) carry += b[l2--] - '0';
result += carry % 2 + '0';
carry /= 2;
}
if (carry == 1) {
result += '1';
}
reverse(result.begin(), result.end());
return result;
}
//68. 文本左右对齐
/*
思路:模拟
每次往里面塞,记录当前塞进去的 单词数 和 长度
如果发现往下塞下一个单词的时候,长度超过这一行了,停止塞了。
计算一下每个单词的空格数=(本行的长度-塞进去的单词长度)/单词数
循环上面过程,直到塞进当前的这个是结尾了,直接把前面的一股脑塞进去
*/
// "This", "is", "an", "example", "of", "text", "justification."
vector<string> Solution::fullJustify(vector<string>& words, int maxWidth) {
//可能整个单词比一行还长
//正常情况
//每个单词看
vector<string> result;
//words可能为空
if (words.empty()) {
return result;
}
int begin = 0;
int len = 0;//记录已塞进去的单词总长度
deque<string> q;//记录塞进去的单词
for (int i = 0; i < words.size(); i++) {
if (len + words[i].size() <= maxWidth) {
//可以往里面塞
q.push_back(words[i]);
len += words[i].size() + 1;//将这个单词 word 和空格合并,看成一个长度
}
else {
i--;
//这个单词不能塞了,把前面的都放进去
len--;//把最后一个的空格去掉
int num = q.size();//可以塞的单词总个数
//计算空格分配
string temp = "";
if (num == 1) {
//只有一个单词
int num = q.size();//可以塞的单词总个数
//塞进去最后不带空格的
temp += q.front() + string(maxWidth - len, ' ');
q.pop_front();
}
else {
//多个单词分配空格
int aveBlank = (maxWidth - len) / (num - 1);//平均每个单词分到的空格数
int remain = (maxWidth - len) % (num - 1);//剩下的空格数
for (int j = 0; j < num - 1; j++) {
if (remain > 0) {
temp += q.front() + string(aveBlank + 2, ' ');
remain--;
}
else {
temp += q.front() + string(aveBlank + 1, ' ');
}
q.pop_front();//删掉第一个
}
temp += q.front();
q.pop_front();
}
result.push_back(temp);
len = 0;
}
}
//把里面剩下的都塞成最后一行即可
if (!q.empty()) {
len--;
int num = q.size();//可以塞的单词总个数
string temp = "";
//塞进去前面带空格的
for (int j = 0; j < num - 1; j++) {
temp += q.front() + " ";
q.pop_front();
}
//塞进去最后不带空格的
temp += q.front() + string(maxWidth - len, ' ');
q.pop_front();
result.push_back(temp);
}
for (string s : result) {
cout << s << endl;
}
return result;
}
/*
改进:
前面功能混淆,代码重复也很大
功能区分开:
拿数:边拿边计数,直到下一个不能塞了位置
塞数:将指定的坐标范围的数塞进去,并按照指定要求分配空格,并将塞好的数返回,
如果是最后一个,那就按另外一套规则去塞
*/
//功能:塞数
/*
* words:
* start:
* end:
* maxWidth:
* len:每个单词加了空格以后放进来的长度(最后一个不加空格)
* isEnd:结尾的
*/
string pushnum(vector<string>& words, int start, int end, int maxWidth, int len, bool isEnd) {
string ans = "";
//如果只有一个字符要塞的
if (start == end) {
return words[start] + string(maxWidth - len, ' ');
}
//如果是最后一行
if (isEnd) {
for (int i = start; i < end; i++) {
ans += words[i] + " ";
}
ans += words[end];
return ans + string(maxWidth - len, ' ');
}
//多个
int spaceNum = maxWidth - len;//要分配的空格数
int aveSpace = spaceNum / (end - start);//平均每个字符后面跟着的空格
int reserve = spaceNum % (end - start);//余下的需要分配的空格
for (int i = start; i < end; i++) {
if (reserve > 0) {
ans += words[i] + string(aveSpace + 2, ' ');
reserve--;
}
else {
ans += words[i] + string(aveSpace + 1, ' ');
}
}
ans += words[end];
return ans;
}
vector<string> Solution::fullJustify2(vector<string>& words, int maxWidth) {
int sysmbleCount = 0;//符号计数
int start = 0;
vector<string> ans;
for (int i = 0; i < words.size() - 1; i++) {
sysmbleCount += words[i].size() + 1;//把这个数塞进去
//如果把下一数塞进去算上就超了,那么把这一行整理一下塞进结果
if (sysmbleCount + words[i + 1].size() > maxWidth) {
ans.push_back(pushnum(words, start, i, maxWidth, sysmbleCount - 1, 0));
start = i + 1;
sysmbleCount = 0;
}
}
sysmbleCount += words.back().size() + 1;//把最后的数塞进去
ans.push_back(pushnum(words, start, words.size() - 1, maxWidth, sysmbleCount - 1, 1));
for (string s : ans) {
cout << s << endl;
}
return ans;
}
//69. x 的平方根
/*
求解:f(x)=x2-c的零点
构造迭代式: x=x- (x2-c)/2x =(x+C)/2x
下面是错误推理:
可以,但是没必要,因为判断条件不好确定,如果碰到重根的话,收敛很慢
正确想法:可以的,x^2它的收敛不会说左边一下,右边一下,左右波动,因此我们结束的判断条件可以采用f(x)=x*x-c<0来进行判别。
而且根据其取整的性质,一定是可以转移到根的左边
用二分法:取中
如果中间的平方小于x,在有半区间
如果中间的平方大于x,在左半区间
*/
int Solution::mySqrt(int c) {
int x = c;
while (x * x > c) {
x = (x * x + c) / (x * 2);
}
return x;
}
//70. 爬楼梯
/*
思路:
1.递归,每次选择减去1或者减去2,最终减出来是0就返回
2.动态规划,如果我找到n条路,你再多出来一阶,同样得+1,多两阶,+2以此(怎么好像有规律),
所以到第n阶的情况的条数fn=fn-1+fn-2
*/
int Solution::climbStairs(int n) {
vector<int> path(3);
path[0] = 0;
path[1] = 1;
path[2] = 2;
for (int i = 3; i <= n; i++) {
path[i%3] = path[(i - 1)%3] + path[(i - 2)%3];
}
return path[n % 3];
}
//71. 简化路径
/*
需要解决的问题:
1.尾部有/的去掉
2.带..的,将前面的删除掉
3.根目录的带 ..还是根目录
4.双斜线的去掉一个
5. . 表示当前的路径,没啥用,去掉
思路:搞个队列,从头到尾的遍历这个串,
遇到'/'就结束当前记录的串
检查当前的串的内容
如果不是'.' 或者 '..'直接塞进栈
如果是'.' 不理会,接着看后面了
如果是'..',弹出一个
while(s[i]!='/')
s+=s[i];
if(not '.' or '..') push(/+s)
else if(s=='.')
else if(s=="..") if(not empty) pop(s)
错误案例:
/... ,
/a.. , /..a
*/
string Solution::simplifyPath(string path) {
if (path.back() != '/') {
path += '/';
}
deque<string> q;//只存依次的路径
string s = "";
for (int i = 0; i < path.size();i++) {
if (path[i] != '/') {
s += path[i];
}
else {
if (s == "..") {
if (!q.empty())
q.pop_back();
}
else if (s == ".") {
s = "";
continue;
}
else {
if (!s.empty())
q.push_back(s);
}
s = "";
}
}
string ans;
if (q.empty()) {
return "/";
}
else {
for (string s : q) {
ans += "/" + s;
}
return ans;
}
}
//改进
class Solution71 {
public:
deque<string> q;//只存依次的路径
void dealSinglePath(string name) {
if (name.empty()||name == ".") {
return;
}
else if (name == "..") {
if (!q.empty())
q.pop_back();
}
else {
q.push_back(name);
}
}
string generateResult() {
if (q.size()==0) {
return "/";
}
string ans = "";
for (int i = 0; i < q.size(); i++) {
ans += "/" + q[i];
}
return ans;
}
string simplifyPath(string path) {
string s = "";
for (char c : path) {
if (c == '/') {
dealSinglePath(s);
s = "";
}
else {
s += c;
}
}
dealSinglePath(s);
return generateResult();
}
};
string Solution::simplifyPath2(string path) {
Solution71 s;
return s.simplifyPath(path);
}
//72. 编辑距离
int Solution::minDistance(string word1, string word2) {
int m = word1.size();
int n = word2.size();
if (n * m == 0) return n + m;
vector<vector<int>> dp(m + 1, vector<int>(n + 1));
for (int i = 0; i < m + 1; i++) {
dp[i][0] = i;
}
for (int j = 0; j < n+1; j++) {
dp[0][j] = j;
}
for (int i = 1; i < m + 1; i++) {
for (int j = 1; j < n + 1; j++) {
if (word1[i - 1] == word2[j - 1]) {
dp[i][j] = min(dp[i - 1][j - 1], min(dp[i - 1][j] + 1, dp[i][j - 1] + 1));
}
else {
dp[i][j] = min(dp[i - 1][j - 1]+1, min(dp[i - 1][j] + 1, dp[i][j - 1] + 1));
}
}
}
printVector2(dp);
return dp[m][n];
}
int Solution::minDistance2(string word1, string word2) {
int n = word1.length();
int m = word2.length();
// 有一个字符串为空串
if (n * m == 0) return n + m;
// DP 数组
vector<vector<int>> D(n + 1, vector<int>(m + 1));
// 边界状态初始化
for (int i = 0; i < n + 1; i++) {
D[i][0] = i;
}
for (int j = 0; j < m + 1; j++) {
D[0][j] = j;
}
// 计算所有 DP 值
for (int i = 1; i < n + 1; i++) {
for (int j = 1; j < m + 1; j++) {
int left = D[i - 1][j] + 1;
int down = D[i][j - 1] + 1;
int left_down = D[i - 1][j - 1];
if (word1[i - 1] != word2[j - 1]) left_down += 1;
D[i][j] = min(left, min(down, left_down));
}
}
printVector2(D);
return D[n][m];
}
//73. 矩阵置零
/*
思路:从头到尾遍历,找到了零,把这一列和这一行开头的设成0(第一列和第一行另算)
*/
void makeRowZero(vector<vector<int>>& matrix,int row) {
for (int j = 0; j < matrix[0].size(); j++) {
matrix[row][j] = 0;
}
}
void makeColZero(vector<vector<int>>& matrix, int col) {
for (int i = 0; i < matrix.size(); i++) {
matrix[i][col] = 0;
}
}
void Solution::setZeroes(vector<vector<int>>& matrix) {
bool colZero = 0;
bool rowZero = 0;
int row = matrix.size();
int col = matrix[0].size();
//第一列
for (int i = 0; i < row; i++) {
if (matrix[i][0] == 0) {
colZero = 1;
break;
}
}
//第一行
for (int i = 0; i < col; i++) {
if (matrix[0][i] == 0) {
rowZero = 1;
break;
}
}
//遍历
for (int i = 1; i < row; i++) {
for (int j = 1; j < col; j++) {
if (matrix[i][j] == 0) {
matrix[i][0] = 0;
matrix[0][j] = 0;
}
}
}
for (int i = 1; i < row; i++) {
if (matrix[i][0] == 0) {
makeRowZero(matrix, i);
}
}
for (int j = 1; j < col; j++) {
if (matrix[0][j] == 0) {
makeColZero(matrix, j);
}
}
//重新弄
if (rowZero == 1) {
makeRowZero(matrix, 0);
}
if (colZero == 1) {
makeColZero(matrix, 0);
}
}
//74. 搜索二维矩阵
/*
思路:二分查找
*/
bool Solution::searchMatrix(vector<vector<int>>& matrix, int target) {
int m = matrix.size();
int n = matrix[0].size();
if (m * n == 0) {
return false;
}
int left = 0;
int right = (m - 1) * n + n - 1;
int mid = 0;
while (left <= right) {
mid = (left + right) / 2;
if (matrix[mid / n][mid % n] == target) {
return true;
}
else if (target < matrix[mid / n][mid % n]) {
right = mid - 1;
}
else {
left = mid + 1;
}
}
return false;
}
//75. 颜色分类
/*
思路:
简单的思路:计数排序,数一数0 2的个数,然后1=剩下的,再重新赋值一遍即可
但是如果要求一遍遍历的话,我们可以用双指针替换掉相应的空间消耗
*/
void Solution::sortColors(vector<int>& nums) {
int m = nums.size();
int p0 = 0;
int p2 = nums.size() - 1;
for (int i = 0; i < p2; i++) {
if (nums[i] == 2) {
//有可能一直给丢回来个2,也有可能丢回来个0,但是如果是0我们合并下一步去进一步验证
while (p2 > i && nums[p2] == 2) {
p2--;
}
swap(nums[i], nums[p2]);
}
if (nums[i] == 0) {
swap(nums[i], nums[p0++]);
}
}
}
//76. 最小覆盖子串
/*
暴力思路:
从头到尾看一遍嘛,看看够不够目标的串,不够的话直接返回不行了,够的话,那就把左边的删一个,可以就删俩,直到不行了为止,然后就删右边的...
不太对劲,有可能你删除的时候,把最优解从左边先删除了
那?
左边删一个?右边删一个? 开始递归找最优的?
但是递归的话?
好像会有重叠的情况
比如我 左左右 和右左左 左右左的结果是一样的哎
那?
动态规划?
显然可以左边删和右边删两种方案,那就二维数组表示他们所有的排列组合。
用二维数组表示的话,每一位表示如果删除掉这一位能不能包含了要求的这些字符
可以发现,如果左边的和上边的不能满足的话,那么后面的肯定更不能满足
转移方程 dp[i][j]=dp[i-1][j]&&dp[i][j-1]&&(del cur is ok)
但是怎么计算删除掉这个字符能不能进行匹配呢?
1.暴力匹配,直接从头到尾检查个遍
2.发现你检查过程中,好像?和之前的检查重复了额,因为就多增加了一个字符的量,结果还得从头检查一遍
那从做到右过程中,多弄个map做记录呢?
咋跟人家滑动窗口快接近了,滑动窗口如果在这个基础上,从头先跑到尾,然后两头缩?
那先跑到能收集全了召唤神龙的情况,再缩左边指针会不会效率高点?
思路:滑动窗口
从头到尾遍历s
对于每个字符,如果发现需要匹配的串里面有这个字符,那么开始记录了
记录的方法就是如果看到当前字符在这个匹配串里面,那么对应的哈希表的数字加一
如果对应的数字全了, cnt和ori相应的大小一样了
那么开始缩小指针范围, void short
寻找最小值,
缩到最小值以后,做个记录
再继续往后找
*/
//返回缩掉以后的长度
void Solution76::shrinkIndex(string& s, int& pleft, const int& pright) {
int i = pleft;
for (i = pleft; i <= pright; i++) {
if (cnt.find(s[i])!=cnt.end()) {
cnt[s[i]]--;
//-------------------出问题的点---------------------------------------
if (cnt[s[i]] <ori[s[i]]) {
cnt.erase(s[i]);
pleft = i + 1;
break;
}
}
}
if (pright - i + 1 < len) {
len = pright - i + 1;
sleft = pleft - 1;
sright = pright;
}
}
string Solution76::minWindow(string s, string t) {
if (s.empty()||t.size()>s.size()) {
return "";
}
if (t.empty()) {
return s;
}
int m = s.size();
int pleft = 0, pright = 0;
for (char c : t) {
ori[c]++;
}
//先找到开头
while (pleft < m && ori.find(s[pleft]) == ori.end()) {
pleft++;
}
pright = pleft;
while (pright < m && pleft < m) {
if (pright < m && ori.find(s[pright]) != ori.end()) {
//开始找,如果说找到了对应的字符
cnt[s[pright]]++;
if (cnt.size() == ori.size()) {
shrinkIndex(s, pleft, pright);
}
}
pright++;
}
return s.substr(sleft,len);
}
| [
"1026842576@qq.com"
] | 1026842576@qq.com |
34fd7510d83d5f2d049c93035f0199fc7a21bb27 | 42c182073793e6db5a695c502a2f1240d576086d | /c++ Code/26.cpp | e8a557065d3df214a57147f7614c473a4b8e4000 | [] | no_license | aj1063/DS-Algo. | 2c57e3a9378e4a3e70c669a0d297cb43d085bc65 | 2fbfa4eea2fb27a43e7161d6e11703b94608d7ca | refs/heads/master | 2022-12-22T12:36:58.726229 | 2020-08-14T20:20:35 | 2020-08-14T20:20:35 | 286,369,663 | 0 | 1 | null | 2020-10-04T20:15:54 | 2020-08-10T03:46:59 | C++ | UTF-8 | C++ | false | false | 167 | cpp | #include<iostream>
using namespace std;
int main()
{
int arr[]={1,3,4,5,6};
int sum=0;
for(int i=0;i<5;i++)
{
sum=sum+arr[i];
}
cout<<"sum is "<<sum;
return 0;
}
| [
"aj5233448@gmail.com"
] | aj5233448@gmail.com |
a6340651e9b1a3073eae2cba1c8197c8b638dd85 | 1af49694004c6fbc31deada5618dae37255ce978 | /chrome/browser/ui/user_education/mock_feature_promo_controller.h | 98a6ea49ee7893ec113ed0e61d6e08535abe44a6 | [
"BSD-3-Clause"
] | permissive | sadrulhc/chromium | 59682b173a00269ed036eee5ebfa317ba3a770cc | a4b950c23db47a0fdd63549cccf9ac8acd8e2c41 | refs/heads/master | 2023-02-02T07:59:20.295144 | 2020-12-01T21:32:32 | 2020-12-01T21:32:32 | 317,678,056 | 3 | 0 | BSD-3-Clause | 2020-12-01T21:56:26 | 2020-12-01T21:56:25 | null | UTF-8 | C++ | false | false | 1,501 | h | // Copyright 2020 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#ifndef CHROME_BROWSER_UI_USER_EDUCATION_MOCK_FEATURE_PROMO_CONTROLLER_H_
#define CHROME_BROWSER_UI_USER_EDUCATION_MOCK_FEATURE_PROMO_CONTROLLER_H_
#include "base/feature_list.h"
#include "chrome/browser/ui/user_education/feature_promo_controller.h"
#include "chrome/browser/ui/user_education/feature_promo_text_replacements.h"
#include "testing/gmock/include/gmock/gmock.h"
class MockFeaturePromoController : public FeaturePromoController {
public:
MockFeaturePromoController();
~MockFeaturePromoController() override;
// FeaturePromoController:
MOCK_METHOD(bool,
MaybeShowPromo,
(const base::Feature&, BubbleCloseCallback),
(override));
MOCK_METHOD(bool,
MaybeShowPromoWithTextReplacements,
(const base::Feature&,
FeaturePromoTextReplacements,
BubbleCloseCallback),
(override));
MOCK_METHOD(bool, BubbleIsShowing, (const base::Feature&), (const, override));
MOCK_METHOD(bool, CloseBubble, (const base::Feature&), (override));
MOCK_METHOD(PromoHandle,
CloseBubbleAndContinuePromo,
(const base::Feature&),
(override));
MOCK_METHOD(void, FinishContinuedPromo, (), (override));
};
#endif // CHROME_BROWSER_UI_USER_EDUCATION_MOCK_FEATURE_PROMO_CONTROLLER_H_
| [
"commit-bot@chromium.org"
] | commit-bot@chromium.org |
8a4e16ab2e90ef469dd9027c5616ec3ffc01dceb | e0e025b0b186e047461d2d74ea5fa84fb8a21f7b | /.history/9_ascdesc_20210307093209.cpp | 3a5b03f92c7fe15bd5720e0ed1863eeb40e82e4f | [] | no_license | xKristee29/1nfo | fbd4b9c1b50f45fbd10b968f39d342a47a007da7 | 1aa9ec38f24a54c76cab8d94212bd33df616082d | refs/heads/main | 2023-03-20T02:04:51.730374 | 2021-03-08T20:24:55 | 2021-03-08T20:24:55 | 345,783,580 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 96 | cpp | #include <bits/stdc++.h>
using namespace std;
vector<int> v;
int main(){
return 0;
} | [
"c90717489@gmail.com"
] | c90717489@gmail.com |
6799ccddd8c2d54dde934df94c9095684cab9c01 | 5456502f97627278cbd6e16d002d50f1de3da7bb | /components/suggestions/image_encoder.cc | 316a70b774621a689598eb032a2daa8a462ae501 | [
"BSD-3-Clause"
] | permissive | TrellixVulnTeam/Chromium_7C66 | 72d108a413909eb3bd36c73a6c2f98de1573b6e5 | c8649ab2a0f5a747369ed50351209a42f59672ee | refs/heads/master | 2023-03-16T12:51:40.231959 | 2017-12-20T10:38:26 | 2017-12-20T10:38:26 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,066 | cc | // Copyright 2014 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
#include "components/suggestions/image_encoder.h"
#include "ui/gfx/codec/jpeg_codec.h"
#include "ui/gfx/image/image_skia.h"
namespace suggestions {
std::unique_ptr<SkBitmap> DecodeJPEGToSkBitmap(const void* encoded_data,
size_t size) {
return gfx::JPEGCodec::Decode(static_cast<const unsigned char*>(encoded_data),
size);
}
bool EncodeSkBitmapToJPEG(const SkBitmap& bitmap,
std::vector<unsigned char>* dest) {
SkAutoLockPixels bitmap_lock(bitmap);
if (!bitmap.readyToDraw() || bitmap.isNull()) {
return false;
}
return gfx::JPEGCodec::Encode(
reinterpret_cast<unsigned char*>(bitmap.getAddr32(0, 0)),
gfx::JPEGCodec::FORMAT_SkBitmap, bitmap.width(), bitmap.height(),
bitmap.rowBytes(), 100, dest);
}
} // namespace suggestions
| [
"lixiaodonglove7@aliyun.com"
] | lixiaodonglove7@aliyun.com |
c9a5feead94a35cec9e51666e7e29e60d47fd9f8 | eab4aba2ad7e71c896bf15c723a5cddc89eb6b0b | /d3d12game_uwp_dr/DeviceResources.h | 086d0cec4aaa5f1800fd90959c4c40269f121952 | [
"MIT"
] | permissive | OhGameKillers/directx-vs-templates | 279347867d2a7998871f4a0f3194ff7128378484 | 149a90a4911001624121858e163ebe51fb8a6257 | refs/heads/master | 2021-01-15T09:19:12.284235 | 2016-05-19T01:20:37 | 2016-05-19T01:20:37 | 59,702,922 | 1 | 0 | null | 2016-05-25T22:49:07 | 2016-05-25T22:49:06 | null | UTF-8 | C++ | false | false | 6,275 | h | //
// DeviceResources.h - A wrapper for the Direct3D 12 device and swapchain
//
#pragma once
namespace DX
{
// Provides an interface for an application that owns DeviceResources to be notified of the device being lost or created.
interface IDeviceNotify
{
virtual void OnDeviceLost() = 0;
virtual void OnDeviceRestored() = 0;
};
// Controls all the DirectX device resources.
class DeviceResources
{
public:
DeviceResources(DXGI_FORMAT backBufferFormat = DXGI_FORMAT_B8G8R8A8_UNORM,
DXGI_FORMAT depthBufferFormat = DXGI_FORMAT_D32_FLOAT,
UINT backBufferCount = 2,
D3D_FEATURE_LEVEL minFeatureLevel = D3D_FEATURE_LEVEL_11_0);
~DeviceResources();
void CreateDeviceResources();
void CreateWindowSizeDependentResources();
void SetWindow(IUnknown* window, int width, int height, DXGI_MODE_ROTATION rotation);
bool WindowSizeChanged(int width, int height, DXGI_MODE_ROTATION rotation);
void ValidateDevice();
void HandleDeviceLost();
void RegisterDeviceNotify(IDeviceNotify* deviceNotify) { m_deviceNotify = deviceNotify; }
void Prepare();
void Present();
void WaitForGpu() noexcept;
// Device Accessors.
RECT GetOutputSize() const { return m_outputSize; }
DXGI_MODE_ROTATION GetRotation() const { return m_rotation; }
// Direct3D Accessors.
ID3D12Device* GetD3DDevice() const { return m_d3dDevice.Get(); }
IDXGISwapChain3* GetSwapChain() const { return m_swapChain.Get(); }
D3D_FEATURE_LEVEL GetDeviceFeatureLevel() const { return m_d3dFeatureLevel; }
ID3D12Resource* GetRenderTarget() const { return m_renderTargets[m_backBufferIndex].Get(); }
ID3D12Resource* GetDepthStencil() const { return m_depthStencil.Get(); }
ID3D12CommandQueue* GetCommandQueue() const { return m_commandQueue.Get(); }
ID3D12CommandAllocator* GetCommandAllocator() const { return m_commandAllocators[m_backBufferIndex].Get(); }
ID3D12GraphicsCommandList* GetCommandList() const { return m_commandList.Get(); }
DXGI_FORMAT GetBackBufferFormat() const { return m_backBufferFormat; }
DXGI_FORMAT GetDepthBufferFormat() const { return m_depthBufferFormat; }
D3D12_VIEWPORT GetScreenViewport() const { return m_screenViewport; }
D3D12_RECT GetScissorRect() const { return m_scissorRect; }
UINT GetCurrentFrameIndex() const { return m_backBufferIndex; }
UINT GetBackBufferCount() const { return m_backBufferCount; }
DirectX::XMFLOAT4X4 GetOrientationTransform3D() const { return m_orientationTransform3D; }
CD3DX12_CPU_DESCRIPTOR_HANDLE GetRenderTargetView() const
{
return CD3DX12_CPU_DESCRIPTOR_HANDLE(m_rtvDescriptorHeap->GetCPUDescriptorHandleForHeapStart(), m_backBufferIndex, m_rtvDescriptorSize);
}
CD3DX12_CPU_DESCRIPTOR_HANDLE GetDepthStencilView() const
{
return CD3DX12_CPU_DESCRIPTOR_HANDLE(m_dsvDescriptorHeap->GetCPUDescriptorHandleForHeapStart());
}
private:
void MoveToNextFrame();
void GetAdapter(IDXGIAdapter1** ppAdapter);
const static size_t MAX_BACK_BUFFER_COUNT = 3;
UINT m_backBufferIndex;
// Direct3D objects.
Microsoft::WRL::ComPtr<ID3D12Device> m_d3dDevice;
Microsoft::WRL::ComPtr<ID3D12CommandQueue> m_commandQueue;
Microsoft::WRL::ComPtr<ID3D12GraphicsCommandList> m_commandList;
Microsoft::WRL::ComPtr<ID3D12CommandAllocator> m_commandAllocators[MAX_BACK_BUFFER_COUNT];
// Swap chain objects.
Microsoft::WRL::ComPtr<IDXGIFactory4> m_dxgiFactory;
Microsoft::WRL::ComPtr<IDXGISwapChain3> m_swapChain;
Microsoft::WRL::ComPtr<ID3D12Resource> m_renderTargets[MAX_BACK_BUFFER_COUNT];
Microsoft::WRL::ComPtr<ID3D12Resource> m_depthStencil;
// Presentation fence objects.
Microsoft::WRL::ComPtr<ID3D12Fence> m_fence;
UINT64 m_fenceValues[MAX_BACK_BUFFER_COUNT];
Microsoft::WRL::Wrappers::Event m_fenceEvent;
// Direct3D rendering objects.
Microsoft::WRL::ComPtr<ID3D12DescriptorHeap> m_rtvDescriptorHeap;
Microsoft::WRL::ComPtr<ID3D12DescriptorHeap> m_dsvDescriptorHeap;
UINT m_rtvDescriptorSize;
D3D12_VIEWPORT m_screenViewport;
D3D12_RECT m_scissorRect;
// Direct3D properties.
DXGI_FORMAT m_backBufferFormat;
DXGI_FORMAT m_depthBufferFormat;
UINT m_backBufferCount;
D3D_FEATURE_LEVEL m_d3dMinFeatureLevel;
// Cached device properties.
IUnknown* m_window;
D3D_FEATURE_LEVEL m_d3dFeatureLevel;
DXGI_MODE_ROTATION m_rotation;
RECT m_outputSize;
// Transforms used for display orientation.
DirectX::XMFLOAT4X4 m_orientationTransform3D;
// The IDeviceNotify can be held directly as it owns the DeviceResources.
IDeviceNotify* m_deviceNotify;
};
}
| [
"chuckw@windows.microsoft.com"
] | chuckw@windows.microsoft.com |
6fd98237af00ba18b60017d3e296fd6b3b2e2525 | 7c01d982e735ced034c07eb114a0693956d5083a | /SnakeyTakey/prg_api_interactive/inc/prg/core/math.hpp | 8e56a4388a74c02f610eea3470bb4dc0749ca340 | [] | no_license | jonnyfairlamb1/CPP-Programming | 13a919af57cf998cea95f16227c519eb4bec624a | af0183a669594e5030e04412d4b4c4245b9da656 | refs/heads/master | 2020-05-29T22:29:31.593229 | 2019-05-30T13:01:32 | 2019-05-30T13:01:32 | 189,409,879 | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,789 | hpp | /*
Copyright (c) 2014 Steven Mead,
School of Computing,
University of Teesside,
Middlesbrough,
UK TS1 3BA
email: steven.j.mead@tees.ac.uk
This software is provided 'as-is', without any express or implied
warranty. In no event will the authors be held liable for any damages
arising from the use of this software.
Permission is granted to anyone to use this software for any purpose,
including commercial applications, and to alter it and redistribute it
freely, subject to the following restrictions:
1. The origin of this software must not be misrepresented; you must not
claim that you wrote the original software. If you use this software
in a product, an acknowledgment in the product documentation would be
appreciated but is not required.
2. Altered source versions must be plainly marked as such, and must not be
misrepresented as being the original software.
3. This notice may not be removed or altered from any source
distribution.
*/
#pragma once
#if !defined PRG_MATH_HPP
# define PRG_MATH_HPP
# include <prg/core/types.hpp>
# include <cmath>
namespace prg {
namespace math {
//Global Constants
constexpr float PI { 3.1415926535897932384626433832795F };
constexpr float M_180_OVER_PI { 180.F / PI };
constexpr float M_PI_OVER_180 { PI / 180.F };
//inline'd utility functions
inline constexpr float deg_to_rad( const float deg ) { return deg * M_PI_OVER_180; }
inline constexpr float rad_to_deg( const float rad ) { return rad * M_180_OVER_PI; }
}
}//namespace prg
#endif // PRG_MATH_HPP
| [
"36200921+Nova2311@users.noreply.github.com"
] | 36200921+Nova2311@users.noreply.github.com |
f773ca5435a7deb112b9f70f290056b937080061 | 0b2748e3d25c4daf628e8b728f581931f024a833 | /source/sdk/include/cfgserver/KHConfigData.h | 47289fc73e294afe56ff708addad42c88889f792 | [] | no_license | Zoltan3057/N_Kunhou_Arm_sdk | b4c3653705e2bb76935f3ac07fae503f09172dd8 | e50f60d3e7f19715bbedc9ccc55ca6280d13ad1b | refs/heads/master | 2020-03-21T17:27:50.975966 | 2018-03-03T05:34:10 | 2018-03-03T05:34:10 | 138,833,358 | 2 | 1 | null | null | null | null | UTF-8 | C++ | false | false | 1,616 | h | /***************************************************************************************************
* Copyright (C), 2015-2016 Suzhou Kunhou Automation Co.,Ltd
* File name: KHConfigData.h
* Description:
* Version: 0.0.1
* History:
* (1) Author: taibaidl
* Date: 2016-07-04
* Operate: Create
* Version: 0.0.1
* Others:
***************************************************************************************************/
#include <map>
#include "KHTypes.h"
#include "KHBoostInterproc.h"
/***************************************************************************************************
* class CfgBIDataRemove
***************************************************************************************************/
class CfgBIDataRemove
{
public:
CfgBIDataRemove()
{
remove();
}
~CfgBIDataRemove()
{
remove();
}
private:
void remove()
{
BI::named_mutex::remove("cfg_data_mtx");
}
};
/***************************************************************************************************
* class KHConfigData
***************************************************************************************************/
class KHConfigData
{
public:
KHConfigData();
~KHConfigData();
public:
bool Init(std::map<STRING, STRING> &cfgs);
bool SetParam(const STRING ¶m_name,
const STRING ¶m_val);
bool GetParam(const STRING ¶m_name,
STRING ¶m_val);
private:
CfgBIDataRemove shm_data_remove_;
BI::named_mutex cfg_data_mtx_;
private:
std::map<STRING, STRING> cfgs_;
};
| [
"769238687@qq.com"
] | 769238687@qq.com |
a1c62b47838120931ea066920a2df7d7067a7006 | b4393b82bcccc59e2b89636f1fde16d82f060736 | /devtools/lit/lib/_platform/UtilsUnix.cpp | 6c90440f743bd16f21969ad719c1cb89148ee84a | [] | no_license | phpmvc/polarphp | abb63ed491a0175aa43c873b1b39811f4eb070a2 | eb0b406e515dd550fd99b9383d4b2952fed0bfa9 | refs/heads/master | 2020-04-08T06:51:03.842159 | 2018-11-23T06:32:04 | 2018-11-23T06:32:04 | null | 0 | 0 | null | null | null | null | UTF-8 | C++ | false | false | 1,294 | cpp | // This source file is part of the polarphp.org open source project
//
// Copyright (c) 2017 - 2018 polarphp software foundation
// Copyright (c) 2017 - 2018 zzu_softboy <zzu_softboy@163.com>
// Licensed under Apache License v2.0 with Runtime Library Exception
//
// See http://polarphp.org/LICENSE.txt for license information
// See http://polarphp.org/CONTRIBUTORS.txt for the list of polarphp project authors
//
// Created by polarboy on 2018/08/30.
#include "../Utils.h"
#include "../ProcessUtils.h"
#include <sys/types.h>
#include <signal.h>
#include <unistd.h>
#include <time.h>
#include <utime.h>
#include <sys/stat.h>
namespace polar {
namespace lit {
void kill_process_and_children(pid_t pid) noexcept
{
std::tuple<std::list<pid_t>, bool> result = retrieve_children_pids(pid, true);
if (std::get<1>(result)) {
for (pid_t cpid : std::get<0>(result)) {
kill(cpid, SIGKILL);
}
}
}
bool stdcout_isatty()
{
return isatty(fileno(stdout));
}
void modify_file_utime_and_atime(const std::string &filename)
{
struct stat fstat;
struct utimbuf newTimes;
newTimes.actime = fstat.st_atime; /* keep atime unchanged */
newTimes.modtime = time(nullptr); /* set mtime to current time */
utime(filename.c_str(), &newTimes);
}
} // lit
} // polar
| [
"zzu_softboy@163.com"
] | zzu_softboy@163.com |
7b1f959514ddae0bbffe8c144750545ddb2c0459 | 1cf2a006e936582250ebad5facce66a2dc59b21c | /include/IRenderer.h | eedef85ce57047eeb5971989d03076a331501b49 | [
"BSD-2-Clause"
] | permissive | TheFakeMontyOnTheRun/wizardofgalicia | b378cb54b96750abd4503fbd128efbdc67e2c853 | f11704563b0d0025d22ac5519e30e66d9c762f7e | refs/heads/master | 2020-12-25T17:23:29.234319 | 2016-04-16T19:20:58 | 2016-04-16T19:20:58 | 55,379,386 | 1 | 0 | null | 2016-04-12T23:46:58 | 2016-04-04T02:02:15 | C++ | UTF-8 | C++ | false | false | 531 | h | #ifndef IRENDERER_H
#define IRENDERER_H
namespace WizardOfGalicia {
class IRenderer {
public:
virtual void playFireballSound() = 0;
virtual void playMeeleeSound() = 0;
virtual void playPowerUpSound() = 0;
virtual void init() = 0;
virtual void drawMap( CMap &map, std::shared_ptr<CActor> current ) = 0;
virtual char update() = 0;
virtual void shutdown() = 0;
virtual void showTitleScreen() = 0;
virtual void showGameOverScreen() = 0;
virtual void showVictoryScreen() = 0;
};
}
#endif
| [
"danielmonteiro@id.uff.br"
] | danielmonteiro@id.uff.br |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.